diff --git a/build/README b/build/README
index 14f2b92ae39..626953f9376 100644
--- a/build/README
+++ b/build/README
@@ -7,6 +7,9 @@ Building packages
##################################################
All sub-directories of "build" directory contains files (setup or binary tools) required to build automatically Dolibarr packages.
+The build directory and all its contents is absolutely not required to make Dolibarr working.
+It is here only to build Dolibarr packages, and those generated packages will not contains this "build" directory.
+
There are several tools:
@@ -17,8 +20,7 @@ There are several tools:
--------------------------------------------------------------------------------------------------
-Prerequisites to build tgz, debian, rpm package:
-
+Prerequisites to build tgz, debian and rpm packages:
> apt-get install tar dpkg dpatch p7zip-full rpm zip
@@ -58,10 +60,6 @@ Prerequisites to build autoexe DoliWamp package:
--------------------------------------------------------------------------------------------------
-Note:
-The build directory and all its contents is absolutely not required to make Dolibarr working.
-It is here only to build Dolibarr packages, and those generated packages will not contains this "build" directory.
-
You can find in "build", following sub-directories:
diff --git a/dev/README b/dev/README
index 337928507fc..78666d77f3a 100644
--- a/dev/README
+++ b/dev/README
@@ -1,13 +1,14 @@
README (English)
--------------------------------
-This directory contains sub-directories to provide tools or
-documentation for developers.
-Note: All files in this directory are in VCS only and are not
-provided with a standard release.
+This directory contains sub-directories to provide tools or documentation for developers.
+
+Note: All files in this directory are in the source repository only and are not provided with a standard release. They are useless to make Dolibarr working.
+
+You may find a more complete documentation on Dolibarr on the wiki:
-There is also some documentation on Dolibarr Wiki:
https://wiki.dolibarr.org/
-and
-https://doxygen.dolibarr.org/
+and on
+
+https://doxygen.dolibarr.org/
diff --git a/doc/index.html b/doc/index.html
index 5c655136e3e..333f96099c3 100644
--- a/doc/index.html
+++ b/doc/index.html
@@ -6,18 +6,15 @@
-This directory contains several subdirectories with entries for
-informations on Dolibarr.
-But if you are looking for other resources (downloads, documentation, addons, ...), you can find this
-on Internet on web following sites:
-
-* Dolibarr wiki (documentation)
+This directory contains several subdirectories with entries for informations on Dolibarr.
+But if you are looking for other resources (downloads, documentation, addons, ...), you can find this on Internet on web following sites:
+
* Dolibarr portal (official website)
';
+ if (!$i) $totalarray['nbfield']++;
+ }
+
// Fields from hook
$parameters = array('arrayfields'=>$arrayfields, 'obj'=>$obj);
$reshook = $hookmanager->executeHooks('printFieldListValue', $parameters); // Note that $action and $object may have been modified by hook
@@ -826,14 +871,6 @@ while ($i < min($num, $limit)) {
}
if ($num > 0) {
- // Show sub-total of last shown account
- if (empty($conf->global->ACCOUNTING_ENABLE_LETTERING) || empty($arrayfields['t.lettering_code']['checked'])) {
- $colnumber = 3;
- $colnumberend = 7;
- } else {
- $colnumber = 4;
- $colnumberend = 7;
- }
$colspan = $totalarray['nbfield'] - $colnumber;
$colspanend = $totalarray['nbfield'] - $colnumberend;
print '
';
diff --git a/htdocs/accountancy/class/bookkeeping.class.php b/htdocs/accountancy/class/bookkeeping.class.php
index 3b03e6ae8ca..fe73ab9f376 100644
--- a/htdocs/accountancy/class/bookkeeping.class.php
+++ b/htdocs/accountancy/class/bookkeeping.class.php
@@ -795,7 +795,7 @@ class BookKeeping extends CommonObject
$sql .= " t.label_operation,";
$sql .= " t.debit,";
$sql .= " t.credit,";
- $sql .= " t.montant,";
+ $sql .= " t.montant as amount,";
$sql .= " t.sens,";
$sql .= " t.multicurrency_amount,";
$sql .= " t.multicurrency_code,";
@@ -806,7 +806,8 @@ class BookKeeping extends CommonObject
$sql .= " t.code_journal,";
$sql .= " t.journal_label,";
$sql .= " t.piece_num,";
- $sql .= " t.date_creation";
+ $sql .= " t.date_creation,";
+ $sql .= " t.date_export";
// Manage filter
$sqlwhere = array();
if (count($filter) > 0) {
@@ -823,6 +824,8 @@ class BookKeeping extends CommonObject
$sqlwhere[] = $key.' LIKE \''.$this->db->escape($value).'%\'';
} elseif ($key == 't.date_creation>=' || $key == 't.date_creation<=') {
$sqlwhere[] = $key.'\''.$this->db->idate($value).'\'';
+ } elseif ($key == 't.date_export>=' || $key == 't.date_export<=') {
+ $sqlwhere[] = $key.'\''.$this->db->idate($value).'\'';
} elseif ($key == 't.credit' || $key == 't.debit') {
$sqlwhere[] = natural_search($key, $value, 1, 1);
} elseif ($key == 't.reconciled_option') {
@@ -878,7 +881,8 @@ class BookKeeping extends CommonObject
$line->label_operation = $obj->label_operation;
$line->debit = $obj->debit;
$line->credit = $obj->credit;
- $line->montant = $obj->montant;
+ $line->montant = $obj->amount; // deprecated
+ $line->amount = $obj->amount;
$line->sens = $obj->sens;
$line->multicurrency_amount = $obj->multicurrency_amount;
$line->multicurrency_code = $obj->multicurrency_code;
@@ -889,7 +893,8 @@ class BookKeeping extends CommonObject
$line->code_journal = $obj->code_journal;
$line->journal_label = $obj->journal_label;
$line->piece_num = $obj->piece_num;
- $line->date_creation = $obj->date_creation;
+ $line->date_creation = $this->db->jdate($obj->date_creation);
+ $line->date_export = $this->db->jdate($obj->date_export);
$this->lines[] = $line;
@@ -941,7 +946,7 @@ class BookKeeping extends CommonObject
$sql .= " t.credit,";
$sql .= " t.lettering_code,";
$sql .= " t.date_lettering,";
- $sql .= " t.montant,";
+ $sql .= " t.montant as amount,";
$sql .= " t.sens,";
$sql .= " t.fk_user_author,";
$sql .= " t.import_key,";
@@ -1019,7 +1024,8 @@ class BookKeeping extends CommonObject
$line->label_operation = $obj->label_operation;
$line->debit = $obj->debit;
$line->credit = $obj->credit;
- $line->montant = $obj->montant;
+ $line->montant = $obj->amount; // deprecated
+ $line->amount = $obj->amount;
$line->sens = $obj->sens;
$line->lettering_code = $obj->lettering_code;
$line->date_lettering = $obj->date_lettering;
diff --git a/htdocs/compta/sociales/card.php b/htdocs/compta/sociales/card.php
index bf28ceb0996..ccb413ecf6f 100644
--- a/htdocs/compta/sociales/card.php
+++ b/htdocs/compta/sociales/card.php
@@ -182,8 +182,7 @@ if ($action == 'update' && !$_POST["cancel"] && $user->rights->tax->charges->cre
if (!$dateech)
{
- setEventMessages($langs->trans("ErrorFieldReqrequire_once DOL_DOCUMENT_ROOT.'/compta/sociales/class/chargesociales.class.php';
-uired", $langs->transnoentities("Date")), null, 'errors');
+ setEventMessages($langs->trans("ErrorFieldRequired", $langs->transnoentities("Date")), null, 'errors');
$action = 'edit';
} elseif (!$dateperiod)
{
diff --git a/htdocs/core/boxes/box_graph_invoices_permonth.php b/htdocs/core/boxes/box_graph_invoices_permonth.php
index 4ef11019cd3..97ebbee1d85 100644
--- a/htdocs/core/boxes/box_graph_invoices_permonth.php
+++ b/htdocs/core/boxes/box_graph_invoices_permonth.php
@@ -120,7 +120,8 @@ class box_graph_invoices_permonth extends ModeleBoxes
if (empty($shownb) && empty($showtot)) { $shownb = 1; $showtot = 1; }
$nowarray = dol_getdate(dol_now(), true);
if (empty($endyear)) $endyear = $nowarray['year'];
- $startyear = $endyear - 1;
+ $startyear = $endyear - (empty($conf->global->MAIN_NB_OF_YEAR_IN_WIDGET_GRAPH) ? 1 : $conf->global->MAIN_NB_OF_YEAR_IN_WIDGET_GRAPH);
+
$mode = 'customer';
$WIDTH = (($shownb && $showtot) || !empty($conf->dol_optimize_smallscreen)) ? '256' : '320';
$HEIGHT = '192';
diff --git a/htdocs/core/boxes/box_graph_invoices_supplier_permonth.php b/htdocs/core/boxes/box_graph_invoices_supplier_permonth.php
index d346bae36d9..d044c65b9f0 100644
--- a/htdocs/core/boxes/box_graph_invoices_supplier_permonth.php
+++ b/htdocs/core/boxes/box_graph_invoices_supplier_permonth.php
@@ -118,7 +118,8 @@ class box_graph_invoices_supplier_permonth extends ModeleBoxes
$nowarray = dol_getdate(dol_now(), true);
if (empty($year)) $year = $nowarray['year'];
if (empty($endyear)) $endyear = $nowarray['year'];
- $startyear = $endyear - 1;
+ $startyear = $endyear - (empty($conf->global->MAIN_NB_OF_YEAR_IN_WIDGET_GRAPH) ? 1 : $conf->global->MAIN_NB_OF_YEAR_IN_WIDGET_GRAPH);
+
$mode = 'supplier';
$WIDTH = (($shownb && $showtot) || !empty($conf->dol_optimize_smallscreen)) ? '256' : '320';
$HEIGHT = '192';
diff --git a/htdocs/core/boxes/box_graph_orders_permonth.php b/htdocs/core/boxes/box_graph_orders_permonth.php
index b1059dc02ff..9f0f5ece978 100644
--- a/htdocs/core/boxes/box_graph_orders_permonth.php
+++ b/htdocs/core/boxes/box_graph_orders_permonth.php
@@ -120,7 +120,8 @@ class box_graph_orders_permonth extends ModeleBoxes
if (empty($shownb) && empty($showtot)) { $shownb = 1; $showtot = 1; }
$nowarray = dol_getdate(dol_now(), true);
if (empty($endyear)) $endyear = $nowarray['year'];
- $startyear = $endyear - 1;
+ $startyear = $endyear - (empty($conf->global->MAIN_NB_OF_YEAR_IN_WIDGET_GRAPH) ? 1 : $conf->global->MAIN_NB_OF_YEAR_IN_WIDGET_GRAPH);
+
$mode = 'customer';
$WIDTH = (($shownb && $showtot) || !empty($conf->dol_optimize_smallscreen)) ? '256' : '320';
$HEIGHT = '192';
diff --git a/htdocs/core/boxes/box_graph_orders_supplier_permonth.php b/htdocs/core/boxes/box_graph_orders_supplier_permonth.php
index 354aa071946..c16c0616fbc 100644
--- a/htdocs/core/boxes/box_graph_orders_supplier_permonth.php
+++ b/htdocs/core/boxes/box_graph_orders_supplier_permonth.php
@@ -119,7 +119,8 @@ class box_graph_orders_supplier_permonth extends ModeleBoxes
if (empty($shownb) && empty($showtot)) { $shownb = 1; $showtot = 1; }
$nowarray = dol_getdate(dol_now(), true);
if (empty($endyear)) $endyear = $nowarray['year'];
- $startyear = $endyear - 1;
+ $startyear = $endyear - (empty($conf->global->MAIN_NB_OF_YEAR_IN_WIDGET_GRAPH) ? 1 : $conf->global->MAIN_NB_OF_YEAR_IN_WIDGET_GRAPH);
+
$mode = 'supplier';
$WIDTH = (($shownb && $showtot) || !empty($conf->dol_optimize_smallscreen)) ? '256' : '320';
$HEIGHT = '192';
diff --git a/htdocs/core/boxes/box_graph_propales_permonth.php b/htdocs/core/boxes/box_graph_propales_permonth.php
index 5014c4b3817..29b7cab5a78 100644
--- a/htdocs/core/boxes/box_graph_propales_permonth.php
+++ b/htdocs/core/boxes/box_graph_propales_permonth.php
@@ -120,7 +120,8 @@ class box_graph_propales_permonth extends ModeleBoxes
if (empty($shownb) && empty($showtot)) { $shownb = 1; $showtot = 1; }
$nowarray = dol_getdate(dol_now(), true);
if (empty($endyear)) $endyear = $nowarray['year'];
- $startyear = $endyear - 1;
+ $startyear = $endyear - (empty($conf->global->MAIN_NB_OF_YEAR_IN_WIDGET_GRAPH) ? 1 : $conf->global->MAIN_NB_OF_YEAR_IN_WIDGET_GRAPH);
+
$WIDTH = (($shownb && $showtot) || !empty($conf->dol_optimize_smallscreen)) ? '256' : '320';
$HEIGHT = '192';
diff --git a/htdocs/expedition/card.php b/htdocs/expedition/card.php
index 31ea04c1fdf..c4d646160e5 100644
--- a/htdocs/expedition/card.php
+++ b/htdocs/expedition/card.php
@@ -188,7 +188,6 @@ if (empty($reshook))
if ($action == 'add' && $user->rights->expedition->creer)
{
$error = 0;
- $predef = '';
$db->begin();
@@ -215,7 +214,6 @@ if (empty($reshook))
$object->fk_delivery_address = $objectsrc->fk_delivery_address;
$object->shipping_method_id = GETPOST('shipping_method_id', 'int');
$object->tracking_number = GETPOST('tracking_number', 'alpha');
- $object->ref_int = GETPOST('ref_int', 'alpha');
$object->note_private = GETPOST('note_private', 'restricthtml');
$object->note_public = GETPOST('note_public', 'restricthtml');
$object->fk_incoterms = GETPOST('incoterm_id', 'int');
diff --git a/htdocs/expedition/class/expedition.class.php b/htdocs/expedition/class/expedition.class.php
index e4722cabb4d..20091028583 100644
--- a/htdocs/expedition/class/expedition.class.php
+++ b/htdocs/expedition/class/expedition.class.php
@@ -671,7 +671,7 @@ class Expedition extends CommonObject
// Protection
if ($this->statut)
{
- dol_syslog(get_class($this)."::valid no draft status", LOG_WARNING);
+ dol_syslog(get_class($this)."::valid not in draft status", LOG_WARNING);
return 0;
}
@@ -757,7 +757,7 @@ class Expedition extends CommonObject
//var_dump($this->lines[$i]);
$mouvS = new MouvementStock($this->db);
- $mouvS->origin = &$this;
+ $mouvS->origin = dol_clone($this, 1);
if (empty($obj->edbrowid))
{
@@ -765,6 +765,7 @@ class Expedition extends CommonObject
// We decrement stock of product (and sub-products) -> update table llx_product_stock (key of this table is fk_product+fk_entrepot) and add a movement record.
$result = $mouvS->livraison($user, $obj->fk_product, $obj->fk_entrepot, $qty, $obj->subprice, $langs->trans("ShipmentValidatedInDolibarr", $numref));
+
if ($result < 0) {
$error++;
$this->error = $mouvS->error;
@@ -794,7 +795,6 @@ class Expedition extends CommonObject
// Change status of order to "shipment in process"
$ret = $this->setStatut(Commande::STATUS_SHIPMENTONPROCESS, $this->origin_id, $this->origin);
-
if (!$ret)
{
$error++;
diff --git a/htdocs/install/mysql/migration/13.0.0-14.0.0.sql b/htdocs/install/mysql/migration/13.0.0-14.0.0.sql
index 7b9cb8c9ef8..a006b1747e7 100644
--- a/htdocs/install/mysql/migration/13.0.0-14.0.0.sql
+++ b/htdocs/install/mysql/migration/13.0.0-14.0.0.sql
@@ -43,3 +43,7 @@ ALTER TABLE llx_bank_account ADD COLUMN ics varchar(32) NULL;
ALTER TABLE llx_bank_account ADD COLUMN ics_transfer varchar(32) NULL;
ALTER TABLE llx_facture MODIFY COLUMN date_valid DATETIME NULL DEFAULT NULL;
+
+ALTER TABLE llx_website ADD COLUMN lastaccess datetime NULL;
+ALTER TABLE llx_website ADD COLUMN pageviews_month BIGINT UNSIGNED DEFAULT 0;
+ALTER TABLE llx_website ADD COLUMN pageviews_total BIGINT UNSIGNED DEFAULT 0;
diff --git a/htdocs/install/mysql/tables/llx_website.sql b/htdocs/install/mysql/tables/llx_website.sql
index b2103177972..0df6ccf8ef3 100644
--- a/htdocs/install/mysql/tables/llx_website.sql
+++ b/htdocs/install/mysql/tables/llx_website.sql
@@ -36,6 +36,9 @@ CREATE TABLE llx_website
fk_user_modif integer,
date_creation datetime,
position integer DEFAULT 0,
+ lastaccess datetime NULL,
+ pageviews_month BIGINT UNSIGNED DEFAULT 0,
+ pageviews_total BIGINT UNSIGNED DEFAULT 0,
tms timestamp DEFAULT CURRENT_TIMESTAMP ON UPDATE CURRENT_TIMESTAMP,
import_key varchar(14) -- import key
) ENGINE=innodb;
diff --git a/htdocs/langs/am_ET/accountancy.lang b/htdocs/langs/am_ET/accountancy.lang
index 3211a0b62df..33ba4d9fea7 100644
--- a/htdocs/langs/am_ET/accountancy.lang
+++ b/htdocs/langs/am_ET/accountancy.lang
@@ -48,6 +48,7 @@ CountriesExceptMe=All countries except %s
AccountantFiles=Export source documents
ExportAccountingSourceDocHelp=With this tool, you can export the source events (list and PDFs) that were used to generate your accountancy. To export your journals, use the menu entry %s - %s.
VueByAccountAccounting=View by accounting account
+VueBySubAccountAccounting=View by accounting subaccount
MainAccountForCustomersNotDefined=Main accounting account for customers not defined in setup
MainAccountForSuppliersNotDefined=Main accounting account for vendors not defined in setup
@@ -144,7 +145,7 @@ NotVentilatedinAccount=Not bound to the accounting account
XLineSuccessfullyBinded=%s products/services successfully bound to an accounting account
XLineFailedToBeBinded=%s products/services were not bound to any accounting account
-ACCOUNTING_LIMIT_LIST_VENTILATION=Number of elements to bind shown by page (maximum recommended: 50)
+ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50)
ACCOUNTING_LIST_SORT_VENTILATION_TODO=Begin the sorting of the page "Binding to do" by the most recent elements
ACCOUNTING_LIST_SORT_VENTILATION_DONE=Begin the sorting of the page "Binding done" by the most recent elements
@@ -198,7 +199,8 @@ Docdate=Date
Docref=Reference
LabelAccount=Label account
LabelOperation=Label operation
-Sens=Sens
+Sens=Direction
+AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received For an accounting account of a supplier, use Debit to record a payment you make
LetteringCode=Lettering code
Lettering=Lettering
Codejournal=Journal
@@ -206,7 +208,8 @@ JournalLabel=Journal label
NumPiece=Piece number
TransactionNumShort=Num. transaction
AccountingCategory=Personalized groups
-GroupByAccountAccounting=Group by accounting account
+GroupByAccountAccounting=Group by general ledger account
+GroupBySubAccountAccounting=Group by subledger account
AccountingAccountGroupsDesc=You can define here some groups of accounting account. They will be used for personalized accounting reports.
ByAccounts=By accounts
ByPredefinedAccountGroups=By predefined groups
@@ -248,7 +251,7 @@ PaymentsNotLinkedToProduct=Payment not linked to any product / service
OpeningBalance=Opening balance
ShowOpeningBalance=Show opening balance
HideOpeningBalance=Hide opening balance
-ShowSubtotalByGroup=Show subtotal by group
+ShowSubtotalByGroup=Show subtotal by level
Pcgtype=Group of account
PcgtypeDesc=Group of account are used as predefined 'filter' and 'grouping' criteria for some accounting reports. For example, 'INCOME' or 'EXPENSE' are used as groups for accounting accounts of products to build the expense/income report.
@@ -271,11 +274,13 @@ DescVentilExpenseReport=Consult here the list of expense report lines bound (or
DescVentilExpenseReportMore=If you setup accounting account on type of expense report lines, the application will be able to make all the binding between your expense report lines and the accounting account of your chart of accounts, just in one click with the button "%s". If account was not set on fees dictionary or if you still have some lines not bound to any account, you will have to make a manual binding from the menu "%s".
DescVentilDoneExpenseReport=Consult here the list of the lines of expenses reports and their fees accounting account
+Closure=Annual closure
DescClosure=Consult here the number of movements by month who are not validated & fiscal years already open
OverviewOfMovementsNotValidated=Step 1/ Overview of movements not validated. (Necessary to close a fiscal year)
+AllMovementsWereRecordedAsValidated=All movements were recorded as validated
+NotAllMovementsCouldBeRecordedAsValidated=Not all movements could be recorded as validated
ValidateMovements=Validate movements
DescValidateMovements=Any modification or deletion of writing, lettering and deletes will be prohibited. All entries for an exercise must be validated otherwise closing will not be possible
-SelectMonthAndValidate=Select month and validate movements
ValidateHistory=Bind Automatically
AutomaticBindingDone=Automatic binding done
@@ -293,6 +298,7 @@ Accounted=Accounted in ledger
NotYetAccounted=Not yet accounted in ledger
ShowTutorial=Show Tutorial
NotReconciled=Not reconciled
+WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view
## Admin
BindingOptions=Binding options
@@ -337,6 +343,7 @@ Modelcsv_LDCompta10=Export for LD Compta (v10 & higher)
Modelcsv_openconcerto=Export for OpenConcerto (Test)
Modelcsv_configurable=Export CSV Configurable
Modelcsv_FEC=Export FEC
+Modelcsv_FEC2=Export FEC (With dates generation writing / document reversed)
Modelcsv_Sage50_Swiss=Export for Sage 50 Switzerland
Modelcsv_winfic=Export Winfic - eWinfic - WinSis Compta
Modelcsv_Gestinumv3=Export for Gestinum (v3)
diff --git a/htdocs/langs/am_ET/admin.lang b/htdocs/langs/am_ET/admin.lang
index f1c41a3b62b..189b0b5186a 100644
--- a/htdocs/langs/am_ET/admin.lang
+++ b/htdocs/langs/am_ET/admin.lang
@@ -56,6 +56,8 @@ GUISetup=Display
SetupArea=Setup
UploadNewTemplate=Upload new template(s)
FormToTestFileUploadForm=Form to test file upload (according to setup)
+ModuleMustBeEnabled=The module/application %s must be enabled
+ModuleIsEnabled=The module/application %s has been enabled
IfModuleEnabled=Note: yes is effective only if module %s is enabled
RemoveLock=Remove/rename file %s if it exists, to allow usage of the Update/Install tool.
RestoreLock=Restore file %s, with read permission only, to disable any further use of the Update/Install tool.
@@ -85,7 +87,6 @@ ShowPreview=Show preview
ShowHideDetails=Show-Hide details
PreviewNotAvailable=Preview not available
ThemeCurrentlyActive=Theme currently active
-CurrentTimeZone=TimeZone PHP (server)
MySQLTimeZone=TimeZone MySql (database)
TZHasNoEffect=Dates are stored and returned by database server as if they were kept as submitted string. The timezone has effect only when using the UNIX_TIMESTAMP function (that should not be used by Dolibarr, so database TZ should have no effect, even if changed after data was entered).
Space=Space
@@ -153,8 +154,8 @@ SystemToolsAreaDesc=This area provides administration functions. Use the menu to
Purge=Purge
PurgeAreaDesc=This page allows you to delete all files generated or stored by Dolibarr (temporary files or all files in %s directory). Using this feature is not normally necessary. It is provided as a workaround for users whose Dolibarr is hosted by a provider that does not offer permissions to delete files generated by the web server.
PurgeDeleteLogFile=Delete log files, including %s defined for Syslog module (no risk of losing data)
-PurgeDeleteTemporaryFiles=Delete all temporary files (no risk of losing data). Note: Deletion is done only if the temp directory was created 24 hours ago.
-PurgeDeleteTemporaryFilesShort=Delete temporary files
+PurgeDeleteTemporaryFiles=Delete all log and temporary files (no risk of losing data). Note: Deletion of temporary files is done only if the temp directory was created more than 24 hours ago.
+PurgeDeleteTemporaryFilesShort=Delete log and temporary files
PurgeDeleteAllFilesInDocumentsDir=Delete all files in directory: %s. This will delete all generated documents related to elements (third parties, invoices etc...), files uploaded into the ECM module, database backup dumps and temporary files.
PurgeRunNow=Purge now
PurgeNothingToDelete=No directory or files to delete.
@@ -256,6 +257,7 @@ ReferencedPreferredPartners=Preferred Partners
OtherResources=Other resources
ExternalResources=External Resources
SocialNetworks=Social Networks
+SocialNetworkId=Social Network ID
ForDocumentationSeeWiki=For user or developer documentation (Doc, FAQs...), take a look at the Dolibarr Wiki: %s
ForAnswersSeeForum=For any other questions/help, you can use the Dolibarr forum: %s
HelpCenterDesc1=Here are some resources for getting help and support with Dolibarr.
@@ -375,7 +377,7 @@ ExamplesWithCurrentSetup=Examples with current configuration
ListOfDirectories=List of OpenDocument templates directories
ListOfDirectoriesForModelGenODT=List of directories containing templates files with OpenDocument format.
Put here full path of directories. Add a carriage return between eah directory. To add a directory of the GED module, add here DOL_DATA_ROOT/ecm/yourdirectoryname.
Files in those directories must end with .odt or .ods.
NumberOfModelFilesFound=Number of ODT/ODS template files found in these directories
-ExampleOfDirectoriesForModelGen=Examples of syntax: c:\\mydir /home/mydir DOL_DATA_ROOT/ecm/ecmdir
+ExampleOfDirectoriesForModelGen=Examples of syntax: c:\\myapp\\mydocumentdir\\mysubdir /home/myapp/mydocumentdir/mysubdir DOL_DATA_ROOT/ecm/ecmdir
FollowingSubstitutionKeysCanBeUsed= To know how to create your odt document templates, before storing them in those directories, read wiki documentation:
FullListOnOnlineDocumentation=http://wiki.dolibarr.org/index.php/Create_an_ODT_document_template
FirstnameNamePosition=Position of Name/Lastname
@@ -406,7 +408,7 @@ UrlGenerationParameters=Parameters to secure URLs
SecurityTokenIsUnique=Use a unique securekey parameter for each URL
EnterRefToBuildUrl=Enter reference for object %s
GetSecuredUrl=Get calculated URL
-ButtonHideUnauthorized=Hide buttons for non-admin users for unauthorized actions instead of showing greyed disabled buttons
+ButtonHideUnauthorized=Hide unauthorized action buttons also for internal users (just greyed otherwise)
OldVATRates=Old VAT rate
NewVATRates=New VAT rate
PriceBaseTypeToChange=Modify on prices with base reference value defined on
@@ -1689,7 +1691,7 @@ NotTopTreeMenuPersonalized=Personalized menus not linked to a top menu entry
NewMenu=New menu
MenuHandler=Menu handler
MenuModule=Source module
-HideUnauthorizedMenu= Hide unauthorized menus (gray)
+HideUnauthorizedMenu=Hide unauthorized menus also for internal users (just greyed otherwise)
DetailId=Id menu
DetailMenuHandler=Menu handler where to show new menu
DetailMenuModule=Module name if menu entry come from a module
@@ -1983,11 +1985,12 @@ EMailHost=Host of email IMAP server
MailboxSourceDirectory=Mailbox source directory
MailboxTargetDirectory=Mailbox target directory
EmailcollectorOperations=Operations to do by collector
+EmailcollectorOperationsDesc=Operations are executed from top to bottom order
MaxEmailCollectPerCollect=Max number of emails collected per collect
CollectNow=Collect now
ConfirmCloneEmailCollector=Are you sure you want to clone the Email collector %s ?
-DateLastCollectResult=Date latest collect tried
-DateLastcollectResultOk=Date latest collect successfull
+DateLastCollectResult=Date of latest collect try
+DateLastcollectResultOk=Date of latest collect success
LastResult=Latest result
EmailCollectorConfirmCollectTitle=Email collect confirmation
EmailCollectorConfirmCollect=Do you want to run the collection for this collector now ?
@@ -2005,7 +2008,7 @@ WithDolTrackingID=Message from a conversation initiated by a first email sent fr
WithoutDolTrackingID=Message from a conversation initiated by a first email NOT sent from Dolibarr
WithDolTrackingIDInMsgId=Message sent from Dolibarr
WithoutDolTrackingIDInMsgId=Message NOT sent from Dolibarr
-CreateCandidature=Create candidature
+CreateCandidature=Create job application
FormatZip=Zip
MainMenuCode=Menu entry code (mainmenu)
ECMAutoTree=Show automatic ECM tree
@@ -2083,3 +2086,7 @@ CountryIfSpecificToOneCountry=Country (if specific to a given country)
YouMayFindSecurityAdviceHere=You may find security advisory here
ModuleActivatedMayExposeInformation=This module may expose sensitive data. If you don't need it, disable it.
ModuleActivatedDoNotUseInProduction=A module designed for the development has been enabled. Do not enable it on a production environment.
+CombinationsSeparator=Separator character for product combinations
+SeeLinkToOnlineDocumentation=See link to online documention on top menu for examples
+SHOW_SUBPRODUCT_REF_IN_PDF=If the feature "%s" of module %s is used, show details of subproducts of a kit on PDF.
+AskThisIDToYourBank=Contact your bank to get this ID
diff --git a/htdocs/langs/am_ET/banks.lang b/htdocs/langs/am_ET/banks.lang
index 9500a5b8b2e..a0dc27f86c4 100644
--- a/htdocs/langs/am_ET/banks.lang
+++ b/htdocs/langs/am_ET/banks.lang
@@ -173,8 +173,8 @@ SEPAMandate=SEPA mandate
YourSEPAMandate=Your SEPA mandate
FindYourSEPAMandate=This is your SEPA mandate to authorize our company to make direct debit order to your bank. Return it signed (scan of the signed document) or send it by mail to
AutoReportLastAccountStatement=Automatically fill the field 'number of bank statement' with last statement number when making reconciliation
-CashControl=POS cash fence
-NewCashFence=New cash fence
+CashControl=POS cash desk control
+NewCashFence=New cash desk closing
BankColorizeMovement=Colorize movements
BankColorizeMovementDesc=If this function is enable, you can choose specific background color for debit or credit movements
BankColorizeMovementName1=Background color for debit movement
diff --git a/htdocs/langs/am_ET/blockedlog.lang b/htdocs/langs/am_ET/blockedlog.lang
index 5afae6e9e53..0bba5605d0f 100644
--- a/htdocs/langs/am_ET/blockedlog.lang
+++ b/htdocs/langs/am_ET/blockedlog.lang
@@ -35,7 +35,7 @@ logDON_DELETE=Donation logical deletion
logMEMBER_SUBSCRIPTION_CREATE=Member subscription created
logMEMBER_SUBSCRIPTION_MODIFY=Member subscription modified
logMEMBER_SUBSCRIPTION_DELETE=Member subscription logical deletion
-logCASHCONTROL_VALIDATE=Cash fence recording
+logCASHCONTROL_VALIDATE=Cash desk closing recording
BlockedLogBillDownload=Customer invoice download
BlockedLogBillPreview=Customer invoice preview
BlockedlogInfoDialog=Log Details
diff --git a/htdocs/langs/am_ET/boxes.lang b/htdocs/langs/am_ET/boxes.lang
index d6fd298a3a7..7db4ea8aa17 100644
--- a/htdocs/langs/am_ET/boxes.lang
+++ b/htdocs/langs/am_ET/boxes.lang
@@ -46,9 +46,12 @@ BoxTitleLastModifiedDonations=Latest %s modified donations
BoxTitleLastModifiedExpenses=Latest %s modified expense reports
BoxTitleLatestModifiedBoms=Latest %s modified BOMs
BoxTitleLatestModifiedMos=Latest %s modified Manufacturing Orders
+BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded
BoxGlobalActivity=Global activity (invoices, proposals, orders)
BoxGoodCustomers=Good customers
BoxTitleGoodCustomers=%s Good customers
+BoxScheduledJobs=Scheduled jobs
+BoxTitleFunnelOfProspection=Lead funnel
FailedToRefreshDataInfoNotUpToDate=Failed to refresh RSS flux. Latest successful refresh date: %s
LastRefreshDate=Latest refresh date
NoRecordedBookmarks=No bookmarks defined.
@@ -102,5 +105,7 @@ SuspenseAccountNotDefined=Suspense account isn't defined
BoxLastCustomerShipments=Last customer shipments
BoxTitleLastCustomerShipments=Latest %s customer shipments
NoRecordedShipments=No recorded customer shipment
+BoxCustomersOutstandingBillReached=Customers with oustanding limit reached
# Pages
AccountancyHome=Accountancy
+ValidatedProjects=Validated projects
diff --git a/htdocs/langs/am_ET/cashdesk.lang b/htdocs/langs/am_ET/cashdesk.lang
index 498baa82200..3fef645d99d 100644
--- a/htdocs/langs/am_ET/cashdesk.lang
+++ b/htdocs/langs/am_ET/cashdesk.lang
@@ -49,8 +49,8 @@ Footer=Footer
AmountAtEndOfPeriod=Amount at end of period (day, month or year)
TheoricalAmount=Theorical amount
RealAmount=Real amount
-CashFence=Cash fence
-CashFenceDone=Cash fence done for the period
+CashFence=Cash desk closing
+CashFenceDone=Cash desk closing done for the period
NbOfInvoices=Nb of invoices
Paymentnumpad=Type of Pad to enter payment
Numberspad=Numbers Pad
@@ -99,8 +99,9 @@ CashDeskRefNumberingModules=Numbering module for POS sales
CashDeskGenericMaskCodes6 = {TN} tag is used to add the terminal number
TakeposGroupSameProduct=Group same products lines
StartAParallelSale=Start a new parallel sale
-ControlCashOpening=Control cash box at opening POS
-CloseCashFence=Close cash fence
+SaleStartedAt=Sale started at %s
+ControlCashOpening=Control cash popup at opening POS
+CloseCashFence=Close cash desk control
CashReport=Cash report
MainPrinterToUse=Main printer to use
OrderPrinterToUse=Order printer to use
@@ -122,3 +123,4 @@ GiftReceipt=Gift receipt
ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled first
AllowDelayedPayment=Allow delayed payment
PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts
+WeighingScale=Weighing scale
diff --git a/htdocs/langs/am_ET/categories.lang b/htdocs/langs/am_ET/categories.lang
index ba37a43b4ec..4ddf0d6093f 100644
--- a/htdocs/langs/am_ET/categories.lang
+++ b/htdocs/langs/am_ET/categories.lang
@@ -19,6 +19,7 @@ ProjectsCategoriesArea=Projects tags/categories area
UsersCategoriesArea=Users tags/categories area
SubCats=Sub-categories
CatList=List of tags/categories
+CatListAll=List of tags/categories (all types)
NewCategory=New tag/category
ModifCat=Modify tag/category
CatCreated=Tag/category created
@@ -65,16 +66,22 @@ UsersCategoriesShort=Users tags/categories
StockCategoriesShort=Warehouse tags/categories
ThisCategoryHasNoItems=This category does not contain any items.
CategId=Tag/category id
-CatSupList=List of vendor tags/categories
-CatCusList=List of customer/prospect tags/categories
+ParentCategory=Parent tag/category
+ParentCategoryLabel=Label of parent tag/category
+CatSupList=List of vendors tags/categories
+CatCusList=List of customers/prospects tags/categories
CatProdList=List of products tags/categories
CatMemberList=List of members tags/categories
-CatContactList=List of contact tags/categories
-CatSupLinks=Links between suppliers and tags/categories
+CatContactList=List of contacts tags/categories
+CatProjectsList=List of projects tags/categories
+CatUsersList=List of users tags/categories
+CatSupLinks=Links between vendors and tags/categories
CatCusLinks=Links between customers/prospects and tags/categories
CatContactsLinks=Links between contacts/addresses and tags/categories
CatProdLinks=Links between products/services and tags/categories
-CatProJectLinks=Links between projects and tags/categories
+CatMembersLinks=Links between members and tags/categories
+CatProjectsLinks=Links between projects and tags/categories
+CatUsersLinks=Links between users and tags/categories
DeleteFromCat=Remove from tags/category
ExtraFieldsCategories=Complementary attributes
CategoriesSetup=Tags/categories setup
diff --git a/htdocs/langs/am_ET/companies.lang b/htdocs/langs/am_ET/companies.lang
index dadff6a7894..8dc815b522e 100644
--- a/htdocs/langs/am_ET/companies.lang
+++ b/htdocs/langs/am_ET/companies.lang
@@ -358,7 +358,7 @@ VATIntraCheckableOnEUSite=Check the intra-Community VAT ID on the European Commi
VATIntraManualCheck=You can also check manually on the European Commission website %s
ErrorVATCheckMS_UNAVAILABLE=Check not possible. Check service is not provided by the member state (%s).
NorProspectNorCustomer=Not prospect, nor customer
-JuridicalStatus=Legal Entity Type
+JuridicalStatus=Business entity type
Workforce=Workforce
Staff=Employees
ProspectLevelShort=Potential
diff --git a/htdocs/langs/am_ET/compta.lang b/htdocs/langs/am_ET/compta.lang
index 8f4f058bb87..1afeb6e3727 100644
--- a/htdocs/langs/am_ET/compta.lang
+++ b/htdocs/langs/am_ET/compta.lang
@@ -111,7 +111,7 @@ Refund=Refund
SocialContributionsPayments=Social/fiscal taxes payments
ShowVatPayment=Show VAT payment
TotalToPay=Total to pay
-BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted ascending on %s and filtered for 1 bank account
+BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted on %s and filtered on 1 bank account (with no other filters)
CustomerAccountancyCode=Customer accounting code
SupplierAccountancyCode=Vendor accounting code
CustomerAccountancyCodeShort=Cust. account. code
@@ -140,7 +140,7 @@ ConfirmDeleteSocialContribution=Are you sure you want to delete this social/fisc
ExportDataset_tax_1=Social and fiscal taxes and payments
CalcModeVATDebt=Mode %sVAT on commitment accounting%s.
CalcModeVATEngagement=Mode %sVAT on incomes-expenses%s.
-CalcModeDebt=Analysis of known recorded invoices even if they are not yet accounted in ledger.
+CalcModeDebt=Analysis of known recorded documents even if they are not yet accounted in ledger.
CalcModeEngagement=Analysis of known recorded payments, even if they are not yet accounted in Ledger.
CalcModeBookkeeping=Analysis of data journalized in Bookkeeping Ledger table.
CalcModeLT1= Mode %sRE on customer invoices - suppliers invoices%s
@@ -154,9 +154,9 @@ AnnualSummaryInputOutputMode=Balance of income and expenses, annual summary
AnnualByCompanies=Balance of income and expenses, by predefined groups of account
AnnualByCompaniesDueDebtMode=Balance of income and expenses, detail by predefined groups, mode %sClaims-Debts%s said Commitment accounting.
AnnualByCompaniesInputOutputMode=Balance of income and expenses, detail by predefined groups, mode %sIncomes-Expenses%s said cash accounting.
-SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation on actual payments made even if they are not yet accounted in Ledger.
-SeeReportInDueDebtMode=See %sanalysis of invoices%s for a calculation based on known recorded invoices even if they are not yet accounted in Ledger.
-SeeReportInBookkeepingMode=See %sBookeeping report%s for a calculation on Bookkeeping Ledger table
+SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation based on recorded payments made even if they are not yet accounted in Ledger
+SeeReportInDueDebtMode=See %sanalysis of recorded documents%s for a calculation based on known recorded documents even if they are not yet accounted in Ledger
+SeeReportInBookkeepingMode=See %sanalysis of bookeeping ledger table%s for a report based on Bookkeeping Ledger table
RulesAmountWithTaxIncluded=- Amounts shown are with all taxes included
RulesResultDue=- It includes outstanding invoices, expenses, VAT, donations whether they are paid or not. Is also includes paid salaries. - It is based on the billing date of invoices and on the due date for expenses or tax payments. For salaries defined with Salary module, the value date of payment is used.
RulesResultInOut=- It includes the real payments made on invoices, expenses, VAT and salaries. - It is based on the payment dates of the invoices, expenses, VAT and salaries. The donation date for donation.
@@ -169,12 +169,15 @@ RulesResultBookkeepingPersonalized=It show record in your Ledger with accounting
SeePageForSetup=See menu %s for setup
DepositsAreNotIncluded=- Down payment invoices are not included
DepositsAreIncluded=- Down payment invoices are included
+LT1ReportByMonth=Tax 2 report by month
+LT2ReportByMonth=Tax 3 report by month
LT1ReportByCustomers=Report tax 2 by third party
LT2ReportByCustomers=Report tax 3 by third party
LT1ReportByCustomersES=Report by third party RE
LT2ReportByCustomersES=Report by third party IRPF
VATReport=Sale tax report
VATReportByPeriods=Sale tax report by period
+VATReportByMonth=Sale tax report by month
VATReportByRates=Sale tax report by rates
VATReportByThirdParties=Sale tax report by third parties
VATReportByCustomers=Sale tax report by customer
diff --git a/htdocs/langs/am_ET/cron.lang b/htdocs/langs/am_ET/cron.lang
index 1de1251831a..2ebdda1e685 100644
--- a/htdocs/langs/am_ET/cron.lang
+++ b/htdocs/langs/am_ET/cron.lang
@@ -7,13 +7,14 @@ Permission23103 = Delete Scheduled job
Permission23104 = Execute Scheduled job
# Admin
CronSetup=Scheduled job management setup
-URLToLaunchCronJobs=URL to check and launch qualified cron jobs
-OrToLaunchASpecificJob=Or to check and launch a specific job
+URLToLaunchCronJobs=URL to check and launch qualified cron jobs from a browser
+OrToLaunchASpecificJob=Or to check and launch a specific job from a browser
KeyForCronAccess=Security key for URL to launch cron jobs
FileToLaunchCronJobs=Command line to check and launch qualified cron jobs
CronExplainHowToRunUnix=On Unix environment you should use the following crontab entry to run the command line each 5 minutes
CronExplainHowToRunWin=On Microsoft(tm) Windows environment you can use Scheduled Task tools to run the command line each 5 minutes
CronMethodDoesNotExists=Class %s does not contains any method %s
+CronMethodNotAllowed=Method %s of class %s is in blacklist of forbidden methods
CronJobDefDesc=Cron job profiles are defined into the module descriptor file. When module is activated, they are loaded and available so you can administer the jobs from the admin tools menu %s.
CronJobProfiles=List of predefined cron job profiles
# Menu
@@ -46,6 +47,7 @@ CronNbRun=Number of launches
CronMaxRun=Maximum number of launches
CronEach=Every
JobFinished=Job launched and finished
+Scheduled=Scheduled
#Page card
CronAdd= Add jobs
CronEvery=Execute job each
@@ -56,7 +58,7 @@ CronNote=Comment
CronFieldMandatory=Fields %s is mandatory
CronErrEndDateStartDt=End date cannot be before start date
StatusAtInstall=Status at module installation
-CronStatusActiveBtn=Enable
+CronStatusActiveBtn=Schedule
CronStatusInactiveBtn=Disable
CronTaskInactive=This job is disabled
CronId=Id
@@ -82,3 +84,8 @@ MakeLocalDatabaseDumpShort=Local database backup
MakeLocalDatabaseDump=Create a local database dump. Parameters are: compression ('gz' or 'bz' or 'none'), backup type ('mysql', 'pgsql', 'auto'), 1, 'auto' or filename to build, number of backup files to keep
WarningCronDelayed=Attention, for performance purpose, whatever is next date of execution of enabled jobs, your jobs may be delayed to a maximum of %s hours, before being run.
DATAPOLICYJob=Data cleaner and anonymizer
+JobXMustBeEnabled=Job %s must be enabled
+# Cron Boxes
+LastExecutedScheduledJob=Last executed scheduled job
+NextScheduledJobExecute=Next scheduled job to execute
+NumberScheduledJobError=Number of scheduled jobs in error
diff --git a/htdocs/langs/am_ET/errors.lang b/htdocs/langs/am_ET/errors.lang
index 893f4a35b65..5b26be724d9 100644
--- a/htdocs/langs/am_ET/errors.lang
+++ b/htdocs/langs/am_ET/errors.lang
@@ -5,8 +5,10 @@ NoErrorCommitIsDone=No error, we commit
# Errors
ErrorButCommitIsDone=Errors found but we validate despite this
ErrorBadEMail=Email %s is wrong
+ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record)
ErrorBadUrl=Url %s is wrong
ErrorBadValueForParamNotAString=Bad value for your parameter. It appends generally when translation is missing.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorLoginAlreadyExists=Login %s already exists.
ErrorGroupAlreadyExists=Group %s already exists.
ErrorRecordNotFound=Record not found.
@@ -48,6 +50,7 @@ ErrorFieldsRequired=Some required fields were not filled.
ErrorSubjectIsRequired=The email topic is required
ErrorFailedToCreateDir=Failed to create a directory. Check that Web server user has permissions to write into Dolibarr documents directory. If parameter safe_mode is enabled on this PHP, check that Dolibarr php files owns to web server user (or group).
ErrorNoMailDefinedForThisUser=No mail defined for this user
+ErrorSetupOfEmailsNotComplete=Setup of emails is not complete
ErrorFeatureNeedJavascript=This feature need javascript to be activated to work. Change this in setup - display.
ErrorTopMenuMustHaveAParentWithId0=A menu of type 'Top' can't have a parent menu. Put 0 in parent menu or choose a menu of type 'Left'.
ErrorLeftMenuMustHaveAParentId=A menu of type 'Left' must have a parent id.
@@ -75,7 +78,7 @@ ErrorExportDuplicateProfil=This profile name already exists for this export set.
ErrorLDAPSetupNotComplete=Dolibarr-LDAP matching is not complete.
ErrorLDAPMakeManualTest=A .ldif file has been generated in directory %s. Try to load it manually from command line to have more information on errors.
ErrorCantSaveADoneUserWithZeroPercentage=Can't save an action with "status not started" if field "done by" is also filled.
-ErrorRefAlreadyExists=Ref used for creation already exists.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorPleaseTypeBankTransactionReportName=Please enter the bank statement name where the entry has to be reported (Format YYYYMM or YYYYMMDD)
ErrorRecordHasChildren=Failed to delete record since it has some child records.
ErrorRecordHasAtLeastOneChildOfType=Object has at least one child of type %s
@@ -216,7 +219,7 @@ ErrorChooseBetweenFreeEntryOrPredefinedProduct=You must choose if article is a p
ErrorDiscountLargerThanRemainToPaySplitItBefore=The discount you try to apply is larger than remain to pay. Split the discount in 2 smaller discounts before.
ErrorFileNotFoundWithSharedLink=File was not found. May be the share key was modified or file was removed recently.
ErrorProductBarCodeAlreadyExists=The product barcode %s already exists on another product reference.
-ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using virtual product to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number.
+ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using kits to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number.
ErrorDescRequiredForFreeProductLines=Description is mandatory for lines with free product
ErrorAPageWithThisNameOrAliasAlreadyExists=The page/container %s has the same name or alternative alias that the one your try to use
ErrorDuringChartLoad=Error when loading chart of accounts. If few accounts were not loaded, you can still enter them manually.
@@ -243,6 +246,16 @@ ErrorReplaceStringEmpty=Error, the string to replace into is empty
ErrorProductNeedBatchNumber=Error, product '%s' need a lot/serial number
ErrorProductDoesNotNeedBatchNumber=Error, product '%s' does not accept a lot/serial number
ErrorFailedToReadObject=Error, failed to read object of type %s
+ErrorParameterMustBeEnabledToAllwoThisFeature=Error, parameter %s must be enabled into conf/conf.php to allow use of Command Line Interface by the internal job scheduler
+ErrorLoginDateValidity=Error, this login is outside the validity date range
+ErrorValueLength=Length of field '%s' must be higher than '%s'
+ErrorReservedKeyword=The word '%s' is a reserved keyword
+ErrorNotAvailableWithThisDistribution=Not available with this distribution
+ErrorPublicInterfaceNotEnabled=Public interface was not enabled
+ErrorLanguageRequiredIfPageIsTranslationOfAnother=The language of new page must be defined if it is set as a translation of another page
+ErrorLanguageMustNotBeSourceLanguageIfPageIsTranslationOfAnother=The language of new page must not be the source language if it is set as a translation of another page
+ErrorAParameterIsRequiredForThisOperation=A parameter is mandatory for this operation
+
# Warnings
WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup.
WarningPasswordSetWithNoAccount=A password was set for this member. However, no user account was created. So this password is stored but can't be used to login to Dolibarr. It may be used by an external module/interface but if you don't need to define any login nor password for a member, you can disable option "Manage a login for each member" from Member module setup. If you need to manage a login but don't need any password, you can keep this field empty to avoid this warning. Note: Email can also be used as a login if the member is linked to a user.
@@ -267,6 +280,10 @@ WarningYourLoginWasModifiedPleaseLogin=Your login was modified. For security pur
WarningAnEntryAlreadyExistForTransKey=An entry already exists for the translation key for this language
WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different recipient is limited to %s when using the mass actions on lists
WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report
+WarningProjectDraft=Project is still in draft mode. Don't forget to validate it if you plan to use tasks.
WarningProjectClosed=Project is closed. You must re-open it first.
WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list.
-WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table
+WarningFailedToAddFileIntoDatabaseIndex=Warning, failed to add file entry into ECM database index table
+WarningTheHiddenOptionIsOn=Warning, the hidden option %s is on.
+WarningCreateSubAccounts=Warning, you can't create directly a sub account, you must create a third party or an user and assign them an accounting code to find them in this list
+WarningAvailableOnlyForHTTPSServers=Available only if using HTTPS secured connection.
diff --git a/htdocs/langs/am_ET/exports.lang b/htdocs/langs/am_ET/exports.lang
index 3549e3f8b23..a0eb7161ef2 100644
--- a/htdocs/langs/am_ET/exports.lang
+++ b/htdocs/langs/am_ET/exports.lang
@@ -133,3 +133,4 @@ KeysToUseForUpdates=Key (column) to use for updating existing data
NbInsert=Number of inserted lines: %s
NbUpdate=Number of updated lines: %s
MultipleRecordFoundWithTheseFilters=Multiple records have been found with these filters: %s
+StocksWithBatch=Stocks and location (warehouse) of products with batch/serial number
diff --git a/htdocs/langs/am_ET/mails.lang b/htdocs/langs/am_ET/mails.lang
index 1235eef3b27..7fd93be7b71 100644
--- a/htdocs/langs/am_ET/mails.lang
+++ b/htdocs/langs/am_ET/mails.lang
@@ -92,6 +92,7 @@ MailingModuleDescEmailsFromUser=Emails input by user
MailingModuleDescDolibarrUsers=Users with Emails
MailingModuleDescThirdPartiesByCategories=Third parties (by categories)
SendingFromWebInterfaceIsNotAllowed=Sending from web interface is not allowed.
+EmailCollectorFilterDesc=All filters must match to have an email being collected
# Libelle des modules de liste de destinataires mailing
LineInFile=Line %s in file
@@ -125,12 +126,13 @@ TagMailtoEmail=Recipient Email (including html "mailto:" link)
NoEmailSentBadSenderOrRecipientEmail=No email sent. Bad sender or recipient email. Verify user profile.
# Module Notifications
Notifications=Notifications
-NoNotificationsWillBeSent=No email notifications are planned for this event and company
-ANotificationsWillBeSent=1 notification will be sent by email
-SomeNotificationsWillBeSent=%s notifications will be sent by email
-AddNewNotification=Activate a new email notification target/event
-ListOfActiveNotifications=List all active targets/events for email notification
-ListOfNotificationsDone=List all email notifications sent
+NotificationsAuto=Notifications Auto.
+NoNotificationsWillBeSent=No automatic email notifications are planned for this event type and company
+ANotificationsWillBeSent=1 automatic notification will be sent by email
+SomeNotificationsWillBeSent=%s automatic notifications will be sent by email
+AddNewNotification=Subscribe to a new automatic email notification (target/event)
+ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification
+ListOfNotificationsDone=List all automatic email notifications sent
MailSendSetupIs=Configuration of email sending has been setup to '%s'. This mode can't be used to send mass emailing.
MailSendSetupIs2=You must first go, with an admin account, into menu %sHome - Setup - EMails%s to change parameter '%s' to use mode '%s'. With this mode, you can enter setup of the SMTP server provided by your Internet Service Provider and use Mass emailing feature.
MailSendSetupIs3=If you have any questions on how to setup your SMTP server, you can ask to %s.
@@ -140,7 +142,7 @@ UseFormatFileEmailToTarget=Imported file must have format email;name;fir
UseFormatInputEmailToTarget=Enter a string with format email;name;firstname;other
MailAdvTargetRecipients=Recipients (advanced selection)
AdvTgtTitle=Fill input fields to preselect the third parties or contacts/addresses to target
-AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima% will target all jean, joe, start with jim but not jimo and not everything that starts with jima
+AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima%% will target all jean, joe, start with jim but not jimo and not everything that starts with jima
AdvTgtSearchIntHelp=Use interval to select int or float value
AdvTgtMinVal=Minimum value
AdvTgtMaxVal=Maximum value
@@ -162,13 +164,14 @@ AdvTgtCreateFilter=Create filter
AdvTgtOrCreateNewFilter=Name of new filter
NoContactWithCategoryFound=No contact/address with a category found
NoContactLinkedToThirdpartieWithCategoryFound=No contact/address with a category found
-OutGoingEmailSetup=Outgoing email setup
-InGoingEmailSetup=Incoming email setup
-OutGoingEmailSetupForEmailing=Outgoing email setup (for module %s)
-DefaultOutgoingEmailSetup=Default outgoing email setup
+OutGoingEmailSetup=Outgoing emails
+InGoingEmailSetup=Incoming emails
+OutGoingEmailSetupForEmailing=Outgoing emails (for module %s)
+DefaultOutgoingEmailSetup=Same configuration than the global Outgoing email setup
Information=Information
ContactsWithThirdpartyFilter=Contacts with third-party filter
Unanswered=Unanswered
Answered=Answered
IsNotAnAnswer=Is not answer (initial email)
IsAnAnswer=Is an answer of an initial email
+RecordCreatedByEmailCollector=Record created by the Email Collector %s from email %s
diff --git a/htdocs/langs/am_ET/main.lang b/htdocs/langs/am_ET/main.lang
index 96c68cdcfa3..e196120c27d 100644
--- a/htdocs/langs/am_ET/main.lang
+++ b/htdocs/langs/am_ET/main.lang
@@ -28,7 +28,9 @@ NoTemplateDefined=No template available for this email type
AvailableVariables=Available substitution variables
NoTranslation=No translation
Translation=Translation
+CurrentTimeZone=TimeZone PHP (server)
EmptySearchString=Enter non empty search criterias
+EnterADateCriteria=Enter a date criteria
NoRecordFound=No record found
NoRecordDeleted=No record deleted
NotEnoughDataYet=Not enough data
@@ -85,6 +87,8 @@ FileWasNotUploaded=A file is selected for attachment but was not yet uploaded. C
NbOfEntries=No. of entries
GoToWikiHelpPage=Read online help (Internet access needed)
GoToHelpPage=Read help
+DedicatedPageAvailable=There is a dedicated help page related to your current screen
+HomePage=Home Page
RecordSaved=Record saved
RecordDeleted=Record deleted
RecordGenerated=Record generated
@@ -433,6 +437,7 @@ RemainToPay=Remain to pay
Module=Module/Application
Modules=Modules/Applications
Option=Option
+Filters=Filters
List=List
FullList=Full list
FullConversation=Full conversation
@@ -671,7 +676,7 @@ SendMail=Send email
Email=Email
NoEMail=No email
AlreadyRead=Already read
-NotRead=Not read
+NotRead=Unread
NoMobilePhone=No mobile phone
Owner=Owner
FollowingConstantsWillBeSubstituted=The following constants will be replaced with the corresponding value.
@@ -1107,3 +1112,8 @@ UpToDate=Up-to-date
OutOfDate=Out-of-date
EventReminder=Event Reminder
UpdateForAllLines=Update for all lines
+OnHold=On hold
+AffectTag=Affect Tag
+ConfirmAffectTag=Bulk Tag Affect
+ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected record(s)?
+CategTypeNotFound=No tag type found for type of records
diff --git a/htdocs/langs/am_ET/modulebuilder.lang b/htdocs/langs/am_ET/modulebuilder.lang
index 460aef8103b..845dd12624d 100644
--- a/htdocs/langs/am_ET/modulebuilder.lang
+++ b/htdocs/langs/am_ET/modulebuilder.lang
@@ -40,6 +40,7 @@ PageForCreateEditView=PHP page to create/edit/view a record
PageForAgendaTab=PHP page for event tab
PageForDocumentTab=PHP page for document tab
PageForNoteTab=PHP page for note tab
+PageForContactTab=PHP page for contact tab
PathToModulePackage=Path to zip of module/application package
PathToModuleDocumentation=Path to file of module/application documentation (%s)
SpaceOrSpecialCharAreNotAllowed=Spaces or special characters are not allowed.
@@ -77,7 +78,7 @@ IsAMeasure=Is a measure
DirScanned=Directory scanned
NoTrigger=No trigger
NoWidget=No widget
-GoToApiExplorer=Go to API explorer
+GoToApiExplorer=API explorer
ListOfMenusEntries=List of menu entries
ListOfDictionariesEntries=List of dictionaries entries
ListOfPermissionsDefined=List of defined permissions
@@ -105,7 +106,7 @@ TryToUseTheModuleBuilder=If you have knowledge of SQL and PHP, you may use the n
SeeTopRightMenu=See on the top right menu
AddLanguageFile=Add language file
YouCanUseTranslationKey=You can use here a key that is the translation key found into language file (see tab "Languages")
-DropTableIfEmpty=(Delete table if empty)
+DropTableIfEmpty=(Destroy table if empty)
TableDoesNotExists=The table %s does not exists
TableDropped=Table %s deleted
InitStructureFromExistingTable=Build the structure array string of an existing table
@@ -126,7 +127,6 @@ UseSpecificEditorURL = Use a specific editor URL
UseSpecificFamily = Use a specific family
UseSpecificAuthor = Use a specific author
UseSpecificVersion = Use a specific initial version
-ModuleMustBeEnabled=The module/application must be enabled first
IncludeRefGeneration=The reference of object must be generated automatically
IncludeRefGenerationHelp=Check this if you want to include code to manage the generation automatically of the reference
IncludeDocGeneration=I want to generate some documents from the object
@@ -140,3 +140,4 @@ TypeOfFieldsHelp=Type of fields: varchar(99), double(24,8), real, text, html,
AsciiToHtmlConverter=Ascii to HTML converter
AsciiToPdfConverter=Ascii to PDF converter
TableNotEmptyDropCanceled=Table not empty. Drop has been canceled.
+ModuleBuilderNotAllowed=The module builder is available but not allowed to your user.
diff --git a/htdocs/langs/am_ET/other.lang b/htdocs/langs/am_ET/other.lang
index 54c0572d453..0a7b3723ab1 100644
--- a/htdocs/langs/am_ET/other.lang
+++ b/htdocs/langs/am_ET/other.lang
@@ -5,8 +5,6 @@ Tools=Tools
TMenuTools=Tools
ToolsDesc=All tools not included in other menu entries are grouped here. All the tools can be accessed via the left menu.
Birthday=Birthday
-BirthdayDate=Birthday date
-DateToBirth=Birth date
BirthdayAlertOn=birthday alert active
BirthdayAlertOff=birthday alert inactive
TransKey=Translation of the key TransKey
@@ -16,6 +14,8 @@ PreviousMonthOfInvoice=Previous month (number 1-12) of invoice date
TextPreviousMonthOfInvoice=Previous month (text) of invoice date
NextMonthOfInvoice=Following month (number 1-12) of invoice date
TextNextMonthOfInvoice=Following month (text) of invoice date
+PreviousMonth=Previous month
+CurrentMonth=Current month
ZipFileGeneratedInto=Zip file generated into %s.
DocFileGeneratedInto=Doc file generated into %s.
JumpToLogin=Disconnected. Go to login page...
@@ -99,6 +99,7 @@ PredefinedMailContentSendShipping=__(Hello)__\n\nPlease find shipping __REF__ at
PredefinedMailContentSendFichInter=__(Hello)__\n\nPlease find intervention __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.\n\n%s\n\n
PredefinedMailContentGeneric=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
+PredefinedMailContentSendActionComm=Event reminder "__EVENT_LABEL__" on __EVENT_DATE__ at __EVENT_TIME__
This is an automatic message, please do not reply.
DemoDesc=Dolibarr is a compact ERP/CRM supporting several business modules. A demo showcasing all modules makes no sense as this scenario never occurs (several hundred available). So, several demo profiles are available.
ChooseYourDemoProfil=Choose the demo profile that best suits your needs...
ChooseYourDemoProfilMore=...or build your own profile (manual module selection)
@@ -137,7 +138,7 @@ Right=Right
CalculatedWeight=Calculated weight
CalculatedVolume=Calculated volume
Weight=Weight
-WeightUnitton=tonne
+WeightUnitton=ton
WeightUnitkg=kg
WeightUnitg=g
WeightUnitmg=mg
@@ -258,6 +259,7 @@ ContactCreatedByEmailCollector=Contact/address created by email collector from e
ProjectCreatedByEmailCollector=Project created by email collector from email MSGID %s
TicketCreatedByEmailCollector=Ticket created by email collector from email MSGID %s
OpeningHoursFormatDesc=Use a - to separate opening and closing hours. Use a space to enter different ranges. Example: 8-12 14-18
+PrefixSession=Prefix for session ID
##### Export #####
ExportsArea=Exports area
diff --git a/htdocs/langs/am_ET/products.lang b/htdocs/langs/am_ET/products.lang
index 18af7f2f252..f0c4a5362b8 100644
--- a/htdocs/langs/am_ET/products.lang
+++ b/htdocs/langs/am_ET/products.lang
@@ -109,6 +109,7 @@ MultiPricesAbility=Multiple price segments per product/service (each customer is
MultiPricesNumPrices=Number of prices
DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices
AssociatedProductsAbility=Enable Kits (set of other products)
+VariantsAbility=Enable Variants (variations of products, for example color, size)
AssociatedProducts=Kits
AssociatedProductsNumber=Number of products composing this kit
ParentProductsNumber=Number of parent packaging product
@@ -167,8 +168,10 @@ BuyingPrices=Buying prices
CustomerPrices=Customer prices
SuppliersPrices=Vendor prices
SuppliersPricesOfProductsOrServices=Vendor prices (of products or services)
-CustomCode=Customs / Commodity / HS code
+CustomCode=Customs|Commodity|HS code
CountryOrigin=Origin country
+RegionStateOrigin=Region origin
+StateOrigin=State|Province origin
Nature=Nature of product (material/finished)
NatureOfProductShort=Nature of product
NatureOfProductDesc=Raw material or finished product
@@ -239,7 +242,7 @@ AlwaysUseFixedPrice=Use the fixed price
PriceByQuantity=Different prices by quantity
DisablePriceByQty=Disable prices by quantity
PriceByQuantityRange=Quantity range
-MultipriceRules=Price segment rules
+MultipriceRules=Automatic prices for segment
UseMultipriceRules=Use price segment rules (defined into product module setup) to auto calculate prices of all other segments according to first segment
PercentVariationOver=%% variation over %s
PercentDiscountOver=%% discount over %s
diff --git a/htdocs/langs/am_ET/recruitment.lang b/htdocs/langs/am_ET/recruitment.lang
index b775e78552e..437445f25dc 100644
--- a/htdocs/langs/am_ET/recruitment.lang
+++ b/htdocs/langs/am_ET/recruitment.lang
@@ -73,3 +73,4 @@ JobClosedTextCandidateFound=The job position is closed. The position has been fi
JobClosedTextCanceled=The job position is closed.
ExtrafieldsJobPosition=Complementary attributes (job positions)
ExtrafieldsCandidatures=Complementary attributes (job applications)
+MakeOffer=Make an offer
diff --git a/htdocs/langs/am_ET/sendings.lang b/htdocs/langs/am_ET/sendings.lang
index 5ce3b7f67e9..73bd9aebd42 100644
--- a/htdocs/langs/am_ET/sendings.lang
+++ b/htdocs/langs/am_ET/sendings.lang
@@ -30,6 +30,7 @@ OtherSendingsForSameOrder=Other shipments for this order
SendingsAndReceivingForSameOrder=Shipments and receipts for this order
SendingsToValidate=Shipments to validate
StatusSendingCanceled=Canceled
+StatusSendingCanceledShort=Canceled
StatusSendingDraft=Draft
StatusSendingValidated=Validated (products to ship or already shipped)
StatusSendingProcessed=Processed
@@ -65,6 +66,7 @@ ValidateOrderFirstBeforeShipment=You must first validate the order before being
# Sending methods
# ModelDocument
DocumentModelTyphon=More complete document model for delivery receipts (logo...)
+DocumentModelStorm=More complete document model for delivery receipts and extrafields compatibility (logo...)
Error_EXPEDITION_ADDON_NUMBER_NotDefined=Constant EXPEDITION_ADDON_NUMBER not defined
SumOfProductVolumes=Sum of product volumes
SumOfProductWeights=Sum of product weights
diff --git a/htdocs/langs/am_ET/stocks.lang b/htdocs/langs/am_ET/stocks.lang
index 660443bcded..6cf089096dd 100644
--- a/htdocs/langs/am_ET/stocks.lang
+++ b/htdocs/langs/am_ET/stocks.lang
@@ -240,3 +240,4 @@ InventoryRealQtyHelp=Set value to 0 to reset qty Keep field empty, or remove
UpdateByScaning=Update by scaning
UpdateByScaningProductBarcode=Update by scan (product barcode)
UpdateByScaningLot=Update by scan (lot|serial barcode)
+DisableStockChangeOfSubProduct=Deactivate the stock change for all the subproducts of this Kit during this movement.
diff --git a/htdocs/langs/am_ET/ticket.lang b/htdocs/langs/am_ET/ticket.lang
index 59519282c80..982fff90ffa 100644
--- a/htdocs/langs/am_ET/ticket.lang
+++ b/htdocs/langs/am_ET/ticket.lang
@@ -31,10 +31,8 @@ TicketDictType=Ticket - Types
TicketDictCategory=Ticket - Groupes
TicketDictSeverity=Ticket - Severities
TicketDictResolution=Ticket - Resolution
-TicketTypeShortBUGSOFT=Dysfonctionnement logiciel
-TicketTypeShortBUGHARD=Dysfonctionnement matériel
-TicketTypeShortCOM=Commercial question
+TicketTypeShortCOM=Commercial question
TicketTypeShortHELP=Request for functionnal help
TicketTypeShortISSUE=Issue, bug or problem
TicketTypeShortREQUEST=Change or enhancement request
@@ -44,7 +42,7 @@ TicketTypeShortOTHER=Other
TicketSeverityShortLOW=Low
TicketSeverityShortNORMAL=Normal
TicketSeverityShortHIGH=High
-TicketSeverityShortBLOCKING=Critical/Blocking
+TicketSeverityShortBLOCKING=Critical, Blocking
ErrorBadEmailAddress=Field '%s' incorrect
MenuTicketMyAssign=My tickets
@@ -60,7 +58,6 @@ OriginEmail=Email source
Notify_TICKET_SENTBYMAIL=Send ticket message by email
# Status
-NotRead=Not read
Read=Read
Assigned=Assigned
InProgress=In progress
@@ -126,6 +123,7 @@ TicketsActivatePublicInterfaceHelp=Public interface allow any visitors to create
TicketsAutoAssignTicket=Automatically assign the user who created the ticket
TicketsAutoAssignTicketHelp=When creating a ticket, the user can be automatically assigned to the ticket.
TicketNumberingModules=Tickets numbering module
+TicketsModelModule=Document templates for tickets
TicketNotifyTiersAtCreation=Notify third party at creation
TicketsDisableCustomerEmail=Always disable emails when a ticket is created from public interface
TicketsPublicNotificationNewMessage=Send email(s) when a new message is added
@@ -233,7 +231,6 @@ TicketLogStatusChanged=Status changed: %s to %s
TicketNotNotifyTiersAtCreate=Not notify company at create
Unread=Unread
TicketNotCreatedFromPublicInterface=Not available. Ticket was not created from public interface.
-PublicInterfaceNotEnabled=Public interface was not enabled
ErrorTicketRefRequired=Ticket reference name is required
#
diff --git a/htdocs/langs/am_ET/website.lang b/htdocs/langs/am_ET/website.lang
index 03e042e4be6..f17def114b8 100644
--- a/htdocs/langs/am_ET/website.lang
+++ b/htdocs/langs/am_ET/website.lang
@@ -30,7 +30,6 @@ EditInLine=Edit inline
AddWebsite=Add website
Webpage=Web page/container
AddPage=Add page/container
-HomePage=Home Page
PageContainer=Page
PreviewOfSiteNotYetAvailable=Preview of your website %s not yet available. You must first 'Import a full website template' or just 'Add a page/container'.
RequestedPageHasNoContentYet=Requested page with id %s has no content yet, or cache file .tpl.php was removed. Edit content of the page to solve this.
@@ -101,7 +100,7 @@ EmptyPage=Empty page
ExternalURLMustStartWithHttp=External URL must start with http:// or https://
ZipOfWebsitePackageToImport=Upload the Zip file of the website template package
ZipOfWebsitePackageToLoad=or Choose an available embedded website template package
-ShowSubcontainers=Include dynamic content
+ShowSubcontainers=Show dynamic content
InternalURLOfPage=Internal URL of page
ThisPageIsTranslationOf=This page/container is a translation of
ThisPageHasTranslationPages=This page/container has translation
@@ -137,3 +136,4 @@ RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using
PagesRegenerated=%s page(s)/container(s) regenerated
RegenerateWebsiteContent=Regenerate web site cache files
AllowedInFrames=Allowed in Frames
+DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languages into web site properties.
diff --git a/htdocs/langs/am_ET/withdrawals.lang b/htdocs/langs/am_ET/withdrawals.lang
index 114a8d9dd6c..e3bec6f9cb8 100644
--- a/htdocs/langs/am_ET/withdrawals.lang
+++ b/htdocs/langs/am_ET/withdrawals.lang
@@ -42,6 +42,7 @@ LastWithdrawalReceipt=Latest %s direct debit receipts
MakeWithdrawRequest=Make a direct debit payment request
MakeBankTransferOrder=Make a credit transfer request
WithdrawRequestsDone=%s direct debit payment requests recorded
+BankTransferRequestsDone=%s credit transfer requests recorded
ThirdPartyBankCode=Third-party bank code
NoInvoiceCouldBeWithdrawed=No invoice debited successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s.
ClassCredited=Classify credited
@@ -131,7 +132,8 @@ SEPARCUR=SEPA CUR
SEPAFRST=SEPA FRST
ExecutionDate=Execution date
CreateForSepa=Create direct debit file
-ICS=Creditor Identifier CI
+ICS=Creditor Identifier CI for direct debit
+ICSTransfer=Creditor Identifier CI for bank transfer
END_TO_END="EndToEndId" SEPA XML tag - Unique id assigned per transaction
USTRD="Unstructured" SEPA XML tag
ADDDAYS=Add days to Execution Date
@@ -146,3 +148,4 @@ InfoRejectSubject=Direct debit payment order refused
InfoRejectMessage=Hello,
the direct debit payment order of invoice %s related to the company %s, with an amount of %s has been refused by the bank.
-- %s
ModeWarning=Option for real mode was not set, we stop after this simulation
ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know wich one to use.
+ErrorICSmissing=Missing ICS in Bank account %s
diff --git a/htdocs/langs/ar_SA/accountancy.lang b/htdocs/langs/ar_SA/accountancy.lang
index 0809eff3c9f..6395f2a0846 100644
--- a/htdocs/langs/ar_SA/accountancy.lang
+++ b/htdocs/langs/ar_SA/accountancy.lang
@@ -48,6 +48,7 @@ CountriesExceptMe=All countries except %s
AccountantFiles=Export source documents
ExportAccountingSourceDocHelp=With this tool, you can export the source events (list and PDFs) that were used to generate your accountancy. To export your journals, use the menu entry %s - %s.
VueByAccountAccounting=View by accounting account
+VueBySubAccountAccounting=View by accounting subaccount
MainAccountForCustomersNotDefined=Main accounting account for customers not defined in setup
MainAccountForSuppliersNotDefined=Main accounting account for vendors not defined in setup
@@ -144,7 +145,7 @@ NotVentilatedinAccount=Not bound to the accounting account
XLineSuccessfullyBinded=%s products/services successfully bound to an accounting account
XLineFailedToBeBinded=%s products/services were not bound to any accounting account
-ACCOUNTING_LIMIT_LIST_VENTILATION=Number of elements to bind shown by page (maximum recommended: 50)
+ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50)
ACCOUNTING_LIST_SORT_VENTILATION_TODO=Begin the sorting of the page "Binding to do" by the most recent elements
ACCOUNTING_LIST_SORT_VENTILATION_DONE=Begin the sorting of the page "Binding done" by the most recent elements
@@ -198,7 +199,8 @@ Docdate=التاريخ
Docref=مرجع
LabelAccount=حساب التسمية
LabelOperation=Label operation
-Sens=السيناتور
+Sens=Direction
+AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received For an accounting account of a supplier, use Debit to record a payment you make
LetteringCode=Lettering code
Lettering=Lettering
Codejournal=دفتر اليومية
@@ -206,7 +208,8 @@ JournalLabel=Journal label
NumPiece=Piece number
TransactionNumShort=Num. transaction
AccountingCategory=Personalized groups
-GroupByAccountAccounting=Group by accounting account
+GroupByAccountAccounting=Group by general ledger account
+GroupBySubAccountAccounting=Group by subledger account
AccountingAccountGroupsDesc=You can define here some groups of accounting account. They will be used for personalized accounting reports.
ByAccounts=By accounts
ByPredefinedAccountGroups=By predefined groups
@@ -248,7 +251,7 @@ PaymentsNotLinkedToProduct=Payment not linked to any product / service
OpeningBalance=Opening balance
ShowOpeningBalance=Show opening balance
HideOpeningBalance=Hide opening balance
-ShowSubtotalByGroup=Show subtotal by group
+ShowSubtotalByGroup=Show subtotal by level
Pcgtype=Group of account
PcgtypeDesc=Group of account are used as predefined 'filter' and 'grouping' criteria for some accounting reports. For example, 'INCOME' or 'EXPENSE' are used as groups for accounting accounts of products to build the expense/income report.
@@ -271,11 +274,13 @@ DescVentilExpenseReport=Consult here the list of expense report lines bound (or
DescVentilExpenseReportMore=If you setup accounting account on type of expense report lines, the application will be able to make all the binding between your expense report lines and the accounting account of your chart of accounts, just in one click with the button "%s". If account was not set on fees dictionary or if you still has some lines not bound to any account, you will have to make a manual binding from the menu "%s".
DescVentilDoneExpenseReport=Consult here the list of the lines of expenses reports and their fees accounting account
+Closure=Annual closure
DescClosure=Consult here the number of movements by month who are not validated & fiscal years already open
OverviewOfMovementsNotValidated=Step 1/ Overview of movements not validated. (Necessary to close a fiscal year)
+AllMovementsWereRecordedAsValidated=All movements were recorded as validated
+NotAllMovementsCouldBeRecordedAsValidated=Not all movements could be recorded as validated
ValidateMovements=Validate movements
DescValidateMovements=Any modification or deletion of writing, lettering and deletes will be prohibited. All entries for an exercise must be validated otherwise closing will not be possible
-SelectMonthAndValidate=Select month and validate movements
ValidateHistory=Bind Automatically
AutomaticBindingDone=Automatic binding done
@@ -293,6 +298,7 @@ Accounted=Accounted in ledger
NotYetAccounted=Not yet accounted in ledger
ShowTutorial=Show Tutorial
NotReconciled=لم يتم تسويتة
+WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view
## Admin
BindingOptions=Binding options
@@ -337,6 +343,7 @@ Modelcsv_LDCompta10=Export for LD Compta (v10 & higher)
Modelcsv_openconcerto=Export for OpenConcerto (Test)
Modelcsv_configurable=Export Configurable
Modelcsv_FEC=Export FEC
+Modelcsv_FEC2=Export FEC (With dates generation writing / document reversed)
Modelcsv_Sage50_Swiss=Export for Sage 50 Switzerland
Modelcsv_winfic=Export Winfic - eWinfic - WinSis Compta
Modelcsv_Gestinumv3=Export for Gestinum (v3)
diff --git a/htdocs/langs/ar_SA/admin.lang b/htdocs/langs/ar_SA/admin.lang
index 6b8e53c6c3b..ed58bd93d71 100644
--- a/htdocs/langs/ar_SA/admin.lang
+++ b/htdocs/langs/ar_SA/admin.lang
@@ -56,6 +56,8 @@ GUISetup=العرض
SetupArea=التثبيت
UploadNewTemplate=Upload new template(s)
FormToTestFileUploadForm=نموذج لاختبار تحميل ملف (وفقا لبرنامج الإعداد)
+ModuleMustBeEnabled=The module/application %s must be enabled
+ModuleIsEnabled=The module/application %s has been enabled
IfModuleEnabled=ملاحظة : نعم فعالة فقط في حال كان النموذج %s مفعل
RemoveLock=Remove/rename file %s if it exists, to allow usage of the Update/Install tool.
RestoreLock=Restore file %s, with read permission only, to disable any further use of the Update/Install tool.
@@ -85,7 +87,6 @@ ShowPreview=آظهر المعاينة
ShowHideDetails=Show-Hide details
PreviewNotAvailable=المعاينة غير متاحة
ThemeCurrentlyActive=الثيم النشط حالياً
-CurrentTimeZone=حسب توقيت خادم البي إتش بي
MySQLTimeZone=والوقت مسقل (قاعدة بيانات)
TZHasNoEffect=Dates are stored and returned by database server as if they were kept as submitted string. The timezone has effect only when using the UNIX_TIMESTAMP function (that should not be used by Dolibarr, so database TZ should have no effect, even if changed after data was entered).
Space=فراغ
@@ -153,8 +154,8 @@ SystemToolsAreaDesc=This area provides administration functions. Use the menu to
Purge=أحذف
PurgeAreaDesc=This page allows you to delete all files generated or stored by Dolibarr (temporary files or all files in %s directory). Using this feature is not normally necessary. It is provided as a workaround for users whose Dolibarr is hosted by a provider that does not offer permissions to delete files generated by the web server.
PurgeDeleteLogFile=Delete log files, including %s defined for Syslog module (no risk of losing data)
-PurgeDeleteTemporaryFiles=Delete all temporary files (no risk of losing data). Note: Deletion is done only if the temp directory was created 24 hours ago.
-PurgeDeleteTemporaryFilesShort=Delete temporary files
+PurgeDeleteTemporaryFiles=Delete all log and temporary files (no risk of losing data). Note: Deletion of temporary files is done only if the temp directory was created more than 24 hours ago.
+PurgeDeleteTemporaryFilesShort=Delete log and temporary files
PurgeDeleteAllFilesInDocumentsDir=Delete all files in directory: %s. This will delete all generated documents related to elements (third parties, invoices etc...), files uploaded into the ECM module, database backup dumps and temporary files.
PurgeRunNow=إحذف الآن
PurgeNothingToDelete=No directory or files to delete.
@@ -256,6 +257,7 @@ ReferencedPreferredPartners=الشركاء المفضلين
OtherResources=Other resources
ExternalResources=External Resources
SocialNetworks=Social Networks
+SocialNetworkId=Social Network ID
ForDocumentationSeeWiki=للمستخدم أو وثائق المطور (الوثيقة، أسئلة وأجوبة ...)، نلقي نظرة على Dolibarr يكي: %s
ForAnswersSeeForum=عن أي أسئلة أخرى / مساعدة، يمكنك استخدام المنتدى Dolibarr: %s
HelpCenterDesc1=Here are some resources for getting help and support with Dolibarr.
@@ -375,7 +377,7 @@ ExamplesWithCurrentSetup=Examples with current configuration
ListOfDirectories=قائمة الدلائل المفتوحة قوالب
ListOfDirectoriesForModelGenODT=قائمة الدلائل التي تحتوي على قوالب ملفات مع شكل المفتوحة.
ضع هنا المسار الكامل من الدلائل. إضافة إرجاع بين الدليل ايه. لإضافة دليل وحدة GED، أضيف هنا DOL_DATA_ROOT / ECM / yourdirectoryname.
الملفات في هذه الدلائل يجب أن ينتهي .odt أو .ods.
NumberOfModelFilesFound=Number of ODT/ODS template files found in these directories
-ExampleOfDirectoriesForModelGen=أمثلة على بناء الجملة : ج : mydir \\ / الوطن / mydir DOL_DATA_ROOT / إدارة المحتوى في المؤسسة / ecmdir
+ExampleOfDirectoriesForModelGen=Examples of syntax: c:\\myapp\\mydocumentdir\\mysubdir /home/myapp/mydocumentdir/mysubdir DOL_DATA_ROOT/ecm/ecmdir
FollowingSubstitutionKeysCanBeUsed= لمعرفة كيفية إنشاء قوالب المستند ODT، قبل تخزينها في تلك الدلائل، وقراءة وثائق ويكي:
FullListOnOnlineDocumentation=http://wiki.dolibarr.org/index.php/Create_an_ODT_document_template
FirstnameNamePosition=موقف الإسم / اسم
@@ -406,7 +408,7 @@ UrlGenerationParameters=المعلمات لتأمين عناوين المواق
SecurityTokenIsUnique=استخدام معلمة securekey فريدة لكل URL
EnterRefToBuildUrl=أدخل مرجع لكائن %s
GetSecuredUrl=الحصول على عنوان محسوب
-ButtonHideUnauthorized=Hide buttons for non-admin users for unauthorized actions instead of showing greyed disabled buttons
+ButtonHideUnauthorized=Hide unauthorized action buttons also for internal users (just greyed otherwise)
OldVATRates=معدل ضريبة القيمة المضافة القديم
NewVATRates=معدل ضريبة القيمة المضافة الجديد
PriceBaseTypeToChange=تعديل على الأسعار مع القيمة المرجعية قاعدة المعرفة على
@@ -1689,7 +1691,7 @@ NotTopTreeMenuPersonalized=Personalized menus not linked to a top menu entry
NewMenu=قائمة جديدة
MenuHandler=قائمة مناول
MenuModule=مصدر في وحدة
-HideUnauthorizedMenu= إخفاء القوائم غير المصرح به (الرمادي)
+HideUnauthorizedMenu=Hide unauthorized menus also for internal users (just greyed otherwise)
DetailId=معرف القائمة
DetailMenuHandler=قائمة المعالج حيث تظهر قائمة جديدة
DetailMenuModule=اسم وحدة قائمة في حال الدخول من وحدة
@@ -1983,11 +1985,12 @@ EMailHost=Host of email IMAP server
MailboxSourceDirectory=Mailbox source directory
MailboxTargetDirectory=Mailbox target directory
EmailcollectorOperations=Operations to do by collector
+EmailcollectorOperationsDesc=Operations are executed from top to bottom order
MaxEmailCollectPerCollect=Max number of emails collected per collect
CollectNow=Collect now
ConfirmCloneEmailCollector=Are you sure you want to clone the Email collector %s ?
-DateLastCollectResult=Date latest collect tried
-DateLastcollectResultOk=Date latest collect successfull
+DateLastCollectResult=Date of latest collect try
+DateLastcollectResultOk=Date of latest collect success
LastResult=Latest result
EmailCollectorConfirmCollectTitle=Email collect confirmation
EmailCollectorConfirmCollect=Do you want to run the collection for this collector now ?
@@ -2005,7 +2008,7 @@ WithDolTrackingID=Message from a conversation initiated by a first email sent fr
WithoutDolTrackingID=Message from a conversation initiated by a first email NOT sent from Dolibarr
WithDolTrackingIDInMsgId=Message sent from Dolibarr
WithoutDolTrackingIDInMsgId=Message NOT sent from Dolibarr
-CreateCandidature=Create candidature
+CreateCandidature=Create job application
FormatZip=الرمز البريدي
MainMenuCode=Menu entry code (mainmenu)
ECMAutoTree=Show automatic ECM tree
@@ -2083,3 +2086,7 @@ CountryIfSpecificToOneCountry=Country (if specific to a given country)
YouMayFindSecurityAdviceHere=You may find security advisory here
ModuleActivatedMayExposeInformation=This module may expose sensitive data. If you don't need it, disable it.
ModuleActivatedDoNotUseInProduction=A module designed for the development has been enabled. Do not enable it on a production environment.
+CombinationsSeparator=Separator character for product combinations
+SeeLinkToOnlineDocumentation=See link to online documention on top menu for examples
+SHOW_SUBPRODUCT_REF_IN_PDF=If the feature "%s" of module %s is used, show details of subproducts of a kit on PDF.
+AskThisIDToYourBank=Contact your bank to get this ID
diff --git a/htdocs/langs/ar_SA/banks.lang b/htdocs/langs/ar_SA/banks.lang
index 5b82860bea7..1ad6f3dfe9d 100644
--- a/htdocs/langs/ar_SA/banks.lang
+++ b/htdocs/langs/ar_SA/banks.lang
@@ -173,8 +173,8 @@ SEPAMandate=SEPA mandate
YourSEPAMandate=تفويض سيبا الخاص بك
FindYourSEPAMandate=This is your SEPA mandate to authorize our company to make direct debit order to your bank. Return it signed (scan of the signed document) or send it by mail to
AutoReportLastAccountStatement=Automatically fill the field 'number of bank statement' with last statement number when making reconciliation
-CashControl=POS cash fence
-NewCashFence=New cash fence
+CashControl=POS cash desk control
+NewCashFence=New cash desk closing
BankColorizeMovement=Colorize movements
BankColorizeMovementDesc=If this function is enable, you can choose specific background color for debit or credit movements
BankColorizeMovementName1=Background color for debit movement
diff --git a/htdocs/langs/ar_SA/blockedlog.lang b/htdocs/langs/ar_SA/blockedlog.lang
index 5f6dd79f6f5..2f01fbe9817 100644
--- a/htdocs/langs/ar_SA/blockedlog.lang
+++ b/htdocs/langs/ar_SA/blockedlog.lang
@@ -35,7 +35,7 @@ logDON_DELETE=Donation logical deletion
logMEMBER_SUBSCRIPTION_CREATE=Member subscription created
logMEMBER_SUBSCRIPTION_MODIFY=Member subscription modified
logMEMBER_SUBSCRIPTION_DELETE=Member subscription logical deletion
-logCASHCONTROL_VALIDATE=Cash fence recording
+logCASHCONTROL_VALIDATE=Cash desk closing recording
BlockedLogBillDownload=Customer invoice download
BlockedLogBillPreview=Customer invoice preview
BlockedlogInfoDialog=Log Details
diff --git a/htdocs/langs/ar_SA/boxes.lang b/htdocs/langs/ar_SA/boxes.lang
index 58b9e904429..95dace869cc 100644
--- a/htdocs/langs/ar_SA/boxes.lang
+++ b/htdocs/langs/ar_SA/boxes.lang
@@ -46,9 +46,12 @@ BoxTitleLastModifiedDonations=Latest %s modified donations
BoxTitleLastModifiedExpenses=Latest %s modified expense reports
BoxTitleLatestModifiedBoms=Latest %s modified BOMs
BoxTitleLatestModifiedMos=Latest %s modified Manufacturing Orders
+BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded
BoxGlobalActivity=النشاط العالمي (الفواتير والمقترحات والطلبات)
BoxGoodCustomers=Good customers
BoxTitleGoodCustomers=%s Good customers
+BoxScheduledJobs=المهام المجدولة
+BoxTitleFunnelOfProspection=Lead funnel
FailedToRefreshDataInfoNotUpToDate=Failed to refresh RSS flux. Latest successful refresh date: %s
LastRefreshDate=Latest refresh date
NoRecordedBookmarks=أية إشارات محددة.
@@ -102,5 +105,7 @@ SuspenseAccountNotDefined=Suspense account isn't defined
BoxLastCustomerShipments=Last customer shipments
BoxTitleLastCustomerShipments=Latest %s customer shipments
NoRecordedShipments=No recorded customer shipment
+BoxCustomersOutstandingBillReached=Customers with oustanding limit reached
# Pages
AccountancyHome=المحاسبة
+ValidatedProjects=Validated projects
diff --git a/htdocs/langs/ar_SA/cashdesk.lang b/htdocs/langs/ar_SA/cashdesk.lang
index bdad092c1c5..0fdc5513233 100644
--- a/htdocs/langs/ar_SA/cashdesk.lang
+++ b/htdocs/langs/ar_SA/cashdesk.lang
@@ -49,8 +49,8 @@ Footer=Footer
AmountAtEndOfPeriod=Amount at end of period (day, month or year)
TheoricalAmount=Theorical amount
RealAmount=Real amount
-CashFence=Cash fence
-CashFenceDone=Cash fence done for the period
+CashFence=Cash desk closing
+CashFenceDone=Cash desk closing done for the period
NbOfInvoices=ملاحظة : من الفواتير
Paymentnumpad=Type of Pad to enter payment
Numberspad=Numbers Pad
@@ -99,8 +99,9 @@ CashDeskRefNumberingModules=Numbering module for POS sales
CashDeskGenericMaskCodes6 = {TN} tag is used to add the terminal number
TakeposGroupSameProduct=Group same products lines
StartAParallelSale=Start a new parallel sale
-ControlCashOpening=Control cash box at opening POS
-CloseCashFence=Close cash fence
+SaleStartedAt=Sale started at %s
+ControlCashOpening=Control cash popup at opening POS
+CloseCashFence=Close cash desk control
CashReport=Cash report
MainPrinterToUse=Main printer to use
OrderPrinterToUse=Order printer to use
@@ -122,3 +123,4 @@ GiftReceipt=Gift receipt
ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled first
AllowDelayedPayment=Allow delayed payment
PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts
+WeighingScale=Weighing scale
diff --git a/htdocs/langs/ar_SA/categories.lang b/htdocs/langs/ar_SA/categories.lang
index fa97cbaba63..ffc098c9333 100644
--- a/htdocs/langs/ar_SA/categories.lang
+++ b/htdocs/langs/ar_SA/categories.lang
@@ -19,6 +19,7 @@ ProjectsCategoriesArea=منطقة علامات / فئات المشاريع
UsersCategoriesArea=Users tags/categories area
SubCats=Sub-categories
CatList=قائمة العلامات / الفئات
+CatListAll=List of tags/categories (all types)
NewCategory=علامة / فئة جديدة
ModifCat=تعديل العلامة / الفئة
CatCreated=تم إنشاء العلامة / الفئة
@@ -65,16 +66,22 @@ UsersCategoriesShort=Users tags/categories
StockCategoriesShort=Warehouse tags/categories
ThisCategoryHasNoItems=This category does not contain any items.
CategId=معرف العلامة / الفئة
-CatSupList=List of vendor tags/categories
-CatCusList=قائمة علامات / فئات العملاء / احتمال
+ParentCategory=Parent tag/category
+ParentCategoryLabel=Label of parent tag/category
+CatSupList=List of vendors tags/categories
+CatCusList=List of customers/prospects tags/categories
CatProdList=قائمة علامات / فئات المنتجات
CatMemberList=قائمة علامات / فئات الأعضاء
-CatContactList=قائمة اتصال العلامات / الفئات
-CatSupLinks=الروابط بين الموردين والعلامات / الفئات
+CatContactList=List of contacts tags/categories
+CatProjectsList=List of projects tags/categories
+CatUsersList=List of users tags/categories
+CatSupLinks=Links between vendors and tags/categories
CatCusLinks=الروابط بين العملاء / احتمال والعلامات / فئات
CatContactsLinks=Links between contacts/addresses and tags/categories
CatProdLinks=الروابط بين المنتجات / الخدمات والعلامات / الفئات
-CatProJectLinks=الروابط بين المشاريع والعلامات / الفئات
+CatMembersLinks=الروابط بين أفراد والعلامات / فئات
+CatProjectsLinks=الروابط بين المشاريع والعلامات / الفئات
+CatUsersLinks=Links between users and tags/categories
DeleteFromCat=إزالة من العلامة / الفئة
ExtraFieldsCategories=سمات تكميلية
CategoriesSetup=إعداد العلامات / الفئات
diff --git a/htdocs/langs/ar_SA/companies.lang b/htdocs/langs/ar_SA/companies.lang
index a17eed9cf32..4c65642bdba 100644
--- a/htdocs/langs/ar_SA/companies.lang
+++ b/htdocs/langs/ar_SA/companies.lang
@@ -358,7 +358,7 @@ VATIntraCheckableOnEUSite=Check the intra-Community VAT ID on the European Commi
VATIntraManualCheck=You can also check manually on the European Commission website %s
ErrorVATCheckMS_UNAVAILABLE=وليس من الممكن التحقق. تأكد من خدمة لا تقدمها دولة عضو (في المائة).
NorProspectNorCustomer=Not prospect, nor customer
-JuridicalStatus=Legal Entity Type
+JuridicalStatus=Business entity type
Workforce=Workforce
Staff=الموظفين
ProspectLevelShort=المحتملة
diff --git a/htdocs/langs/ar_SA/compta.lang b/htdocs/langs/ar_SA/compta.lang
index b83bfef9a8a..7b8dd642c33 100644
--- a/htdocs/langs/ar_SA/compta.lang
+++ b/htdocs/langs/ar_SA/compta.lang
@@ -111,7 +111,7 @@ Refund=رد
SocialContributionsPayments=الاجتماعية المدفوعات / الضرائب المالية
ShowVatPayment=وتظهر دفع ضريبة القيمة المضافة
TotalToPay=على دفع ما مجموعه
-BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted ascending on %s and filtered for 1 bank account
+BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted on %s and filtered on 1 bank account (with no other filters)
CustomerAccountancyCode=Customer accounting code
SupplierAccountancyCode=Vendor accounting code
CustomerAccountancyCodeShort=الزبون. حساب. رمز
@@ -140,7 +140,7 @@ ConfirmDeleteSocialContribution=هل أنت متأكد أنك تريد حذف /
ExportDataset_tax_1=الضرائب والمدفوعات الاجتماعية والمالية
CalcModeVATDebt=الوضع٪ SVAT بشأن المحاسبة الالتزام٪ الصورة.
CalcModeVATEngagement=وضع SVAT٪ على مداخيل مصاريف٪ الصورة.
-CalcModeDebt=Analysis of known recorded invoices even if they are not yet accounted in ledger.
+CalcModeDebt=Analysis of known recorded documents even if they are not yet accounted in ledger.
CalcModeEngagement=Analysis of known recorded payments, even if they are not yet accounted in Ledger.
CalcModeBookkeeping=Analysis of data journalized in Bookkeeping Ledger table.
CalcModeLT1= الوضع٪ زارة العلاقات الخارجية على فواتير العملاء - فواتير الموردين٪ الصورة
@@ -154,9 +154,9 @@ AnnualSummaryInputOutputMode=ميزان الإيرادات والمصروفات
AnnualByCompanies=Balance of income and expenses, by predefined groups of account
AnnualByCompaniesDueDebtMode=Balance of income and expenses, detail by predefined groups, mode %sClaims-Debts%s said Commitment accounting.
AnnualByCompaniesInputOutputMode=Balance of income and expenses, detail by predefined groups, mode %sIncomes-Expenses%s said cash accounting.
-SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation on actual payments made even if they are not yet accounted in Ledger.
-SeeReportInDueDebtMode=See %sanalysis of invoices%s for a calculation based on known recorded invoices even if they are not yet accounted in Ledger.
-SeeReportInBookkeepingMode=See %sBookeeping report%s for a calculation on Bookkeeping Ledger table
+SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation based on recorded payments made even if they are not yet accounted in Ledger
+SeeReportInDueDebtMode=See %sanalysis of recorded documents%s for a calculation based on known recorded documents even if they are not yet accounted in Ledger
+SeeReportInBookkeepingMode=See %sanalysis of bookeeping ledger table%s for a report based on Bookkeeping Ledger table
RulesAmountWithTaxIncluded=- المبالغ المبينة لمع جميع الضرائب المدرجة
RulesResultDue=- It includes outstanding invoices, expenses, VAT, donations whether they are paid or not. Is also includes paid salaries. - It is based on the billing date of invoices and on the due date for expenses or tax payments. For salaries defined with Salary module, the value date of payment is used.
RulesResultInOut=- ويشمل المدفوعات الحقيقية المحرز في الفواتير والمصاريف والضريبة على القيمة المضافة والرواتب. - لأنه يقوم على مواعيد دفع الفواتير والمصاريف والضريبة على القيمة المضافة والرواتب. تاريخ التبرع للتبرع.
@@ -169,12 +169,15 @@ RulesResultBookkeepingPersonalized=It show record in your Ledger with accounting
SeePageForSetup=See menu %s for setup
DepositsAreNotIncluded=- Down payment invoices are not included
DepositsAreIncluded=- Down payment invoices are included
+LT1ReportByMonth=Tax 2 report by month
+LT2ReportByMonth=Tax 3 report by month
LT1ReportByCustomers=Report tax 2 by third party
LT2ReportByCustomers=Report tax 3 by third party
LT1ReportByCustomersES=تقرير RE طرف ثالث
LT2ReportByCustomersES=تقرير من قبل طرف ثالث IRPF
VATReport=Sale tax report
VATReportByPeriods=Sale tax report by period
+VATReportByMonth=Sale tax report by month
VATReportByRates=Sale tax report by rates
VATReportByThirdParties=Sale tax report by third parties
VATReportByCustomers=Sale tax report by customer
diff --git a/htdocs/langs/ar_SA/cron.lang b/htdocs/langs/ar_SA/cron.lang
index 36980f15406..338d3adb957 100644
--- a/htdocs/langs/ar_SA/cron.lang
+++ b/htdocs/langs/ar_SA/cron.lang
@@ -6,14 +6,15 @@ Permission23102 = إنشاء / تحديث المجدولة وظيفة
Permission23103 = حذف مهمة مجدولة
Permission23104 = تنفيذ مهمة مجدولة
# Admin
-CronSetup= من المقرر إعداد إدارة العمل
-URLToLaunchCronJobs=URL to check and launch qualified cron jobs
-OrToLaunchASpecificJob=أو لفحص وإطلاق وظيفة محددة
+CronSetup=من المقرر إعداد إدارة العمل
+URLToLaunchCronJobs=URL to check and launch qualified cron jobs from a browser
+OrToLaunchASpecificJob=Or to check and launch a specific job from a browser
KeyForCronAccess=مفتاح أمان للURL لإطلاق كرون الوظائف
FileToLaunchCronJobs=Command line to check and launch qualified cron jobs
CronExplainHowToRunUnix=على بيئة يونكس يجب عليك استخدام دخول كرونتاب التالي لتشغيل سطر الأوامر كل 5 دقائق
-CronExplainHowToRunWin=على مايكروسوفت (TM) ويندوز environement يمكنك استخدام أدوات مهمة مجدولة لتشغيل سطر الأوامر كل 5 دقائق
+CronExplainHowToRunWin=On Microsoft(tm) Windows environment you can use Scheduled Task tools to run the command line each 5 minutes
CronMethodDoesNotExists=Class %s does not contains any method %s
+CronMethodNotAllowed=Method %s of class %s is in blacklist of forbidden methods
CronJobDefDesc=Cron job profiles are defined into the module descriptor file. When module is activated, they are loaded and available so you can administer the jobs from the admin tools menu %s.
CronJobProfiles=List of predefined cron job profiles
# Menu
@@ -42,10 +43,11 @@ CronModule=وحدة
CronNoJobs=أي وظيفة سجلت
CronPriority=الأولوية
CronLabel=ملصق
-CronNbRun=ملحوظة. إطلاق
-CronMaxRun=Max number launch
+CronNbRun=Number of launches
+CronMaxRun=Maximum number of launches
CronEach=كل
JobFinished=العمل بدأ وانتهى
+Scheduled=Scheduled
#Page card
CronAdd= إضافة وظائف
CronEvery=العمل كل تنفيذ
@@ -56,16 +58,16 @@ CronNote=التعليق
CronFieldMandatory=الحقول%s إلزامي
CronErrEndDateStartDt=تاريخ نهاية لا يمكن أن يكون قبل تاريخ البدء
StatusAtInstall=Status at module installation
-CronStatusActiveBtn=تمكين
+CronStatusActiveBtn=Schedule
CronStatusInactiveBtn=يعطل
CronTaskInactive=تم تعطيل هذه الوظائف
CronId=هوية شخصية
CronClassFile=Filename with class
-CronModuleHelp=Name of Dolibarr module directory (also work with external Dolibarr module). For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for module is product
-CronClassFileHelp=The relative path and file name to load (path is relative to web server root directory). For exemple to call the fetch method of Dolibarr Product object htdocs/product/class/product.class.php, the value for class file name is product/class/product.class.php
-CronObjectHelp=The object name to load. For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for class file name is Product
-CronMethodHelp=The object method to launch. For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for method is fetch
-CronArgsHelp=The method arguments. For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for paramters can be 0, ProductRef
+CronModuleHelp=Name of Dolibarr module directory (also work with external Dolibarr module). For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for module is product
+CronClassFileHelp=The relative path and file name to load (path is relative to web server root directory). For example to call the fetch method of Dolibarr Product object htdocs/product/class/product.class.php, the value for class file name is product/class/product.class.php
+CronObjectHelp=The object name to load. For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for class file name is Product
+CronMethodHelp=The object method to launch. For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for method is fetch
+CronArgsHelp=The method arguments. For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for paramters can be 0, ProductRef
CronCommandHelp=سطر الأوامر لتنفيذ النظام.
CronCreateJob=إنشاء مهمة مجدولة جديدة
CronFrom=من عند
@@ -76,8 +78,14 @@ CronType_method=Call method of a PHP Class
CronType_command=الأمر Shell
CronCannotLoadClass=Cannot load class file %s (to use class %s)
CronCannotLoadObject=Class file %s was loaded, but object %s was not found into it
-UseMenuModuleToolsToAddCronJobs=Go into menu "Home - Admin tools - Scheduled jobs" to see and edit scheduled jobs.
+UseMenuModuleToolsToAddCronJobs=Go into menu "Home - Admin tools - Scheduled jobs" to see and edit scheduled jobs.
JobDisabled=تعطيل وظيفة
MakeLocalDatabaseDumpShort=Local database backup
-MakeLocalDatabaseDump=Create a local database dump. Parameters are: compression ('gz' or 'bz' or 'none'), backup type ('mysql' or 'pgsql'), 1, 'auto' or filename to build, number of backup files to keep
+MakeLocalDatabaseDump=Create a local database dump. Parameters are: compression ('gz' or 'bz' or 'none'), backup type ('mysql', 'pgsql', 'auto'), 1, 'auto' or filename to build, number of backup files to keep
WarningCronDelayed=Attention, for performance purpose, whatever is next date of execution of enabled jobs, your jobs may be delayed to a maximum of %s hours, before being run.
+DATAPOLICYJob=Data cleaner and anonymizer
+JobXMustBeEnabled=Job %s must be enabled
+# Cron Boxes
+LastExecutedScheduledJob=Last executed scheduled job
+NextScheduledJobExecute=Next scheduled job to execute
+NumberScheduledJobError=Number of scheduled jobs in error
diff --git a/htdocs/langs/ar_SA/errors.lang b/htdocs/langs/ar_SA/errors.lang
index 8348252dd0b..bf46cf3364d 100644
--- a/htdocs/langs/ar_SA/errors.lang
+++ b/htdocs/langs/ar_SA/errors.lang
@@ -5,8 +5,10 @@ NoErrorCommitIsDone=أي خطأ، ونحن نلزم
# Errors
ErrorButCommitIsDone=تم العثور على أخطاء لكننا تحقق على الرغم من هذا
ErrorBadEMail=Email %s is wrong
+ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record)
ErrorBadUrl=عنوان الموقع هو الخطأ %s
ErrorBadValueForParamNotAString=Bad value for your parameter. It appends generally when translation is missing.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorLoginAlreadyExists=ادخل ٪ ق موجود بالفعل.
ErrorGroupAlreadyExists=المجموعة ٪ ق موجود بالفعل.
ErrorRecordNotFound=لم يتم العثور على السجل.
@@ -48,6 +50,7 @@ ErrorFieldsRequired=تتطلب بعض المجالات لم تملأ.
ErrorSubjectIsRequired=The email topic is required
ErrorFailedToCreateDir=فشل إنشاء دليل. تأكد من أن خادم الويب المستخدم أذونات لكتابة وثائق Dolibarr في الدليل. إذا تم تمكين المعلم safe_mode على هذا PHP ، تحقق من أن ملفات Dolibarr php تملك لخدمة الويب المستخدم (أو مجموعة).
ErrorNoMailDefinedForThisUser=البريد لا يعرف لهذا المستخدم
+ErrorSetupOfEmailsNotComplete=Setup of emails is not complete
ErrorFeatureNeedJavascript=هذه الميزة تحتاج إلى تفعيل جافا سكريبت في العمل. هذا التغيير في البنية -- عرض.
ErrorTopMenuMustHaveAParentWithId0=وهناك قائمة من نوع 'توب' لا يمكن أن يكون أحد الوالدين القائمة. 0 وضعت في القائمة أو الأم في اختيار قائمة من نوع 'اليسار'.
ErrorLeftMenuMustHaveAParentId=وهناك قائمة من نوع 'اليسار' يجب أن يكون لها هوية الوالد.
@@ -75,7 +78,7 @@ ErrorExportDuplicateProfil=هذا الاسم الشخصي موجود مسبقا
ErrorLDAPSetupNotComplete=Dolibarr - LDAP المطابقة وليس كاملا.
ErrorLDAPMakeManualTest=ألف. ldif الملف قد ولدت في الدليل ٪ s. انها محاولة لتحميل يدويا من سطر في الحصول على مزيد من المعلومات عن الأخطاء.
ErrorCantSaveADoneUserWithZeroPercentage=Can't save an action with "status not started" if field "done by" is also filled.
-ErrorRefAlreadyExists=المرجع المستخدمة لإنشاء موجود بالفعل.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorPleaseTypeBankTransactionReportName=Please enter the bank statement name where the entry has to be reported (Format YYYYMM or YYYYMMDD)
ErrorRecordHasChildren=Failed to delete record since it has some child records.
ErrorRecordHasAtLeastOneChildOfType=Object has at least one child of type %s
@@ -216,7 +219,7 @@ ErrorChooseBetweenFreeEntryOrPredefinedProduct=You must choose if article is a p
ErrorDiscountLargerThanRemainToPaySplitItBefore=The discount you try to apply is larger than remain to pay. Split the discount in 2 smaller discounts before.
ErrorFileNotFoundWithSharedLink=File was not found. May be the share key was modified or file was removed recently.
ErrorProductBarCodeAlreadyExists=The product barcode %s already exists on another product reference.
-ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using virtual product to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number.
+ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using kits to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number.
ErrorDescRequiredForFreeProductLines=Description is mandatory for lines with free product
ErrorAPageWithThisNameOrAliasAlreadyExists=The page/container %s has the same name or alternative alias that the one your try to use
ErrorDuringChartLoad=Error when loading chart of accounts. If few accounts were not loaded, you can still enter them manually.
@@ -243,6 +246,16 @@ ErrorReplaceStringEmpty=Error, the string to replace into is empty
ErrorProductNeedBatchNumber=Error, product '%s' need a lot/serial number
ErrorProductDoesNotNeedBatchNumber=Error, product '%s' does not accept a lot/serial number
ErrorFailedToReadObject=Error, failed to read object of type %s
+ErrorParameterMustBeEnabledToAllwoThisFeature=Error, parameter %s must be enabled into conf/conf.php to allow use of Command Line Interface by the internal job scheduler
+ErrorLoginDateValidity=Error, this login is outside the validity date range
+ErrorValueLength=Length of field '%s' must be higher than '%s'
+ErrorReservedKeyword=The word '%s' is a reserved keyword
+ErrorNotAvailableWithThisDistribution=Not available with this distribution
+ErrorPublicInterfaceNotEnabled=Public interface was not enabled
+ErrorLanguageRequiredIfPageIsTranslationOfAnother=The language of new page must be defined if it is set as a translation of another page
+ErrorLanguageMustNotBeSourceLanguageIfPageIsTranslationOfAnother=The language of new page must not be the source language if it is set as a translation of another page
+ErrorAParameterIsRequiredForThisOperation=A parameter is mandatory for this operation
+
# Warnings
WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup.
WarningPasswordSetWithNoAccount=تم تعيين كلمة مرور لهذا العضو. ومع ذلك، تم إنشاء أي حساب المستخدم. لذلك يتم تخزين كلمة المرور هذه ولكن لا يمكن استخدامها للدخول إلى Dolibarr. ويمكن استخدامه من قبل وحدة / واجهة خارجية ولكن إذا كنت لا تحتاج إلى تعريف أي تسجيل دخول أو كلمة المرور لأحد أفراد، يمكنك تعطيل خيار "إدارة تسجيل دخول لكل عضو" من إعداد وحدة الأعضاء. إذا كنت بحاجة إلى إدارة تسجيل الدخول ولكن لا تحتاج إلى أي كلمة المرور، يمكنك الحفاظ على هذا الحقل فارغا لتجنب هذا التحذير. ملاحظة: يمكن أيضا أن تستخدم البريد الإلكتروني لتسجيل الدخول إذا تم ربط عضو إلى المستخدم.
@@ -267,6 +280,10 @@ WarningYourLoginWasModifiedPleaseLogin=Your login was modified. For security pur
WarningAnEntryAlreadyExistForTransKey=An entry already exists for the translation key for this language
WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different recipient is limited to %s when using the mass actions on lists
WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report
+WarningProjectDraft=Project is still in draft mode. Don't forget to validate it if you plan to use tasks.
WarningProjectClosed=Project is closed. You must re-open it first.
WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list.
-WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table
+WarningFailedToAddFileIntoDatabaseIndex=Warning, failed to add file entry into ECM database index table
+WarningTheHiddenOptionIsOn=Warning, the hidden option %s is on.
+WarningCreateSubAccounts=Warning, you can't create directly a sub account, you must create a third party or an user and assign them an accounting code to find them in this list
+WarningAvailableOnlyForHTTPSServers=Available only if using HTTPS secured connection.
diff --git a/htdocs/langs/ar_SA/exports.lang b/htdocs/langs/ar_SA/exports.lang
index d839282e9de..53ce1753324 100644
--- a/htdocs/langs/ar_SA/exports.lang
+++ b/htdocs/langs/ar_SA/exports.lang
@@ -26,6 +26,8 @@ FieldTitle=حقل العنوان
NowClickToGenerateToBuildExportFile=Now, select the file format in the combo box and click on "Generate" to build the export file...
AvailableFormats=Available Formats
LibraryShort=المكتبة
+ExportCsvSeparator=Csv caracter separator
+ImportCsvSeparator=Csv caracter separator
Step=خطوة
FormatedImport=Import Assistant
FormatedImportDesc1=This module allows you to update existing data or add new objects into the database from a file without technical knowledge, using an assistant.
@@ -131,3 +133,4 @@ KeysToUseForUpdates=Key (column) to use for updating existing data
NbInsert=Number of inserted lines: %s
NbUpdate=Number of updated lines: %s
MultipleRecordFoundWithTheseFilters=Multiple records have been found with these filters: %s
+StocksWithBatch=Stocks and location (warehouse) of products with batch/serial number
diff --git a/htdocs/langs/ar_SA/mails.lang b/htdocs/langs/ar_SA/mails.lang
index 8e4e3308318..61daa08322e 100644
--- a/htdocs/langs/ar_SA/mails.lang
+++ b/htdocs/langs/ar_SA/mails.lang
@@ -92,6 +92,7 @@ MailingModuleDescEmailsFromUser=Emails input by user
MailingModuleDescDolibarrUsers=Users with Emails
MailingModuleDescThirdPartiesByCategories=Third parties (by categories)
SendingFromWebInterfaceIsNotAllowed=Sending from web interface is not allowed.
+EmailCollectorFilterDesc=All filters must match to have an email being collected
# Libelle des modules de liste de destinataires mailing
LineInFile=خط المستندات في ملف ٪
@@ -125,12 +126,13 @@ TagMailtoEmail=Recipient Email (including html "mailto:" link)
NoEmailSentBadSenderOrRecipientEmail=لا ترسل البريد الإلكتروني. مرسل سيئة أو البريد الإلكتروني المستلم. تحقق ملف تعريف المستخدم.
# Module Notifications
Notifications=الإخطارات
-NoNotificationsWillBeSent=إشعارات البريد الإلكتروني لا يجري التخطيط لهذا الحدث ، وشركة
-ANotificationsWillBeSent=1 سيتم إرسال الإشعار عن طريق البريد الإلكتروني
-SomeNotificationsWillBeSent=ق ٪ سوف يتم إرسال الإخطارات عبر البريد الإلكتروني
-AddNewNotification=تفعيل هدفا إشعار البريد الإلكتروني الجديد
-ListOfActiveNotifications=List all active targets for email notification
-ListOfNotificationsDone=أرسلت قائمة جميع اشعارات بالبريد الالكتروني
+NotificationsAuto=Notifications Auto.
+NoNotificationsWillBeSent=No automatic email notifications are planned for this event type and company
+ANotificationsWillBeSent=1 automatic notification will be sent by email
+SomeNotificationsWillBeSent=%s automatic notifications will be sent by email
+AddNewNotification=Subscribe to a new automatic email notification (target/event)
+ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification
+ListOfNotificationsDone=List all automatic email notifications sent
MailSendSetupIs=وقد تم تكوين إرسال البريد الإلكتروني الإعداد ل'٪ ق'. هذا الوضع لا يمكن أن تستخدم لإرسال إرساله عبر البريد الإلكتروني الشامل.
MailSendSetupIs2=يجب عليك أولا الذهاب، مع حساب مشرف، في القائمة٪ sHome - إعداد - رسائل البريد الإلكتروني٪ s إلى تغيير المعلمة '٪ ق' لاستخدام وضع '٪ ق'. مع هذا الوضع، يمكنك إدخال الإعداد خادم SMTP المقدمة من قبل موفر خدمة الإنترنت واستخدام قداس ميزة البريد الإلكتروني.
MailSendSetupIs3=إذا كان لديك أي أسئلة حول كيفية إعداد ملقم SMTP الخاص بك، يمكنك أن تطلب إلى٪ s.
@@ -140,7 +142,7 @@ UseFormatFileEmailToTarget=Imported file must have format email;name;fir
UseFormatInputEmailToTarget=Enter a string with format email;name;firstname;other
MailAdvTargetRecipients=Recipients (advanced selection)
AdvTgtTitle=Fill input fields to preselect the third parties or contacts/addresses to target
-AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima% will target all jean, joe, start with jim but not jimo and not everything that starts with jima
+AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima%% will target all jean, joe, start with jim but not jimo and not everything that starts with jima
AdvTgtSearchIntHelp=Use interval to select int or float value
AdvTgtMinVal=Minimum value
AdvTgtMaxVal=Maximum value
@@ -162,13 +164,14 @@ AdvTgtCreateFilter=Create filter
AdvTgtOrCreateNewFilter=Name of new filter
NoContactWithCategoryFound=No contact/address with a category found
NoContactLinkedToThirdpartieWithCategoryFound=No contact/address with a category found
-OutGoingEmailSetup=Outgoing email setup
-InGoingEmailSetup=Incoming email setup
-OutGoingEmailSetupForEmailing=Outgoing email setup (for module %s)
-DefaultOutgoingEmailSetup=Default outgoing email setup
+OutGoingEmailSetup=Outgoing emails
+InGoingEmailSetup=Incoming emails
+OutGoingEmailSetupForEmailing=Outgoing emails (for module %s)
+DefaultOutgoingEmailSetup=Same configuration than the global Outgoing email setup
Information=معلومات
ContactsWithThirdpartyFilter=Contacts with third-party filter
Unanswered=Unanswered
Answered=Answered
IsNotAnAnswer=Is not answer (initial email)
IsAnAnswer=Is an answer of an initial email
+RecordCreatedByEmailCollector=Record created by the Email Collector %s from email %s
diff --git a/htdocs/langs/ar_SA/main.lang b/htdocs/langs/ar_SA/main.lang
index 7e4057e374a..4de3c2e8526 100644
--- a/htdocs/langs/ar_SA/main.lang
+++ b/htdocs/langs/ar_SA/main.lang
@@ -28,7 +28,9 @@ NoTemplateDefined=No template available for this email type
AvailableVariables=Available substitution variables
NoTranslation=لا يوجد ترجمة
Translation=الترجمة
+CurrentTimeZone=حسب توقيت خادم البي إتش بي
EmptySearchString=Enter non empty search criterias
+EnterADateCriteria=Enter a date criteria
NoRecordFound=لا يوجد سجلات
NoRecordDeleted=No record deleted
NotEnoughDataYet=Not enough data
@@ -85,6 +87,8 @@ FileWasNotUploaded=يتم اختيار ملف لمرفق ولكن لم تحمي
NbOfEntries=No. of entries
GoToWikiHelpPage=Read online help (Internet access needed)
GoToHelpPage=قراءة المساعدة
+DedicatedPageAvailable=There is a dedicated help page related to your current screen
+HomePage=Home Page
RecordSaved=سجل حفظ
RecordDeleted=سجل محذوف
RecordGenerated=Record generated
@@ -433,6 +437,7 @@ RemainToPay=Remain to pay
Module=Module/Application
Modules=Modules/Applications
Option=خيار
+Filters=Filters
List=قائمة
FullList=القائمة الكاملة
FullConversation=Full conversation
@@ -671,7 +676,7 @@ SendMail=إرسال بريد إلكتروني
Email=Email
NoEMail=أي بريد إلكتروني
AlreadyRead=Already read
-NotRead=Not read
+NotRead=Unread
NoMobilePhone=لا هاتف المحمول
Owner=مالك
FollowingConstantsWillBeSubstituted=الثوابت التالية ستكون بديلا المقابلة القيمة.
@@ -1107,3 +1112,8 @@ UpToDate=Up-to-date
OutOfDate=Out-of-date
EventReminder=Event Reminder
UpdateForAllLines=Update for all lines
+OnHold=في الانتظار
+AffectTag=Affect Tag
+ConfirmAffectTag=Bulk Tag Affect
+ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected record(s)?
+CategTypeNotFound=No tag type found for type of records
diff --git a/htdocs/langs/ar_SA/modulebuilder.lang b/htdocs/langs/ar_SA/modulebuilder.lang
index 460aef8103b..845dd12624d 100644
--- a/htdocs/langs/ar_SA/modulebuilder.lang
+++ b/htdocs/langs/ar_SA/modulebuilder.lang
@@ -40,6 +40,7 @@ PageForCreateEditView=PHP page to create/edit/view a record
PageForAgendaTab=PHP page for event tab
PageForDocumentTab=PHP page for document tab
PageForNoteTab=PHP page for note tab
+PageForContactTab=PHP page for contact tab
PathToModulePackage=Path to zip of module/application package
PathToModuleDocumentation=Path to file of module/application documentation (%s)
SpaceOrSpecialCharAreNotAllowed=Spaces or special characters are not allowed.
@@ -77,7 +78,7 @@ IsAMeasure=Is a measure
DirScanned=Directory scanned
NoTrigger=No trigger
NoWidget=No widget
-GoToApiExplorer=Go to API explorer
+GoToApiExplorer=API explorer
ListOfMenusEntries=List of menu entries
ListOfDictionariesEntries=List of dictionaries entries
ListOfPermissionsDefined=List of defined permissions
@@ -105,7 +106,7 @@ TryToUseTheModuleBuilder=If you have knowledge of SQL and PHP, you may use the n
SeeTopRightMenu=See on the top right menu
AddLanguageFile=Add language file
YouCanUseTranslationKey=You can use here a key that is the translation key found into language file (see tab "Languages")
-DropTableIfEmpty=(Delete table if empty)
+DropTableIfEmpty=(Destroy table if empty)
TableDoesNotExists=The table %s does not exists
TableDropped=Table %s deleted
InitStructureFromExistingTable=Build the structure array string of an existing table
@@ -126,7 +127,6 @@ UseSpecificEditorURL = Use a specific editor URL
UseSpecificFamily = Use a specific family
UseSpecificAuthor = Use a specific author
UseSpecificVersion = Use a specific initial version
-ModuleMustBeEnabled=The module/application must be enabled first
IncludeRefGeneration=The reference of object must be generated automatically
IncludeRefGenerationHelp=Check this if you want to include code to manage the generation automatically of the reference
IncludeDocGeneration=I want to generate some documents from the object
@@ -140,3 +140,4 @@ TypeOfFieldsHelp=Type of fields: varchar(99), double(24,8), real, text, html,
AsciiToHtmlConverter=Ascii to HTML converter
AsciiToPdfConverter=Ascii to PDF converter
TableNotEmptyDropCanceled=Table not empty. Drop has been canceled.
+ModuleBuilderNotAllowed=The module builder is available but not allowed to your user.
diff --git a/htdocs/langs/ar_SA/other.lang b/htdocs/langs/ar_SA/other.lang
index cd09294d71d..9087f403bbb 100644
--- a/htdocs/langs/ar_SA/other.lang
+++ b/htdocs/langs/ar_SA/other.lang
@@ -5,8 +5,6 @@ Tools=أدوات
TMenuTools=أدوات
ToolsDesc=All tools not included in other menu entries are grouped here. All the tools can be accessed via the left menu.
Birthday=عيد ميلاد
-BirthdayDate=Birthday date
-DateToBirth=Birth date
BirthdayAlertOn=عيد ميلاد النشطة في حالة تأهب
BirthdayAlertOff=عيد الميلاد فى حالة تأهب الخاملة
TransKey=Translation of the key TransKey
@@ -16,6 +14,8 @@ PreviousMonthOfInvoice=Previous month (number 1-12) of invoice date
TextPreviousMonthOfInvoice=Previous month (text) of invoice date
NextMonthOfInvoice=Following month (number 1-12) of invoice date
TextNextMonthOfInvoice=Following month (text) of invoice date
+PreviousMonth=Previous month
+CurrentMonth=Current month
ZipFileGeneratedInto=Zip file generated into %s.
DocFileGeneratedInto=Doc file generated into %s.
JumpToLogin=Disconnected. Go to login page...
@@ -99,6 +99,7 @@ PredefinedMailContentSendShipping=__(Hello)__\n\nPlease find shipping __REF__ at
PredefinedMailContentSendFichInter=__(Hello)__\n\nPlease find intervention __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.\n\n%s\n\n
PredefinedMailContentGeneric=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
+PredefinedMailContentSendActionComm=Event reminder "__EVENT_LABEL__" on __EVENT_DATE__ at __EVENT_TIME__
This is an automatic message, please do not reply.
DemoDesc=Dolibarr is a compact ERP/CRM supporting several business modules. A demo showcasing all modules makes no sense as this scenario never occurs (several hundred available). So, several demo profiles are available.
ChooseYourDemoProfil=Choose the demo profile that best suits your needs...
ChooseYourDemoProfilMore=...or build your own profile (manual module selection)
@@ -137,7 +138,7 @@ Right=حق
CalculatedWeight=يحسب الوزن
CalculatedVolume=يحسب حجم
Weight=وزن
-WeightUnitton=tonne
+WeightUnitton=ton
WeightUnitkg=كجم
WeightUnitg=ز
WeightUnitmg=مغلم
@@ -258,6 +259,7 @@ ContactCreatedByEmailCollector=Contact/address created by email collector from e
ProjectCreatedByEmailCollector=Project created by email collector from email MSGID %s
TicketCreatedByEmailCollector=Ticket created by email collector from email MSGID %s
OpeningHoursFormatDesc=Use a - to separate opening and closing hours. Use a space to enter different ranges. Example: 8-12 14-18
+PrefixSession=Prefix for session ID
##### Export #####
ExportsArea=صادرات المنطقة
diff --git a/htdocs/langs/ar_SA/products.lang b/htdocs/langs/ar_SA/products.lang
index 0db9c6d5673..fcb5ba21081 100644
--- a/htdocs/langs/ar_SA/products.lang
+++ b/htdocs/langs/ar_SA/products.lang
@@ -108,7 +108,8 @@ FillWithLastServiceDates=Fill with last service line dates
MultiPricesAbility=Multiple price segments per product/service (each customer is in one price segment)
MultiPricesNumPrices=عدد من السعر
DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices
-AssociatedProductsAbility=Activate kits (virtual products)
+AssociatedProductsAbility=Enable Kits (set of other products)
+VariantsAbility=Enable Variants (variations of products, for example color, size)
AssociatedProducts=Kits
AssociatedProductsNumber=Number of products composing this kit
ParentProductsNumber=عدد منتج التعبئة الاب
@@ -167,8 +168,10 @@ BuyingPrices=شراء أسعار
CustomerPrices=أسعار العميل
SuppliersPrices=Vendor prices
SuppliersPricesOfProductsOrServices=Vendor prices (of products or services)
-CustomCode=Customs / Commodity / HS code
+CustomCode=Customs|Commodity|HS code
CountryOrigin=بلد المنشأ
+RegionStateOrigin=Region origin
+StateOrigin=State|Province origin
Nature=Nature of product (material/finished)
NatureOfProductShort=Nature of product
NatureOfProductDesc=Raw material or finished product
@@ -239,7 +242,7 @@ AlwaysUseFixedPrice=استخدم السعر الثابت
PriceByQuantity=أسعار مختلفة حسب الكمية
DisablePriceByQty=Disable prices by quantity
PriceByQuantityRange=مدى الكمية
-MultipriceRules=Price segment rules
+MultipriceRules=Automatic prices for segment
UseMultipriceRules=Use price segment rules (defined into product module setup) to auto calculate prices of all other segments according to first segment
PercentVariationOver=٪٪ الاختلاف على الصورة٪
PercentDiscountOver=٪٪ خصم أكثر من٪ الصورة
diff --git a/htdocs/langs/ar_SA/recruitment.lang b/htdocs/langs/ar_SA/recruitment.lang
index 9c348486cdb..43d1e0fbc55 100644
--- a/htdocs/langs/ar_SA/recruitment.lang
+++ b/htdocs/langs/ar_SA/recruitment.lang
@@ -73,3 +73,4 @@ JobClosedTextCandidateFound=The job position is closed. The position has been fi
JobClosedTextCanceled=The job position is closed.
ExtrafieldsJobPosition=Complementary attributes (job positions)
ExtrafieldsCandidatures=Complementary attributes (job applications)
+MakeOffer=Make an offer
diff --git a/htdocs/langs/ar_SA/sendings.lang b/htdocs/langs/ar_SA/sendings.lang
index 64db057f549..b18d5eb4842 100644
--- a/htdocs/langs/ar_SA/sendings.lang
+++ b/htdocs/langs/ar_SA/sendings.lang
@@ -30,6 +30,7 @@ OtherSendingsForSameOrder=الإرسال الأخرى لهذا النظام
SendingsAndReceivingForSameOrder=Shipments and receipts for this order
SendingsToValidate=للمصادقة على إرسال
StatusSendingCanceled=ألغيت
+StatusSendingCanceledShort=ألغيت
StatusSendingDraft=مسودة
StatusSendingValidated=صادق (لشحن المنتجات أو شحنها بالفعل)
StatusSendingProcessed=معالجة
@@ -65,6 +66,7 @@ ValidateOrderFirstBeforeShipment=You must first validate the order before being
# Sending methods
# ModelDocument
DocumentModelTyphon=أكمل نموذج لتسليم وثيقة من وثائق الإيصالات (logo...)
+DocumentModelStorm=More complete document model for delivery receipts and extrafields compatibility (logo...)
Error_EXPEDITION_ADDON_NUMBER_NotDefined=EXPEDITION_ADDON_NUMBER ثابت لم تحدد
SumOfProductVolumes=مجموع أحجام المنتج
SumOfProductWeights=مجموع الأوزان المنتج
diff --git a/htdocs/langs/ar_SA/stocks.lang b/htdocs/langs/ar_SA/stocks.lang
index 09cf9dbae0b..2cae290ca53 100644
--- a/htdocs/langs/ar_SA/stocks.lang
+++ b/htdocs/langs/ar_SA/stocks.lang
@@ -240,3 +240,4 @@ InventoryRealQtyHelp=Set value to 0 to reset qty Keep field empty, or remove
UpdateByScaning=Update by scaning
UpdateByScaningProductBarcode=Update by scan (product barcode)
UpdateByScaningLot=Update by scan (lot|serial barcode)
+DisableStockChangeOfSubProduct=Deactivate the stock change for all the subproducts of this Kit during this movement.
diff --git a/htdocs/langs/ar_SA/ticket.lang b/htdocs/langs/ar_SA/ticket.lang
index bbaece1060f..307fdeb1792 100644
--- a/htdocs/langs/ar_SA/ticket.lang
+++ b/htdocs/langs/ar_SA/ticket.lang
@@ -31,10 +31,8 @@ TicketDictType=Ticket - Types
TicketDictCategory=Ticket - Groupes
TicketDictSeverity=Ticket - Severities
TicketDictResolution=Ticket - Resolution
-TicketTypeShortBUGSOFT=Dysfonctionnement logiciel
-TicketTypeShortBUGHARD=Dysfonctionnement matériel
-TicketTypeShortCOM=Commercial question
+TicketTypeShortCOM=Commercial question
TicketTypeShortHELP=Request for functionnal help
TicketTypeShortISSUE=Issue, bug or problem
TicketTypeShortREQUEST=Change or enhancement request
@@ -44,7 +42,7 @@ TicketTypeShortOTHER=الآخر
TicketSeverityShortLOW=منخفض
TicketSeverityShortNORMAL=Normal
TicketSeverityShortHIGH=عال
-TicketSeverityShortBLOCKING=Critical/Blocking
+TicketSeverityShortBLOCKING=Critical, Blocking
ErrorBadEmailAddress=Field '%s' incorrect
MenuTicketMyAssign=My tickets
@@ -60,7 +58,6 @@ OriginEmail=Email source
Notify_TICKET_SENTBYMAIL=Send ticket message by email
# Status
-NotRead=Not read
Read=قرأ
Assigned=Assigned
InProgress=In progress
@@ -126,6 +123,7 @@ TicketsActivatePublicInterfaceHelp=Public interface allow any visitors to create
TicketsAutoAssignTicket=Automatically assign the user who created the ticket
TicketsAutoAssignTicketHelp=When creating a ticket, the user can be automatically assigned to the ticket.
TicketNumberingModules=Tickets numbering module
+TicketsModelModule=Document templates for tickets
TicketNotifyTiersAtCreation=Notify third party at creation
TicketsDisableCustomerEmail=Always disable emails when a ticket is created from public interface
TicketsPublicNotificationNewMessage=Send email(s) when a new message is added
@@ -233,7 +231,6 @@ TicketLogStatusChanged=Status changed: %s to %s
TicketNotNotifyTiersAtCreate=Not notify company at create
Unread=Unread
TicketNotCreatedFromPublicInterface=Not available. Ticket was not created from public interface.
-PublicInterfaceNotEnabled=Public interface was not enabled
ErrorTicketRefRequired=Ticket reference name is required
#
diff --git a/htdocs/langs/ar_SA/website.lang b/htdocs/langs/ar_SA/website.lang
index f271ef38fe8..7bf9189512a 100644
--- a/htdocs/langs/ar_SA/website.lang
+++ b/htdocs/langs/ar_SA/website.lang
@@ -30,7 +30,6 @@ EditInLine=Edit inline
AddWebsite=Add website
Webpage=Web page/container
AddPage=Add page/container
-HomePage=Home Page
PageContainer=صفحة
PreviewOfSiteNotYetAvailable=Preview of your website %s not yet available. You must first 'Import a full website template' or just 'Add a page/container'.
RequestedPageHasNoContentYet=Requested page with id %s has no content yet, or cache file .tpl.php was removed. Edit content of the page to solve this.
@@ -101,7 +100,7 @@ EmptyPage=Empty page
ExternalURLMustStartWithHttp=External URL must start with http:// or https://
ZipOfWebsitePackageToImport=Upload the Zip file of the website template package
ZipOfWebsitePackageToLoad=or Choose an available embedded website template package
-ShowSubcontainers=Include dynamic content
+ShowSubcontainers=Show dynamic content
InternalURLOfPage=Internal URL of page
ThisPageIsTranslationOf=This page/container is a translation of
ThisPageHasTranslationPages=This page/container has translation
@@ -137,3 +136,4 @@ RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using
PagesRegenerated=%s page(s)/container(s) regenerated
RegenerateWebsiteContent=Regenerate web site cache files
AllowedInFrames=Allowed in Frames
+DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languages into web site properties.
diff --git a/htdocs/langs/ar_SA/withdrawals.lang b/htdocs/langs/ar_SA/withdrawals.lang
index bbf352bb2b2..0976b9ba4be 100644
--- a/htdocs/langs/ar_SA/withdrawals.lang
+++ b/htdocs/langs/ar_SA/withdrawals.lang
@@ -42,6 +42,7 @@ LastWithdrawalReceipt=Latest %s direct debit receipts
MakeWithdrawRequest=Make a direct debit payment request
MakeBankTransferOrder=Make a credit transfer request
WithdrawRequestsDone=%s direct debit payment requests recorded
+BankTransferRequestsDone=%s credit transfer requests recorded
ThirdPartyBankCode=Third-party bank code
NoInvoiceCouldBeWithdrawed=No invoice debited successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s.
ClassCredited=تصنيف حساب
@@ -131,7 +132,8 @@ SEPARCUR=SEPA CUR
SEPAFRST=SEPA FRST
ExecutionDate=Execution date
CreateForSepa=Create direct debit file
-ICS=Creditor Identifier CI
+ICS=Creditor Identifier CI for direct debit
+ICSTransfer=Creditor Identifier CI for bank transfer
END_TO_END="EndToEndId" SEPA XML tag - Unique id assigned per transaction
USTRD="Unstructured" SEPA XML tag
ADDDAYS=Add days to Execution Date
@@ -146,3 +148,4 @@ InfoRejectSubject=Direct debit payment order refused
InfoRejectMessage=Hello,
the direct debit payment order of invoice %s related to the company %s, with an amount of %s has been refused by the bank.
-- %s
ModeWarning=لم يتم تعيين خيار الوضع الحقيقي، ونحن بعد توقف هذه المحاكاة
ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know wich one to use.
+ErrorICSmissing=Missing ICS in Bank account %s
diff --git a/htdocs/langs/az_AZ/accountancy.lang b/htdocs/langs/az_AZ/accountancy.lang
index 3211a0b62df..33ba4d9fea7 100644
--- a/htdocs/langs/az_AZ/accountancy.lang
+++ b/htdocs/langs/az_AZ/accountancy.lang
@@ -48,6 +48,7 @@ CountriesExceptMe=All countries except %s
AccountantFiles=Export source documents
ExportAccountingSourceDocHelp=With this tool, you can export the source events (list and PDFs) that were used to generate your accountancy. To export your journals, use the menu entry %s - %s.
VueByAccountAccounting=View by accounting account
+VueBySubAccountAccounting=View by accounting subaccount
MainAccountForCustomersNotDefined=Main accounting account for customers not defined in setup
MainAccountForSuppliersNotDefined=Main accounting account for vendors not defined in setup
@@ -144,7 +145,7 @@ NotVentilatedinAccount=Not bound to the accounting account
XLineSuccessfullyBinded=%s products/services successfully bound to an accounting account
XLineFailedToBeBinded=%s products/services were not bound to any accounting account
-ACCOUNTING_LIMIT_LIST_VENTILATION=Number of elements to bind shown by page (maximum recommended: 50)
+ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50)
ACCOUNTING_LIST_SORT_VENTILATION_TODO=Begin the sorting of the page "Binding to do" by the most recent elements
ACCOUNTING_LIST_SORT_VENTILATION_DONE=Begin the sorting of the page "Binding done" by the most recent elements
@@ -198,7 +199,8 @@ Docdate=Date
Docref=Reference
LabelAccount=Label account
LabelOperation=Label operation
-Sens=Sens
+Sens=Direction
+AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received For an accounting account of a supplier, use Debit to record a payment you make
LetteringCode=Lettering code
Lettering=Lettering
Codejournal=Journal
@@ -206,7 +208,8 @@ JournalLabel=Journal label
NumPiece=Piece number
TransactionNumShort=Num. transaction
AccountingCategory=Personalized groups
-GroupByAccountAccounting=Group by accounting account
+GroupByAccountAccounting=Group by general ledger account
+GroupBySubAccountAccounting=Group by subledger account
AccountingAccountGroupsDesc=You can define here some groups of accounting account. They will be used for personalized accounting reports.
ByAccounts=By accounts
ByPredefinedAccountGroups=By predefined groups
@@ -248,7 +251,7 @@ PaymentsNotLinkedToProduct=Payment not linked to any product / service
OpeningBalance=Opening balance
ShowOpeningBalance=Show opening balance
HideOpeningBalance=Hide opening balance
-ShowSubtotalByGroup=Show subtotal by group
+ShowSubtotalByGroup=Show subtotal by level
Pcgtype=Group of account
PcgtypeDesc=Group of account are used as predefined 'filter' and 'grouping' criteria for some accounting reports. For example, 'INCOME' or 'EXPENSE' are used as groups for accounting accounts of products to build the expense/income report.
@@ -271,11 +274,13 @@ DescVentilExpenseReport=Consult here the list of expense report lines bound (or
DescVentilExpenseReportMore=If you setup accounting account on type of expense report lines, the application will be able to make all the binding between your expense report lines and the accounting account of your chart of accounts, just in one click with the button "%s". If account was not set on fees dictionary or if you still have some lines not bound to any account, you will have to make a manual binding from the menu "%s".
DescVentilDoneExpenseReport=Consult here the list of the lines of expenses reports and their fees accounting account
+Closure=Annual closure
DescClosure=Consult here the number of movements by month who are not validated & fiscal years already open
OverviewOfMovementsNotValidated=Step 1/ Overview of movements not validated. (Necessary to close a fiscal year)
+AllMovementsWereRecordedAsValidated=All movements were recorded as validated
+NotAllMovementsCouldBeRecordedAsValidated=Not all movements could be recorded as validated
ValidateMovements=Validate movements
DescValidateMovements=Any modification or deletion of writing, lettering and deletes will be prohibited. All entries for an exercise must be validated otherwise closing will not be possible
-SelectMonthAndValidate=Select month and validate movements
ValidateHistory=Bind Automatically
AutomaticBindingDone=Automatic binding done
@@ -293,6 +298,7 @@ Accounted=Accounted in ledger
NotYetAccounted=Not yet accounted in ledger
ShowTutorial=Show Tutorial
NotReconciled=Not reconciled
+WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view
## Admin
BindingOptions=Binding options
@@ -337,6 +343,7 @@ Modelcsv_LDCompta10=Export for LD Compta (v10 & higher)
Modelcsv_openconcerto=Export for OpenConcerto (Test)
Modelcsv_configurable=Export CSV Configurable
Modelcsv_FEC=Export FEC
+Modelcsv_FEC2=Export FEC (With dates generation writing / document reversed)
Modelcsv_Sage50_Swiss=Export for Sage 50 Switzerland
Modelcsv_winfic=Export Winfic - eWinfic - WinSis Compta
Modelcsv_Gestinumv3=Export for Gestinum (v3)
diff --git a/htdocs/langs/az_AZ/admin.lang b/htdocs/langs/az_AZ/admin.lang
index f1c41a3b62b..189b0b5186a 100644
--- a/htdocs/langs/az_AZ/admin.lang
+++ b/htdocs/langs/az_AZ/admin.lang
@@ -56,6 +56,8 @@ GUISetup=Display
SetupArea=Setup
UploadNewTemplate=Upload new template(s)
FormToTestFileUploadForm=Form to test file upload (according to setup)
+ModuleMustBeEnabled=The module/application %s must be enabled
+ModuleIsEnabled=The module/application %s has been enabled
IfModuleEnabled=Note: yes is effective only if module %s is enabled
RemoveLock=Remove/rename file %s if it exists, to allow usage of the Update/Install tool.
RestoreLock=Restore file %s, with read permission only, to disable any further use of the Update/Install tool.
@@ -85,7 +87,6 @@ ShowPreview=Show preview
ShowHideDetails=Show-Hide details
PreviewNotAvailable=Preview not available
ThemeCurrentlyActive=Theme currently active
-CurrentTimeZone=TimeZone PHP (server)
MySQLTimeZone=TimeZone MySql (database)
TZHasNoEffect=Dates are stored and returned by database server as if they were kept as submitted string. The timezone has effect only when using the UNIX_TIMESTAMP function (that should not be used by Dolibarr, so database TZ should have no effect, even if changed after data was entered).
Space=Space
@@ -153,8 +154,8 @@ SystemToolsAreaDesc=This area provides administration functions. Use the menu to
Purge=Purge
PurgeAreaDesc=This page allows you to delete all files generated or stored by Dolibarr (temporary files or all files in %s directory). Using this feature is not normally necessary. It is provided as a workaround for users whose Dolibarr is hosted by a provider that does not offer permissions to delete files generated by the web server.
PurgeDeleteLogFile=Delete log files, including %s defined for Syslog module (no risk of losing data)
-PurgeDeleteTemporaryFiles=Delete all temporary files (no risk of losing data). Note: Deletion is done only if the temp directory was created 24 hours ago.
-PurgeDeleteTemporaryFilesShort=Delete temporary files
+PurgeDeleteTemporaryFiles=Delete all log and temporary files (no risk of losing data). Note: Deletion of temporary files is done only if the temp directory was created more than 24 hours ago.
+PurgeDeleteTemporaryFilesShort=Delete log and temporary files
PurgeDeleteAllFilesInDocumentsDir=Delete all files in directory: %s. This will delete all generated documents related to elements (third parties, invoices etc...), files uploaded into the ECM module, database backup dumps and temporary files.
PurgeRunNow=Purge now
PurgeNothingToDelete=No directory or files to delete.
@@ -256,6 +257,7 @@ ReferencedPreferredPartners=Preferred Partners
OtherResources=Other resources
ExternalResources=External Resources
SocialNetworks=Social Networks
+SocialNetworkId=Social Network ID
ForDocumentationSeeWiki=For user or developer documentation (Doc, FAQs...), take a look at the Dolibarr Wiki: %s
ForAnswersSeeForum=For any other questions/help, you can use the Dolibarr forum: %s
HelpCenterDesc1=Here are some resources for getting help and support with Dolibarr.
@@ -375,7 +377,7 @@ ExamplesWithCurrentSetup=Examples with current configuration
ListOfDirectories=List of OpenDocument templates directories
ListOfDirectoriesForModelGenODT=List of directories containing templates files with OpenDocument format.
Put here full path of directories. Add a carriage return between eah directory. To add a directory of the GED module, add here DOL_DATA_ROOT/ecm/yourdirectoryname.
Files in those directories must end with .odt or .ods.
NumberOfModelFilesFound=Number of ODT/ODS template files found in these directories
-ExampleOfDirectoriesForModelGen=Examples of syntax: c:\\mydir /home/mydir DOL_DATA_ROOT/ecm/ecmdir
+ExampleOfDirectoriesForModelGen=Examples of syntax: c:\\myapp\\mydocumentdir\\mysubdir /home/myapp/mydocumentdir/mysubdir DOL_DATA_ROOT/ecm/ecmdir
FollowingSubstitutionKeysCanBeUsed= To know how to create your odt document templates, before storing them in those directories, read wiki documentation:
FullListOnOnlineDocumentation=http://wiki.dolibarr.org/index.php/Create_an_ODT_document_template
FirstnameNamePosition=Position of Name/Lastname
@@ -406,7 +408,7 @@ UrlGenerationParameters=Parameters to secure URLs
SecurityTokenIsUnique=Use a unique securekey parameter for each URL
EnterRefToBuildUrl=Enter reference for object %s
GetSecuredUrl=Get calculated URL
-ButtonHideUnauthorized=Hide buttons for non-admin users for unauthorized actions instead of showing greyed disabled buttons
+ButtonHideUnauthorized=Hide unauthorized action buttons also for internal users (just greyed otherwise)
OldVATRates=Old VAT rate
NewVATRates=New VAT rate
PriceBaseTypeToChange=Modify on prices with base reference value defined on
@@ -1689,7 +1691,7 @@ NotTopTreeMenuPersonalized=Personalized menus not linked to a top menu entry
NewMenu=New menu
MenuHandler=Menu handler
MenuModule=Source module
-HideUnauthorizedMenu= Hide unauthorized menus (gray)
+HideUnauthorizedMenu=Hide unauthorized menus also for internal users (just greyed otherwise)
DetailId=Id menu
DetailMenuHandler=Menu handler where to show new menu
DetailMenuModule=Module name if menu entry come from a module
@@ -1983,11 +1985,12 @@ EMailHost=Host of email IMAP server
MailboxSourceDirectory=Mailbox source directory
MailboxTargetDirectory=Mailbox target directory
EmailcollectorOperations=Operations to do by collector
+EmailcollectorOperationsDesc=Operations are executed from top to bottom order
MaxEmailCollectPerCollect=Max number of emails collected per collect
CollectNow=Collect now
ConfirmCloneEmailCollector=Are you sure you want to clone the Email collector %s ?
-DateLastCollectResult=Date latest collect tried
-DateLastcollectResultOk=Date latest collect successfull
+DateLastCollectResult=Date of latest collect try
+DateLastcollectResultOk=Date of latest collect success
LastResult=Latest result
EmailCollectorConfirmCollectTitle=Email collect confirmation
EmailCollectorConfirmCollect=Do you want to run the collection for this collector now ?
@@ -2005,7 +2008,7 @@ WithDolTrackingID=Message from a conversation initiated by a first email sent fr
WithoutDolTrackingID=Message from a conversation initiated by a first email NOT sent from Dolibarr
WithDolTrackingIDInMsgId=Message sent from Dolibarr
WithoutDolTrackingIDInMsgId=Message NOT sent from Dolibarr
-CreateCandidature=Create candidature
+CreateCandidature=Create job application
FormatZip=Zip
MainMenuCode=Menu entry code (mainmenu)
ECMAutoTree=Show automatic ECM tree
@@ -2083,3 +2086,7 @@ CountryIfSpecificToOneCountry=Country (if specific to a given country)
YouMayFindSecurityAdviceHere=You may find security advisory here
ModuleActivatedMayExposeInformation=This module may expose sensitive data. If you don't need it, disable it.
ModuleActivatedDoNotUseInProduction=A module designed for the development has been enabled. Do not enable it on a production environment.
+CombinationsSeparator=Separator character for product combinations
+SeeLinkToOnlineDocumentation=See link to online documention on top menu for examples
+SHOW_SUBPRODUCT_REF_IN_PDF=If the feature "%s" of module %s is used, show details of subproducts of a kit on PDF.
+AskThisIDToYourBank=Contact your bank to get this ID
diff --git a/htdocs/langs/az_AZ/banks.lang b/htdocs/langs/az_AZ/banks.lang
index 9500a5b8b2e..a0dc27f86c4 100644
--- a/htdocs/langs/az_AZ/banks.lang
+++ b/htdocs/langs/az_AZ/banks.lang
@@ -173,8 +173,8 @@ SEPAMandate=SEPA mandate
YourSEPAMandate=Your SEPA mandate
FindYourSEPAMandate=This is your SEPA mandate to authorize our company to make direct debit order to your bank. Return it signed (scan of the signed document) or send it by mail to
AutoReportLastAccountStatement=Automatically fill the field 'number of bank statement' with last statement number when making reconciliation
-CashControl=POS cash fence
-NewCashFence=New cash fence
+CashControl=POS cash desk control
+NewCashFence=New cash desk closing
BankColorizeMovement=Colorize movements
BankColorizeMovementDesc=If this function is enable, you can choose specific background color for debit or credit movements
BankColorizeMovementName1=Background color for debit movement
diff --git a/htdocs/langs/az_AZ/blockedlog.lang b/htdocs/langs/az_AZ/blockedlog.lang
index 5afae6e9e53..0bba5605d0f 100644
--- a/htdocs/langs/az_AZ/blockedlog.lang
+++ b/htdocs/langs/az_AZ/blockedlog.lang
@@ -35,7 +35,7 @@ logDON_DELETE=Donation logical deletion
logMEMBER_SUBSCRIPTION_CREATE=Member subscription created
logMEMBER_SUBSCRIPTION_MODIFY=Member subscription modified
logMEMBER_SUBSCRIPTION_DELETE=Member subscription logical deletion
-logCASHCONTROL_VALIDATE=Cash fence recording
+logCASHCONTROL_VALIDATE=Cash desk closing recording
BlockedLogBillDownload=Customer invoice download
BlockedLogBillPreview=Customer invoice preview
BlockedlogInfoDialog=Log Details
diff --git a/htdocs/langs/az_AZ/boxes.lang b/htdocs/langs/az_AZ/boxes.lang
index d6fd298a3a7..7db4ea8aa17 100644
--- a/htdocs/langs/az_AZ/boxes.lang
+++ b/htdocs/langs/az_AZ/boxes.lang
@@ -46,9 +46,12 @@ BoxTitleLastModifiedDonations=Latest %s modified donations
BoxTitleLastModifiedExpenses=Latest %s modified expense reports
BoxTitleLatestModifiedBoms=Latest %s modified BOMs
BoxTitleLatestModifiedMos=Latest %s modified Manufacturing Orders
+BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded
BoxGlobalActivity=Global activity (invoices, proposals, orders)
BoxGoodCustomers=Good customers
BoxTitleGoodCustomers=%s Good customers
+BoxScheduledJobs=Scheduled jobs
+BoxTitleFunnelOfProspection=Lead funnel
FailedToRefreshDataInfoNotUpToDate=Failed to refresh RSS flux. Latest successful refresh date: %s
LastRefreshDate=Latest refresh date
NoRecordedBookmarks=No bookmarks defined.
@@ -102,5 +105,7 @@ SuspenseAccountNotDefined=Suspense account isn't defined
BoxLastCustomerShipments=Last customer shipments
BoxTitleLastCustomerShipments=Latest %s customer shipments
NoRecordedShipments=No recorded customer shipment
+BoxCustomersOutstandingBillReached=Customers with oustanding limit reached
# Pages
AccountancyHome=Accountancy
+ValidatedProjects=Validated projects
diff --git a/htdocs/langs/az_AZ/cashdesk.lang b/htdocs/langs/az_AZ/cashdesk.lang
index 498baa82200..3fef645d99d 100644
--- a/htdocs/langs/az_AZ/cashdesk.lang
+++ b/htdocs/langs/az_AZ/cashdesk.lang
@@ -49,8 +49,8 @@ Footer=Footer
AmountAtEndOfPeriod=Amount at end of period (day, month or year)
TheoricalAmount=Theorical amount
RealAmount=Real amount
-CashFence=Cash fence
-CashFenceDone=Cash fence done for the period
+CashFence=Cash desk closing
+CashFenceDone=Cash desk closing done for the period
NbOfInvoices=Nb of invoices
Paymentnumpad=Type of Pad to enter payment
Numberspad=Numbers Pad
@@ -99,8 +99,9 @@ CashDeskRefNumberingModules=Numbering module for POS sales
CashDeskGenericMaskCodes6 = {TN} tag is used to add the terminal number
TakeposGroupSameProduct=Group same products lines
StartAParallelSale=Start a new parallel sale
-ControlCashOpening=Control cash box at opening POS
-CloseCashFence=Close cash fence
+SaleStartedAt=Sale started at %s
+ControlCashOpening=Control cash popup at opening POS
+CloseCashFence=Close cash desk control
CashReport=Cash report
MainPrinterToUse=Main printer to use
OrderPrinterToUse=Order printer to use
@@ -122,3 +123,4 @@ GiftReceipt=Gift receipt
ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled first
AllowDelayedPayment=Allow delayed payment
PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts
+WeighingScale=Weighing scale
diff --git a/htdocs/langs/az_AZ/categories.lang b/htdocs/langs/az_AZ/categories.lang
index ba37a43b4ec..4ddf0d6093f 100644
--- a/htdocs/langs/az_AZ/categories.lang
+++ b/htdocs/langs/az_AZ/categories.lang
@@ -19,6 +19,7 @@ ProjectsCategoriesArea=Projects tags/categories area
UsersCategoriesArea=Users tags/categories area
SubCats=Sub-categories
CatList=List of tags/categories
+CatListAll=List of tags/categories (all types)
NewCategory=New tag/category
ModifCat=Modify tag/category
CatCreated=Tag/category created
@@ -65,16 +66,22 @@ UsersCategoriesShort=Users tags/categories
StockCategoriesShort=Warehouse tags/categories
ThisCategoryHasNoItems=This category does not contain any items.
CategId=Tag/category id
-CatSupList=List of vendor tags/categories
-CatCusList=List of customer/prospect tags/categories
+ParentCategory=Parent tag/category
+ParentCategoryLabel=Label of parent tag/category
+CatSupList=List of vendors tags/categories
+CatCusList=List of customers/prospects tags/categories
CatProdList=List of products tags/categories
CatMemberList=List of members tags/categories
-CatContactList=List of contact tags/categories
-CatSupLinks=Links between suppliers and tags/categories
+CatContactList=List of contacts tags/categories
+CatProjectsList=List of projects tags/categories
+CatUsersList=List of users tags/categories
+CatSupLinks=Links between vendors and tags/categories
CatCusLinks=Links between customers/prospects and tags/categories
CatContactsLinks=Links between contacts/addresses and tags/categories
CatProdLinks=Links between products/services and tags/categories
-CatProJectLinks=Links between projects and tags/categories
+CatMembersLinks=Links between members and tags/categories
+CatProjectsLinks=Links between projects and tags/categories
+CatUsersLinks=Links between users and tags/categories
DeleteFromCat=Remove from tags/category
ExtraFieldsCategories=Complementary attributes
CategoriesSetup=Tags/categories setup
diff --git a/htdocs/langs/az_AZ/companies.lang b/htdocs/langs/az_AZ/companies.lang
index dadff6a7894..8dc815b522e 100644
--- a/htdocs/langs/az_AZ/companies.lang
+++ b/htdocs/langs/az_AZ/companies.lang
@@ -358,7 +358,7 @@ VATIntraCheckableOnEUSite=Check the intra-Community VAT ID on the European Commi
VATIntraManualCheck=You can also check manually on the European Commission website %s
ErrorVATCheckMS_UNAVAILABLE=Check not possible. Check service is not provided by the member state (%s).
NorProspectNorCustomer=Not prospect, nor customer
-JuridicalStatus=Legal Entity Type
+JuridicalStatus=Business entity type
Workforce=Workforce
Staff=Employees
ProspectLevelShort=Potential
diff --git a/htdocs/langs/az_AZ/compta.lang b/htdocs/langs/az_AZ/compta.lang
index 8f4f058bb87..1afeb6e3727 100644
--- a/htdocs/langs/az_AZ/compta.lang
+++ b/htdocs/langs/az_AZ/compta.lang
@@ -111,7 +111,7 @@ Refund=Refund
SocialContributionsPayments=Social/fiscal taxes payments
ShowVatPayment=Show VAT payment
TotalToPay=Total to pay
-BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted ascending on %s and filtered for 1 bank account
+BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted on %s and filtered on 1 bank account (with no other filters)
CustomerAccountancyCode=Customer accounting code
SupplierAccountancyCode=Vendor accounting code
CustomerAccountancyCodeShort=Cust. account. code
@@ -140,7 +140,7 @@ ConfirmDeleteSocialContribution=Are you sure you want to delete this social/fisc
ExportDataset_tax_1=Social and fiscal taxes and payments
CalcModeVATDebt=Mode %sVAT on commitment accounting%s.
CalcModeVATEngagement=Mode %sVAT on incomes-expenses%s.
-CalcModeDebt=Analysis of known recorded invoices even if they are not yet accounted in ledger.
+CalcModeDebt=Analysis of known recorded documents even if they are not yet accounted in ledger.
CalcModeEngagement=Analysis of known recorded payments, even if they are not yet accounted in Ledger.
CalcModeBookkeeping=Analysis of data journalized in Bookkeeping Ledger table.
CalcModeLT1= Mode %sRE on customer invoices - suppliers invoices%s
@@ -154,9 +154,9 @@ AnnualSummaryInputOutputMode=Balance of income and expenses, annual summary
AnnualByCompanies=Balance of income and expenses, by predefined groups of account
AnnualByCompaniesDueDebtMode=Balance of income and expenses, detail by predefined groups, mode %sClaims-Debts%s said Commitment accounting.
AnnualByCompaniesInputOutputMode=Balance of income and expenses, detail by predefined groups, mode %sIncomes-Expenses%s said cash accounting.
-SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation on actual payments made even if they are not yet accounted in Ledger.
-SeeReportInDueDebtMode=See %sanalysis of invoices%s for a calculation based on known recorded invoices even if they are not yet accounted in Ledger.
-SeeReportInBookkeepingMode=See %sBookeeping report%s for a calculation on Bookkeeping Ledger table
+SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation based on recorded payments made even if they are not yet accounted in Ledger
+SeeReportInDueDebtMode=See %sanalysis of recorded documents%s for a calculation based on known recorded documents even if they are not yet accounted in Ledger
+SeeReportInBookkeepingMode=See %sanalysis of bookeeping ledger table%s for a report based on Bookkeeping Ledger table
RulesAmountWithTaxIncluded=- Amounts shown are with all taxes included
RulesResultDue=- It includes outstanding invoices, expenses, VAT, donations whether they are paid or not. Is also includes paid salaries. - It is based on the billing date of invoices and on the due date for expenses or tax payments. For salaries defined with Salary module, the value date of payment is used.
RulesResultInOut=- It includes the real payments made on invoices, expenses, VAT and salaries. - It is based on the payment dates of the invoices, expenses, VAT and salaries. The donation date for donation.
@@ -169,12 +169,15 @@ RulesResultBookkeepingPersonalized=It show record in your Ledger with accounting
SeePageForSetup=See menu %s for setup
DepositsAreNotIncluded=- Down payment invoices are not included
DepositsAreIncluded=- Down payment invoices are included
+LT1ReportByMonth=Tax 2 report by month
+LT2ReportByMonth=Tax 3 report by month
LT1ReportByCustomers=Report tax 2 by third party
LT2ReportByCustomers=Report tax 3 by third party
LT1ReportByCustomersES=Report by third party RE
LT2ReportByCustomersES=Report by third party IRPF
VATReport=Sale tax report
VATReportByPeriods=Sale tax report by period
+VATReportByMonth=Sale tax report by month
VATReportByRates=Sale tax report by rates
VATReportByThirdParties=Sale tax report by third parties
VATReportByCustomers=Sale tax report by customer
diff --git a/htdocs/langs/az_AZ/cron.lang b/htdocs/langs/az_AZ/cron.lang
index 1de1251831a..2ebdda1e685 100644
--- a/htdocs/langs/az_AZ/cron.lang
+++ b/htdocs/langs/az_AZ/cron.lang
@@ -7,13 +7,14 @@ Permission23103 = Delete Scheduled job
Permission23104 = Execute Scheduled job
# Admin
CronSetup=Scheduled job management setup
-URLToLaunchCronJobs=URL to check and launch qualified cron jobs
-OrToLaunchASpecificJob=Or to check and launch a specific job
+URLToLaunchCronJobs=URL to check and launch qualified cron jobs from a browser
+OrToLaunchASpecificJob=Or to check and launch a specific job from a browser
KeyForCronAccess=Security key for URL to launch cron jobs
FileToLaunchCronJobs=Command line to check and launch qualified cron jobs
CronExplainHowToRunUnix=On Unix environment you should use the following crontab entry to run the command line each 5 minutes
CronExplainHowToRunWin=On Microsoft(tm) Windows environment you can use Scheduled Task tools to run the command line each 5 minutes
CronMethodDoesNotExists=Class %s does not contains any method %s
+CronMethodNotAllowed=Method %s of class %s is in blacklist of forbidden methods
CronJobDefDesc=Cron job profiles are defined into the module descriptor file. When module is activated, they are loaded and available so you can administer the jobs from the admin tools menu %s.
CronJobProfiles=List of predefined cron job profiles
# Menu
@@ -46,6 +47,7 @@ CronNbRun=Number of launches
CronMaxRun=Maximum number of launches
CronEach=Every
JobFinished=Job launched and finished
+Scheduled=Scheduled
#Page card
CronAdd= Add jobs
CronEvery=Execute job each
@@ -56,7 +58,7 @@ CronNote=Comment
CronFieldMandatory=Fields %s is mandatory
CronErrEndDateStartDt=End date cannot be before start date
StatusAtInstall=Status at module installation
-CronStatusActiveBtn=Enable
+CronStatusActiveBtn=Schedule
CronStatusInactiveBtn=Disable
CronTaskInactive=This job is disabled
CronId=Id
@@ -82,3 +84,8 @@ MakeLocalDatabaseDumpShort=Local database backup
MakeLocalDatabaseDump=Create a local database dump. Parameters are: compression ('gz' or 'bz' or 'none'), backup type ('mysql', 'pgsql', 'auto'), 1, 'auto' or filename to build, number of backup files to keep
WarningCronDelayed=Attention, for performance purpose, whatever is next date of execution of enabled jobs, your jobs may be delayed to a maximum of %s hours, before being run.
DATAPOLICYJob=Data cleaner and anonymizer
+JobXMustBeEnabled=Job %s must be enabled
+# Cron Boxes
+LastExecutedScheduledJob=Last executed scheduled job
+NextScheduledJobExecute=Next scheduled job to execute
+NumberScheduledJobError=Number of scheduled jobs in error
diff --git a/htdocs/langs/az_AZ/errors.lang b/htdocs/langs/az_AZ/errors.lang
index 893f4a35b65..5b26be724d9 100644
--- a/htdocs/langs/az_AZ/errors.lang
+++ b/htdocs/langs/az_AZ/errors.lang
@@ -5,8 +5,10 @@ NoErrorCommitIsDone=No error, we commit
# Errors
ErrorButCommitIsDone=Errors found but we validate despite this
ErrorBadEMail=Email %s is wrong
+ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record)
ErrorBadUrl=Url %s is wrong
ErrorBadValueForParamNotAString=Bad value for your parameter. It appends generally when translation is missing.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorLoginAlreadyExists=Login %s already exists.
ErrorGroupAlreadyExists=Group %s already exists.
ErrorRecordNotFound=Record not found.
@@ -48,6 +50,7 @@ ErrorFieldsRequired=Some required fields were not filled.
ErrorSubjectIsRequired=The email topic is required
ErrorFailedToCreateDir=Failed to create a directory. Check that Web server user has permissions to write into Dolibarr documents directory. If parameter safe_mode is enabled on this PHP, check that Dolibarr php files owns to web server user (or group).
ErrorNoMailDefinedForThisUser=No mail defined for this user
+ErrorSetupOfEmailsNotComplete=Setup of emails is not complete
ErrorFeatureNeedJavascript=This feature need javascript to be activated to work. Change this in setup - display.
ErrorTopMenuMustHaveAParentWithId0=A menu of type 'Top' can't have a parent menu. Put 0 in parent menu or choose a menu of type 'Left'.
ErrorLeftMenuMustHaveAParentId=A menu of type 'Left' must have a parent id.
@@ -75,7 +78,7 @@ ErrorExportDuplicateProfil=This profile name already exists for this export set.
ErrorLDAPSetupNotComplete=Dolibarr-LDAP matching is not complete.
ErrorLDAPMakeManualTest=A .ldif file has been generated in directory %s. Try to load it manually from command line to have more information on errors.
ErrorCantSaveADoneUserWithZeroPercentage=Can't save an action with "status not started" if field "done by" is also filled.
-ErrorRefAlreadyExists=Ref used for creation already exists.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorPleaseTypeBankTransactionReportName=Please enter the bank statement name where the entry has to be reported (Format YYYYMM or YYYYMMDD)
ErrorRecordHasChildren=Failed to delete record since it has some child records.
ErrorRecordHasAtLeastOneChildOfType=Object has at least one child of type %s
@@ -216,7 +219,7 @@ ErrorChooseBetweenFreeEntryOrPredefinedProduct=You must choose if article is a p
ErrorDiscountLargerThanRemainToPaySplitItBefore=The discount you try to apply is larger than remain to pay. Split the discount in 2 smaller discounts before.
ErrorFileNotFoundWithSharedLink=File was not found. May be the share key was modified or file was removed recently.
ErrorProductBarCodeAlreadyExists=The product barcode %s already exists on another product reference.
-ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using virtual product to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number.
+ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using kits to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number.
ErrorDescRequiredForFreeProductLines=Description is mandatory for lines with free product
ErrorAPageWithThisNameOrAliasAlreadyExists=The page/container %s has the same name or alternative alias that the one your try to use
ErrorDuringChartLoad=Error when loading chart of accounts. If few accounts were not loaded, you can still enter them manually.
@@ -243,6 +246,16 @@ ErrorReplaceStringEmpty=Error, the string to replace into is empty
ErrorProductNeedBatchNumber=Error, product '%s' need a lot/serial number
ErrorProductDoesNotNeedBatchNumber=Error, product '%s' does not accept a lot/serial number
ErrorFailedToReadObject=Error, failed to read object of type %s
+ErrorParameterMustBeEnabledToAllwoThisFeature=Error, parameter %s must be enabled into conf/conf.php to allow use of Command Line Interface by the internal job scheduler
+ErrorLoginDateValidity=Error, this login is outside the validity date range
+ErrorValueLength=Length of field '%s' must be higher than '%s'
+ErrorReservedKeyword=The word '%s' is a reserved keyword
+ErrorNotAvailableWithThisDistribution=Not available with this distribution
+ErrorPublicInterfaceNotEnabled=Public interface was not enabled
+ErrorLanguageRequiredIfPageIsTranslationOfAnother=The language of new page must be defined if it is set as a translation of another page
+ErrorLanguageMustNotBeSourceLanguageIfPageIsTranslationOfAnother=The language of new page must not be the source language if it is set as a translation of another page
+ErrorAParameterIsRequiredForThisOperation=A parameter is mandatory for this operation
+
# Warnings
WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup.
WarningPasswordSetWithNoAccount=A password was set for this member. However, no user account was created. So this password is stored but can't be used to login to Dolibarr. It may be used by an external module/interface but if you don't need to define any login nor password for a member, you can disable option "Manage a login for each member" from Member module setup. If you need to manage a login but don't need any password, you can keep this field empty to avoid this warning. Note: Email can also be used as a login if the member is linked to a user.
@@ -267,6 +280,10 @@ WarningYourLoginWasModifiedPleaseLogin=Your login was modified. For security pur
WarningAnEntryAlreadyExistForTransKey=An entry already exists for the translation key for this language
WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different recipient is limited to %s when using the mass actions on lists
WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report
+WarningProjectDraft=Project is still in draft mode. Don't forget to validate it if you plan to use tasks.
WarningProjectClosed=Project is closed. You must re-open it first.
WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list.
-WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table
+WarningFailedToAddFileIntoDatabaseIndex=Warning, failed to add file entry into ECM database index table
+WarningTheHiddenOptionIsOn=Warning, the hidden option %s is on.
+WarningCreateSubAccounts=Warning, you can't create directly a sub account, you must create a third party or an user and assign them an accounting code to find them in this list
+WarningAvailableOnlyForHTTPSServers=Available only if using HTTPS secured connection.
diff --git a/htdocs/langs/az_AZ/exports.lang b/htdocs/langs/az_AZ/exports.lang
index 3549e3f8b23..a0eb7161ef2 100644
--- a/htdocs/langs/az_AZ/exports.lang
+++ b/htdocs/langs/az_AZ/exports.lang
@@ -133,3 +133,4 @@ KeysToUseForUpdates=Key (column) to use for updating existing data
NbInsert=Number of inserted lines: %s
NbUpdate=Number of updated lines: %s
MultipleRecordFoundWithTheseFilters=Multiple records have been found with these filters: %s
+StocksWithBatch=Stocks and location (warehouse) of products with batch/serial number
diff --git a/htdocs/langs/az_AZ/mails.lang b/htdocs/langs/az_AZ/mails.lang
index 1235eef3b27..7fd93be7b71 100644
--- a/htdocs/langs/az_AZ/mails.lang
+++ b/htdocs/langs/az_AZ/mails.lang
@@ -92,6 +92,7 @@ MailingModuleDescEmailsFromUser=Emails input by user
MailingModuleDescDolibarrUsers=Users with Emails
MailingModuleDescThirdPartiesByCategories=Third parties (by categories)
SendingFromWebInterfaceIsNotAllowed=Sending from web interface is not allowed.
+EmailCollectorFilterDesc=All filters must match to have an email being collected
# Libelle des modules de liste de destinataires mailing
LineInFile=Line %s in file
@@ -125,12 +126,13 @@ TagMailtoEmail=Recipient Email (including html "mailto:" link)
NoEmailSentBadSenderOrRecipientEmail=No email sent. Bad sender or recipient email. Verify user profile.
# Module Notifications
Notifications=Notifications
-NoNotificationsWillBeSent=No email notifications are planned for this event and company
-ANotificationsWillBeSent=1 notification will be sent by email
-SomeNotificationsWillBeSent=%s notifications will be sent by email
-AddNewNotification=Activate a new email notification target/event
-ListOfActiveNotifications=List all active targets/events for email notification
-ListOfNotificationsDone=List all email notifications sent
+NotificationsAuto=Notifications Auto.
+NoNotificationsWillBeSent=No automatic email notifications are planned for this event type and company
+ANotificationsWillBeSent=1 automatic notification will be sent by email
+SomeNotificationsWillBeSent=%s automatic notifications will be sent by email
+AddNewNotification=Subscribe to a new automatic email notification (target/event)
+ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification
+ListOfNotificationsDone=List all automatic email notifications sent
MailSendSetupIs=Configuration of email sending has been setup to '%s'. This mode can't be used to send mass emailing.
MailSendSetupIs2=You must first go, with an admin account, into menu %sHome - Setup - EMails%s to change parameter '%s' to use mode '%s'. With this mode, you can enter setup of the SMTP server provided by your Internet Service Provider and use Mass emailing feature.
MailSendSetupIs3=If you have any questions on how to setup your SMTP server, you can ask to %s.
@@ -140,7 +142,7 @@ UseFormatFileEmailToTarget=Imported file must have format email;name;fir
UseFormatInputEmailToTarget=Enter a string with format email;name;firstname;other
MailAdvTargetRecipients=Recipients (advanced selection)
AdvTgtTitle=Fill input fields to preselect the third parties or contacts/addresses to target
-AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima% will target all jean, joe, start with jim but not jimo and not everything that starts with jima
+AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima%% will target all jean, joe, start with jim but not jimo and not everything that starts with jima
AdvTgtSearchIntHelp=Use interval to select int or float value
AdvTgtMinVal=Minimum value
AdvTgtMaxVal=Maximum value
@@ -162,13 +164,14 @@ AdvTgtCreateFilter=Create filter
AdvTgtOrCreateNewFilter=Name of new filter
NoContactWithCategoryFound=No contact/address with a category found
NoContactLinkedToThirdpartieWithCategoryFound=No contact/address with a category found
-OutGoingEmailSetup=Outgoing email setup
-InGoingEmailSetup=Incoming email setup
-OutGoingEmailSetupForEmailing=Outgoing email setup (for module %s)
-DefaultOutgoingEmailSetup=Default outgoing email setup
+OutGoingEmailSetup=Outgoing emails
+InGoingEmailSetup=Incoming emails
+OutGoingEmailSetupForEmailing=Outgoing emails (for module %s)
+DefaultOutgoingEmailSetup=Same configuration than the global Outgoing email setup
Information=Information
ContactsWithThirdpartyFilter=Contacts with third-party filter
Unanswered=Unanswered
Answered=Answered
IsNotAnAnswer=Is not answer (initial email)
IsAnAnswer=Is an answer of an initial email
+RecordCreatedByEmailCollector=Record created by the Email Collector %s from email %s
diff --git a/htdocs/langs/az_AZ/main.lang b/htdocs/langs/az_AZ/main.lang
index 96c68cdcfa3..e196120c27d 100644
--- a/htdocs/langs/az_AZ/main.lang
+++ b/htdocs/langs/az_AZ/main.lang
@@ -28,7 +28,9 @@ NoTemplateDefined=No template available for this email type
AvailableVariables=Available substitution variables
NoTranslation=No translation
Translation=Translation
+CurrentTimeZone=TimeZone PHP (server)
EmptySearchString=Enter non empty search criterias
+EnterADateCriteria=Enter a date criteria
NoRecordFound=No record found
NoRecordDeleted=No record deleted
NotEnoughDataYet=Not enough data
@@ -85,6 +87,8 @@ FileWasNotUploaded=A file is selected for attachment but was not yet uploaded. C
NbOfEntries=No. of entries
GoToWikiHelpPage=Read online help (Internet access needed)
GoToHelpPage=Read help
+DedicatedPageAvailable=There is a dedicated help page related to your current screen
+HomePage=Home Page
RecordSaved=Record saved
RecordDeleted=Record deleted
RecordGenerated=Record generated
@@ -433,6 +437,7 @@ RemainToPay=Remain to pay
Module=Module/Application
Modules=Modules/Applications
Option=Option
+Filters=Filters
List=List
FullList=Full list
FullConversation=Full conversation
@@ -671,7 +676,7 @@ SendMail=Send email
Email=Email
NoEMail=No email
AlreadyRead=Already read
-NotRead=Not read
+NotRead=Unread
NoMobilePhone=No mobile phone
Owner=Owner
FollowingConstantsWillBeSubstituted=The following constants will be replaced with the corresponding value.
@@ -1107,3 +1112,8 @@ UpToDate=Up-to-date
OutOfDate=Out-of-date
EventReminder=Event Reminder
UpdateForAllLines=Update for all lines
+OnHold=On hold
+AffectTag=Affect Tag
+ConfirmAffectTag=Bulk Tag Affect
+ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected record(s)?
+CategTypeNotFound=No tag type found for type of records
diff --git a/htdocs/langs/az_AZ/modulebuilder.lang b/htdocs/langs/az_AZ/modulebuilder.lang
index 460aef8103b..845dd12624d 100644
--- a/htdocs/langs/az_AZ/modulebuilder.lang
+++ b/htdocs/langs/az_AZ/modulebuilder.lang
@@ -40,6 +40,7 @@ PageForCreateEditView=PHP page to create/edit/view a record
PageForAgendaTab=PHP page for event tab
PageForDocumentTab=PHP page for document tab
PageForNoteTab=PHP page for note tab
+PageForContactTab=PHP page for contact tab
PathToModulePackage=Path to zip of module/application package
PathToModuleDocumentation=Path to file of module/application documentation (%s)
SpaceOrSpecialCharAreNotAllowed=Spaces or special characters are not allowed.
@@ -77,7 +78,7 @@ IsAMeasure=Is a measure
DirScanned=Directory scanned
NoTrigger=No trigger
NoWidget=No widget
-GoToApiExplorer=Go to API explorer
+GoToApiExplorer=API explorer
ListOfMenusEntries=List of menu entries
ListOfDictionariesEntries=List of dictionaries entries
ListOfPermissionsDefined=List of defined permissions
@@ -105,7 +106,7 @@ TryToUseTheModuleBuilder=If you have knowledge of SQL and PHP, you may use the n
SeeTopRightMenu=See on the top right menu
AddLanguageFile=Add language file
YouCanUseTranslationKey=You can use here a key that is the translation key found into language file (see tab "Languages")
-DropTableIfEmpty=(Delete table if empty)
+DropTableIfEmpty=(Destroy table if empty)
TableDoesNotExists=The table %s does not exists
TableDropped=Table %s deleted
InitStructureFromExistingTable=Build the structure array string of an existing table
@@ -126,7 +127,6 @@ UseSpecificEditorURL = Use a specific editor URL
UseSpecificFamily = Use a specific family
UseSpecificAuthor = Use a specific author
UseSpecificVersion = Use a specific initial version
-ModuleMustBeEnabled=The module/application must be enabled first
IncludeRefGeneration=The reference of object must be generated automatically
IncludeRefGenerationHelp=Check this if you want to include code to manage the generation automatically of the reference
IncludeDocGeneration=I want to generate some documents from the object
@@ -140,3 +140,4 @@ TypeOfFieldsHelp=Type of fields: varchar(99), double(24,8), real, text, html,
AsciiToHtmlConverter=Ascii to HTML converter
AsciiToPdfConverter=Ascii to PDF converter
TableNotEmptyDropCanceled=Table not empty. Drop has been canceled.
+ModuleBuilderNotAllowed=The module builder is available but not allowed to your user.
diff --git a/htdocs/langs/az_AZ/other.lang b/htdocs/langs/az_AZ/other.lang
index 54c0572d453..0a7b3723ab1 100644
--- a/htdocs/langs/az_AZ/other.lang
+++ b/htdocs/langs/az_AZ/other.lang
@@ -5,8 +5,6 @@ Tools=Tools
TMenuTools=Tools
ToolsDesc=All tools not included in other menu entries are grouped here. All the tools can be accessed via the left menu.
Birthday=Birthday
-BirthdayDate=Birthday date
-DateToBirth=Birth date
BirthdayAlertOn=birthday alert active
BirthdayAlertOff=birthday alert inactive
TransKey=Translation of the key TransKey
@@ -16,6 +14,8 @@ PreviousMonthOfInvoice=Previous month (number 1-12) of invoice date
TextPreviousMonthOfInvoice=Previous month (text) of invoice date
NextMonthOfInvoice=Following month (number 1-12) of invoice date
TextNextMonthOfInvoice=Following month (text) of invoice date
+PreviousMonth=Previous month
+CurrentMonth=Current month
ZipFileGeneratedInto=Zip file generated into %s.
DocFileGeneratedInto=Doc file generated into %s.
JumpToLogin=Disconnected. Go to login page...
@@ -99,6 +99,7 @@ PredefinedMailContentSendShipping=__(Hello)__\n\nPlease find shipping __REF__ at
PredefinedMailContentSendFichInter=__(Hello)__\n\nPlease find intervention __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.\n\n%s\n\n
PredefinedMailContentGeneric=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
+PredefinedMailContentSendActionComm=Event reminder "__EVENT_LABEL__" on __EVENT_DATE__ at __EVENT_TIME__
This is an automatic message, please do not reply.
DemoDesc=Dolibarr is a compact ERP/CRM supporting several business modules. A demo showcasing all modules makes no sense as this scenario never occurs (several hundred available). So, several demo profiles are available.
ChooseYourDemoProfil=Choose the demo profile that best suits your needs...
ChooseYourDemoProfilMore=...or build your own profile (manual module selection)
@@ -137,7 +138,7 @@ Right=Right
CalculatedWeight=Calculated weight
CalculatedVolume=Calculated volume
Weight=Weight
-WeightUnitton=tonne
+WeightUnitton=ton
WeightUnitkg=kg
WeightUnitg=g
WeightUnitmg=mg
@@ -258,6 +259,7 @@ ContactCreatedByEmailCollector=Contact/address created by email collector from e
ProjectCreatedByEmailCollector=Project created by email collector from email MSGID %s
TicketCreatedByEmailCollector=Ticket created by email collector from email MSGID %s
OpeningHoursFormatDesc=Use a - to separate opening and closing hours. Use a space to enter different ranges. Example: 8-12 14-18
+PrefixSession=Prefix for session ID
##### Export #####
ExportsArea=Exports area
diff --git a/htdocs/langs/az_AZ/products.lang b/htdocs/langs/az_AZ/products.lang
index 97db059594f..f0c4a5362b8 100644
--- a/htdocs/langs/az_AZ/products.lang
+++ b/htdocs/langs/az_AZ/products.lang
@@ -108,7 +108,8 @@ FillWithLastServiceDates=Fill with last service line dates
MultiPricesAbility=Multiple price segments per product/service (each customer is in one price segment)
MultiPricesNumPrices=Number of prices
DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices
-AssociatedProductsAbility=Activate kits (virtual products)
+AssociatedProductsAbility=Enable Kits (set of other products)
+VariantsAbility=Enable Variants (variations of products, for example color, size)
AssociatedProducts=Kits
AssociatedProductsNumber=Number of products composing this kit
ParentProductsNumber=Number of parent packaging product
@@ -167,8 +168,10 @@ BuyingPrices=Buying prices
CustomerPrices=Customer prices
SuppliersPrices=Vendor prices
SuppliersPricesOfProductsOrServices=Vendor prices (of products or services)
-CustomCode=Customs / Commodity / HS code
+CustomCode=Customs|Commodity|HS code
CountryOrigin=Origin country
+RegionStateOrigin=Region origin
+StateOrigin=State|Province origin
Nature=Nature of product (material/finished)
NatureOfProductShort=Nature of product
NatureOfProductDesc=Raw material or finished product
@@ -239,7 +242,7 @@ AlwaysUseFixedPrice=Use the fixed price
PriceByQuantity=Different prices by quantity
DisablePriceByQty=Disable prices by quantity
PriceByQuantityRange=Quantity range
-MultipriceRules=Price segment rules
+MultipriceRules=Automatic prices for segment
UseMultipriceRules=Use price segment rules (defined into product module setup) to auto calculate prices of all other segments according to first segment
PercentVariationOver=%% variation over %s
PercentDiscountOver=%% discount over %s
diff --git a/htdocs/langs/az_AZ/recruitment.lang b/htdocs/langs/az_AZ/recruitment.lang
index b775e78552e..437445f25dc 100644
--- a/htdocs/langs/az_AZ/recruitment.lang
+++ b/htdocs/langs/az_AZ/recruitment.lang
@@ -73,3 +73,4 @@ JobClosedTextCandidateFound=The job position is closed. The position has been fi
JobClosedTextCanceled=The job position is closed.
ExtrafieldsJobPosition=Complementary attributes (job positions)
ExtrafieldsCandidatures=Complementary attributes (job applications)
+MakeOffer=Make an offer
diff --git a/htdocs/langs/az_AZ/sendings.lang b/htdocs/langs/az_AZ/sendings.lang
index 5ce3b7f67e9..73bd9aebd42 100644
--- a/htdocs/langs/az_AZ/sendings.lang
+++ b/htdocs/langs/az_AZ/sendings.lang
@@ -30,6 +30,7 @@ OtherSendingsForSameOrder=Other shipments for this order
SendingsAndReceivingForSameOrder=Shipments and receipts for this order
SendingsToValidate=Shipments to validate
StatusSendingCanceled=Canceled
+StatusSendingCanceledShort=Canceled
StatusSendingDraft=Draft
StatusSendingValidated=Validated (products to ship or already shipped)
StatusSendingProcessed=Processed
@@ -65,6 +66,7 @@ ValidateOrderFirstBeforeShipment=You must first validate the order before being
# Sending methods
# ModelDocument
DocumentModelTyphon=More complete document model for delivery receipts (logo...)
+DocumentModelStorm=More complete document model for delivery receipts and extrafields compatibility (logo...)
Error_EXPEDITION_ADDON_NUMBER_NotDefined=Constant EXPEDITION_ADDON_NUMBER not defined
SumOfProductVolumes=Sum of product volumes
SumOfProductWeights=Sum of product weights
diff --git a/htdocs/langs/az_AZ/stocks.lang b/htdocs/langs/az_AZ/stocks.lang
index 660443bcded..6cf089096dd 100644
--- a/htdocs/langs/az_AZ/stocks.lang
+++ b/htdocs/langs/az_AZ/stocks.lang
@@ -240,3 +240,4 @@ InventoryRealQtyHelp=Set value to 0 to reset qty Keep field empty, or remove
UpdateByScaning=Update by scaning
UpdateByScaningProductBarcode=Update by scan (product barcode)
UpdateByScaningLot=Update by scan (lot|serial barcode)
+DisableStockChangeOfSubProduct=Deactivate the stock change for all the subproducts of this Kit during this movement.
diff --git a/htdocs/langs/az_AZ/ticket.lang b/htdocs/langs/az_AZ/ticket.lang
index 59519282c80..982fff90ffa 100644
--- a/htdocs/langs/az_AZ/ticket.lang
+++ b/htdocs/langs/az_AZ/ticket.lang
@@ -31,10 +31,8 @@ TicketDictType=Ticket - Types
TicketDictCategory=Ticket - Groupes
TicketDictSeverity=Ticket - Severities
TicketDictResolution=Ticket - Resolution
-TicketTypeShortBUGSOFT=Dysfonctionnement logiciel
-TicketTypeShortBUGHARD=Dysfonctionnement matériel
-TicketTypeShortCOM=Commercial question
+TicketTypeShortCOM=Commercial question
TicketTypeShortHELP=Request for functionnal help
TicketTypeShortISSUE=Issue, bug or problem
TicketTypeShortREQUEST=Change or enhancement request
@@ -44,7 +42,7 @@ TicketTypeShortOTHER=Other
TicketSeverityShortLOW=Low
TicketSeverityShortNORMAL=Normal
TicketSeverityShortHIGH=High
-TicketSeverityShortBLOCKING=Critical/Blocking
+TicketSeverityShortBLOCKING=Critical, Blocking
ErrorBadEmailAddress=Field '%s' incorrect
MenuTicketMyAssign=My tickets
@@ -60,7 +58,6 @@ OriginEmail=Email source
Notify_TICKET_SENTBYMAIL=Send ticket message by email
# Status
-NotRead=Not read
Read=Read
Assigned=Assigned
InProgress=In progress
@@ -126,6 +123,7 @@ TicketsActivatePublicInterfaceHelp=Public interface allow any visitors to create
TicketsAutoAssignTicket=Automatically assign the user who created the ticket
TicketsAutoAssignTicketHelp=When creating a ticket, the user can be automatically assigned to the ticket.
TicketNumberingModules=Tickets numbering module
+TicketsModelModule=Document templates for tickets
TicketNotifyTiersAtCreation=Notify third party at creation
TicketsDisableCustomerEmail=Always disable emails when a ticket is created from public interface
TicketsPublicNotificationNewMessage=Send email(s) when a new message is added
@@ -233,7 +231,6 @@ TicketLogStatusChanged=Status changed: %s to %s
TicketNotNotifyTiersAtCreate=Not notify company at create
Unread=Unread
TicketNotCreatedFromPublicInterface=Not available. Ticket was not created from public interface.
-PublicInterfaceNotEnabled=Public interface was not enabled
ErrorTicketRefRequired=Ticket reference name is required
#
diff --git a/htdocs/langs/az_AZ/website.lang b/htdocs/langs/az_AZ/website.lang
index 03e042e4be6..f17def114b8 100644
--- a/htdocs/langs/az_AZ/website.lang
+++ b/htdocs/langs/az_AZ/website.lang
@@ -30,7 +30,6 @@ EditInLine=Edit inline
AddWebsite=Add website
Webpage=Web page/container
AddPage=Add page/container
-HomePage=Home Page
PageContainer=Page
PreviewOfSiteNotYetAvailable=Preview of your website %s not yet available. You must first 'Import a full website template' or just 'Add a page/container'.
RequestedPageHasNoContentYet=Requested page with id %s has no content yet, or cache file .tpl.php was removed. Edit content of the page to solve this.
@@ -101,7 +100,7 @@ EmptyPage=Empty page
ExternalURLMustStartWithHttp=External URL must start with http:// or https://
ZipOfWebsitePackageToImport=Upload the Zip file of the website template package
ZipOfWebsitePackageToLoad=or Choose an available embedded website template package
-ShowSubcontainers=Include dynamic content
+ShowSubcontainers=Show dynamic content
InternalURLOfPage=Internal URL of page
ThisPageIsTranslationOf=This page/container is a translation of
ThisPageHasTranslationPages=This page/container has translation
@@ -137,3 +136,4 @@ RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using
PagesRegenerated=%s page(s)/container(s) regenerated
RegenerateWebsiteContent=Regenerate web site cache files
AllowedInFrames=Allowed in Frames
+DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languages into web site properties.
diff --git a/htdocs/langs/az_AZ/withdrawals.lang b/htdocs/langs/az_AZ/withdrawals.lang
index 114a8d9dd6c..e3bec6f9cb8 100644
--- a/htdocs/langs/az_AZ/withdrawals.lang
+++ b/htdocs/langs/az_AZ/withdrawals.lang
@@ -42,6 +42,7 @@ LastWithdrawalReceipt=Latest %s direct debit receipts
MakeWithdrawRequest=Make a direct debit payment request
MakeBankTransferOrder=Make a credit transfer request
WithdrawRequestsDone=%s direct debit payment requests recorded
+BankTransferRequestsDone=%s credit transfer requests recorded
ThirdPartyBankCode=Third-party bank code
NoInvoiceCouldBeWithdrawed=No invoice debited successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s.
ClassCredited=Classify credited
@@ -131,7 +132,8 @@ SEPARCUR=SEPA CUR
SEPAFRST=SEPA FRST
ExecutionDate=Execution date
CreateForSepa=Create direct debit file
-ICS=Creditor Identifier CI
+ICS=Creditor Identifier CI for direct debit
+ICSTransfer=Creditor Identifier CI for bank transfer
END_TO_END="EndToEndId" SEPA XML tag - Unique id assigned per transaction
USTRD="Unstructured" SEPA XML tag
ADDDAYS=Add days to Execution Date
@@ -146,3 +148,4 @@ InfoRejectSubject=Direct debit payment order refused
InfoRejectMessage=Hello,
the direct debit payment order of invoice %s related to the company %s, with an amount of %s has been refused by the bank.
-- %s
ModeWarning=Option for real mode was not set, we stop after this simulation
ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know wich one to use.
+ErrorICSmissing=Missing ICS in Bank account %s
diff --git a/htdocs/langs/bg_BG/accountancy.lang b/htdocs/langs/bg_BG/accountancy.lang
index 89ff86ac06d..19fcab09bc9 100644
--- a/htdocs/langs/bg_BG/accountancy.lang
+++ b/htdocs/langs/bg_BG/accountancy.lang
@@ -48,6 +48,7 @@ CountriesExceptMe=Всички държави с изключение на %s
AccountantFiles=Export source documents
ExportAccountingSourceDocHelp=With this tool, you can export the source events (list and PDFs) that were used to generate your accountancy. To export your journals, use the menu entry %s - %s.
VueByAccountAccounting=View by accounting account
+VueBySubAccountAccounting=View by accounting subaccount
MainAccountForCustomersNotDefined=Основна счетоводна сметка за клиенти, която не е дефинирана в настройката
MainAccountForSuppliersNotDefined=Основна счетоводна сметка за доставчици, която не е дефинирана в настройката
@@ -144,7 +145,7 @@ NotVentilatedinAccount=Не е свързан със счетоводната с
XLineSuccessfullyBinded=%s продукти / услуги успешно са свързани към счетоводна сметка
XLineFailedToBeBinded=%s продукти / услуги, които не са свързани с нито една счетоводна сметка
-ACCOUNTING_LIMIT_LIST_VENTILATION=Брой елементи за свързване, показани на страница (препоръчително: 50)
+ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50)
ACCOUNTING_LIST_SORT_VENTILATION_TODO=Започнете сортирането на страницата „За свързване“, използвайки най-новите елементи
ACCOUNTING_LIST_SORT_VENTILATION_DONE=Започнете сортирането на страницата „Извършено свързване“, използвайки най-новите елементи
@@ -198,7 +199,8 @@ Docdate=Дата
Docref=Референция
LabelAccount=Име на сметка
LabelOperation=Име на операция
-Sens=Значение
+Sens=Direction
+AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received For an accounting account of a supplier, use Debit to record a payment you make
LetteringCode=Буквен код
Lettering=Означение
Codejournal=Журнал
@@ -206,7 +208,8 @@ JournalLabel=Име на журнал
NumPiece=Пореден номер
TransactionNumShort=Транзакция №
AccountingCategory=Персонализирани групи
-GroupByAccountAccounting=Групиране по счетоводна сметка
+GroupByAccountAccounting=Group by general ledger account
+GroupBySubAccountAccounting=Group by subledger account
AccountingAccountGroupsDesc=Тук може да определите някои групи счетоводни сметки. Те ще бъдат използвани за персонализирани счетоводни отчети.
ByAccounts=По сметки
ByPredefinedAccountGroups=По предварително определени групи
@@ -248,7 +251,7 @@ PaymentsNotLinkedToProduct=Плащането не е свързано с нит
OpeningBalance=Начално салдо
ShowOpeningBalance=Показване на баланс при откриване
HideOpeningBalance=Скриване на баланс при откриване
-ShowSubtotalByGroup=Показване на междинна сума по групи
+ShowSubtotalByGroup=Show subtotal by level
Pcgtype=Група от сметки
PcgtypeDesc=Групата от сметки се използва като предварително зададен критерий за филтриране и групиране за някои счетоводни отчети. Например 'Приход' или 'Разход' се използват като групи за счетоводни сметки на продукти за съставяне на отчет за разходи / приходи.
@@ -271,11 +274,13 @@ DescVentilExpenseReport=Преглед на списъка с редове на
DescVentilExpenseReportMore=Ако настроите счетоводна сметка за видовете разходен отчет, то системата ще може да извърши всички свързвания между редовете на разходния отчет и счетоводната сметка във вашия сметкоплан, просто с едно щракване с бутона "%s". Ако сметката не е зададена в речника с таксите или ако все още имате някои редове, които не са свързани с нито една сметка ще трябва да направите ръчно свързване от менюто "%s".
DescVentilDoneExpenseReport=Преглед на списъка с редове на разходни отчети и тяхната счетоводна сметка за такса
+Closure=Annual closure
DescClosure=Преглед на броя движения за месец, които не са валидирани за активните фискални години
OverviewOfMovementsNotValidated=Стъпка 1 / Преглед на движенията, които не са валидирани (необходимо за приключване на фискална година)
+AllMovementsWereRecordedAsValidated=All movements were recorded as validated
+NotAllMovementsCouldBeRecordedAsValidated=Not all movements could be recorded as validated
ValidateMovements=Валидиране на движения
DescValidateMovements=Всякакви промени или изтриване на написаното ще бъдат забранени. Всички записи за изпълнение трябва да бъдат валидирани, в противен случай приключването няма да е възможно.
-SelectMonthAndValidate=Изберете месец и валидирайте движенията
ValidateHistory=Автоматично свързване
AutomaticBindingDone=Автоматичното свързване завърши
@@ -293,6 +298,7 @@ Accounted=Осчетоводено в книгата
NotYetAccounted=Все още не е осчетоводено в книгата
ShowTutorial=Показване на урок
NotReconciled=Не е съгласувано
+WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view
## Admin
BindingOptions=Binding options
@@ -337,6 +343,7 @@ Modelcsv_LDCompta10=Експортиране за LD Compta (v10 и по-нов
Modelcsv_openconcerto=Експортиране за OpenConcerto (Тест)
Modelcsv_configurable=Експортиране в конфигурируем CSV
Modelcsv_FEC=Експортиране за FEC
+Modelcsv_FEC2=Export FEC (With dates generation writing / document reversed)
Modelcsv_Sage50_Swiss=Експортиране за Sage 50 Швейцария
Modelcsv_winfic=Експортиране за Winfic - eWinfic - WinSis Compta
Modelcsv_Gestinumv3=Export for Gestinum (v3)
diff --git a/htdocs/langs/bg_BG/admin.lang b/htdocs/langs/bg_BG/admin.lang
index d40a4f22556..49fa2fa380a 100644
--- a/htdocs/langs/bg_BG/admin.lang
+++ b/htdocs/langs/bg_BG/admin.lang
@@ -56,6 +56,8 @@ GUISetup=Интерфейс
SetupArea=Настройки
UploadNewTemplate=Качване на нов(и) шаблон(и)
FormToTestFileUploadForm=Формуляр за тестване на качването на файлове (според настройката)
+ModuleMustBeEnabled=The module/application %s must be enabled
+ModuleIsEnabled=The module/application %s has been enabled
IfModuleEnabled=Забележка: Ефективно е само ако модула %s е активиран
RemoveLock=Премахнете / преименувайте файла %s, ако съществува, за да разрешите използването на инструмента за инсталиране / актуализиране.
RestoreLock=Възстановете файла %s с права само за четене, за да забраните по-нататъшното използване на инструмента за инсталиране / актуализиране.
@@ -85,7 +87,6 @@ ShowPreview=Показване на преглед
ShowHideDetails=Show-Hide details
PreviewNotAvailable=Прегледът не е налице
ThemeCurrentlyActive=Темата е активна в момента
-CurrentTimeZone=Времева зона на PHP (сървър)
MySQLTimeZone=Времева зона на MySql (база данни)
TZHasNoEffect=Датите се съхраняват и връщат от сървъра на базата данни така, сякаш се съхраняват като подаден низ. Часовата зона има ефект само когато се използва функцията UNIX_TIMESTAMP (която не трябва да се използва от Dolibarr, така че базата данни TZ не трябва да има ефект, дори ако бъде променена след въвеждането на данните).
Space=Пространство
@@ -153,8 +154,8 @@ SystemToolsAreaDesc=Тази секция осигурява администр
Purge=Разчистване
PurgeAreaDesc=Тази страница ви позволява да изтриете всички файлове, генерирани или съхранени от Dolibarr (временни файлове или всички файлове в директорията %s). Използването на тази функция обикновено не е необходимо. Той се предоставя като решение за потребители, чиито Dolibarr се хоства от доставчик, който не предлага разрешения за изтриване на файлове, генерирани от уеб сървъра.
PurgeDeleteLogFile=Изтриване на лог файлове, включително %s генериран от Debug Logs модула (няма риск от загуба на данни)
-PurgeDeleteTemporaryFiles=Изтриване на всички временни файлове (няма риск от загуба на данни). Забележка: Изтриването се извършва, само ако директорията temp е създадена преди 24 часа.
-PurgeDeleteTemporaryFilesShort=Изтриване на временни файлове
+PurgeDeleteTemporaryFiles=Delete all log and temporary files (no risk of losing data). Note: Deletion of temporary files is done only if the temp directory was created more than 24 hours ago.
+PurgeDeleteTemporaryFilesShort=Delete log and temporary files
PurgeDeleteAllFilesInDocumentsDir=Изтриване на всички файлове в директорията: %s. Това ще изтрие всички генерирани документи, свързани с елементи (контрагенти, фактури и т.н.), файлове, качени чрез ECM модула, архиви на базата данни и временни файлове.
PurgeRunNow=Разчисти сега
PurgeNothingToDelete=Няма директория или файлове за изтриване.
@@ -256,6 +257,7 @@ ReferencedPreferredPartners=Предпочитани партньори
OtherResources=Други ресурси
ExternalResources=Външни ресурси
SocialNetworks=Социални мрежи
+SocialNetworkId=Social Network ID
ForDocumentationSeeWiki=За потребителска документация и такава за разработчици (документи, често задавани въпроси,...), погледнете в Dolibarr Wiki: %s
ForAnswersSeeForum=За всякакви други въпроси / помощ може да използвате Dolibarr форума: %s
HelpCenterDesc1=Ресурси за получаване на помощ и поддръжка относно Dolibarr
@@ -375,7 +377,7 @@ ExamplesWithCurrentSetup=Примери с текуща конфигурация
ListOfDirectories=Списък на директории с OpenDocument шаблони
ListOfDirectoriesForModelGenODT=Списък на директории, съдържащи файлове с шаблони във формат OpenDocument.
Попълнете тук пълния път на директориите. Добавете нов ред за всяка директория. За да включите директория на GED модула, добавете тук DOL_DATA_ROOT/ecm/yourdirectoryname.
Файловете в тези директории трябва да завършват на .odt или .ods.
NumberOfModelFilesFound=Брой файлове с шаблони за ODT/ODS, намерени в тези директории
-ExampleOfDirectoriesForModelGen=Примери за синтаксис: C:\\mydir /home/mydir DOL_DATA_ROOT/ecm/ecmdir
+ExampleOfDirectoriesForModelGen=Examples of syntax: c:\\myapp\\mydocumentdir\\mysubdir /home/myapp/mydocumentdir/mysubdir DOL_DATA_ROOT/ecm/ecmdir
FollowingSubstitutionKeysCanBeUsed= За да узнаете как да създадете вашите ODT шаблони за документи преди да ги съхраните в тези директории прочетете Wiki документацията:
FullListOnOnlineDocumentation=http://wiki.dolibarr.org/index.php/Create_an_ODT_document_template
FirstnameNamePosition=Позиция на име / фамилия
@@ -406,7 +408,7 @@ UrlGenerationParameters=Параметри за защитени URL адрес
SecurityTokenIsUnique=Използвайте уникален параметър за защитен ключ за всеки URL адрес
EnterRefToBuildUrl=Въведете референция за обект %s
GetSecuredUrl=Получете изчисления URL адрес
-ButtonHideUnauthorized=Скриване на бутоните за потребители, които не са администратори, вместо показване на сиви бутони.
+ButtonHideUnauthorized=Hide unauthorized action buttons also for internal users (just greyed otherwise)
OldVATRates=Първоначална ставка на ДДС
NewVATRates=Нова ставка на ДДС
PriceBaseTypeToChange=Променяне на цените с базова референтна стойност, определена на
@@ -1689,7 +1691,7 @@ NotTopTreeMenuPersonalized=Персонализирани менюта, коит
NewMenu=Ново меню
MenuHandler=Манипулатор на меню
MenuModule=Модул източник
-HideUnauthorizedMenu= Скриване на неоторизирани (сиви) менюта
+HideUnauthorizedMenu=Hide unauthorized menus also for internal users (just greyed otherwise)
DetailId=Идентификатор на меню
DetailMenuHandler=Манипулатор на меню, в който да се покаже новото меню
DetailMenuModule=Име на модула, ако входните данни на менюто идват от модул
@@ -1983,11 +1985,12 @@ EMailHost=Адрес на IMAP сървър
MailboxSourceDirectory=Директория / Източник в пощенската кутия
MailboxTargetDirectory=Директория / Цел в пощенската кутия
EmailcollectorOperations=Операции за извършване от колекционера
+EmailcollectorOperationsDesc=Operations are executed from top to bottom order
MaxEmailCollectPerCollect=Максимален брой събрани имейли при колекциониране
CollectNow=Колекциониране
ConfirmCloneEmailCollector=Сигурни ли сте, че искате да клонирате имейл колектора %s?
-DateLastCollectResult=Дата на последен опит за колекциониране
-DateLastcollectResultOk=Дата на последно успешно колекциониране
+DateLastCollectResult=Date of latest collect try
+DateLastcollectResultOk=Date of latest collect success
LastResult=Последен резултат
EmailCollectorConfirmCollectTitle=Потвърждение за колекциониране на имейли
EmailCollectorConfirmCollect=Искате ли да стартирате колекционирането на този колекционер?
@@ -2005,7 +2008,7 @@ WithDolTrackingID=Message from a conversation initiated by a first email sent fr
WithoutDolTrackingID=Message from a conversation initiated by a first email NOT sent from Dolibarr
WithDolTrackingIDInMsgId=Message sent from Dolibarr
WithoutDolTrackingIDInMsgId=Message NOT sent from Dolibarr
-CreateCandidature=Create candidature
+CreateCandidature=Create job application
FormatZip=Zip
MainMenuCode=Код на меню (главно меню)
ECMAutoTree=Показване на автоматично ECM дърво
@@ -2083,3 +2086,7 @@ CountryIfSpecificToOneCountry=Country (if specific to a given country)
YouMayFindSecurityAdviceHere=You may find security advisory here
ModuleActivatedMayExposeInformation=This module may expose sensitive data. If you don't need it, disable it.
ModuleActivatedDoNotUseInProduction=A module designed for the development has been enabled. Do not enable it on a production environment.
+CombinationsSeparator=Separator character for product combinations
+SeeLinkToOnlineDocumentation=See link to online documention on top menu for examples
+SHOW_SUBPRODUCT_REF_IN_PDF=If the feature "%s" of module %s is used, show details of subproducts of a kit on PDF.
+AskThisIDToYourBank=Contact your bank to get this ID
diff --git a/htdocs/langs/bg_BG/banks.lang b/htdocs/langs/bg_BG/banks.lang
index 234d788aaa4..8fb17db8823 100644
--- a/htdocs/langs/bg_BG/banks.lang
+++ b/htdocs/langs/bg_BG/banks.lang
@@ -173,8 +173,8 @@ SEPAMandate=SEPA нареждане
YourSEPAMandate=Вашите SEPA нареждания
FindYourSEPAMandate=Това е вашето SEPA нареждане, с което да упълномощите нашата фирма да направи поръчка за директен дебит към вашата банка. Върнете го подписано (сканиран подписан документ) или го изпратете по пощата на
AutoReportLastAccountStatement=Автоматично попълване на полето „номер на банково извлечение“ с последния номер на извлечение, когато правите съгласуване.
-CashControl=Лимит за плащане в брой на ПОС
-NewCashFence=Нов лимит за плащане в брой
+CashControl=POS cash desk control
+NewCashFence=New cash desk closing
BankColorizeMovement=Оцветяване на движения
BankColorizeMovementDesc=Ако тази функция е активирана може да изберете конкретен цвят на фона за дебитни или кредитни движения
BankColorizeMovementName1=Цвят на фона за дебитно движение
diff --git a/htdocs/langs/bg_BG/blockedlog.lang b/htdocs/langs/bg_BG/blockedlog.lang
index 60c5d813935..892210b3ebb 100644
--- a/htdocs/langs/bg_BG/blockedlog.lang
+++ b/htdocs/langs/bg_BG/blockedlog.lang
@@ -35,7 +35,7 @@ logDON_DELETE=Дарението е логически изтрито
logMEMBER_SUBSCRIPTION_CREATE=Членският внос е създаден
logMEMBER_SUBSCRIPTION_MODIFY=Членският внос е променен
logMEMBER_SUBSCRIPTION_DELETE=Членският внос е логически изтрит
-logCASHCONTROL_VALIDATE=Регистриране на финансово престъпление
+logCASHCONTROL_VALIDATE=Cash desk closing recording
BlockedLogBillDownload=Изтегляне на фактура за продажба
BlockedLogBillPreview=Преглед на фактура за продажба
BlockedlogInfoDialog=Подробности в регистъра
diff --git a/htdocs/langs/bg_BG/boxes.lang b/htdocs/langs/bg_BG/boxes.lang
index f360c2f0d01..927ca02c0f9 100644
--- a/htdocs/langs/bg_BG/boxes.lang
+++ b/htdocs/langs/bg_BG/boxes.lang
@@ -46,9 +46,12 @@ BoxTitleLastModifiedDonations=Дарения: %s последно промене
BoxTitleLastModifiedExpenses=Разходни отчети: %s последно променени
BoxTitleLatestModifiedBoms=Спецификации: %s последно променени
BoxTitleLatestModifiedMos=Поръчки за производство: %s последно променени
+BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded
BoxGlobalActivity=Глобална дейност (фактури, предложения, поръчки)
BoxGoodCustomers=Добри клиенти
BoxTitleGoodCustomers=%s Добри клиенти
+BoxScheduledJobs=Планирани задачи
+BoxTitleFunnelOfProspection=Lead funnel
FailedToRefreshDataInfoNotUpToDate=Неуспешно опресняване на RSS поток. Последното успешно опресняване е на дата: %s
LastRefreshDate=Последна дата на опресняване
NoRecordedBookmarks=Не са дефинирани отметки.
@@ -102,5 +105,7 @@ SuspenseAccountNotDefined=Не е дефинирана временна смет
BoxLastCustomerShipments=Последни пратки към клиенти
BoxTitleLastCustomerShipments=Пратки: %s последни към клиенти
NoRecordedShipments=Няма регистрирани пратки към клиенти
+BoxCustomersOutstandingBillReached=Customers with oustanding limit reached
# Pages
AccountancyHome=Счетоводство
+ValidatedProjects=Validated projects
diff --git a/htdocs/langs/bg_BG/cashdesk.lang b/htdocs/langs/bg_BG/cashdesk.lang
index a30ed1b0a22..a7d3530d1e3 100644
--- a/htdocs/langs/bg_BG/cashdesk.lang
+++ b/htdocs/langs/bg_BG/cashdesk.lang
@@ -49,8 +49,8 @@ Footer=Футър
AmountAtEndOfPeriod=Сума в края на периода (ден, месец или година)
TheoricalAmount=Теоретична сума
RealAmount=Реална сума
-CashFence=Cash fence
-CashFenceDone=Парична граница за периода
+CashFence=Cash desk closing
+CashFenceDone=Cash desk closing done for the period
NbOfInvoices=Брой фактури
Paymentnumpad=Тип Pad за въвеждане на плащане
Numberspad=Числов Pad
@@ -99,8 +99,9 @@ CashDeskRefNumberingModules=Numbering module for POS sales
CashDeskGenericMaskCodes6 = {TN} тагът се използва за добавяне на номера на терминала
TakeposGroupSameProduct=Групиране на едни и същи продукти
StartAParallelSale=Стартиране на нова паралелна продажба
-ControlCashOpening=Control cash box at opening POS
-CloseCashFence=Close cash fence
+SaleStartedAt=Sale started at %s
+ControlCashOpening=Control cash popup at opening POS
+CloseCashFence=Close cash desk control
CashReport=Паричен отчет
MainPrinterToUse=Main printer to use
OrderPrinterToUse=Order printer to use
@@ -122,3 +123,4 @@ GiftReceipt=Gift receipt
ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled first
AllowDelayedPayment=Allow delayed payment
PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts
+WeighingScale=Weighing scale
diff --git a/htdocs/langs/bg_BG/categories.lang b/htdocs/langs/bg_BG/categories.lang
index 717f1a5fadd..54c706a7b42 100644
--- a/htdocs/langs/bg_BG/categories.lang
+++ b/htdocs/langs/bg_BG/categories.lang
@@ -19,6 +19,7 @@ ProjectsCategoriesArea=Секция с тагове / категории за п
UsersCategoriesArea=Секция с тагове / категории за потребители
SubCats=Подкатегории
CatList=Списък с тагове / категории
+CatListAll=List of tags/categories (all types)
NewCategory=Нов таг / категория
ModifCat=Променяне на таг / категория
CatCreated=Създаден е таг / категория
@@ -65,16 +66,22 @@ UsersCategoriesShort=Категории потребители
StockCategoriesShort=Тагове / Категории
ThisCategoryHasNoItems=Тази категория не съдържа никакви елементи
CategId=Идентификатор на таг / категория
-CatSupList=Списък на тагове / категории за доставчици
-CatCusList=Списък на тагове / категории за клиенти / потенциални клиенти
+ParentCategory=Parent tag/category
+ParentCategoryLabel=Label of parent tag/category
+CatSupList=List of vendors tags/categories
+CatCusList=List of customers/prospects tags/categories
CatProdList=Списък на тагове / категории за продукти
CatMemberList=Списък на тагове / категории за членове
-CatContactList=Списък на тагове / категории за контакти
-CatSupLinks=Връзки между доставчици и тагове / категории
+CatContactList=List of contacts tags/categories
+CatProjectsList=List of projects tags/categories
+CatUsersList=List of users tags/categories
+CatSupLinks=Links between vendors and tags/categories
CatCusLinks=Връзки между клиенти / потенциални клиенти и тагове / категории
CatContactsLinks=Връзки между контакти / адреси и тагове / категории
CatProdLinks=Връзки между продукти / услуги и тагове / категории
-CatProJectLinks=Връзки между проекти и тагове / категории
+CatMembersLinks=Връзки между членове и етикети/категории
+CatProjectsLinks=Връзки между проекти и тагове / категории
+CatUsersLinks=Links between users and tags/categories
DeleteFromCat=Изтриване от таг / категория
ExtraFieldsCategories=Допълнителни атрибути
CategoriesSetup=Настройка на тагове / категории
diff --git a/htdocs/langs/bg_BG/companies.lang b/htdocs/langs/bg_BG/companies.lang
index 267abddeb98..5acad41ae81 100644
--- a/htdocs/langs/bg_BG/companies.lang
+++ b/htdocs/langs/bg_BG/companies.lang
@@ -358,7 +358,7 @@ VATIntraCheckableOnEUSite=Проверяване на вътрешно-общн
VATIntraManualCheck=Може да проверите също така ръчно в интернет страницата на Европейската Комисия: %s
ErrorVATCheckMS_UNAVAILABLE=Проверка не е възможна. Услугата за проверка не се предоставя от държавата-членка (%s).
NorProspectNorCustomer=Нито потенциален клиент, нито клиент
-JuridicalStatus=Правна форма
+JuridicalStatus=Business entity type
Workforce=Workforce
Staff=Служители
ProspectLevelShort=Потенциал
diff --git a/htdocs/langs/bg_BG/compta.lang b/htdocs/langs/bg_BG/compta.lang
index c9dd8bc51e4..177dc32434a 100644
--- a/htdocs/langs/bg_BG/compta.lang
+++ b/htdocs/langs/bg_BG/compta.lang
@@ -111,7 +111,7 @@ Refund=Възстановяване
SocialContributionsPayments=Плащания на социални / фискални данъци
ShowVatPayment=Показване на плащане на ДДС
TotalToPay=Общо за плащане
-BalanceVisibilityDependsOnSortAndFilters=Балансът е видим в този списък само ако таблицата е сортирана възходящо на %s и филтрирана за 1 банкова сметка
+BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted on %s and filtered on 1 bank account (with no other filters)
CustomerAccountancyCode=Счетоводен код на клиент
SupplierAccountancyCode=Счетоводен код на доставчик
CustomerAccountancyCodeShort=Счет. код на клиент
@@ -140,7 +140,7 @@ ConfirmDeleteSocialContribution=Сигурни ли сте, че искате д
ExportDataset_tax_1=Социални / фискални данъци и плащания
CalcModeVATDebt=Режим %sДДС върху осчетоводени задължения%s
CalcModeVATEngagement=Режим %sДДС върху приходи - разходи%s
-CalcModeDebt=Анализ на регистрирани фактури, включително на неосчетоводени в книгата
+CalcModeDebt=Analysis of known recorded documents even if they are not yet accounted in ledger.
CalcModeEngagement=Анализ на регистрирани плащания, включително на неосчетоводени в книгата
CalcModeBookkeeping=Анализ на данни, регистрирани в таблицата на счетоводната книга.
CalcModeLT1= Режим %sRE върху фактури за продажба - фактури за доставка%s
@@ -154,9 +154,9 @@ AnnualSummaryInputOutputMode=Баланс на приходи и разходи,
AnnualByCompanies=Баланс на приходи и разходи, по предварително определени групи сметки
AnnualByCompaniesDueDebtMode=Баланс на приходи и разходи, по предварително определени групи, режим %sВземания - Дългове%s или казано още Осчетоводяване на вземания.
AnnualByCompaniesInputOutputMode=Баланс на приходи и разходи, по предварително определени групи, режим %sПриходи - Разходи%s или казано още Касова отчетност.
-SeeReportInInputOutputMode=Вижте %sанализа на плащанията%s за изчисляване на действителните плащания, дори и ако те все още не са осчетоводени в книгата.
-SeeReportInDueDebtMode=Вижте %sанализа на фактурите%s за изчисляване, който е базиран на регистираните фактури, дори и ако те все още не са осчетоводени в книгата.
-SeeReportInBookkeepingMode=Вижте %sСчетоводния доклад%s за изчисляване на таблицата в счетоводната книга
+SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation based on recorded payments made even if they are not yet accounted in Ledger
+SeeReportInDueDebtMode=See %sanalysis of recorded documents%s for a calculation based on known recorded documents even if they are not yet accounted in Ledger
+SeeReportInBookkeepingMode=See %sanalysis of bookeeping ledger table%s for a report based on Bookkeeping Ledger table
RulesAmountWithTaxIncluded=- Посочените суми са с включени всички данъци
RulesResultDue=- It includes outstanding invoices, expenses, VAT, donations whether they are paid or not. Is also includes paid salaries. - It is based on the billing date of invoices and on the due date for expenses or tax payments. For salaries defined with Salary module, the value date of payment is used.
RulesResultInOut=- Включва реални плащания по фактури, разходи, ДДС и заплати - Основава се на дата на плащане на фактури, разходи, ДДС и заплати. Дата на дарение за дарения.
@@ -169,12 +169,15 @@ RulesResultBookkeepingPersonalized=Показва запис във вашата
SeePageForSetup=Вижте менюто %s за настройка
DepositsAreNotIncluded=- Не включва фактури за авансови плащания
DepositsAreIncluded=- Включва фактури за авансови плащания
+LT1ReportByMonth=Tax 2 report by month
+LT2ReportByMonth=Tax 3 report by month
LT1ReportByCustomers=Справка за данък 2 по контрагент
LT2ReportByCustomers=Справка за данък 3 по контрагент
LT1ReportByCustomersES=Справка за RE по контрагент
LT2ReportByCustomersES=Справка за IRPF по контрагент
VATReport=Справка за данък върху продажби
VATReportByPeriods=Справка за данък върху продажби по периоди
+VATReportByMonth=Sale tax report by month
VATReportByRates=Справка за данък върху продажби по ставки
VATReportByThirdParties=Справка за данък върху продажби по контрагенти
VATReportByCustomers=Справка за данък върху продажби по клиенти
diff --git a/htdocs/langs/bg_BG/cron.lang b/htdocs/langs/bg_BG/cron.lang
index d762cb8a0ed..91af655214e 100644
--- a/htdocs/langs/bg_BG/cron.lang
+++ b/htdocs/langs/bg_BG/cron.lang
@@ -7,13 +7,14 @@ Permission23103 = Изтриване на планирани задачи
Permission23104 = Стартиране на планирани задачи
# Admin
CronSetup=Настройки за управление на планирани задачи
-URLToLaunchCronJobs=URL адрес за проверка и стартиране на определени cron задачи
-OrToLaunchASpecificJob=Или за проверка и зареждане на специфична задача
+URLToLaunchCronJobs=URL to check and launch qualified cron jobs from a browser
+OrToLaunchASpecificJob=Or to check and launch a specific job from a browser
KeyForCronAccess=Защитен ключ на URL за зареждане на cron задачи
FileToLaunchCronJobs=Команден ред за проверка и стартиране на определени cron задачи
CronExplainHowToRunUnix=В Unix среда би трябвало да използвате следния crontab ред за изпълнение на командния ред на всеки 5 минути
CronExplainHowToRunWin=В среда на Microsoft (tm) Windows можете да използвате инструментите за планирани задачи, за да стартирате командния ред на всеки 5 минути
CronMethodDoesNotExists=Класът %s не съдържа метод %s
+CronMethodNotAllowed=Method %s of class %s is in blacklist of forbidden methods
CronJobDefDesc=Профилите на Cron задачите се дефинират в дескрипторния файл на модула. Когато модулът е активиран, те са заредени и достъпни, така че можете да администрирате задачите от менюто за администриране %s.
CronJobProfiles=Списък на предварително определени профили на cron задачи
# Menu
@@ -46,6 +47,7 @@ CronNbRun=Брой стартирания
CronMaxRun=Максимален брой стартирания
CronEach=Всеки
JobFinished=Задачи заредени и приключили
+Scheduled=Scheduled
#Page card
CronAdd= Добавяне на задачи
CronEvery=Изпълни задачата всеки
@@ -56,7 +58,7 @@ CronNote=Коментар
CronFieldMandatory=Полета %s са задължителни
CronErrEndDateStartDt=Крайната дата не може да бъде преди началната дата
StatusAtInstall=Състояние при инсталиране на модула
-CronStatusActiveBtn=Активиране
+CronStatusActiveBtn=Schedule
CronStatusInactiveBtn=Деактивиране
CronTaskInactive=Тази задача е деактивирана
CronId=Идентификатор
@@ -82,3 +84,8 @@ MakeLocalDatabaseDumpShort=Архивиране на локална база д
MakeLocalDatabaseDump=Създаване на локална база данни. Параметрите са: компресия ('gz' or 'bz' or 'none'), вид архивиране ('mysql', 'pgsql', 'auto'), 1, 'auto' или име на файла за съхранение, брой резервни файлове, които да се запазят
WarningCronDelayed=Внимание, за целите на изпълнението, каквато и да е следващата дата на изпълнение на активирани задачи, вашите задачи могат да бъдат забавени до максимум %s часа, преди да бъдат стартирани.
DATAPOLICYJob=Почистване на данни и анонимност
+JobXMustBeEnabled=Job %s must be enabled
+# Cron Boxes
+LastExecutedScheduledJob=Last executed scheduled job
+NextScheduledJobExecute=Next scheduled job to execute
+NumberScheduledJobError=Number of scheduled jobs in error
diff --git a/htdocs/langs/bg_BG/errors.lang b/htdocs/langs/bg_BG/errors.lang
index 622d5c15041..aea2d732d1c 100644
--- a/htdocs/langs/bg_BG/errors.lang
+++ b/htdocs/langs/bg_BG/errors.lang
@@ -5,8 +5,10 @@ NoErrorCommitIsDone=Няма грешка, но се ангажираме.
# Errors
ErrorButCommitIsDone=Намерени са грешки, но ние валидираме въпреки това.
ErrorBadEMail=Имейл %s е грешен
+ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record)
ErrorBadUrl=URL адрес %s е грешен
ErrorBadValueForParamNotAString=Неправилна стойност за вашия параметър. Обикновено се добавя, когато преводът липсва.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorLoginAlreadyExists=Потребител %s вече съществува.
ErrorGroupAlreadyExists=Група %s вече съществува.
ErrorRecordNotFound=Записът не е намерен.
@@ -48,6 +50,7 @@ ErrorFieldsRequired=Някои задължителни полета не са
ErrorSubjectIsRequired=Необходима е тема на имейл
ErrorFailedToCreateDir=Неуспешно създаване на директория. Уверете се, че уеб сървър потребител има разрешение да пишат в Dolibarr документи. Ако параметър safe_mode е разрешен в тази PHP, проверете дали Dolibarr PHP файлове притежава за потребителя на уеб сървъра (или група).
ErrorNoMailDefinedForThisUser=Няма дефиниран имейл за този потребител
+ErrorSetupOfEmailsNotComplete=Setup of emails is not complete
ErrorFeatureNeedJavascript=Тази функция трябва ДжаваСкрипт да се активира, за да работят. Променете тази настройка - дисплей.
ErrorTopMenuMustHaveAParentWithId0=Меню от тип 'Горно' не може да има главно меню. Поставете 0 за главно меню или изберете меню от тип 'Ляво'.
ErrorLeftMenuMustHaveAParentId=Менюто на "левицата" тип трябва да имат родителски идентификатор.
@@ -75,7 +78,7 @@ ErrorExportDuplicateProfil=Това име на профил вече същес
ErrorLDAPSetupNotComplete=Dolibarr LDAP съвпадение не е пълна.
ErrorLDAPMakeManualTest=. LDIF файл е генериран в директорията %s. Опитайте се да го заредите ръчно от командния ред, за да има повече информация за грешките,.
ErrorCantSaveADoneUserWithZeroPercentage=Не може да се съхрани действие със „състояние не е стартирано“, ако е попълнено и поле „извършено от“.
-ErrorRefAlreadyExists=Ref използван за създаване вече съществува.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorPleaseTypeBankTransactionReportName=Моля, въведете името на банковото извлечение, където трябва да се докладва вписването (формат YYYYMM или YYYYMMDD)
ErrorRecordHasChildren=Изтриването на записа не бе успешно, тъй като има някои наследени записи.
ErrorRecordHasAtLeastOneChildOfType=Обектът има поне един наследен обект от тип %s
@@ -216,7 +219,7 @@ ErrorChooseBetweenFreeEntryOrPredefinedProduct=Трябва да изберет
ErrorDiscountLargerThanRemainToPaySplitItBefore=Отстъпката, която се опитвате да приложите, е по-голяма, отколкото оставащото за плащане. Разделете отстъпката преди това в 2 по-малки отстъпки.
ErrorFileNotFoundWithSharedLink=Файлът не бе намерен. Може да е променен ключът за споделяне или файлът е премахнат наскоро.
ErrorProductBarCodeAlreadyExists=Продуктовият баркод %s вече съществува за друга продуктова референция.
-ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Обърнете внимание също така, че използването на виртуален продукт за автоматично увеличаване/намаляване на подпродукти не е възможно, когато поне един подпродукт (или подпродукт на подпродукти) се нуждае от партиден/сериен номер.
+ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using kits to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number.
ErrorDescRequiredForFreeProductLines=Описанието е задължително за редове със свободни продукти
ErrorAPageWithThisNameOrAliasAlreadyExists=Страницата/контейнера %s има същото име или алтернативен псевдоним, който се опитвате да използвате
ErrorDuringChartLoad=Грешка при зареждане на диаграмата на сметките. Ако някои сметки не са заредени, може да ги въведете ръчно.
@@ -243,6 +246,16 @@ ErrorReplaceStringEmpty=Error, the string to replace into is empty
ErrorProductNeedBatchNumber=Error, product '%s' need a lot/serial number
ErrorProductDoesNotNeedBatchNumber=Error, product '%s' does not accept a lot/serial number
ErrorFailedToReadObject=Error, failed to read object of type %s
+ErrorParameterMustBeEnabledToAllwoThisFeature=Error, parameter %s must be enabled into conf/conf.php to allow use of Command Line Interface by the internal job scheduler
+ErrorLoginDateValidity=Error, this login is outside the validity date range
+ErrorValueLength=Length of field '%s' must be higher than '%s'
+ErrorReservedKeyword=The word '%s' is a reserved keyword
+ErrorNotAvailableWithThisDistribution=Not available with this distribution
+ErrorPublicInterfaceNotEnabled=Публичният интерфейс не е активиран
+ErrorLanguageRequiredIfPageIsTranslationOfAnother=The language of new page must be defined if it is set as a translation of another page
+ErrorLanguageMustNotBeSourceLanguageIfPageIsTranslationOfAnother=The language of new page must not be the source language if it is set as a translation of another page
+ErrorAParameterIsRequiredForThisOperation=A parameter is mandatory for this operation
+
# Warnings
WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Вашата стойност на PHP параметър upload_max_filesize (%s) е по-голяма от стойността на PHP параметър post_max_size (%s). Това не е последователна настройка.
WarningPasswordSetWithNoAccount=За този член бе зададена парола. Въпреки това, не е създаден потребителски акаунт. Така че тази парола е съхранена, но не може да се използва за влизане в Dolibarr. Може да се използва от външен модул/интерфейс, но ако не е необходимо да дефинирате потребителско име или парола за член може да деактивирате опцията "Управление на вход за всеки член" от настройката на модула Членове. Ако трябва да управлявате вход, но не се нуждаете от парола, можете да запазите това поле празно, за да избегнете това предупреждение. Забележка: Имейлът може да се използва и като вход, ако членът е свързан с потребител.
@@ -267,6 +280,10 @@ WarningYourLoginWasModifiedPleaseLogin=Входните ви данни са п
WarningAnEntryAlreadyExistForTransKey=Вече съществува запис за ключа за превод за този език
WarningNumberOfRecipientIsRestrictedInMassAction=Внимание, броят на различните получатели е ограничен до %s, когато се използват масови действия в списъците
WarningDateOfLineMustBeInExpenseReportRange=Внимание, датата на реда не е в обхвата на разходния отчет
+WarningProjectDraft=Project is still in draft mode. Don't forget to validate it if you plan to use tasks.
WarningProjectClosed=Проектът е приключен. Трябва първо да го активирате отново.
WarningSomeBankTransactionByChequeWereRemovedAfter=Някои банкови транзакции бяха премахнати, след което бе генерирана разписка, в която са включени. Броят на чековете и общата сума на разписката може да се различават от броя и общата сума в списъка.
-WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table
+WarningFailedToAddFileIntoDatabaseIndex=Warning, failed to add file entry into ECM database index table
+WarningTheHiddenOptionIsOn=Warning, the hidden option %s is on.
+WarningCreateSubAccounts=Warning, you can't create directly a sub account, you must create a third party or an user and assign them an accounting code to find them in this list
+WarningAvailableOnlyForHTTPSServers=Available only if using HTTPS secured connection.
diff --git a/htdocs/langs/bg_BG/exports.lang b/htdocs/langs/bg_BG/exports.lang
index f54b6ab17aa..f371671587f 100644
--- a/htdocs/langs/bg_BG/exports.lang
+++ b/htdocs/langs/bg_BG/exports.lang
@@ -133,3 +133,4 @@ KeysToUseForUpdates=Ключ (колона), който да се използв
NbInsert=Брой вмъкнати редове: %s
NbUpdate=Брой актуализирани редове: %s
MultipleRecordFoundWithTheseFilters=Намерени са няколко записа с тези филтри: %s
+StocksWithBatch=Stocks and location (warehouse) of products with batch/serial number
diff --git a/htdocs/langs/bg_BG/mails.lang b/htdocs/langs/bg_BG/mails.lang
index 998b2de9d97..cbadb96be42 100644
--- a/htdocs/langs/bg_BG/mails.lang
+++ b/htdocs/langs/bg_BG/mails.lang
@@ -92,6 +92,7 @@ MailingModuleDescEmailsFromUser=Имейли, въведени от потреб
MailingModuleDescDolibarrUsers=Потребители с имейли
MailingModuleDescThirdPartiesByCategories=Контрагенти (с категории)
SendingFromWebInterfaceIsNotAllowed=Изпращането от уеб интерфейса не е позволено.
+EmailCollectorFilterDesc=All filters must match to have an email being collected
# Libelle des modules de liste de destinataires mailing
LineInFile=Ред %s във файл
@@ -125,12 +126,13 @@ TagMailtoEmail=Емейл на получателя (включително HTML
NoEmailSentBadSenderOrRecipientEmail=Няма изпратени имейли. Неправилен имейл на подателя или получателя. Проверете потребителския профил.
# Module Notifications
Notifications=Известия
-NoNotificationsWillBeSent=За това събитие и този контрагент не са планирани известия по имейл
-ANotificationsWillBeSent=1 известие ще бъде изпратено по имейл
-SomeNotificationsWillBeSent=%s известия ще бъдат изпратени по имейл
-AddNewNotification=Активиране на ново имейл известяване за цел / събитие
-ListOfActiveNotifications=Списък на всички активни имейл известия за цели/събития
-ListOfNotificationsDone=Списък на всички изпратени имейл известия
+NotificationsAuto=Notifications Auto.
+NoNotificationsWillBeSent=No automatic email notifications are planned for this event type and company
+ANotificationsWillBeSent=1 automatic notification will be sent by email
+SomeNotificationsWillBeSent=%s automatic notifications will be sent by email
+AddNewNotification=Subscribe to a new automatic email notification (target/event)
+ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification
+ListOfNotificationsDone=List all automatic email notifications sent
MailSendSetupIs=Конфигурацията за изпращане на имейл е настроена на '%s'. Този режим не може да се използва за изпращане на масови имейли.
MailSendSetupIs2=Трябва първо да отидете с администраторски акаунт в меню %sНачало - Настройка - Имейли%s и да промените параметър '%s', за да използвате режим '%s'. С този режим може да въведете настройки за SMTP сървъра, предоставен от вашия доставчик на интернет услуги и да използвате функцията за изпращане на масови имейли.
MailSendSetupIs3=Ако имате някакви въпроси как да настроите вашия SMTP сървър, може да се обърнете към %s.
@@ -140,7 +142,7 @@ UseFormatFileEmailToTarget=Импортираният файл трябва да
UseFormatInputEmailToTarget=Въведете низ с формат имейл;фамилия;име;друго
MailAdvTargetRecipients=Получатели (разширен избор)
AdvTgtTitle=Попълнете полетата за въвеждане, за да посочите предварително избраните контрагенти или контакти/адреси
-AdvTgtSearchTextHelp=Използвайте %% като заместващи символи. Например, за да намерите всички елементи като jean, joe, jim, може да въведете j%% или да използвате ; като разделител за стойност, а ! за изключване на стойност. Например jean;joe;jim%%;!jimo;!jima% ще се цели всички jean, joe, започващи с jim, но не с jimo и всичко останало, което започва с jima
+AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima%% will target all jean, joe, start with jim but not jimo and not everything that starts with jima
AdvTgtSearchIntHelp=Използвайте интервал, за да изберете целочислена или десетична стойност
AdvTgtMinVal=Минимална стойност
AdvTgtMaxVal=Максимална стойност
@@ -162,13 +164,14 @@ AdvTgtCreateFilter=Създаване на филтър
AdvTgtOrCreateNewFilter=Име на новия филтър
NoContactWithCategoryFound=Няма намерен контакт/адрес с тази категория
NoContactLinkedToThirdpartieWithCategoryFound=Няма намерен контакт/адрес с тази категория
-OutGoingEmailSetup=Настройка на изходяща електронна поща
-InGoingEmailSetup=Настройка на входящата поща
-OutGoingEmailSetupForEmailing=Настройка на изходяща електронна поща (за модул %s)
-DefaultOutgoingEmailSetup=Настройка на изходящата поща по подразбиране
+OutGoingEmailSetup=Outgoing emails
+InGoingEmailSetup=Incoming emails
+OutGoingEmailSetupForEmailing=Outgoing emails (for module %s)
+DefaultOutgoingEmailSetup=Same configuration than the global Outgoing email setup
Information=Информация
ContactsWithThirdpartyFilter=Контакти с филтър за контрагент
Unanswered=Unanswered
Answered=Отговорен
IsNotAnAnswer=Is not answer (initial email)
IsAnAnswer=Is an answer of an initial email
+RecordCreatedByEmailCollector=Record created by the Email Collector %s from email %s
diff --git a/htdocs/langs/bg_BG/main.lang b/htdocs/langs/bg_BG/main.lang
index 335801537fa..b54d46a8d73 100644
--- a/htdocs/langs/bg_BG/main.lang
+++ b/htdocs/langs/bg_BG/main.lang
@@ -28,7 +28,9 @@ NoTemplateDefined=Няма наличен шаблон за този тип им
AvailableVariables=Налични променливи за заместване
NoTranslation=Няма превод
Translation=Превод
+CurrentTimeZone=Времева зона на PHP (сървър)
EmptySearchString=Въведете критерии за търсене
+EnterADateCriteria=Enter a date criteria
NoRecordFound=Няма намерен запис
NoRecordDeleted=Няма изтрит запис
NotEnoughDataYet=Няма достатъчно данни
@@ -85,6 +87,8 @@ FileWasNotUploaded=Избран е файл за прикачване, но вс
NbOfEntries=Брой вписвания
GoToWikiHelpPage=Прочетете онлайн помощта (необходим е достъп до интернет)
GoToHelpPage=Прочетете помощната информация
+DedicatedPageAvailable=There is a dedicated help page related to your current screen
+HomePage=Начална страница
RecordSaved=Записът е съхранен
RecordDeleted=Записът е изтрит
RecordGenerated=Записът е генериран
@@ -433,6 +437,7 @@ RemainToPay=Оставащо за плащане
Module=Модул / Приложение
Modules=Модули / Приложения
Option=Опция
+Filters=Filters
List=Списък
FullList=Пълен списък
FullConversation=Пълен списък със съобщения
@@ -671,7 +676,7 @@ SendMail=Изпращане на имейл
Email=Имейл
NoEMail=Няма имейл
AlreadyRead=Вече е прочетено
-NotRead=Непрочетено
+NotRead=Непрочетен
NoMobilePhone=Няма мобилен телефон
Owner=Собственик
FollowingConstantsWillBeSubstituted=Следните константи ще бъдат заменени със съответната стойност:
@@ -1107,3 +1112,8 @@ UpToDate=Up-to-date
OutOfDate=Out-of-date
EventReminder=Event Reminder
UpdateForAllLines=Update for all lines
+OnHold=На изчакване
+AffectTag=Affect Tag
+ConfirmAffectTag=Bulk Tag Affect
+ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected record(s)?
+CategTypeNotFound=No tag type found for type of records
diff --git a/htdocs/langs/bg_BG/modulebuilder.lang b/htdocs/langs/bg_BG/modulebuilder.lang
index 214ce4293d0..eb76c35f976 100644
--- a/htdocs/langs/bg_BG/modulebuilder.lang
+++ b/htdocs/langs/bg_BG/modulebuilder.lang
@@ -40,6 +40,7 @@ PageForCreateEditView=PHP страница за създаване / проме
PageForAgendaTab=PHP страница за раздел със събития
PageForDocumentTab=PHP страница за раздел с документация
PageForNoteTab=PHP страница за раздел с бележки
+PageForContactTab=PHP page for contact tab
PathToModulePackage=Път до zip пакет на модул / приложение
PathToModuleDocumentation=Път до файл с документация на модул / приложение (%s)
SpaceOrSpecialCharAreNotAllowed=Интервали или специални символи не са разрешени.
@@ -77,7 +78,7 @@ IsAMeasure=Измерва се
DirScanned=Сканирани директории
NoTrigger=Няма тригер
NoWidget=Няма джаджа
-GoToApiExplorer=Отидете в API Explorer
+GoToApiExplorer=API explorer
ListOfMenusEntries=Списък на записи в меню
ListOfDictionariesEntries=Списък на записи в речници
ListOfPermissionsDefined=Списък на дефинирани права
@@ -105,7 +106,7 @@ TryToUseTheModuleBuilder=Ако имате познания за SQL и PHP мо
SeeTopRightMenu=Вижте в десния край на горното меню
AddLanguageFile=Добавяне на езиков файл
YouCanUseTranslationKey=Може да използвате тук ключ, който е ключ за превод от езиков файл (вижте раздел 'Езици').
-DropTableIfEmpty=(Изтриване на таблица, ако е празна)
+DropTableIfEmpty=(Destroy table if empty)
TableDoesNotExists=Таблицата %s не съществува
TableDropped=Таблица %s е изтрита
InitStructureFromExistingTable=Създаване на низова структура в масив на съществуваща таблица
@@ -126,7 +127,6 @@ UseSpecificEditorURL = Използване на конкретен URL адре
UseSpecificFamily = Използване на конкретна фамилия
UseSpecificAuthor = Използване на конкретен автор
UseSpecificVersion = Използване на конкретна първоначална версия
-ModuleMustBeEnabled=Първо трябва да бъде активиран модулът / приложението
IncludeRefGeneration=Референцията на обекта трябва да се генерира автоматично
IncludeRefGenerationHelp=Маркирайте това, ако искате да включите код за управление на автоматичното генериране на референция.
IncludeDocGeneration=Искам да генерирам някои документи от обекта
@@ -140,3 +140,4 @@ TypeOfFieldsHelp=Тип на полета: varchar(99), double(24,8), real, t
AsciiToHtmlConverter=Ascii към HTML конвертор
AsciiToPdfConverter=Ascii към PDF конвертор
TableNotEmptyDropCanceled=Table not empty. Drop has been canceled.
+ModuleBuilderNotAllowed=The module builder is available but not allowed to your user.
diff --git a/htdocs/langs/bg_BG/other.lang b/htdocs/langs/bg_BG/other.lang
index b256d336fd7..82bb5cecad3 100644
--- a/htdocs/langs/bg_BG/other.lang
+++ b/htdocs/langs/bg_BG/other.lang
@@ -5,8 +5,6 @@ Tools=Инструменти
TMenuTools=Инструменти
ToolsDesc=Всички инструменти, които не са включени в другите менюта, са групирани тук. Всички инструменти са достъпни, чрез лявото меню.
Birthday=Рожден ден
-BirthdayDate=Рождена дата
-DateToBirth=Рождена дата
BirthdayAlertOn=сигнал за рожден ден активен
BirthdayAlertOff=сигнал за рожден ден неактивен
TransKey=Превод на ключа TransKey
@@ -16,6 +14,8 @@ PreviousMonthOfInvoice=Предишен месец (число 1-12) от дат
TextPreviousMonthOfInvoice=Предишен месец (текст) от дата на фактурата
NextMonthOfInvoice=Следващ месец (число 1-12) от дата на фактурата
TextNextMonthOfInvoice=Следващ месец (текст) от дата на фактурата
+PreviousMonth=Previous month
+CurrentMonth=Current month
ZipFileGeneratedInto=Архивния файл е генериран в %s.
DocFileGeneratedInto=Документа е генериран в %s.
JumpToLogin=Връзката е прекъсната. Отидете на страницата за въвеждане на входни данни...
@@ -99,6 +99,7 @@ PredefinedMailContentSendShipping=__(Здравейте)__,\n\nМоля, виж
PredefinedMailContentSendFichInter=__(Здравейте)__,\n\nМоля, вижте приложената интервенция __REF__\n\n\n__(Поздрави)__,\n\n__USER_SIGNATURE__
PredefinedMailContentLink=Може да кликнете върху връзката по-долу, за да направите плащане, в случай, че не сте го извършили.\n\n%s\n\n
PredefinedMailContentGeneric=__(Здравейте)__,\n\n\n__(Поздрави)__,\n\n__USER_SIGNATURE__
+PredefinedMailContentSendActionComm=Event reminder "__EVENT_LABEL__" on __EVENT_DATE__ at __EVENT_TIME__
This is an automatic message, please do not reply.
DemoDesc=Dolibarr е компактна ERP / CRM система, която поддържа различни работни модули. Няма смисъл от демонстрация, показваща всички модули, тъй като такъв сценарий никога не се случва (на разположение са стотици модули). Налични са няколко демо профила.
ChooseYourDemoProfil=Изберете демо профила, който най-добре отговаря на вашите нужди...
ChooseYourDemoProfilMore=...или създайте свой собствен профил (свободен избор на модули)
@@ -258,6 +259,7 @@ ContactCreatedByEmailCollector=Контактът / адресът е създа
ProjectCreatedByEmailCollector=Проектът е създаден, чрез имейл колектор от имейл MSGID %s
TicketCreatedByEmailCollector=Тикетът е създаден, чрез имейл колектор от имейл MSGID %s
OpeningHoursFormatDesc=Използвайте средно тире '-' за разделяне на часовете на отваряне и затваряне. Използвайте интервал, за да въведете различни диапазони. Пример: 8-12 14-18
+PrefixSession=Prefix for session ID
##### Export #####
ExportsArea=Секция с експортирания
diff --git a/htdocs/langs/bg_BG/products.lang b/htdocs/langs/bg_BG/products.lang
index 02ca66e192d..70ada1c9db0 100644
--- a/htdocs/langs/bg_BG/products.lang
+++ b/htdocs/langs/bg_BG/products.lang
@@ -108,7 +108,8 @@ FillWithLastServiceDates=Fill with last service line dates
MultiPricesAbility=Множество ценови сегменти за продукт / услуга (всеки клиент е в един ценови сегмент)
MultiPricesNumPrices=Брой цени
DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices
-AssociatedProductsAbility=Activate kits (virtual products)
+AssociatedProductsAbility=Enable Kits (set of other products)
+VariantsAbility=Enable Variants (variations of products, for example color, size)
AssociatedProducts=Kits
AssociatedProductsNumber=Number of products composing this kit
ParentProductsNumber=Брой основни опаковащи продукти
@@ -167,8 +168,10 @@ BuyingPrices=Покупни цени
CustomerPrices=Клиентски цени
SuppliersPrices=Доставни цени
SuppliersPricesOfProductsOrServices=Доставни цени (на продукти / услуги)
-CustomCode=Митнически / Стоков / ХС код
+CustomCode=Customs|Commodity|HS code
CountryOrigin=Държава на произход
+RegionStateOrigin=Region origin
+StateOrigin=State|Province origin
Nature=Произход на продукта (суровина / произведен)
NatureOfProductShort=Nature of product
NatureOfProductDesc=Raw material or finished product
@@ -239,7 +242,7 @@ AlwaysUseFixedPrice=Използване на фиксирана цена
PriceByQuantity=Различни цени за количество
DisablePriceByQty=Деактивиране на цени за количество
PriceByQuantityRange=Количествен диапазон
-MultipriceRules=Правила за ценови сегмент
+MultipriceRules=Automatic prices for segment
UseMultipriceRules=Използване на правила за ценови сегмент (дефинирани в настройката на модула 'Продукти"), за да се изчисляват автоматично цените за всички други сегменти според първия сегмент
PercentVariationOver=%% вариация над %s
PercentDiscountOver=%% отстъпка над %s
diff --git a/htdocs/langs/bg_BG/recruitment.lang b/htdocs/langs/bg_BG/recruitment.lang
index 2dfffcd1215..14eeb3f6dda 100644
--- a/htdocs/langs/bg_BG/recruitment.lang
+++ b/htdocs/langs/bg_BG/recruitment.lang
@@ -73,3 +73,4 @@ JobClosedTextCandidateFound=The job position is closed. The position has been fi
JobClosedTextCanceled=The job position is closed.
ExtrafieldsJobPosition=Complementary attributes (job positions)
ExtrafieldsCandidatures=Complementary attributes (job applications)
+MakeOffer=Make an offer
diff --git a/htdocs/langs/bg_BG/sendings.lang b/htdocs/langs/bg_BG/sendings.lang
index 0a41c54d2d7..cf1a6ec0ef6 100644
--- a/htdocs/langs/bg_BG/sendings.lang
+++ b/htdocs/langs/bg_BG/sendings.lang
@@ -30,6 +30,7 @@ OtherSendingsForSameOrder=Други пратки за тази поръчка
SendingsAndReceivingForSameOrder=Пратки и разписки за тази поръчка
SendingsToValidate=Пратки за валидиране
StatusSendingCanceled=Анулирана
+StatusSendingCanceledShort=Анулирана
StatusSendingDraft=Чернова
StatusSendingValidated=Валидирана (продукти за изпращане или вече изпратени)
StatusSendingProcessed=Обработена
@@ -65,6 +66,7 @@ ValidateOrderFirstBeforeShipment=Първо трябва да валидират
# Sending methods
# ModelDocument
DocumentModelTyphon=Шаблон на разписка за доставка (лого, ...)
+DocumentModelStorm=More complete document model for delivery receipts and extrafields compatibility (logo...)
Error_EXPEDITION_ADDON_NUMBER_NotDefined=Константата EXPEDITION_ADDON_NUMBER не е дефинирана
SumOfProductVolumes=Общ обем на продуктите
SumOfProductWeights=Общо тегло на продуктите
diff --git a/htdocs/langs/bg_BG/stocks.lang b/htdocs/langs/bg_BG/stocks.lang
index a2a308ad231..5475fd6afe5 100644
--- a/htdocs/langs/bg_BG/stocks.lang
+++ b/htdocs/langs/bg_BG/stocks.lang
@@ -240,3 +240,4 @@ InventoryRealQtyHelp=Set value to 0 to reset qty Keep field empty, or remove
UpdateByScaning=Update by scaning
UpdateByScaningProductBarcode=Update by scan (product barcode)
UpdateByScaningLot=Update by scan (lot|serial barcode)
+DisableStockChangeOfSubProduct=Deactivate the stock change for all the subproducts of this Kit during this movement.
diff --git a/htdocs/langs/bg_BG/ticket.lang b/htdocs/langs/bg_BG/ticket.lang
index 196f2f14856..e1801645a17 100644
--- a/htdocs/langs/bg_BG/ticket.lang
+++ b/htdocs/langs/bg_BG/ticket.lang
@@ -31,10 +31,8 @@ TicketDictType=Тикет - Видове
TicketDictCategory=Тикет - Групи
TicketDictSeverity=Тикет - Приоритети
TicketDictResolution=Тикет - Решения
-TicketTypeShortBUGSOFT=Софтуерна неизправност
-TicketTypeShortBUGHARD=Хардуерна неизправност
-TicketTypeShortCOM=Търговски въпрос
+TicketTypeShortCOM=Търговски въпрос
TicketTypeShortHELP=Молба за асистенция
TicketTypeShortISSUE=Въпрос, грешка или проблем
TicketTypeShortREQUEST=Заявка за подобрение
@@ -44,7 +42,7 @@ TicketTypeShortOTHER=Друго
TicketSeverityShortLOW=Нисък
TicketSeverityShortNORMAL=Нормален
TicketSeverityShortHIGH=Висок
-TicketSeverityShortBLOCKING=Критичен
+TicketSeverityShortBLOCKING=Critical, Blocking
ErrorBadEmailAddress=Полето "%s" е неправилно
MenuTicketMyAssign=Мои тикети
@@ -60,7 +58,6 @@ OriginEmail=Имейл източник
Notify_TICKET_SENTBYMAIL=Изпращане на тикет съобщението по имейл
# Status
-NotRead=Непрочетен
Read=Прочетен
Assigned=Възложен
InProgress=В изпълнение
@@ -126,6 +123,7 @@ TicketsActivatePublicInterfaceHelp=Публичният интерфейс по
TicketsAutoAssignTicket=Автоматично възлагане на тикета на потребителя, който го е създал
TicketsAutoAssignTicketHelp=При създаване на тикет, той може автоматично да бъде възложен на потребителя, който го е създал.
TicketNumberingModules=Модул за номериране на тикети
+TicketsModelModule=Document templates for tickets
TicketNotifyTiersAtCreation=Уведомяване на контрагента при създаване
TicketsDisableCustomerEmail=Деактивиране на имейлите, когато тикетът е създаден от публичния интерфейс
TicketsPublicNotificationNewMessage=Send email(s) when a new message is added
@@ -233,7 +231,6 @@ TicketLogStatusChanged=Статусът е променен: от %s на %s
TicketNotNotifyTiersAtCreate=Да не се уведомява фирмата при създаване на тикета
Unread=Непрочетен
TicketNotCreatedFromPublicInterface=Не е налично. Тикетът не беше създаден от публичният интерфейс.
-PublicInterfaceNotEnabled=Публичният интерфейс не е активиран
ErrorTicketRefRequired=Изисква се референтен номер на тикета
#
diff --git a/htdocs/langs/bg_BG/website.lang b/htdocs/langs/bg_BG/website.lang
index 7378ad1189a..1696d94a7ad 100644
--- a/htdocs/langs/bg_BG/website.lang
+++ b/htdocs/langs/bg_BG/website.lang
@@ -30,7 +30,6 @@ EditInLine=Редактиране в движение
AddWebsite=Добавяне на уебсайт
Webpage=Уеб страница / контейнер
AddPage=Добавяне на страница / контейнер
-HomePage=Начална страница
PageContainer=Страница
PreviewOfSiteNotYetAvailable=Преглед на вашия уебсайт %s все още не е наличен. Първо трябва да 'Импортирате пълен шаблон за уебсайт' или просто да 'Добавите страница / контейнер'.
RequestedPageHasNoContentYet=Заявената страница с id %s все още няма съдържание или кеш файлът .tpl.php е бил премахнат. Редактирайте съдържанието на страницата, за да коригирате това.
@@ -101,7 +100,7 @@ EmptyPage=Празна страница
ExternalURLMustStartWithHttp=Външният URL адрес трябва да започва с http:// или https://
ZipOfWebsitePackageToImport=Качете Zip файла на пакета с шаблон на уебсайта
ZipOfWebsitePackageToLoad=или Изберете наличен пакет с вграден шаблон за уебсайт
-ShowSubcontainers=Вмъкване на динамично съдържание
+ShowSubcontainers=Show dynamic content
InternalURLOfPage=Вътрешен URL адрес на страница
ThisPageIsTranslationOf=Тази страница / контейнер е превод на
ThisPageHasTranslationPages=Тази страница / контейнер има превод
@@ -137,3 +136,4 @@ RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using
PagesRegenerated=%s page(s)/container(s) regenerated
RegenerateWebsiteContent=Regenerate web site cache files
AllowedInFrames=Allowed in Frames
+DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languages into web site properties.
diff --git a/htdocs/langs/bg_BG/withdrawals.lang b/htdocs/langs/bg_BG/withdrawals.lang
index 00e2744c5ba..c96a89ead7e 100644
--- a/htdocs/langs/bg_BG/withdrawals.lang
+++ b/htdocs/langs/bg_BG/withdrawals.lang
@@ -42,6 +42,7 @@ LastWithdrawalReceipt=Разписки с директен дебит: %s пос
MakeWithdrawRequest=Заявяване на плащане с директен дебит
MakeBankTransferOrder=Make a credit transfer request
WithdrawRequestsDone=%s заявления за плащане с директен дебит са записани
+BankTransferRequestsDone=%s credit transfer requests recorded
ThirdPartyBankCode=Банков код на контрагента
NoInvoiceCouldBeWithdrawed=Няма успешно дебитирани фактури. Проверете дали фактурите са на фирми с валиден IBAN и дали този IBAN има UMR (Unique Mandate Reference) в режим %s.
ClassCredited=Класифициране като 'Кредитирана'
@@ -131,7 +132,8 @@ SEPARCUR=SEPA CUR
SEPAFRST=SEPA FRST
ExecutionDate=Дата на изпълнение
CreateForSepa=Създаване на файл с директен дебит
-ICS=Идентификатор на кредитора CI
+ICS=Creditor Identifier CI for direct debit
+ICSTransfer=Creditor Identifier CI for bank transfer
END_TO_END='EndToEndId' SEPA XML таг - Уникален идентификатор, присвоен на транзакция
USTRD='Unstructured' SEPA XML таг
ADDDAYS=Добавяне на дни към датата на изпълнение
@@ -146,3 +148,4 @@ InfoRejectSubject=Платежното нареждане с директен д
InfoRejectMessage=Здравейте,
Платежното нареждане с директен дебит по фактура %s, отнасящо се до фирма %s, със сума от %s е отказано от банката.
-- %s
ModeWarning=Опцията за реален режим не беше зададена, спираме след тази симулация
ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know wich one to use.
+ErrorICSmissing=Missing ICS in Bank account %s
diff --git a/htdocs/langs/bn_BD/accountancy.lang b/htdocs/langs/bn_BD/accountancy.lang
index 3211a0b62df..33ba4d9fea7 100644
--- a/htdocs/langs/bn_BD/accountancy.lang
+++ b/htdocs/langs/bn_BD/accountancy.lang
@@ -48,6 +48,7 @@ CountriesExceptMe=All countries except %s
AccountantFiles=Export source documents
ExportAccountingSourceDocHelp=With this tool, you can export the source events (list and PDFs) that were used to generate your accountancy. To export your journals, use the menu entry %s - %s.
VueByAccountAccounting=View by accounting account
+VueBySubAccountAccounting=View by accounting subaccount
MainAccountForCustomersNotDefined=Main accounting account for customers not defined in setup
MainAccountForSuppliersNotDefined=Main accounting account for vendors not defined in setup
@@ -144,7 +145,7 @@ NotVentilatedinAccount=Not bound to the accounting account
XLineSuccessfullyBinded=%s products/services successfully bound to an accounting account
XLineFailedToBeBinded=%s products/services were not bound to any accounting account
-ACCOUNTING_LIMIT_LIST_VENTILATION=Number of elements to bind shown by page (maximum recommended: 50)
+ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50)
ACCOUNTING_LIST_SORT_VENTILATION_TODO=Begin the sorting of the page "Binding to do" by the most recent elements
ACCOUNTING_LIST_SORT_VENTILATION_DONE=Begin the sorting of the page "Binding done" by the most recent elements
@@ -198,7 +199,8 @@ Docdate=Date
Docref=Reference
LabelAccount=Label account
LabelOperation=Label operation
-Sens=Sens
+Sens=Direction
+AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received For an accounting account of a supplier, use Debit to record a payment you make
LetteringCode=Lettering code
Lettering=Lettering
Codejournal=Journal
@@ -206,7 +208,8 @@ JournalLabel=Journal label
NumPiece=Piece number
TransactionNumShort=Num. transaction
AccountingCategory=Personalized groups
-GroupByAccountAccounting=Group by accounting account
+GroupByAccountAccounting=Group by general ledger account
+GroupBySubAccountAccounting=Group by subledger account
AccountingAccountGroupsDesc=You can define here some groups of accounting account. They will be used for personalized accounting reports.
ByAccounts=By accounts
ByPredefinedAccountGroups=By predefined groups
@@ -248,7 +251,7 @@ PaymentsNotLinkedToProduct=Payment not linked to any product / service
OpeningBalance=Opening balance
ShowOpeningBalance=Show opening balance
HideOpeningBalance=Hide opening balance
-ShowSubtotalByGroup=Show subtotal by group
+ShowSubtotalByGroup=Show subtotal by level
Pcgtype=Group of account
PcgtypeDesc=Group of account are used as predefined 'filter' and 'grouping' criteria for some accounting reports. For example, 'INCOME' or 'EXPENSE' are used as groups for accounting accounts of products to build the expense/income report.
@@ -271,11 +274,13 @@ DescVentilExpenseReport=Consult here the list of expense report lines bound (or
DescVentilExpenseReportMore=If you setup accounting account on type of expense report lines, the application will be able to make all the binding between your expense report lines and the accounting account of your chart of accounts, just in one click with the button "%s". If account was not set on fees dictionary or if you still have some lines not bound to any account, you will have to make a manual binding from the menu "%s".
DescVentilDoneExpenseReport=Consult here the list of the lines of expenses reports and their fees accounting account
+Closure=Annual closure
DescClosure=Consult here the number of movements by month who are not validated & fiscal years already open
OverviewOfMovementsNotValidated=Step 1/ Overview of movements not validated. (Necessary to close a fiscal year)
+AllMovementsWereRecordedAsValidated=All movements were recorded as validated
+NotAllMovementsCouldBeRecordedAsValidated=Not all movements could be recorded as validated
ValidateMovements=Validate movements
DescValidateMovements=Any modification or deletion of writing, lettering and deletes will be prohibited. All entries for an exercise must be validated otherwise closing will not be possible
-SelectMonthAndValidate=Select month and validate movements
ValidateHistory=Bind Automatically
AutomaticBindingDone=Automatic binding done
@@ -293,6 +298,7 @@ Accounted=Accounted in ledger
NotYetAccounted=Not yet accounted in ledger
ShowTutorial=Show Tutorial
NotReconciled=Not reconciled
+WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view
## Admin
BindingOptions=Binding options
@@ -337,6 +343,7 @@ Modelcsv_LDCompta10=Export for LD Compta (v10 & higher)
Modelcsv_openconcerto=Export for OpenConcerto (Test)
Modelcsv_configurable=Export CSV Configurable
Modelcsv_FEC=Export FEC
+Modelcsv_FEC2=Export FEC (With dates generation writing / document reversed)
Modelcsv_Sage50_Swiss=Export for Sage 50 Switzerland
Modelcsv_winfic=Export Winfic - eWinfic - WinSis Compta
Modelcsv_Gestinumv3=Export for Gestinum (v3)
diff --git a/htdocs/langs/bn_BD/admin.lang b/htdocs/langs/bn_BD/admin.lang
index f1c41a3b62b..189b0b5186a 100644
--- a/htdocs/langs/bn_BD/admin.lang
+++ b/htdocs/langs/bn_BD/admin.lang
@@ -56,6 +56,8 @@ GUISetup=Display
SetupArea=Setup
UploadNewTemplate=Upload new template(s)
FormToTestFileUploadForm=Form to test file upload (according to setup)
+ModuleMustBeEnabled=The module/application %s must be enabled
+ModuleIsEnabled=The module/application %s has been enabled
IfModuleEnabled=Note: yes is effective only if module %s is enabled
RemoveLock=Remove/rename file %s if it exists, to allow usage of the Update/Install tool.
RestoreLock=Restore file %s, with read permission only, to disable any further use of the Update/Install tool.
@@ -85,7 +87,6 @@ ShowPreview=Show preview
ShowHideDetails=Show-Hide details
PreviewNotAvailable=Preview not available
ThemeCurrentlyActive=Theme currently active
-CurrentTimeZone=TimeZone PHP (server)
MySQLTimeZone=TimeZone MySql (database)
TZHasNoEffect=Dates are stored and returned by database server as if they were kept as submitted string. The timezone has effect only when using the UNIX_TIMESTAMP function (that should not be used by Dolibarr, so database TZ should have no effect, even if changed after data was entered).
Space=Space
@@ -153,8 +154,8 @@ SystemToolsAreaDesc=This area provides administration functions. Use the menu to
Purge=Purge
PurgeAreaDesc=This page allows you to delete all files generated or stored by Dolibarr (temporary files or all files in %s directory). Using this feature is not normally necessary. It is provided as a workaround for users whose Dolibarr is hosted by a provider that does not offer permissions to delete files generated by the web server.
PurgeDeleteLogFile=Delete log files, including %s defined for Syslog module (no risk of losing data)
-PurgeDeleteTemporaryFiles=Delete all temporary files (no risk of losing data). Note: Deletion is done only if the temp directory was created 24 hours ago.
-PurgeDeleteTemporaryFilesShort=Delete temporary files
+PurgeDeleteTemporaryFiles=Delete all log and temporary files (no risk of losing data). Note: Deletion of temporary files is done only if the temp directory was created more than 24 hours ago.
+PurgeDeleteTemporaryFilesShort=Delete log and temporary files
PurgeDeleteAllFilesInDocumentsDir=Delete all files in directory: %s. This will delete all generated documents related to elements (third parties, invoices etc...), files uploaded into the ECM module, database backup dumps and temporary files.
PurgeRunNow=Purge now
PurgeNothingToDelete=No directory or files to delete.
@@ -256,6 +257,7 @@ ReferencedPreferredPartners=Preferred Partners
OtherResources=Other resources
ExternalResources=External Resources
SocialNetworks=Social Networks
+SocialNetworkId=Social Network ID
ForDocumentationSeeWiki=For user or developer documentation (Doc, FAQs...), take a look at the Dolibarr Wiki: %s
ForAnswersSeeForum=For any other questions/help, you can use the Dolibarr forum: %s
HelpCenterDesc1=Here are some resources for getting help and support with Dolibarr.
@@ -375,7 +377,7 @@ ExamplesWithCurrentSetup=Examples with current configuration
ListOfDirectories=List of OpenDocument templates directories
ListOfDirectoriesForModelGenODT=List of directories containing templates files with OpenDocument format.
Put here full path of directories. Add a carriage return between eah directory. To add a directory of the GED module, add here DOL_DATA_ROOT/ecm/yourdirectoryname.
Files in those directories must end with .odt or .ods.
NumberOfModelFilesFound=Number of ODT/ODS template files found in these directories
-ExampleOfDirectoriesForModelGen=Examples of syntax: c:\\mydir /home/mydir DOL_DATA_ROOT/ecm/ecmdir
+ExampleOfDirectoriesForModelGen=Examples of syntax: c:\\myapp\\mydocumentdir\\mysubdir /home/myapp/mydocumentdir/mysubdir DOL_DATA_ROOT/ecm/ecmdir
FollowingSubstitutionKeysCanBeUsed= To know how to create your odt document templates, before storing them in those directories, read wiki documentation:
FullListOnOnlineDocumentation=http://wiki.dolibarr.org/index.php/Create_an_ODT_document_template
FirstnameNamePosition=Position of Name/Lastname
@@ -406,7 +408,7 @@ UrlGenerationParameters=Parameters to secure URLs
SecurityTokenIsUnique=Use a unique securekey parameter for each URL
EnterRefToBuildUrl=Enter reference for object %s
GetSecuredUrl=Get calculated URL
-ButtonHideUnauthorized=Hide buttons for non-admin users for unauthorized actions instead of showing greyed disabled buttons
+ButtonHideUnauthorized=Hide unauthorized action buttons also for internal users (just greyed otherwise)
OldVATRates=Old VAT rate
NewVATRates=New VAT rate
PriceBaseTypeToChange=Modify on prices with base reference value defined on
@@ -1689,7 +1691,7 @@ NotTopTreeMenuPersonalized=Personalized menus not linked to a top menu entry
NewMenu=New menu
MenuHandler=Menu handler
MenuModule=Source module
-HideUnauthorizedMenu= Hide unauthorized menus (gray)
+HideUnauthorizedMenu=Hide unauthorized menus also for internal users (just greyed otherwise)
DetailId=Id menu
DetailMenuHandler=Menu handler where to show new menu
DetailMenuModule=Module name if menu entry come from a module
@@ -1983,11 +1985,12 @@ EMailHost=Host of email IMAP server
MailboxSourceDirectory=Mailbox source directory
MailboxTargetDirectory=Mailbox target directory
EmailcollectorOperations=Operations to do by collector
+EmailcollectorOperationsDesc=Operations are executed from top to bottom order
MaxEmailCollectPerCollect=Max number of emails collected per collect
CollectNow=Collect now
ConfirmCloneEmailCollector=Are you sure you want to clone the Email collector %s ?
-DateLastCollectResult=Date latest collect tried
-DateLastcollectResultOk=Date latest collect successfull
+DateLastCollectResult=Date of latest collect try
+DateLastcollectResultOk=Date of latest collect success
LastResult=Latest result
EmailCollectorConfirmCollectTitle=Email collect confirmation
EmailCollectorConfirmCollect=Do you want to run the collection for this collector now ?
@@ -2005,7 +2008,7 @@ WithDolTrackingID=Message from a conversation initiated by a first email sent fr
WithoutDolTrackingID=Message from a conversation initiated by a first email NOT sent from Dolibarr
WithDolTrackingIDInMsgId=Message sent from Dolibarr
WithoutDolTrackingIDInMsgId=Message NOT sent from Dolibarr
-CreateCandidature=Create candidature
+CreateCandidature=Create job application
FormatZip=Zip
MainMenuCode=Menu entry code (mainmenu)
ECMAutoTree=Show automatic ECM tree
@@ -2083,3 +2086,7 @@ CountryIfSpecificToOneCountry=Country (if specific to a given country)
YouMayFindSecurityAdviceHere=You may find security advisory here
ModuleActivatedMayExposeInformation=This module may expose sensitive data. If you don't need it, disable it.
ModuleActivatedDoNotUseInProduction=A module designed for the development has been enabled. Do not enable it on a production environment.
+CombinationsSeparator=Separator character for product combinations
+SeeLinkToOnlineDocumentation=See link to online documention on top menu for examples
+SHOW_SUBPRODUCT_REF_IN_PDF=If the feature "%s" of module %s is used, show details of subproducts of a kit on PDF.
+AskThisIDToYourBank=Contact your bank to get this ID
diff --git a/htdocs/langs/bn_BD/banks.lang b/htdocs/langs/bn_BD/banks.lang
index 5cddfdaf30c..27f76ce0c74 100644
--- a/htdocs/langs/bn_BD/banks.lang
+++ b/htdocs/langs/bn_BD/banks.lang
@@ -173,8 +173,8 @@ SEPAMandate=SEPA mandate
YourSEPAMandate=Your SEPA mandate
FindYourSEPAMandate=This is your SEPA mandate to authorize our company to make direct debit order to your bank. Return it signed (scan of the signed document) or send it by mail to
AutoReportLastAccountStatement=Automatically fill the field 'number of bank statement' with last statement number when making reconciliation
-CashControl=POS cash fence
-NewCashFence=New cash fence
+CashControl=POS cash desk control
+NewCashFence=New cash desk closing
BankColorizeMovement=Colorize movements
BankColorizeMovementDesc=If this function is enable, you can choose specific background color for debit or credit movements
BankColorizeMovementName1=Background color for debit movement
diff --git a/htdocs/langs/bn_BD/blockedlog.lang b/htdocs/langs/bn_BD/blockedlog.lang
index 5afae6e9e53..0bba5605d0f 100644
--- a/htdocs/langs/bn_BD/blockedlog.lang
+++ b/htdocs/langs/bn_BD/blockedlog.lang
@@ -35,7 +35,7 @@ logDON_DELETE=Donation logical deletion
logMEMBER_SUBSCRIPTION_CREATE=Member subscription created
logMEMBER_SUBSCRIPTION_MODIFY=Member subscription modified
logMEMBER_SUBSCRIPTION_DELETE=Member subscription logical deletion
-logCASHCONTROL_VALIDATE=Cash fence recording
+logCASHCONTROL_VALIDATE=Cash desk closing recording
BlockedLogBillDownload=Customer invoice download
BlockedLogBillPreview=Customer invoice preview
BlockedlogInfoDialog=Log Details
diff --git a/htdocs/langs/bn_BD/boxes.lang b/htdocs/langs/bn_BD/boxes.lang
index d6fd298a3a7..7db4ea8aa17 100644
--- a/htdocs/langs/bn_BD/boxes.lang
+++ b/htdocs/langs/bn_BD/boxes.lang
@@ -46,9 +46,12 @@ BoxTitleLastModifiedDonations=Latest %s modified donations
BoxTitleLastModifiedExpenses=Latest %s modified expense reports
BoxTitleLatestModifiedBoms=Latest %s modified BOMs
BoxTitleLatestModifiedMos=Latest %s modified Manufacturing Orders
+BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded
BoxGlobalActivity=Global activity (invoices, proposals, orders)
BoxGoodCustomers=Good customers
BoxTitleGoodCustomers=%s Good customers
+BoxScheduledJobs=Scheduled jobs
+BoxTitleFunnelOfProspection=Lead funnel
FailedToRefreshDataInfoNotUpToDate=Failed to refresh RSS flux. Latest successful refresh date: %s
LastRefreshDate=Latest refresh date
NoRecordedBookmarks=No bookmarks defined.
@@ -102,5 +105,7 @@ SuspenseAccountNotDefined=Suspense account isn't defined
BoxLastCustomerShipments=Last customer shipments
BoxTitleLastCustomerShipments=Latest %s customer shipments
NoRecordedShipments=No recorded customer shipment
+BoxCustomersOutstandingBillReached=Customers with oustanding limit reached
# Pages
AccountancyHome=Accountancy
+ValidatedProjects=Validated projects
diff --git a/htdocs/langs/bn_BD/cashdesk.lang b/htdocs/langs/bn_BD/cashdesk.lang
index 498baa82200..3fef645d99d 100644
--- a/htdocs/langs/bn_BD/cashdesk.lang
+++ b/htdocs/langs/bn_BD/cashdesk.lang
@@ -49,8 +49,8 @@ Footer=Footer
AmountAtEndOfPeriod=Amount at end of period (day, month or year)
TheoricalAmount=Theorical amount
RealAmount=Real amount
-CashFence=Cash fence
-CashFenceDone=Cash fence done for the period
+CashFence=Cash desk closing
+CashFenceDone=Cash desk closing done for the period
NbOfInvoices=Nb of invoices
Paymentnumpad=Type of Pad to enter payment
Numberspad=Numbers Pad
@@ -99,8 +99,9 @@ CashDeskRefNumberingModules=Numbering module for POS sales
CashDeskGenericMaskCodes6 = {TN} tag is used to add the terminal number
TakeposGroupSameProduct=Group same products lines
StartAParallelSale=Start a new parallel sale
-ControlCashOpening=Control cash box at opening POS
-CloseCashFence=Close cash fence
+SaleStartedAt=Sale started at %s
+ControlCashOpening=Control cash popup at opening POS
+CloseCashFence=Close cash desk control
CashReport=Cash report
MainPrinterToUse=Main printer to use
OrderPrinterToUse=Order printer to use
@@ -122,3 +123,4 @@ GiftReceipt=Gift receipt
ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled first
AllowDelayedPayment=Allow delayed payment
PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts
+WeighingScale=Weighing scale
diff --git a/htdocs/langs/bn_BD/categories.lang b/htdocs/langs/bn_BD/categories.lang
index 84e5796763e..52327db3510 100644
--- a/htdocs/langs/bn_BD/categories.lang
+++ b/htdocs/langs/bn_BD/categories.lang
@@ -19,6 +19,7 @@ ProjectsCategoriesArea=Projects tags/categories area
UsersCategoriesArea=Users tags/categories area
SubCats=Sub-categories
CatList=List of tags/categories
+CatListAll=List of tags/categories (all types)
NewCategory=New tag/category
ModifCat=Modify tag/category
CatCreated=Tag/category created
@@ -65,16 +66,22 @@ UsersCategoriesShort=Users tags/categories
StockCategoriesShort=Warehouse tags/categories
ThisCategoryHasNoItems=This category does not contain any items.
CategId=Tag/category id
-CatSupList=List of vendor tags/categories
-CatCusList=List of customer/prospect tags/categories
+ParentCategory=Parent tag/category
+ParentCategoryLabel=Label of parent tag/category
+CatSupList=List of vendors tags/categories
+CatCusList=List of customers/prospects tags/categories
CatProdList=List of products tags/categories
CatMemberList=List of members tags/categories
-CatContactList=List of contact tags/categories
-CatSupLinks=Links between suppliers and tags/categories
+CatContactList=List of contacts tags/categories
+CatProjectsList=List of projects tags/categories
+CatUsersList=List of users tags/categories
+CatSupLinks=Links between vendors and tags/categories
CatCusLinks=Links between customers/prospects and tags/categories
CatContactsLinks=Links between contacts/addresses and tags/categories
CatProdLinks=Links between products/services and tags/categories
-CatProJectLinks=Links between projects and tags/categories
+CatMembersLinks=Links between members and tags/categories
+CatProjectsLinks=Links between projects and tags/categories
+CatUsersLinks=Links between users and tags/categories
DeleteFromCat=Remove from tags/category
ExtraFieldsCategories=Complementary attributes
CategoriesSetup=Tags/categories setup
diff --git a/htdocs/langs/bn_BD/companies.lang b/htdocs/langs/bn_BD/companies.lang
index ee3854f04f8..e60b163d09f 100644
--- a/htdocs/langs/bn_BD/companies.lang
+++ b/htdocs/langs/bn_BD/companies.lang
@@ -358,7 +358,7 @@ VATIntraCheckableOnEUSite=Check the intra-Community VAT ID on the European Commi
VATIntraManualCheck=You can also check manually on the European Commission website %s
ErrorVATCheckMS_UNAVAILABLE=Check not possible. Check service is not provided by the member state (%s).
NorProspectNorCustomer=Not prospect, nor customer
-JuridicalStatus=Legal Entity Type
+JuridicalStatus=Business entity type
Workforce=Workforce
Staff=Employees
ProspectLevelShort=Potential
diff --git a/htdocs/langs/bn_BD/compta.lang b/htdocs/langs/bn_BD/compta.lang
index 8f4f058bb87..1afeb6e3727 100644
--- a/htdocs/langs/bn_BD/compta.lang
+++ b/htdocs/langs/bn_BD/compta.lang
@@ -111,7 +111,7 @@ Refund=Refund
SocialContributionsPayments=Social/fiscal taxes payments
ShowVatPayment=Show VAT payment
TotalToPay=Total to pay
-BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted ascending on %s and filtered for 1 bank account
+BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted on %s and filtered on 1 bank account (with no other filters)
CustomerAccountancyCode=Customer accounting code
SupplierAccountancyCode=Vendor accounting code
CustomerAccountancyCodeShort=Cust. account. code
@@ -140,7 +140,7 @@ ConfirmDeleteSocialContribution=Are you sure you want to delete this social/fisc
ExportDataset_tax_1=Social and fiscal taxes and payments
CalcModeVATDebt=Mode %sVAT on commitment accounting%s.
CalcModeVATEngagement=Mode %sVAT on incomes-expenses%s.
-CalcModeDebt=Analysis of known recorded invoices even if they are not yet accounted in ledger.
+CalcModeDebt=Analysis of known recorded documents even if they are not yet accounted in ledger.
CalcModeEngagement=Analysis of known recorded payments, even if they are not yet accounted in Ledger.
CalcModeBookkeeping=Analysis of data journalized in Bookkeeping Ledger table.
CalcModeLT1= Mode %sRE on customer invoices - suppliers invoices%s
@@ -154,9 +154,9 @@ AnnualSummaryInputOutputMode=Balance of income and expenses, annual summary
AnnualByCompanies=Balance of income and expenses, by predefined groups of account
AnnualByCompaniesDueDebtMode=Balance of income and expenses, detail by predefined groups, mode %sClaims-Debts%s said Commitment accounting.
AnnualByCompaniesInputOutputMode=Balance of income and expenses, detail by predefined groups, mode %sIncomes-Expenses%s said cash accounting.
-SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation on actual payments made even if they are not yet accounted in Ledger.
-SeeReportInDueDebtMode=See %sanalysis of invoices%s for a calculation based on known recorded invoices even if they are not yet accounted in Ledger.
-SeeReportInBookkeepingMode=See %sBookeeping report%s for a calculation on Bookkeeping Ledger table
+SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation based on recorded payments made even if they are not yet accounted in Ledger
+SeeReportInDueDebtMode=See %sanalysis of recorded documents%s for a calculation based on known recorded documents even if they are not yet accounted in Ledger
+SeeReportInBookkeepingMode=See %sanalysis of bookeeping ledger table%s for a report based on Bookkeeping Ledger table
RulesAmountWithTaxIncluded=- Amounts shown are with all taxes included
RulesResultDue=- It includes outstanding invoices, expenses, VAT, donations whether they are paid or not. Is also includes paid salaries. - It is based on the billing date of invoices and on the due date for expenses or tax payments. For salaries defined with Salary module, the value date of payment is used.
RulesResultInOut=- It includes the real payments made on invoices, expenses, VAT and salaries. - It is based on the payment dates of the invoices, expenses, VAT and salaries. The donation date for donation.
@@ -169,12 +169,15 @@ RulesResultBookkeepingPersonalized=It show record in your Ledger with accounting
SeePageForSetup=See menu %s for setup
DepositsAreNotIncluded=- Down payment invoices are not included
DepositsAreIncluded=- Down payment invoices are included
+LT1ReportByMonth=Tax 2 report by month
+LT2ReportByMonth=Tax 3 report by month
LT1ReportByCustomers=Report tax 2 by third party
LT2ReportByCustomers=Report tax 3 by third party
LT1ReportByCustomersES=Report by third party RE
LT2ReportByCustomersES=Report by third party IRPF
VATReport=Sale tax report
VATReportByPeriods=Sale tax report by period
+VATReportByMonth=Sale tax report by month
VATReportByRates=Sale tax report by rates
VATReportByThirdParties=Sale tax report by third parties
VATReportByCustomers=Sale tax report by customer
diff --git a/htdocs/langs/bn_BD/cron.lang b/htdocs/langs/bn_BD/cron.lang
index d2da7ded67e..2ebdda1e685 100644
--- a/htdocs/langs/bn_BD/cron.lang
+++ b/htdocs/langs/bn_BD/cron.lang
@@ -6,14 +6,15 @@ Permission23102 = Create/update Scheduled job
Permission23103 = Delete Scheduled job
Permission23104 = Execute Scheduled job
# Admin
-CronSetup= Scheduled job management setup
-URLToLaunchCronJobs=URL to check and launch qualified cron jobs
-OrToLaunchASpecificJob=Or to check and launch a specific job
+CronSetup=Scheduled job management setup
+URLToLaunchCronJobs=URL to check and launch qualified cron jobs from a browser
+OrToLaunchASpecificJob=Or to check and launch a specific job from a browser
KeyForCronAccess=Security key for URL to launch cron jobs
FileToLaunchCronJobs=Command line to check and launch qualified cron jobs
CronExplainHowToRunUnix=On Unix environment you should use the following crontab entry to run the command line each 5 minutes
-CronExplainHowToRunWin=On Microsoft(tm) Windows environement you can use Scheduled task tools to run the command line each 5 minutes
+CronExplainHowToRunWin=On Microsoft(tm) Windows environment you can use Scheduled Task tools to run the command line each 5 minutes
CronMethodDoesNotExists=Class %s does not contains any method %s
+CronMethodNotAllowed=Method %s of class %s is in blacklist of forbidden methods
CronJobDefDesc=Cron job profiles are defined into the module descriptor file. When module is activated, they are loaded and available so you can administer the jobs from the admin tools menu %s.
CronJobProfiles=List of predefined cron job profiles
# Menu
@@ -42,10 +43,11 @@ CronModule=Module
CronNoJobs=No jobs registered
CronPriority=Priority
CronLabel=Label
-CronNbRun=Nb. launch
-CronMaxRun=Max number launch
+CronNbRun=Number of launches
+CronMaxRun=Maximum number of launches
CronEach=Every
JobFinished=Job launched and finished
+Scheduled=Scheduled
#Page card
CronAdd= Add jobs
CronEvery=Execute job each
@@ -56,16 +58,16 @@ CronNote=Comment
CronFieldMandatory=Fields %s is mandatory
CronErrEndDateStartDt=End date cannot be before start date
StatusAtInstall=Status at module installation
-CronStatusActiveBtn=Enable
+CronStatusActiveBtn=Schedule
CronStatusInactiveBtn=Disable
CronTaskInactive=This job is disabled
CronId=Id
CronClassFile=Filename with class
-CronModuleHelp=Name of Dolibarr module directory (also work with external Dolibarr module). For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for module is product
-CronClassFileHelp=The relative path and file name to load (path is relative to web server root directory). For exemple to call the fetch method of Dolibarr Product object htdocs/product/class/product.class.php, the value for class file name is product/class/product.class.php
-CronObjectHelp=The object name to load. For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for class file name is Product
-CronMethodHelp=The object method to launch. For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for method is fetch
-CronArgsHelp=The method arguments. For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for paramters can be 0, ProductRef
+CronModuleHelp=Name of Dolibarr module directory (also work with external Dolibarr module). For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for module is product
+CronClassFileHelp=The relative path and file name to load (path is relative to web server root directory). For example to call the fetch method of Dolibarr Product object htdocs/product/class/product.class.php, the value for class file name is product/class/product.class.php
+CronObjectHelp=The object name to load. For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for class file name is Product
+CronMethodHelp=The object method to launch. For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for method is fetch
+CronArgsHelp=The method arguments. For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for paramters can be 0, ProductRef
CronCommandHelp=The system command line to execute.
CronCreateJob=Create new Scheduled Job
CronFrom=From
@@ -76,8 +78,14 @@ CronType_method=Call method of a PHP Class
CronType_command=Shell command
CronCannotLoadClass=Cannot load class file %s (to use class %s)
CronCannotLoadObject=Class file %s was loaded, but object %s was not found into it
-UseMenuModuleToolsToAddCronJobs=Go into menu "Home - Admin tools - Scheduled jobs" to see and edit scheduled jobs.
+UseMenuModuleToolsToAddCronJobs=Go into menu "Home - Admin tools - Scheduled jobs" to see and edit scheduled jobs.
JobDisabled=Job disabled
MakeLocalDatabaseDumpShort=Local database backup
-MakeLocalDatabaseDump=Create a local database dump. Parameters are: compression ('gz' or 'bz' or 'none'), backup type ('mysql' or 'pgsql'), 1, 'auto' or filename to build, number of backup files to keep
+MakeLocalDatabaseDump=Create a local database dump. Parameters are: compression ('gz' or 'bz' or 'none'), backup type ('mysql', 'pgsql', 'auto'), 1, 'auto' or filename to build, number of backup files to keep
WarningCronDelayed=Attention, for performance purpose, whatever is next date of execution of enabled jobs, your jobs may be delayed to a maximum of %s hours, before being run.
+DATAPOLICYJob=Data cleaner and anonymizer
+JobXMustBeEnabled=Job %s must be enabled
+# Cron Boxes
+LastExecutedScheduledJob=Last executed scheduled job
+NextScheduledJobExecute=Next scheduled job to execute
+NumberScheduledJobError=Number of scheduled jobs in error
diff --git a/htdocs/langs/bn_BD/errors.lang b/htdocs/langs/bn_BD/errors.lang
index 893f4a35b65..5b26be724d9 100644
--- a/htdocs/langs/bn_BD/errors.lang
+++ b/htdocs/langs/bn_BD/errors.lang
@@ -5,8 +5,10 @@ NoErrorCommitIsDone=No error, we commit
# Errors
ErrorButCommitIsDone=Errors found but we validate despite this
ErrorBadEMail=Email %s is wrong
+ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record)
ErrorBadUrl=Url %s is wrong
ErrorBadValueForParamNotAString=Bad value for your parameter. It appends generally when translation is missing.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorLoginAlreadyExists=Login %s already exists.
ErrorGroupAlreadyExists=Group %s already exists.
ErrorRecordNotFound=Record not found.
@@ -48,6 +50,7 @@ ErrorFieldsRequired=Some required fields were not filled.
ErrorSubjectIsRequired=The email topic is required
ErrorFailedToCreateDir=Failed to create a directory. Check that Web server user has permissions to write into Dolibarr documents directory. If parameter safe_mode is enabled on this PHP, check that Dolibarr php files owns to web server user (or group).
ErrorNoMailDefinedForThisUser=No mail defined for this user
+ErrorSetupOfEmailsNotComplete=Setup of emails is not complete
ErrorFeatureNeedJavascript=This feature need javascript to be activated to work. Change this in setup - display.
ErrorTopMenuMustHaveAParentWithId0=A menu of type 'Top' can't have a parent menu. Put 0 in parent menu or choose a menu of type 'Left'.
ErrorLeftMenuMustHaveAParentId=A menu of type 'Left' must have a parent id.
@@ -75,7 +78,7 @@ ErrorExportDuplicateProfil=This profile name already exists for this export set.
ErrorLDAPSetupNotComplete=Dolibarr-LDAP matching is not complete.
ErrorLDAPMakeManualTest=A .ldif file has been generated in directory %s. Try to load it manually from command line to have more information on errors.
ErrorCantSaveADoneUserWithZeroPercentage=Can't save an action with "status not started" if field "done by" is also filled.
-ErrorRefAlreadyExists=Ref used for creation already exists.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorPleaseTypeBankTransactionReportName=Please enter the bank statement name where the entry has to be reported (Format YYYYMM or YYYYMMDD)
ErrorRecordHasChildren=Failed to delete record since it has some child records.
ErrorRecordHasAtLeastOneChildOfType=Object has at least one child of type %s
@@ -216,7 +219,7 @@ ErrorChooseBetweenFreeEntryOrPredefinedProduct=You must choose if article is a p
ErrorDiscountLargerThanRemainToPaySplitItBefore=The discount you try to apply is larger than remain to pay. Split the discount in 2 smaller discounts before.
ErrorFileNotFoundWithSharedLink=File was not found. May be the share key was modified or file was removed recently.
ErrorProductBarCodeAlreadyExists=The product barcode %s already exists on another product reference.
-ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using virtual product to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number.
+ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using kits to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number.
ErrorDescRequiredForFreeProductLines=Description is mandatory for lines with free product
ErrorAPageWithThisNameOrAliasAlreadyExists=The page/container %s has the same name or alternative alias that the one your try to use
ErrorDuringChartLoad=Error when loading chart of accounts. If few accounts were not loaded, you can still enter them manually.
@@ -243,6 +246,16 @@ ErrorReplaceStringEmpty=Error, the string to replace into is empty
ErrorProductNeedBatchNumber=Error, product '%s' need a lot/serial number
ErrorProductDoesNotNeedBatchNumber=Error, product '%s' does not accept a lot/serial number
ErrorFailedToReadObject=Error, failed to read object of type %s
+ErrorParameterMustBeEnabledToAllwoThisFeature=Error, parameter %s must be enabled into conf/conf.php to allow use of Command Line Interface by the internal job scheduler
+ErrorLoginDateValidity=Error, this login is outside the validity date range
+ErrorValueLength=Length of field '%s' must be higher than '%s'
+ErrorReservedKeyword=The word '%s' is a reserved keyword
+ErrorNotAvailableWithThisDistribution=Not available with this distribution
+ErrorPublicInterfaceNotEnabled=Public interface was not enabled
+ErrorLanguageRequiredIfPageIsTranslationOfAnother=The language of new page must be defined if it is set as a translation of another page
+ErrorLanguageMustNotBeSourceLanguageIfPageIsTranslationOfAnother=The language of new page must not be the source language if it is set as a translation of another page
+ErrorAParameterIsRequiredForThisOperation=A parameter is mandatory for this operation
+
# Warnings
WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup.
WarningPasswordSetWithNoAccount=A password was set for this member. However, no user account was created. So this password is stored but can't be used to login to Dolibarr. It may be used by an external module/interface but if you don't need to define any login nor password for a member, you can disable option "Manage a login for each member" from Member module setup. If you need to manage a login but don't need any password, you can keep this field empty to avoid this warning. Note: Email can also be used as a login if the member is linked to a user.
@@ -267,6 +280,10 @@ WarningYourLoginWasModifiedPleaseLogin=Your login was modified. For security pur
WarningAnEntryAlreadyExistForTransKey=An entry already exists for the translation key for this language
WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different recipient is limited to %s when using the mass actions on lists
WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report
+WarningProjectDraft=Project is still in draft mode. Don't forget to validate it if you plan to use tasks.
WarningProjectClosed=Project is closed. You must re-open it first.
WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list.
-WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table
+WarningFailedToAddFileIntoDatabaseIndex=Warning, failed to add file entry into ECM database index table
+WarningTheHiddenOptionIsOn=Warning, the hidden option %s is on.
+WarningCreateSubAccounts=Warning, you can't create directly a sub account, you must create a third party or an user and assign them an accounting code to find them in this list
+WarningAvailableOnlyForHTTPSServers=Available only if using HTTPS secured connection.
diff --git a/htdocs/langs/bn_BD/exports.lang b/htdocs/langs/bn_BD/exports.lang
index 2dcf4317e00..a0eb7161ef2 100644
--- a/htdocs/langs/bn_BD/exports.lang
+++ b/htdocs/langs/bn_BD/exports.lang
@@ -26,6 +26,8 @@ FieldTitle=Field title
NowClickToGenerateToBuildExportFile=Now, select the file format in the combo box and click on "Generate" to build the export file...
AvailableFormats=Available Formats
LibraryShort=Library
+ExportCsvSeparator=Csv caracter separator
+ImportCsvSeparator=Csv caracter separator
Step=Step
FormatedImport=Import Assistant
FormatedImportDesc1=This module allows you to update existing data or add new objects into the database from a file without technical knowledge, using an assistant.
@@ -131,3 +133,4 @@ KeysToUseForUpdates=Key (column) to use for updating existing data
NbInsert=Number of inserted lines: %s
NbUpdate=Number of updated lines: %s
MultipleRecordFoundWithTheseFilters=Multiple records have been found with these filters: %s
+StocksWithBatch=Stocks and location (warehouse) of products with batch/serial number
diff --git a/htdocs/langs/bn_BD/mails.lang b/htdocs/langs/bn_BD/mails.lang
index 1235eef3b27..7fd93be7b71 100644
--- a/htdocs/langs/bn_BD/mails.lang
+++ b/htdocs/langs/bn_BD/mails.lang
@@ -92,6 +92,7 @@ MailingModuleDescEmailsFromUser=Emails input by user
MailingModuleDescDolibarrUsers=Users with Emails
MailingModuleDescThirdPartiesByCategories=Third parties (by categories)
SendingFromWebInterfaceIsNotAllowed=Sending from web interface is not allowed.
+EmailCollectorFilterDesc=All filters must match to have an email being collected
# Libelle des modules de liste de destinataires mailing
LineInFile=Line %s in file
@@ -125,12 +126,13 @@ TagMailtoEmail=Recipient Email (including html "mailto:" link)
NoEmailSentBadSenderOrRecipientEmail=No email sent. Bad sender or recipient email. Verify user profile.
# Module Notifications
Notifications=Notifications
-NoNotificationsWillBeSent=No email notifications are planned for this event and company
-ANotificationsWillBeSent=1 notification will be sent by email
-SomeNotificationsWillBeSent=%s notifications will be sent by email
-AddNewNotification=Activate a new email notification target/event
-ListOfActiveNotifications=List all active targets/events for email notification
-ListOfNotificationsDone=List all email notifications sent
+NotificationsAuto=Notifications Auto.
+NoNotificationsWillBeSent=No automatic email notifications are planned for this event type and company
+ANotificationsWillBeSent=1 automatic notification will be sent by email
+SomeNotificationsWillBeSent=%s automatic notifications will be sent by email
+AddNewNotification=Subscribe to a new automatic email notification (target/event)
+ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification
+ListOfNotificationsDone=List all automatic email notifications sent
MailSendSetupIs=Configuration of email sending has been setup to '%s'. This mode can't be used to send mass emailing.
MailSendSetupIs2=You must first go, with an admin account, into menu %sHome - Setup - EMails%s to change parameter '%s' to use mode '%s'. With this mode, you can enter setup of the SMTP server provided by your Internet Service Provider and use Mass emailing feature.
MailSendSetupIs3=If you have any questions on how to setup your SMTP server, you can ask to %s.
@@ -140,7 +142,7 @@ UseFormatFileEmailToTarget=Imported file must have format email;name;fir
UseFormatInputEmailToTarget=Enter a string with format email;name;firstname;other
MailAdvTargetRecipients=Recipients (advanced selection)
AdvTgtTitle=Fill input fields to preselect the third parties or contacts/addresses to target
-AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima% will target all jean, joe, start with jim but not jimo and not everything that starts with jima
+AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima%% will target all jean, joe, start with jim but not jimo and not everything that starts with jima
AdvTgtSearchIntHelp=Use interval to select int or float value
AdvTgtMinVal=Minimum value
AdvTgtMaxVal=Maximum value
@@ -162,13 +164,14 @@ AdvTgtCreateFilter=Create filter
AdvTgtOrCreateNewFilter=Name of new filter
NoContactWithCategoryFound=No contact/address with a category found
NoContactLinkedToThirdpartieWithCategoryFound=No contact/address with a category found
-OutGoingEmailSetup=Outgoing email setup
-InGoingEmailSetup=Incoming email setup
-OutGoingEmailSetupForEmailing=Outgoing email setup (for module %s)
-DefaultOutgoingEmailSetup=Default outgoing email setup
+OutGoingEmailSetup=Outgoing emails
+InGoingEmailSetup=Incoming emails
+OutGoingEmailSetupForEmailing=Outgoing emails (for module %s)
+DefaultOutgoingEmailSetup=Same configuration than the global Outgoing email setup
Information=Information
ContactsWithThirdpartyFilter=Contacts with third-party filter
Unanswered=Unanswered
Answered=Answered
IsNotAnAnswer=Is not answer (initial email)
IsAnAnswer=Is an answer of an initial email
+RecordCreatedByEmailCollector=Record created by the Email Collector %s from email %s
diff --git a/htdocs/langs/bn_BD/main.lang b/htdocs/langs/bn_BD/main.lang
index 49a5986c0df..acdecffa3b3 100644
--- a/htdocs/langs/bn_BD/main.lang
+++ b/htdocs/langs/bn_BD/main.lang
@@ -28,7 +28,9 @@ NoTemplateDefined=No template available for this email type
AvailableVariables=Available substitution variables
NoTranslation=No translation
Translation=Translation
+CurrentTimeZone=TimeZone PHP (server)
EmptySearchString=Enter non empty search criterias
+EnterADateCriteria=Enter a date criteria
NoRecordFound=No record found
NoRecordDeleted=No record deleted
NotEnoughDataYet=Not enough data
@@ -85,6 +87,8 @@ FileWasNotUploaded=A file is selected for attachment but was not yet uploaded. C
NbOfEntries=No. of entries
GoToWikiHelpPage=Read online help (Internet access needed)
GoToHelpPage=Read help
+DedicatedPageAvailable=There is a dedicated help page related to your current screen
+HomePage=Home Page
RecordSaved=Record saved
RecordDeleted=Record deleted
RecordGenerated=Record generated
@@ -433,6 +437,7 @@ RemainToPay=Remain to pay
Module=Module/Application
Modules=Modules/Applications
Option=Option
+Filters=Filters
List=List
FullList=Full list
FullConversation=Full conversation
@@ -671,7 +676,7 @@ SendMail=Send email
Email=Email
NoEMail=No email
AlreadyRead=Already read
-NotRead=Not read
+NotRead=Unread
NoMobilePhone=No mobile phone
Owner=Owner
FollowingConstantsWillBeSubstituted=The following constants will be replaced with the corresponding value.
@@ -1107,3 +1112,8 @@ UpToDate=Up-to-date
OutOfDate=Out-of-date
EventReminder=Event Reminder
UpdateForAllLines=Update for all lines
+OnHold=On hold
+AffectTag=Affect Tag
+ConfirmAffectTag=Bulk Tag Affect
+ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected record(s)?
+CategTypeNotFound=No tag type found for type of records
diff --git a/htdocs/langs/bn_BD/modulebuilder.lang b/htdocs/langs/bn_BD/modulebuilder.lang
index 460aef8103b..845dd12624d 100644
--- a/htdocs/langs/bn_BD/modulebuilder.lang
+++ b/htdocs/langs/bn_BD/modulebuilder.lang
@@ -40,6 +40,7 @@ PageForCreateEditView=PHP page to create/edit/view a record
PageForAgendaTab=PHP page for event tab
PageForDocumentTab=PHP page for document tab
PageForNoteTab=PHP page for note tab
+PageForContactTab=PHP page for contact tab
PathToModulePackage=Path to zip of module/application package
PathToModuleDocumentation=Path to file of module/application documentation (%s)
SpaceOrSpecialCharAreNotAllowed=Spaces or special characters are not allowed.
@@ -77,7 +78,7 @@ IsAMeasure=Is a measure
DirScanned=Directory scanned
NoTrigger=No trigger
NoWidget=No widget
-GoToApiExplorer=Go to API explorer
+GoToApiExplorer=API explorer
ListOfMenusEntries=List of menu entries
ListOfDictionariesEntries=List of dictionaries entries
ListOfPermissionsDefined=List of defined permissions
@@ -105,7 +106,7 @@ TryToUseTheModuleBuilder=If you have knowledge of SQL and PHP, you may use the n
SeeTopRightMenu=See on the top right menu
AddLanguageFile=Add language file
YouCanUseTranslationKey=You can use here a key that is the translation key found into language file (see tab "Languages")
-DropTableIfEmpty=(Delete table if empty)
+DropTableIfEmpty=(Destroy table if empty)
TableDoesNotExists=The table %s does not exists
TableDropped=Table %s deleted
InitStructureFromExistingTable=Build the structure array string of an existing table
@@ -126,7 +127,6 @@ UseSpecificEditorURL = Use a specific editor URL
UseSpecificFamily = Use a specific family
UseSpecificAuthor = Use a specific author
UseSpecificVersion = Use a specific initial version
-ModuleMustBeEnabled=The module/application must be enabled first
IncludeRefGeneration=The reference of object must be generated automatically
IncludeRefGenerationHelp=Check this if you want to include code to manage the generation automatically of the reference
IncludeDocGeneration=I want to generate some documents from the object
@@ -140,3 +140,4 @@ TypeOfFieldsHelp=Type of fields: varchar(99), double(24,8), real, text, html,
AsciiToHtmlConverter=Ascii to HTML converter
AsciiToPdfConverter=Ascii to PDF converter
TableNotEmptyDropCanceled=Table not empty. Drop has been canceled.
+ModuleBuilderNotAllowed=The module builder is available but not allowed to your user.
diff --git a/htdocs/langs/bn_BD/other.lang b/htdocs/langs/bn_BD/other.lang
index 54c0572d453..0a7b3723ab1 100644
--- a/htdocs/langs/bn_BD/other.lang
+++ b/htdocs/langs/bn_BD/other.lang
@@ -5,8 +5,6 @@ Tools=Tools
TMenuTools=Tools
ToolsDesc=All tools not included in other menu entries are grouped here. All the tools can be accessed via the left menu.
Birthday=Birthday
-BirthdayDate=Birthday date
-DateToBirth=Birth date
BirthdayAlertOn=birthday alert active
BirthdayAlertOff=birthday alert inactive
TransKey=Translation of the key TransKey
@@ -16,6 +14,8 @@ PreviousMonthOfInvoice=Previous month (number 1-12) of invoice date
TextPreviousMonthOfInvoice=Previous month (text) of invoice date
NextMonthOfInvoice=Following month (number 1-12) of invoice date
TextNextMonthOfInvoice=Following month (text) of invoice date
+PreviousMonth=Previous month
+CurrentMonth=Current month
ZipFileGeneratedInto=Zip file generated into %s.
DocFileGeneratedInto=Doc file generated into %s.
JumpToLogin=Disconnected. Go to login page...
@@ -99,6 +99,7 @@ PredefinedMailContentSendShipping=__(Hello)__\n\nPlease find shipping __REF__ at
PredefinedMailContentSendFichInter=__(Hello)__\n\nPlease find intervention __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.\n\n%s\n\n
PredefinedMailContentGeneric=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
+PredefinedMailContentSendActionComm=Event reminder "__EVENT_LABEL__" on __EVENT_DATE__ at __EVENT_TIME__
This is an automatic message, please do not reply.
DemoDesc=Dolibarr is a compact ERP/CRM supporting several business modules. A demo showcasing all modules makes no sense as this scenario never occurs (several hundred available). So, several demo profiles are available.
ChooseYourDemoProfil=Choose the demo profile that best suits your needs...
ChooseYourDemoProfilMore=...or build your own profile (manual module selection)
@@ -137,7 +138,7 @@ Right=Right
CalculatedWeight=Calculated weight
CalculatedVolume=Calculated volume
Weight=Weight
-WeightUnitton=tonne
+WeightUnitton=ton
WeightUnitkg=kg
WeightUnitg=g
WeightUnitmg=mg
@@ -258,6 +259,7 @@ ContactCreatedByEmailCollector=Contact/address created by email collector from e
ProjectCreatedByEmailCollector=Project created by email collector from email MSGID %s
TicketCreatedByEmailCollector=Ticket created by email collector from email MSGID %s
OpeningHoursFormatDesc=Use a - to separate opening and closing hours. Use a space to enter different ranges. Example: 8-12 14-18
+PrefixSession=Prefix for session ID
##### Export #####
ExportsArea=Exports area
diff --git a/htdocs/langs/bn_BD/products.lang b/htdocs/langs/bn_BD/products.lang
index 97db059594f..f0c4a5362b8 100644
--- a/htdocs/langs/bn_BD/products.lang
+++ b/htdocs/langs/bn_BD/products.lang
@@ -108,7 +108,8 @@ FillWithLastServiceDates=Fill with last service line dates
MultiPricesAbility=Multiple price segments per product/service (each customer is in one price segment)
MultiPricesNumPrices=Number of prices
DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices
-AssociatedProductsAbility=Activate kits (virtual products)
+AssociatedProductsAbility=Enable Kits (set of other products)
+VariantsAbility=Enable Variants (variations of products, for example color, size)
AssociatedProducts=Kits
AssociatedProductsNumber=Number of products composing this kit
ParentProductsNumber=Number of parent packaging product
@@ -167,8 +168,10 @@ BuyingPrices=Buying prices
CustomerPrices=Customer prices
SuppliersPrices=Vendor prices
SuppliersPricesOfProductsOrServices=Vendor prices (of products or services)
-CustomCode=Customs / Commodity / HS code
+CustomCode=Customs|Commodity|HS code
CountryOrigin=Origin country
+RegionStateOrigin=Region origin
+StateOrigin=State|Province origin
Nature=Nature of product (material/finished)
NatureOfProductShort=Nature of product
NatureOfProductDesc=Raw material or finished product
@@ -239,7 +242,7 @@ AlwaysUseFixedPrice=Use the fixed price
PriceByQuantity=Different prices by quantity
DisablePriceByQty=Disable prices by quantity
PriceByQuantityRange=Quantity range
-MultipriceRules=Price segment rules
+MultipriceRules=Automatic prices for segment
UseMultipriceRules=Use price segment rules (defined into product module setup) to auto calculate prices of all other segments according to first segment
PercentVariationOver=%% variation over %s
PercentDiscountOver=%% discount over %s
diff --git a/htdocs/langs/bn_BD/recruitment.lang b/htdocs/langs/bn_BD/recruitment.lang
index b775e78552e..437445f25dc 100644
--- a/htdocs/langs/bn_BD/recruitment.lang
+++ b/htdocs/langs/bn_BD/recruitment.lang
@@ -73,3 +73,4 @@ JobClosedTextCandidateFound=The job position is closed. The position has been fi
JobClosedTextCanceled=The job position is closed.
ExtrafieldsJobPosition=Complementary attributes (job positions)
ExtrafieldsCandidatures=Complementary attributes (job applications)
+MakeOffer=Make an offer
diff --git a/htdocs/langs/bn_BD/sendings.lang b/htdocs/langs/bn_BD/sendings.lang
index 5ce3b7f67e9..73bd9aebd42 100644
--- a/htdocs/langs/bn_BD/sendings.lang
+++ b/htdocs/langs/bn_BD/sendings.lang
@@ -30,6 +30,7 @@ OtherSendingsForSameOrder=Other shipments for this order
SendingsAndReceivingForSameOrder=Shipments and receipts for this order
SendingsToValidate=Shipments to validate
StatusSendingCanceled=Canceled
+StatusSendingCanceledShort=Canceled
StatusSendingDraft=Draft
StatusSendingValidated=Validated (products to ship or already shipped)
StatusSendingProcessed=Processed
@@ -65,6 +66,7 @@ ValidateOrderFirstBeforeShipment=You must first validate the order before being
# Sending methods
# ModelDocument
DocumentModelTyphon=More complete document model for delivery receipts (logo...)
+DocumentModelStorm=More complete document model for delivery receipts and extrafields compatibility (logo...)
Error_EXPEDITION_ADDON_NUMBER_NotDefined=Constant EXPEDITION_ADDON_NUMBER not defined
SumOfProductVolumes=Sum of product volumes
SumOfProductWeights=Sum of product weights
diff --git a/htdocs/langs/bn_BD/stocks.lang b/htdocs/langs/bn_BD/stocks.lang
index 660443bcded..6cf089096dd 100644
--- a/htdocs/langs/bn_BD/stocks.lang
+++ b/htdocs/langs/bn_BD/stocks.lang
@@ -240,3 +240,4 @@ InventoryRealQtyHelp=Set value to 0 to reset qty Keep field empty, or remove
UpdateByScaning=Update by scaning
UpdateByScaningProductBarcode=Update by scan (product barcode)
UpdateByScaningLot=Update by scan (lot|serial barcode)
+DisableStockChangeOfSubProduct=Deactivate the stock change for all the subproducts of this Kit during this movement.
diff --git a/htdocs/langs/bn_BD/ticket.lang b/htdocs/langs/bn_BD/ticket.lang
index 59519282c80..982fff90ffa 100644
--- a/htdocs/langs/bn_BD/ticket.lang
+++ b/htdocs/langs/bn_BD/ticket.lang
@@ -31,10 +31,8 @@ TicketDictType=Ticket - Types
TicketDictCategory=Ticket - Groupes
TicketDictSeverity=Ticket - Severities
TicketDictResolution=Ticket - Resolution
-TicketTypeShortBUGSOFT=Dysfonctionnement logiciel
-TicketTypeShortBUGHARD=Dysfonctionnement matériel
-TicketTypeShortCOM=Commercial question
+TicketTypeShortCOM=Commercial question
TicketTypeShortHELP=Request for functionnal help
TicketTypeShortISSUE=Issue, bug or problem
TicketTypeShortREQUEST=Change or enhancement request
@@ -44,7 +42,7 @@ TicketTypeShortOTHER=Other
TicketSeverityShortLOW=Low
TicketSeverityShortNORMAL=Normal
TicketSeverityShortHIGH=High
-TicketSeverityShortBLOCKING=Critical/Blocking
+TicketSeverityShortBLOCKING=Critical, Blocking
ErrorBadEmailAddress=Field '%s' incorrect
MenuTicketMyAssign=My tickets
@@ -60,7 +58,6 @@ OriginEmail=Email source
Notify_TICKET_SENTBYMAIL=Send ticket message by email
# Status
-NotRead=Not read
Read=Read
Assigned=Assigned
InProgress=In progress
@@ -126,6 +123,7 @@ TicketsActivatePublicInterfaceHelp=Public interface allow any visitors to create
TicketsAutoAssignTicket=Automatically assign the user who created the ticket
TicketsAutoAssignTicketHelp=When creating a ticket, the user can be automatically assigned to the ticket.
TicketNumberingModules=Tickets numbering module
+TicketsModelModule=Document templates for tickets
TicketNotifyTiersAtCreation=Notify third party at creation
TicketsDisableCustomerEmail=Always disable emails when a ticket is created from public interface
TicketsPublicNotificationNewMessage=Send email(s) when a new message is added
@@ -233,7 +231,6 @@ TicketLogStatusChanged=Status changed: %s to %s
TicketNotNotifyTiersAtCreate=Not notify company at create
Unread=Unread
TicketNotCreatedFromPublicInterface=Not available. Ticket was not created from public interface.
-PublicInterfaceNotEnabled=Public interface was not enabled
ErrorTicketRefRequired=Ticket reference name is required
#
diff --git a/htdocs/langs/bn_BD/website.lang b/htdocs/langs/bn_BD/website.lang
index 03e042e4be6..f17def114b8 100644
--- a/htdocs/langs/bn_BD/website.lang
+++ b/htdocs/langs/bn_BD/website.lang
@@ -30,7 +30,6 @@ EditInLine=Edit inline
AddWebsite=Add website
Webpage=Web page/container
AddPage=Add page/container
-HomePage=Home Page
PageContainer=Page
PreviewOfSiteNotYetAvailable=Preview of your website %s not yet available. You must first 'Import a full website template' or just 'Add a page/container'.
RequestedPageHasNoContentYet=Requested page with id %s has no content yet, or cache file .tpl.php was removed. Edit content of the page to solve this.
@@ -101,7 +100,7 @@ EmptyPage=Empty page
ExternalURLMustStartWithHttp=External URL must start with http:// or https://
ZipOfWebsitePackageToImport=Upload the Zip file of the website template package
ZipOfWebsitePackageToLoad=or Choose an available embedded website template package
-ShowSubcontainers=Include dynamic content
+ShowSubcontainers=Show dynamic content
InternalURLOfPage=Internal URL of page
ThisPageIsTranslationOf=This page/container is a translation of
ThisPageHasTranslationPages=This page/container has translation
@@ -137,3 +136,4 @@ RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using
PagesRegenerated=%s page(s)/container(s) regenerated
RegenerateWebsiteContent=Regenerate web site cache files
AllowedInFrames=Allowed in Frames
+DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languages into web site properties.
diff --git a/htdocs/langs/bn_BD/withdrawals.lang b/htdocs/langs/bn_BD/withdrawals.lang
index a80c1865a0a..ecb8099c033 100644
--- a/htdocs/langs/bn_BD/withdrawals.lang
+++ b/htdocs/langs/bn_BD/withdrawals.lang
@@ -42,6 +42,7 @@ LastWithdrawalReceipt=Latest %s direct debit receipts
MakeWithdrawRequest=Make a direct debit payment request
MakeBankTransferOrder=Make a credit transfer request
WithdrawRequestsDone=%s direct debit payment requests recorded
+BankTransferRequestsDone=%s credit transfer requests recorded
ThirdPartyBankCode=Third-party bank code
NoInvoiceCouldBeWithdrawed=No invoice debited successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s.
ClassCredited=Classify credited
@@ -131,7 +132,8 @@ SEPARCUR=SEPA CUR
SEPAFRST=SEPA FRST
ExecutionDate=Execution date
CreateForSepa=Create direct debit file
-ICS=Creditor Identifier CI
+ICS=Creditor Identifier CI for direct debit
+ICSTransfer=Creditor Identifier CI for bank transfer
END_TO_END="EndToEndId" SEPA XML tag - Unique id assigned per transaction
USTRD="Unstructured" SEPA XML tag
ADDDAYS=Add days to Execution Date
@@ -146,3 +148,4 @@ InfoRejectSubject=Direct debit payment order refused
InfoRejectMessage=Hello,
the direct debit payment order of invoice %s related to the company %s, with an amount of %s has been refused by the bank.
-- %s
ModeWarning=Option for real mode was not set, we stop after this simulation
ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know wich one to use.
+ErrorICSmissing=Missing ICS in Bank account %s
diff --git a/htdocs/langs/bn_IN/accountancy.lang b/htdocs/langs/bn_IN/accountancy.lang
index 3211a0b62df..33ba4d9fea7 100644
--- a/htdocs/langs/bn_IN/accountancy.lang
+++ b/htdocs/langs/bn_IN/accountancy.lang
@@ -48,6 +48,7 @@ CountriesExceptMe=All countries except %s
AccountantFiles=Export source documents
ExportAccountingSourceDocHelp=With this tool, you can export the source events (list and PDFs) that were used to generate your accountancy. To export your journals, use the menu entry %s - %s.
VueByAccountAccounting=View by accounting account
+VueBySubAccountAccounting=View by accounting subaccount
MainAccountForCustomersNotDefined=Main accounting account for customers not defined in setup
MainAccountForSuppliersNotDefined=Main accounting account for vendors not defined in setup
@@ -144,7 +145,7 @@ NotVentilatedinAccount=Not bound to the accounting account
XLineSuccessfullyBinded=%s products/services successfully bound to an accounting account
XLineFailedToBeBinded=%s products/services were not bound to any accounting account
-ACCOUNTING_LIMIT_LIST_VENTILATION=Number of elements to bind shown by page (maximum recommended: 50)
+ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50)
ACCOUNTING_LIST_SORT_VENTILATION_TODO=Begin the sorting of the page "Binding to do" by the most recent elements
ACCOUNTING_LIST_SORT_VENTILATION_DONE=Begin the sorting of the page "Binding done" by the most recent elements
@@ -198,7 +199,8 @@ Docdate=Date
Docref=Reference
LabelAccount=Label account
LabelOperation=Label operation
-Sens=Sens
+Sens=Direction
+AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received For an accounting account of a supplier, use Debit to record a payment you make
LetteringCode=Lettering code
Lettering=Lettering
Codejournal=Journal
@@ -206,7 +208,8 @@ JournalLabel=Journal label
NumPiece=Piece number
TransactionNumShort=Num. transaction
AccountingCategory=Personalized groups
-GroupByAccountAccounting=Group by accounting account
+GroupByAccountAccounting=Group by general ledger account
+GroupBySubAccountAccounting=Group by subledger account
AccountingAccountGroupsDesc=You can define here some groups of accounting account. They will be used for personalized accounting reports.
ByAccounts=By accounts
ByPredefinedAccountGroups=By predefined groups
@@ -248,7 +251,7 @@ PaymentsNotLinkedToProduct=Payment not linked to any product / service
OpeningBalance=Opening balance
ShowOpeningBalance=Show opening balance
HideOpeningBalance=Hide opening balance
-ShowSubtotalByGroup=Show subtotal by group
+ShowSubtotalByGroup=Show subtotal by level
Pcgtype=Group of account
PcgtypeDesc=Group of account are used as predefined 'filter' and 'grouping' criteria for some accounting reports. For example, 'INCOME' or 'EXPENSE' are used as groups for accounting accounts of products to build the expense/income report.
@@ -271,11 +274,13 @@ DescVentilExpenseReport=Consult here the list of expense report lines bound (or
DescVentilExpenseReportMore=If you setup accounting account on type of expense report lines, the application will be able to make all the binding between your expense report lines and the accounting account of your chart of accounts, just in one click with the button "%s". If account was not set on fees dictionary or if you still have some lines not bound to any account, you will have to make a manual binding from the menu "%s".
DescVentilDoneExpenseReport=Consult here the list of the lines of expenses reports and their fees accounting account
+Closure=Annual closure
DescClosure=Consult here the number of movements by month who are not validated & fiscal years already open
OverviewOfMovementsNotValidated=Step 1/ Overview of movements not validated. (Necessary to close a fiscal year)
+AllMovementsWereRecordedAsValidated=All movements were recorded as validated
+NotAllMovementsCouldBeRecordedAsValidated=Not all movements could be recorded as validated
ValidateMovements=Validate movements
DescValidateMovements=Any modification or deletion of writing, lettering and deletes will be prohibited. All entries for an exercise must be validated otherwise closing will not be possible
-SelectMonthAndValidate=Select month and validate movements
ValidateHistory=Bind Automatically
AutomaticBindingDone=Automatic binding done
@@ -293,6 +298,7 @@ Accounted=Accounted in ledger
NotYetAccounted=Not yet accounted in ledger
ShowTutorial=Show Tutorial
NotReconciled=Not reconciled
+WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view
## Admin
BindingOptions=Binding options
@@ -337,6 +343,7 @@ Modelcsv_LDCompta10=Export for LD Compta (v10 & higher)
Modelcsv_openconcerto=Export for OpenConcerto (Test)
Modelcsv_configurable=Export CSV Configurable
Modelcsv_FEC=Export FEC
+Modelcsv_FEC2=Export FEC (With dates generation writing / document reversed)
Modelcsv_Sage50_Swiss=Export for Sage 50 Switzerland
Modelcsv_winfic=Export Winfic - eWinfic - WinSis Compta
Modelcsv_Gestinumv3=Export for Gestinum (v3)
diff --git a/htdocs/langs/bn_IN/admin.lang b/htdocs/langs/bn_IN/admin.lang
index f1c41a3b62b..189b0b5186a 100644
--- a/htdocs/langs/bn_IN/admin.lang
+++ b/htdocs/langs/bn_IN/admin.lang
@@ -56,6 +56,8 @@ GUISetup=Display
SetupArea=Setup
UploadNewTemplate=Upload new template(s)
FormToTestFileUploadForm=Form to test file upload (according to setup)
+ModuleMustBeEnabled=The module/application %s must be enabled
+ModuleIsEnabled=The module/application %s has been enabled
IfModuleEnabled=Note: yes is effective only if module %s is enabled
RemoveLock=Remove/rename file %s if it exists, to allow usage of the Update/Install tool.
RestoreLock=Restore file %s, with read permission only, to disable any further use of the Update/Install tool.
@@ -85,7 +87,6 @@ ShowPreview=Show preview
ShowHideDetails=Show-Hide details
PreviewNotAvailable=Preview not available
ThemeCurrentlyActive=Theme currently active
-CurrentTimeZone=TimeZone PHP (server)
MySQLTimeZone=TimeZone MySql (database)
TZHasNoEffect=Dates are stored and returned by database server as if they were kept as submitted string. The timezone has effect only when using the UNIX_TIMESTAMP function (that should not be used by Dolibarr, so database TZ should have no effect, even if changed after data was entered).
Space=Space
@@ -153,8 +154,8 @@ SystemToolsAreaDesc=This area provides administration functions. Use the menu to
Purge=Purge
PurgeAreaDesc=This page allows you to delete all files generated or stored by Dolibarr (temporary files or all files in %s directory). Using this feature is not normally necessary. It is provided as a workaround for users whose Dolibarr is hosted by a provider that does not offer permissions to delete files generated by the web server.
PurgeDeleteLogFile=Delete log files, including %s defined for Syslog module (no risk of losing data)
-PurgeDeleteTemporaryFiles=Delete all temporary files (no risk of losing data). Note: Deletion is done only if the temp directory was created 24 hours ago.
-PurgeDeleteTemporaryFilesShort=Delete temporary files
+PurgeDeleteTemporaryFiles=Delete all log and temporary files (no risk of losing data). Note: Deletion of temporary files is done only if the temp directory was created more than 24 hours ago.
+PurgeDeleteTemporaryFilesShort=Delete log and temporary files
PurgeDeleteAllFilesInDocumentsDir=Delete all files in directory: %s. This will delete all generated documents related to elements (third parties, invoices etc...), files uploaded into the ECM module, database backup dumps and temporary files.
PurgeRunNow=Purge now
PurgeNothingToDelete=No directory or files to delete.
@@ -256,6 +257,7 @@ ReferencedPreferredPartners=Preferred Partners
OtherResources=Other resources
ExternalResources=External Resources
SocialNetworks=Social Networks
+SocialNetworkId=Social Network ID
ForDocumentationSeeWiki=For user or developer documentation (Doc, FAQs...), take a look at the Dolibarr Wiki: %s
ForAnswersSeeForum=For any other questions/help, you can use the Dolibarr forum: %s
HelpCenterDesc1=Here are some resources for getting help and support with Dolibarr.
@@ -375,7 +377,7 @@ ExamplesWithCurrentSetup=Examples with current configuration
ListOfDirectories=List of OpenDocument templates directories
ListOfDirectoriesForModelGenODT=List of directories containing templates files with OpenDocument format.
Put here full path of directories. Add a carriage return between eah directory. To add a directory of the GED module, add here DOL_DATA_ROOT/ecm/yourdirectoryname.
Files in those directories must end with .odt or .ods.
NumberOfModelFilesFound=Number of ODT/ODS template files found in these directories
-ExampleOfDirectoriesForModelGen=Examples of syntax: c:\\mydir /home/mydir DOL_DATA_ROOT/ecm/ecmdir
+ExampleOfDirectoriesForModelGen=Examples of syntax: c:\\myapp\\mydocumentdir\\mysubdir /home/myapp/mydocumentdir/mysubdir DOL_DATA_ROOT/ecm/ecmdir
FollowingSubstitutionKeysCanBeUsed= To know how to create your odt document templates, before storing them in those directories, read wiki documentation:
FullListOnOnlineDocumentation=http://wiki.dolibarr.org/index.php/Create_an_ODT_document_template
FirstnameNamePosition=Position of Name/Lastname
@@ -406,7 +408,7 @@ UrlGenerationParameters=Parameters to secure URLs
SecurityTokenIsUnique=Use a unique securekey parameter for each URL
EnterRefToBuildUrl=Enter reference for object %s
GetSecuredUrl=Get calculated URL
-ButtonHideUnauthorized=Hide buttons for non-admin users for unauthorized actions instead of showing greyed disabled buttons
+ButtonHideUnauthorized=Hide unauthorized action buttons also for internal users (just greyed otherwise)
OldVATRates=Old VAT rate
NewVATRates=New VAT rate
PriceBaseTypeToChange=Modify on prices with base reference value defined on
@@ -1689,7 +1691,7 @@ NotTopTreeMenuPersonalized=Personalized menus not linked to a top menu entry
NewMenu=New menu
MenuHandler=Menu handler
MenuModule=Source module
-HideUnauthorizedMenu= Hide unauthorized menus (gray)
+HideUnauthorizedMenu=Hide unauthorized menus also for internal users (just greyed otherwise)
DetailId=Id menu
DetailMenuHandler=Menu handler where to show new menu
DetailMenuModule=Module name if menu entry come from a module
@@ -1983,11 +1985,12 @@ EMailHost=Host of email IMAP server
MailboxSourceDirectory=Mailbox source directory
MailboxTargetDirectory=Mailbox target directory
EmailcollectorOperations=Operations to do by collector
+EmailcollectorOperationsDesc=Operations are executed from top to bottom order
MaxEmailCollectPerCollect=Max number of emails collected per collect
CollectNow=Collect now
ConfirmCloneEmailCollector=Are you sure you want to clone the Email collector %s ?
-DateLastCollectResult=Date latest collect tried
-DateLastcollectResultOk=Date latest collect successfull
+DateLastCollectResult=Date of latest collect try
+DateLastcollectResultOk=Date of latest collect success
LastResult=Latest result
EmailCollectorConfirmCollectTitle=Email collect confirmation
EmailCollectorConfirmCollect=Do you want to run the collection for this collector now ?
@@ -2005,7 +2008,7 @@ WithDolTrackingID=Message from a conversation initiated by a first email sent fr
WithoutDolTrackingID=Message from a conversation initiated by a first email NOT sent from Dolibarr
WithDolTrackingIDInMsgId=Message sent from Dolibarr
WithoutDolTrackingIDInMsgId=Message NOT sent from Dolibarr
-CreateCandidature=Create candidature
+CreateCandidature=Create job application
FormatZip=Zip
MainMenuCode=Menu entry code (mainmenu)
ECMAutoTree=Show automatic ECM tree
@@ -2083,3 +2086,7 @@ CountryIfSpecificToOneCountry=Country (if specific to a given country)
YouMayFindSecurityAdviceHere=You may find security advisory here
ModuleActivatedMayExposeInformation=This module may expose sensitive data. If you don't need it, disable it.
ModuleActivatedDoNotUseInProduction=A module designed for the development has been enabled. Do not enable it on a production environment.
+CombinationsSeparator=Separator character for product combinations
+SeeLinkToOnlineDocumentation=See link to online documention on top menu for examples
+SHOW_SUBPRODUCT_REF_IN_PDF=If the feature "%s" of module %s is used, show details of subproducts of a kit on PDF.
+AskThisIDToYourBank=Contact your bank to get this ID
diff --git a/htdocs/langs/bn_IN/banks.lang b/htdocs/langs/bn_IN/banks.lang
index 9500a5b8b2e..a0dc27f86c4 100644
--- a/htdocs/langs/bn_IN/banks.lang
+++ b/htdocs/langs/bn_IN/banks.lang
@@ -173,8 +173,8 @@ SEPAMandate=SEPA mandate
YourSEPAMandate=Your SEPA mandate
FindYourSEPAMandate=This is your SEPA mandate to authorize our company to make direct debit order to your bank. Return it signed (scan of the signed document) or send it by mail to
AutoReportLastAccountStatement=Automatically fill the field 'number of bank statement' with last statement number when making reconciliation
-CashControl=POS cash fence
-NewCashFence=New cash fence
+CashControl=POS cash desk control
+NewCashFence=New cash desk closing
BankColorizeMovement=Colorize movements
BankColorizeMovementDesc=If this function is enable, you can choose specific background color for debit or credit movements
BankColorizeMovementName1=Background color for debit movement
diff --git a/htdocs/langs/bn_IN/blockedlog.lang b/htdocs/langs/bn_IN/blockedlog.lang
index 5afae6e9e53..0bba5605d0f 100644
--- a/htdocs/langs/bn_IN/blockedlog.lang
+++ b/htdocs/langs/bn_IN/blockedlog.lang
@@ -35,7 +35,7 @@ logDON_DELETE=Donation logical deletion
logMEMBER_SUBSCRIPTION_CREATE=Member subscription created
logMEMBER_SUBSCRIPTION_MODIFY=Member subscription modified
logMEMBER_SUBSCRIPTION_DELETE=Member subscription logical deletion
-logCASHCONTROL_VALIDATE=Cash fence recording
+logCASHCONTROL_VALIDATE=Cash desk closing recording
BlockedLogBillDownload=Customer invoice download
BlockedLogBillPreview=Customer invoice preview
BlockedlogInfoDialog=Log Details
diff --git a/htdocs/langs/bn_IN/boxes.lang b/htdocs/langs/bn_IN/boxes.lang
index d6fd298a3a7..7db4ea8aa17 100644
--- a/htdocs/langs/bn_IN/boxes.lang
+++ b/htdocs/langs/bn_IN/boxes.lang
@@ -46,9 +46,12 @@ BoxTitleLastModifiedDonations=Latest %s modified donations
BoxTitleLastModifiedExpenses=Latest %s modified expense reports
BoxTitleLatestModifiedBoms=Latest %s modified BOMs
BoxTitleLatestModifiedMos=Latest %s modified Manufacturing Orders
+BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded
BoxGlobalActivity=Global activity (invoices, proposals, orders)
BoxGoodCustomers=Good customers
BoxTitleGoodCustomers=%s Good customers
+BoxScheduledJobs=Scheduled jobs
+BoxTitleFunnelOfProspection=Lead funnel
FailedToRefreshDataInfoNotUpToDate=Failed to refresh RSS flux. Latest successful refresh date: %s
LastRefreshDate=Latest refresh date
NoRecordedBookmarks=No bookmarks defined.
@@ -102,5 +105,7 @@ SuspenseAccountNotDefined=Suspense account isn't defined
BoxLastCustomerShipments=Last customer shipments
BoxTitleLastCustomerShipments=Latest %s customer shipments
NoRecordedShipments=No recorded customer shipment
+BoxCustomersOutstandingBillReached=Customers with oustanding limit reached
# Pages
AccountancyHome=Accountancy
+ValidatedProjects=Validated projects
diff --git a/htdocs/langs/bn_IN/cashdesk.lang b/htdocs/langs/bn_IN/cashdesk.lang
index 498baa82200..3fef645d99d 100644
--- a/htdocs/langs/bn_IN/cashdesk.lang
+++ b/htdocs/langs/bn_IN/cashdesk.lang
@@ -49,8 +49,8 @@ Footer=Footer
AmountAtEndOfPeriod=Amount at end of period (day, month or year)
TheoricalAmount=Theorical amount
RealAmount=Real amount
-CashFence=Cash fence
-CashFenceDone=Cash fence done for the period
+CashFence=Cash desk closing
+CashFenceDone=Cash desk closing done for the period
NbOfInvoices=Nb of invoices
Paymentnumpad=Type of Pad to enter payment
Numberspad=Numbers Pad
@@ -99,8 +99,9 @@ CashDeskRefNumberingModules=Numbering module for POS sales
CashDeskGenericMaskCodes6 = {TN} tag is used to add the terminal number
TakeposGroupSameProduct=Group same products lines
StartAParallelSale=Start a new parallel sale
-ControlCashOpening=Control cash box at opening POS
-CloseCashFence=Close cash fence
+SaleStartedAt=Sale started at %s
+ControlCashOpening=Control cash popup at opening POS
+CloseCashFence=Close cash desk control
CashReport=Cash report
MainPrinterToUse=Main printer to use
OrderPrinterToUse=Order printer to use
@@ -122,3 +123,4 @@ GiftReceipt=Gift receipt
ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled first
AllowDelayedPayment=Allow delayed payment
PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts
+WeighingScale=Weighing scale
diff --git a/htdocs/langs/bn_IN/categories.lang b/htdocs/langs/bn_IN/categories.lang
index ba37a43b4ec..4ddf0d6093f 100644
--- a/htdocs/langs/bn_IN/categories.lang
+++ b/htdocs/langs/bn_IN/categories.lang
@@ -19,6 +19,7 @@ ProjectsCategoriesArea=Projects tags/categories area
UsersCategoriesArea=Users tags/categories area
SubCats=Sub-categories
CatList=List of tags/categories
+CatListAll=List of tags/categories (all types)
NewCategory=New tag/category
ModifCat=Modify tag/category
CatCreated=Tag/category created
@@ -65,16 +66,22 @@ UsersCategoriesShort=Users tags/categories
StockCategoriesShort=Warehouse tags/categories
ThisCategoryHasNoItems=This category does not contain any items.
CategId=Tag/category id
-CatSupList=List of vendor tags/categories
-CatCusList=List of customer/prospect tags/categories
+ParentCategory=Parent tag/category
+ParentCategoryLabel=Label of parent tag/category
+CatSupList=List of vendors tags/categories
+CatCusList=List of customers/prospects tags/categories
CatProdList=List of products tags/categories
CatMemberList=List of members tags/categories
-CatContactList=List of contact tags/categories
-CatSupLinks=Links between suppliers and tags/categories
+CatContactList=List of contacts tags/categories
+CatProjectsList=List of projects tags/categories
+CatUsersList=List of users tags/categories
+CatSupLinks=Links between vendors and tags/categories
CatCusLinks=Links between customers/prospects and tags/categories
CatContactsLinks=Links between contacts/addresses and tags/categories
CatProdLinks=Links between products/services and tags/categories
-CatProJectLinks=Links between projects and tags/categories
+CatMembersLinks=Links between members and tags/categories
+CatProjectsLinks=Links between projects and tags/categories
+CatUsersLinks=Links between users and tags/categories
DeleteFromCat=Remove from tags/category
ExtraFieldsCategories=Complementary attributes
CategoriesSetup=Tags/categories setup
diff --git a/htdocs/langs/bn_IN/companies.lang b/htdocs/langs/bn_IN/companies.lang
index dadff6a7894..8dc815b522e 100644
--- a/htdocs/langs/bn_IN/companies.lang
+++ b/htdocs/langs/bn_IN/companies.lang
@@ -358,7 +358,7 @@ VATIntraCheckableOnEUSite=Check the intra-Community VAT ID on the European Commi
VATIntraManualCheck=You can also check manually on the European Commission website %s
ErrorVATCheckMS_UNAVAILABLE=Check not possible. Check service is not provided by the member state (%s).
NorProspectNorCustomer=Not prospect, nor customer
-JuridicalStatus=Legal Entity Type
+JuridicalStatus=Business entity type
Workforce=Workforce
Staff=Employees
ProspectLevelShort=Potential
diff --git a/htdocs/langs/bn_IN/compta.lang b/htdocs/langs/bn_IN/compta.lang
index 8f4f058bb87..1afeb6e3727 100644
--- a/htdocs/langs/bn_IN/compta.lang
+++ b/htdocs/langs/bn_IN/compta.lang
@@ -111,7 +111,7 @@ Refund=Refund
SocialContributionsPayments=Social/fiscal taxes payments
ShowVatPayment=Show VAT payment
TotalToPay=Total to pay
-BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted ascending on %s and filtered for 1 bank account
+BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted on %s and filtered on 1 bank account (with no other filters)
CustomerAccountancyCode=Customer accounting code
SupplierAccountancyCode=Vendor accounting code
CustomerAccountancyCodeShort=Cust. account. code
@@ -140,7 +140,7 @@ ConfirmDeleteSocialContribution=Are you sure you want to delete this social/fisc
ExportDataset_tax_1=Social and fiscal taxes and payments
CalcModeVATDebt=Mode %sVAT on commitment accounting%s.
CalcModeVATEngagement=Mode %sVAT on incomes-expenses%s.
-CalcModeDebt=Analysis of known recorded invoices even if they are not yet accounted in ledger.
+CalcModeDebt=Analysis of known recorded documents even if they are not yet accounted in ledger.
CalcModeEngagement=Analysis of known recorded payments, even if they are not yet accounted in Ledger.
CalcModeBookkeeping=Analysis of data journalized in Bookkeeping Ledger table.
CalcModeLT1= Mode %sRE on customer invoices - suppliers invoices%s
@@ -154,9 +154,9 @@ AnnualSummaryInputOutputMode=Balance of income and expenses, annual summary
AnnualByCompanies=Balance of income and expenses, by predefined groups of account
AnnualByCompaniesDueDebtMode=Balance of income and expenses, detail by predefined groups, mode %sClaims-Debts%s said Commitment accounting.
AnnualByCompaniesInputOutputMode=Balance of income and expenses, detail by predefined groups, mode %sIncomes-Expenses%s said cash accounting.
-SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation on actual payments made even if they are not yet accounted in Ledger.
-SeeReportInDueDebtMode=See %sanalysis of invoices%s for a calculation based on known recorded invoices even if they are not yet accounted in Ledger.
-SeeReportInBookkeepingMode=See %sBookeeping report%s for a calculation on Bookkeeping Ledger table
+SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation based on recorded payments made even if they are not yet accounted in Ledger
+SeeReportInDueDebtMode=See %sanalysis of recorded documents%s for a calculation based on known recorded documents even if they are not yet accounted in Ledger
+SeeReportInBookkeepingMode=See %sanalysis of bookeeping ledger table%s for a report based on Bookkeeping Ledger table
RulesAmountWithTaxIncluded=- Amounts shown are with all taxes included
RulesResultDue=- It includes outstanding invoices, expenses, VAT, donations whether they are paid or not. Is also includes paid salaries. - It is based on the billing date of invoices and on the due date for expenses or tax payments. For salaries defined with Salary module, the value date of payment is used.
RulesResultInOut=- It includes the real payments made on invoices, expenses, VAT and salaries. - It is based on the payment dates of the invoices, expenses, VAT and salaries. The donation date for donation.
@@ -169,12 +169,15 @@ RulesResultBookkeepingPersonalized=It show record in your Ledger with accounting
SeePageForSetup=See menu %s for setup
DepositsAreNotIncluded=- Down payment invoices are not included
DepositsAreIncluded=- Down payment invoices are included
+LT1ReportByMonth=Tax 2 report by month
+LT2ReportByMonth=Tax 3 report by month
LT1ReportByCustomers=Report tax 2 by third party
LT2ReportByCustomers=Report tax 3 by third party
LT1ReportByCustomersES=Report by third party RE
LT2ReportByCustomersES=Report by third party IRPF
VATReport=Sale tax report
VATReportByPeriods=Sale tax report by period
+VATReportByMonth=Sale tax report by month
VATReportByRates=Sale tax report by rates
VATReportByThirdParties=Sale tax report by third parties
VATReportByCustomers=Sale tax report by customer
diff --git a/htdocs/langs/bn_IN/cron.lang b/htdocs/langs/bn_IN/cron.lang
index 1de1251831a..2ebdda1e685 100644
--- a/htdocs/langs/bn_IN/cron.lang
+++ b/htdocs/langs/bn_IN/cron.lang
@@ -7,13 +7,14 @@ Permission23103 = Delete Scheduled job
Permission23104 = Execute Scheduled job
# Admin
CronSetup=Scheduled job management setup
-URLToLaunchCronJobs=URL to check and launch qualified cron jobs
-OrToLaunchASpecificJob=Or to check and launch a specific job
+URLToLaunchCronJobs=URL to check and launch qualified cron jobs from a browser
+OrToLaunchASpecificJob=Or to check and launch a specific job from a browser
KeyForCronAccess=Security key for URL to launch cron jobs
FileToLaunchCronJobs=Command line to check and launch qualified cron jobs
CronExplainHowToRunUnix=On Unix environment you should use the following crontab entry to run the command line each 5 minutes
CronExplainHowToRunWin=On Microsoft(tm) Windows environment you can use Scheduled Task tools to run the command line each 5 minutes
CronMethodDoesNotExists=Class %s does not contains any method %s
+CronMethodNotAllowed=Method %s of class %s is in blacklist of forbidden methods
CronJobDefDesc=Cron job profiles are defined into the module descriptor file. When module is activated, they are loaded and available so you can administer the jobs from the admin tools menu %s.
CronJobProfiles=List of predefined cron job profiles
# Menu
@@ -46,6 +47,7 @@ CronNbRun=Number of launches
CronMaxRun=Maximum number of launches
CronEach=Every
JobFinished=Job launched and finished
+Scheduled=Scheduled
#Page card
CronAdd= Add jobs
CronEvery=Execute job each
@@ -56,7 +58,7 @@ CronNote=Comment
CronFieldMandatory=Fields %s is mandatory
CronErrEndDateStartDt=End date cannot be before start date
StatusAtInstall=Status at module installation
-CronStatusActiveBtn=Enable
+CronStatusActiveBtn=Schedule
CronStatusInactiveBtn=Disable
CronTaskInactive=This job is disabled
CronId=Id
@@ -82,3 +84,8 @@ MakeLocalDatabaseDumpShort=Local database backup
MakeLocalDatabaseDump=Create a local database dump. Parameters are: compression ('gz' or 'bz' or 'none'), backup type ('mysql', 'pgsql', 'auto'), 1, 'auto' or filename to build, number of backup files to keep
WarningCronDelayed=Attention, for performance purpose, whatever is next date of execution of enabled jobs, your jobs may be delayed to a maximum of %s hours, before being run.
DATAPOLICYJob=Data cleaner and anonymizer
+JobXMustBeEnabled=Job %s must be enabled
+# Cron Boxes
+LastExecutedScheduledJob=Last executed scheduled job
+NextScheduledJobExecute=Next scheduled job to execute
+NumberScheduledJobError=Number of scheduled jobs in error
diff --git a/htdocs/langs/bn_IN/errors.lang b/htdocs/langs/bn_IN/errors.lang
index 893f4a35b65..5b26be724d9 100644
--- a/htdocs/langs/bn_IN/errors.lang
+++ b/htdocs/langs/bn_IN/errors.lang
@@ -5,8 +5,10 @@ NoErrorCommitIsDone=No error, we commit
# Errors
ErrorButCommitIsDone=Errors found but we validate despite this
ErrorBadEMail=Email %s is wrong
+ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record)
ErrorBadUrl=Url %s is wrong
ErrorBadValueForParamNotAString=Bad value for your parameter. It appends generally when translation is missing.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorLoginAlreadyExists=Login %s already exists.
ErrorGroupAlreadyExists=Group %s already exists.
ErrorRecordNotFound=Record not found.
@@ -48,6 +50,7 @@ ErrorFieldsRequired=Some required fields were not filled.
ErrorSubjectIsRequired=The email topic is required
ErrorFailedToCreateDir=Failed to create a directory. Check that Web server user has permissions to write into Dolibarr documents directory. If parameter safe_mode is enabled on this PHP, check that Dolibarr php files owns to web server user (or group).
ErrorNoMailDefinedForThisUser=No mail defined for this user
+ErrorSetupOfEmailsNotComplete=Setup of emails is not complete
ErrorFeatureNeedJavascript=This feature need javascript to be activated to work. Change this in setup - display.
ErrorTopMenuMustHaveAParentWithId0=A menu of type 'Top' can't have a parent menu. Put 0 in parent menu or choose a menu of type 'Left'.
ErrorLeftMenuMustHaveAParentId=A menu of type 'Left' must have a parent id.
@@ -75,7 +78,7 @@ ErrorExportDuplicateProfil=This profile name already exists for this export set.
ErrorLDAPSetupNotComplete=Dolibarr-LDAP matching is not complete.
ErrorLDAPMakeManualTest=A .ldif file has been generated in directory %s. Try to load it manually from command line to have more information on errors.
ErrorCantSaveADoneUserWithZeroPercentage=Can't save an action with "status not started" if field "done by" is also filled.
-ErrorRefAlreadyExists=Ref used for creation already exists.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorPleaseTypeBankTransactionReportName=Please enter the bank statement name where the entry has to be reported (Format YYYYMM or YYYYMMDD)
ErrorRecordHasChildren=Failed to delete record since it has some child records.
ErrorRecordHasAtLeastOneChildOfType=Object has at least one child of type %s
@@ -216,7 +219,7 @@ ErrorChooseBetweenFreeEntryOrPredefinedProduct=You must choose if article is a p
ErrorDiscountLargerThanRemainToPaySplitItBefore=The discount you try to apply is larger than remain to pay. Split the discount in 2 smaller discounts before.
ErrorFileNotFoundWithSharedLink=File was not found. May be the share key was modified or file was removed recently.
ErrorProductBarCodeAlreadyExists=The product barcode %s already exists on another product reference.
-ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using virtual product to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number.
+ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using kits to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number.
ErrorDescRequiredForFreeProductLines=Description is mandatory for lines with free product
ErrorAPageWithThisNameOrAliasAlreadyExists=The page/container %s has the same name or alternative alias that the one your try to use
ErrorDuringChartLoad=Error when loading chart of accounts. If few accounts were not loaded, you can still enter them manually.
@@ -243,6 +246,16 @@ ErrorReplaceStringEmpty=Error, the string to replace into is empty
ErrorProductNeedBatchNumber=Error, product '%s' need a lot/serial number
ErrorProductDoesNotNeedBatchNumber=Error, product '%s' does not accept a lot/serial number
ErrorFailedToReadObject=Error, failed to read object of type %s
+ErrorParameterMustBeEnabledToAllwoThisFeature=Error, parameter %s must be enabled into conf/conf.php to allow use of Command Line Interface by the internal job scheduler
+ErrorLoginDateValidity=Error, this login is outside the validity date range
+ErrorValueLength=Length of field '%s' must be higher than '%s'
+ErrorReservedKeyword=The word '%s' is a reserved keyword
+ErrorNotAvailableWithThisDistribution=Not available with this distribution
+ErrorPublicInterfaceNotEnabled=Public interface was not enabled
+ErrorLanguageRequiredIfPageIsTranslationOfAnother=The language of new page must be defined if it is set as a translation of another page
+ErrorLanguageMustNotBeSourceLanguageIfPageIsTranslationOfAnother=The language of new page must not be the source language if it is set as a translation of another page
+ErrorAParameterIsRequiredForThisOperation=A parameter is mandatory for this operation
+
# Warnings
WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup.
WarningPasswordSetWithNoAccount=A password was set for this member. However, no user account was created. So this password is stored but can't be used to login to Dolibarr. It may be used by an external module/interface but if you don't need to define any login nor password for a member, you can disable option "Manage a login for each member" from Member module setup. If you need to manage a login but don't need any password, you can keep this field empty to avoid this warning. Note: Email can also be used as a login if the member is linked to a user.
@@ -267,6 +280,10 @@ WarningYourLoginWasModifiedPleaseLogin=Your login was modified. For security pur
WarningAnEntryAlreadyExistForTransKey=An entry already exists for the translation key for this language
WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different recipient is limited to %s when using the mass actions on lists
WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report
+WarningProjectDraft=Project is still in draft mode. Don't forget to validate it if you plan to use tasks.
WarningProjectClosed=Project is closed. You must re-open it first.
WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list.
-WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table
+WarningFailedToAddFileIntoDatabaseIndex=Warning, failed to add file entry into ECM database index table
+WarningTheHiddenOptionIsOn=Warning, the hidden option %s is on.
+WarningCreateSubAccounts=Warning, you can't create directly a sub account, you must create a third party or an user and assign them an accounting code to find them in this list
+WarningAvailableOnlyForHTTPSServers=Available only if using HTTPS secured connection.
diff --git a/htdocs/langs/bn_IN/exports.lang b/htdocs/langs/bn_IN/exports.lang
index 3549e3f8b23..a0eb7161ef2 100644
--- a/htdocs/langs/bn_IN/exports.lang
+++ b/htdocs/langs/bn_IN/exports.lang
@@ -133,3 +133,4 @@ KeysToUseForUpdates=Key (column) to use for updating existing data
NbInsert=Number of inserted lines: %s
NbUpdate=Number of updated lines: %s
MultipleRecordFoundWithTheseFilters=Multiple records have been found with these filters: %s
+StocksWithBatch=Stocks and location (warehouse) of products with batch/serial number
diff --git a/htdocs/langs/bn_IN/mails.lang b/htdocs/langs/bn_IN/mails.lang
index 1235eef3b27..7fd93be7b71 100644
--- a/htdocs/langs/bn_IN/mails.lang
+++ b/htdocs/langs/bn_IN/mails.lang
@@ -92,6 +92,7 @@ MailingModuleDescEmailsFromUser=Emails input by user
MailingModuleDescDolibarrUsers=Users with Emails
MailingModuleDescThirdPartiesByCategories=Third parties (by categories)
SendingFromWebInterfaceIsNotAllowed=Sending from web interface is not allowed.
+EmailCollectorFilterDesc=All filters must match to have an email being collected
# Libelle des modules de liste de destinataires mailing
LineInFile=Line %s in file
@@ -125,12 +126,13 @@ TagMailtoEmail=Recipient Email (including html "mailto:" link)
NoEmailSentBadSenderOrRecipientEmail=No email sent. Bad sender or recipient email. Verify user profile.
# Module Notifications
Notifications=Notifications
-NoNotificationsWillBeSent=No email notifications are planned for this event and company
-ANotificationsWillBeSent=1 notification will be sent by email
-SomeNotificationsWillBeSent=%s notifications will be sent by email
-AddNewNotification=Activate a new email notification target/event
-ListOfActiveNotifications=List all active targets/events for email notification
-ListOfNotificationsDone=List all email notifications sent
+NotificationsAuto=Notifications Auto.
+NoNotificationsWillBeSent=No automatic email notifications are planned for this event type and company
+ANotificationsWillBeSent=1 automatic notification will be sent by email
+SomeNotificationsWillBeSent=%s automatic notifications will be sent by email
+AddNewNotification=Subscribe to a new automatic email notification (target/event)
+ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification
+ListOfNotificationsDone=List all automatic email notifications sent
MailSendSetupIs=Configuration of email sending has been setup to '%s'. This mode can't be used to send mass emailing.
MailSendSetupIs2=You must first go, with an admin account, into menu %sHome - Setup - EMails%s to change parameter '%s' to use mode '%s'. With this mode, you can enter setup of the SMTP server provided by your Internet Service Provider and use Mass emailing feature.
MailSendSetupIs3=If you have any questions on how to setup your SMTP server, you can ask to %s.
@@ -140,7 +142,7 @@ UseFormatFileEmailToTarget=Imported file must have format email;name;fir
UseFormatInputEmailToTarget=Enter a string with format email;name;firstname;other
MailAdvTargetRecipients=Recipients (advanced selection)
AdvTgtTitle=Fill input fields to preselect the third parties or contacts/addresses to target
-AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima% will target all jean, joe, start with jim but not jimo and not everything that starts with jima
+AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima%% will target all jean, joe, start with jim but not jimo and not everything that starts with jima
AdvTgtSearchIntHelp=Use interval to select int or float value
AdvTgtMinVal=Minimum value
AdvTgtMaxVal=Maximum value
@@ -162,13 +164,14 @@ AdvTgtCreateFilter=Create filter
AdvTgtOrCreateNewFilter=Name of new filter
NoContactWithCategoryFound=No contact/address with a category found
NoContactLinkedToThirdpartieWithCategoryFound=No contact/address with a category found
-OutGoingEmailSetup=Outgoing email setup
-InGoingEmailSetup=Incoming email setup
-OutGoingEmailSetupForEmailing=Outgoing email setup (for module %s)
-DefaultOutgoingEmailSetup=Default outgoing email setup
+OutGoingEmailSetup=Outgoing emails
+InGoingEmailSetup=Incoming emails
+OutGoingEmailSetupForEmailing=Outgoing emails (for module %s)
+DefaultOutgoingEmailSetup=Same configuration than the global Outgoing email setup
Information=Information
ContactsWithThirdpartyFilter=Contacts with third-party filter
Unanswered=Unanswered
Answered=Answered
IsNotAnAnswer=Is not answer (initial email)
IsAnAnswer=Is an answer of an initial email
+RecordCreatedByEmailCollector=Record created by the Email Collector %s from email %s
diff --git a/htdocs/langs/bn_IN/main.lang b/htdocs/langs/bn_IN/main.lang
index 96c68cdcfa3..e196120c27d 100644
--- a/htdocs/langs/bn_IN/main.lang
+++ b/htdocs/langs/bn_IN/main.lang
@@ -28,7 +28,9 @@ NoTemplateDefined=No template available for this email type
AvailableVariables=Available substitution variables
NoTranslation=No translation
Translation=Translation
+CurrentTimeZone=TimeZone PHP (server)
EmptySearchString=Enter non empty search criterias
+EnterADateCriteria=Enter a date criteria
NoRecordFound=No record found
NoRecordDeleted=No record deleted
NotEnoughDataYet=Not enough data
@@ -85,6 +87,8 @@ FileWasNotUploaded=A file is selected for attachment but was not yet uploaded. C
NbOfEntries=No. of entries
GoToWikiHelpPage=Read online help (Internet access needed)
GoToHelpPage=Read help
+DedicatedPageAvailable=There is a dedicated help page related to your current screen
+HomePage=Home Page
RecordSaved=Record saved
RecordDeleted=Record deleted
RecordGenerated=Record generated
@@ -433,6 +437,7 @@ RemainToPay=Remain to pay
Module=Module/Application
Modules=Modules/Applications
Option=Option
+Filters=Filters
List=List
FullList=Full list
FullConversation=Full conversation
@@ -671,7 +676,7 @@ SendMail=Send email
Email=Email
NoEMail=No email
AlreadyRead=Already read
-NotRead=Not read
+NotRead=Unread
NoMobilePhone=No mobile phone
Owner=Owner
FollowingConstantsWillBeSubstituted=The following constants will be replaced with the corresponding value.
@@ -1107,3 +1112,8 @@ UpToDate=Up-to-date
OutOfDate=Out-of-date
EventReminder=Event Reminder
UpdateForAllLines=Update for all lines
+OnHold=On hold
+AffectTag=Affect Tag
+ConfirmAffectTag=Bulk Tag Affect
+ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected record(s)?
+CategTypeNotFound=No tag type found for type of records
diff --git a/htdocs/langs/bn_IN/modulebuilder.lang b/htdocs/langs/bn_IN/modulebuilder.lang
index 460aef8103b..845dd12624d 100644
--- a/htdocs/langs/bn_IN/modulebuilder.lang
+++ b/htdocs/langs/bn_IN/modulebuilder.lang
@@ -40,6 +40,7 @@ PageForCreateEditView=PHP page to create/edit/view a record
PageForAgendaTab=PHP page for event tab
PageForDocumentTab=PHP page for document tab
PageForNoteTab=PHP page for note tab
+PageForContactTab=PHP page for contact tab
PathToModulePackage=Path to zip of module/application package
PathToModuleDocumentation=Path to file of module/application documentation (%s)
SpaceOrSpecialCharAreNotAllowed=Spaces or special characters are not allowed.
@@ -77,7 +78,7 @@ IsAMeasure=Is a measure
DirScanned=Directory scanned
NoTrigger=No trigger
NoWidget=No widget
-GoToApiExplorer=Go to API explorer
+GoToApiExplorer=API explorer
ListOfMenusEntries=List of menu entries
ListOfDictionariesEntries=List of dictionaries entries
ListOfPermissionsDefined=List of defined permissions
@@ -105,7 +106,7 @@ TryToUseTheModuleBuilder=If you have knowledge of SQL and PHP, you may use the n
SeeTopRightMenu=See on the top right menu
AddLanguageFile=Add language file
YouCanUseTranslationKey=You can use here a key that is the translation key found into language file (see tab "Languages")
-DropTableIfEmpty=(Delete table if empty)
+DropTableIfEmpty=(Destroy table if empty)
TableDoesNotExists=The table %s does not exists
TableDropped=Table %s deleted
InitStructureFromExistingTable=Build the structure array string of an existing table
@@ -126,7 +127,6 @@ UseSpecificEditorURL = Use a specific editor URL
UseSpecificFamily = Use a specific family
UseSpecificAuthor = Use a specific author
UseSpecificVersion = Use a specific initial version
-ModuleMustBeEnabled=The module/application must be enabled first
IncludeRefGeneration=The reference of object must be generated automatically
IncludeRefGenerationHelp=Check this if you want to include code to manage the generation automatically of the reference
IncludeDocGeneration=I want to generate some documents from the object
@@ -140,3 +140,4 @@ TypeOfFieldsHelp=Type of fields: varchar(99), double(24,8), real, text, html,
AsciiToHtmlConverter=Ascii to HTML converter
AsciiToPdfConverter=Ascii to PDF converter
TableNotEmptyDropCanceled=Table not empty. Drop has been canceled.
+ModuleBuilderNotAllowed=The module builder is available but not allowed to your user.
diff --git a/htdocs/langs/bn_IN/other.lang b/htdocs/langs/bn_IN/other.lang
index 54c0572d453..0a7b3723ab1 100644
--- a/htdocs/langs/bn_IN/other.lang
+++ b/htdocs/langs/bn_IN/other.lang
@@ -5,8 +5,6 @@ Tools=Tools
TMenuTools=Tools
ToolsDesc=All tools not included in other menu entries are grouped here. All the tools can be accessed via the left menu.
Birthday=Birthday
-BirthdayDate=Birthday date
-DateToBirth=Birth date
BirthdayAlertOn=birthday alert active
BirthdayAlertOff=birthday alert inactive
TransKey=Translation of the key TransKey
@@ -16,6 +14,8 @@ PreviousMonthOfInvoice=Previous month (number 1-12) of invoice date
TextPreviousMonthOfInvoice=Previous month (text) of invoice date
NextMonthOfInvoice=Following month (number 1-12) of invoice date
TextNextMonthOfInvoice=Following month (text) of invoice date
+PreviousMonth=Previous month
+CurrentMonth=Current month
ZipFileGeneratedInto=Zip file generated into %s.
DocFileGeneratedInto=Doc file generated into %s.
JumpToLogin=Disconnected. Go to login page...
@@ -99,6 +99,7 @@ PredefinedMailContentSendShipping=__(Hello)__\n\nPlease find shipping __REF__ at
PredefinedMailContentSendFichInter=__(Hello)__\n\nPlease find intervention __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.\n\n%s\n\n
PredefinedMailContentGeneric=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
+PredefinedMailContentSendActionComm=Event reminder "__EVENT_LABEL__" on __EVENT_DATE__ at __EVENT_TIME__
This is an automatic message, please do not reply.
DemoDesc=Dolibarr is a compact ERP/CRM supporting several business modules. A demo showcasing all modules makes no sense as this scenario never occurs (several hundred available). So, several demo profiles are available.
ChooseYourDemoProfil=Choose the demo profile that best suits your needs...
ChooseYourDemoProfilMore=...or build your own profile (manual module selection)
@@ -137,7 +138,7 @@ Right=Right
CalculatedWeight=Calculated weight
CalculatedVolume=Calculated volume
Weight=Weight
-WeightUnitton=tonne
+WeightUnitton=ton
WeightUnitkg=kg
WeightUnitg=g
WeightUnitmg=mg
@@ -258,6 +259,7 @@ ContactCreatedByEmailCollector=Contact/address created by email collector from e
ProjectCreatedByEmailCollector=Project created by email collector from email MSGID %s
TicketCreatedByEmailCollector=Ticket created by email collector from email MSGID %s
OpeningHoursFormatDesc=Use a - to separate opening and closing hours. Use a space to enter different ranges. Example: 8-12 14-18
+PrefixSession=Prefix for session ID
##### Export #####
ExportsArea=Exports area
diff --git a/htdocs/langs/bn_IN/products.lang b/htdocs/langs/bn_IN/products.lang
index 97db059594f..f0c4a5362b8 100644
--- a/htdocs/langs/bn_IN/products.lang
+++ b/htdocs/langs/bn_IN/products.lang
@@ -108,7 +108,8 @@ FillWithLastServiceDates=Fill with last service line dates
MultiPricesAbility=Multiple price segments per product/service (each customer is in one price segment)
MultiPricesNumPrices=Number of prices
DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices
-AssociatedProductsAbility=Activate kits (virtual products)
+AssociatedProductsAbility=Enable Kits (set of other products)
+VariantsAbility=Enable Variants (variations of products, for example color, size)
AssociatedProducts=Kits
AssociatedProductsNumber=Number of products composing this kit
ParentProductsNumber=Number of parent packaging product
@@ -167,8 +168,10 @@ BuyingPrices=Buying prices
CustomerPrices=Customer prices
SuppliersPrices=Vendor prices
SuppliersPricesOfProductsOrServices=Vendor prices (of products or services)
-CustomCode=Customs / Commodity / HS code
+CustomCode=Customs|Commodity|HS code
CountryOrigin=Origin country
+RegionStateOrigin=Region origin
+StateOrigin=State|Province origin
Nature=Nature of product (material/finished)
NatureOfProductShort=Nature of product
NatureOfProductDesc=Raw material or finished product
@@ -239,7 +242,7 @@ AlwaysUseFixedPrice=Use the fixed price
PriceByQuantity=Different prices by quantity
DisablePriceByQty=Disable prices by quantity
PriceByQuantityRange=Quantity range
-MultipriceRules=Price segment rules
+MultipriceRules=Automatic prices for segment
UseMultipriceRules=Use price segment rules (defined into product module setup) to auto calculate prices of all other segments according to first segment
PercentVariationOver=%% variation over %s
PercentDiscountOver=%% discount over %s
diff --git a/htdocs/langs/bn_IN/recruitment.lang b/htdocs/langs/bn_IN/recruitment.lang
index b775e78552e..437445f25dc 100644
--- a/htdocs/langs/bn_IN/recruitment.lang
+++ b/htdocs/langs/bn_IN/recruitment.lang
@@ -73,3 +73,4 @@ JobClosedTextCandidateFound=The job position is closed. The position has been fi
JobClosedTextCanceled=The job position is closed.
ExtrafieldsJobPosition=Complementary attributes (job positions)
ExtrafieldsCandidatures=Complementary attributes (job applications)
+MakeOffer=Make an offer
diff --git a/htdocs/langs/bn_IN/sendings.lang b/htdocs/langs/bn_IN/sendings.lang
index 5ce3b7f67e9..73bd9aebd42 100644
--- a/htdocs/langs/bn_IN/sendings.lang
+++ b/htdocs/langs/bn_IN/sendings.lang
@@ -30,6 +30,7 @@ OtherSendingsForSameOrder=Other shipments for this order
SendingsAndReceivingForSameOrder=Shipments and receipts for this order
SendingsToValidate=Shipments to validate
StatusSendingCanceled=Canceled
+StatusSendingCanceledShort=Canceled
StatusSendingDraft=Draft
StatusSendingValidated=Validated (products to ship or already shipped)
StatusSendingProcessed=Processed
@@ -65,6 +66,7 @@ ValidateOrderFirstBeforeShipment=You must first validate the order before being
# Sending methods
# ModelDocument
DocumentModelTyphon=More complete document model for delivery receipts (logo...)
+DocumentModelStorm=More complete document model for delivery receipts and extrafields compatibility (logo...)
Error_EXPEDITION_ADDON_NUMBER_NotDefined=Constant EXPEDITION_ADDON_NUMBER not defined
SumOfProductVolumes=Sum of product volumes
SumOfProductWeights=Sum of product weights
diff --git a/htdocs/langs/bn_IN/stocks.lang b/htdocs/langs/bn_IN/stocks.lang
index 660443bcded..6cf089096dd 100644
--- a/htdocs/langs/bn_IN/stocks.lang
+++ b/htdocs/langs/bn_IN/stocks.lang
@@ -240,3 +240,4 @@ InventoryRealQtyHelp=Set value to 0 to reset qty Keep field empty, or remove
UpdateByScaning=Update by scaning
UpdateByScaningProductBarcode=Update by scan (product barcode)
UpdateByScaningLot=Update by scan (lot|serial barcode)
+DisableStockChangeOfSubProduct=Deactivate the stock change for all the subproducts of this Kit during this movement.
diff --git a/htdocs/langs/bn_IN/ticket.lang b/htdocs/langs/bn_IN/ticket.lang
index 59519282c80..982fff90ffa 100644
--- a/htdocs/langs/bn_IN/ticket.lang
+++ b/htdocs/langs/bn_IN/ticket.lang
@@ -31,10 +31,8 @@ TicketDictType=Ticket - Types
TicketDictCategory=Ticket - Groupes
TicketDictSeverity=Ticket - Severities
TicketDictResolution=Ticket - Resolution
-TicketTypeShortBUGSOFT=Dysfonctionnement logiciel
-TicketTypeShortBUGHARD=Dysfonctionnement matériel
-TicketTypeShortCOM=Commercial question
+TicketTypeShortCOM=Commercial question
TicketTypeShortHELP=Request for functionnal help
TicketTypeShortISSUE=Issue, bug or problem
TicketTypeShortREQUEST=Change or enhancement request
@@ -44,7 +42,7 @@ TicketTypeShortOTHER=Other
TicketSeverityShortLOW=Low
TicketSeverityShortNORMAL=Normal
TicketSeverityShortHIGH=High
-TicketSeverityShortBLOCKING=Critical/Blocking
+TicketSeverityShortBLOCKING=Critical, Blocking
ErrorBadEmailAddress=Field '%s' incorrect
MenuTicketMyAssign=My tickets
@@ -60,7 +58,6 @@ OriginEmail=Email source
Notify_TICKET_SENTBYMAIL=Send ticket message by email
# Status
-NotRead=Not read
Read=Read
Assigned=Assigned
InProgress=In progress
@@ -126,6 +123,7 @@ TicketsActivatePublicInterfaceHelp=Public interface allow any visitors to create
TicketsAutoAssignTicket=Automatically assign the user who created the ticket
TicketsAutoAssignTicketHelp=When creating a ticket, the user can be automatically assigned to the ticket.
TicketNumberingModules=Tickets numbering module
+TicketsModelModule=Document templates for tickets
TicketNotifyTiersAtCreation=Notify third party at creation
TicketsDisableCustomerEmail=Always disable emails when a ticket is created from public interface
TicketsPublicNotificationNewMessage=Send email(s) when a new message is added
@@ -233,7 +231,6 @@ TicketLogStatusChanged=Status changed: %s to %s
TicketNotNotifyTiersAtCreate=Not notify company at create
Unread=Unread
TicketNotCreatedFromPublicInterface=Not available. Ticket was not created from public interface.
-PublicInterfaceNotEnabled=Public interface was not enabled
ErrorTicketRefRequired=Ticket reference name is required
#
diff --git a/htdocs/langs/bn_IN/website.lang b/htdocs/langs/bn_IN/website.lang
index 03e042e4be6..f17def114b8 100644
--- a/htdocs/langs/bn_IN/website.lang
+++ b/htdocs/langs/bn_IN/website.lang
@@ -30,7 +30,6 @@ EditInLine=Edit inline
AddWebsite=Add website
Webpage=Web page/container
AddPage=Add page/container
-HomePage=Home Page
PageContainer=Page
PreviewOfSiteNotYetAvailable=Preview of your website %s not yet available. You must first 'Import a full website template' or just 'Add a page/container'.
RequestedPageHasNoContentYet=Requested page with id %s has no content yet, or cache file .tpl.php was removed. Edit content of the page to solve this.
@@ -101,7 +100,7 @@ EmptyPage=Empty page
ExternalURLMustStartWithHttp=External URL must start with http:// or https://
ZipOfWebsitePackageToImport=Upload the Zip file of the website template package
ZipOfWebsitePackageToLoad=or Choose an available embedded website template package
-ShowSubcontainers=Include dynamic content
+ShowSubcontainers=Show dynamic content
InternalURLOfPage=Internal URL of page
ThisPageIsTranslationOf=This page/container is a translation of
ThisPageHasTranslationPages=This page/container has translation
@@ -137,3 +136,4 @@ RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using
PagesRegenerated=%s page(s)/container(s) regenerated
RegenerateWebsiteContent=Regenerate web site cache files
AllowedInFrames=Allowed in Frames
+DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languages into web site properties.
diff --git a/htdocs/langs/bn_IN/withdrawals.lang b/htdocs/langs/bn_IN/withdrawals.lang
index 114a8d9dd6c..e3bec6f9cb8 100644
--- a/htdocs/langs/bn_IN/withdrawals.lang
+++ b/htdocs/langs/bn_IN/withdrawals.lang
@@ -42,6 +42,7 @@ LastWithdrawalReceipt=Latest %s direct debit receipts
MakeWithdrawRequest=Make a direct debit payment request
MakeBankTransferOrder=Make a credit transfer request
WithdrawRequestsDone=%s direct debit payment requests recorded
+BankTransferRequestsDone=%s credit transfer requests recorded
ThirdPartyBankCode=Third-party bank code
NoInvoiceCouldBeWithdrawed=No invoice debited successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s.
ClassCredited=Classify credited
@@ -131,7 +132,8 @@ SEPARCUR=SEPA CUR
SEPAFRST=SEPA FRST
ExecutionDate=Execution date
CreateForSepa=Create direct debit file
-ICS=Creditor Identifier CI
+ICS=Creditor Identifier CI for direct debit
+ICSTransfer=Creditor Identifier CI for bank transfer
END_TO_END="EndToEndId" SEPA XML tag - Unique id assigned per transaction
USTRD="Unstructured" SEPA XML tag
ADDDAYS=Add days to Execution Date
@@ -146,3 +148,4 @@ InfoRejectSubject=Direct debit payment order refused
InfoRejectMessage=Hello,
the direct debit payment order of invoice %s related to the company %s, with an amount of %s has been refused by the bank.
-- %s
ModeWarning=Option for real mode was not set, we stop after this simulation
ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know wich one to use.
+ErrorICSmissing=Missing ICS in Bank account %s
diff --git a/htdocs/langs/bs_BA/accountancy.lang b/htdocs/langs/bs_BA/accountancy.lang
index 27f2742906e..34353b75cf9 100644
--- a/htdocs/langs/bs_BA/accountancy.lang
+++ b/htdocs/langs/bs_BA/accountancy.lang
@@ -48,6 +48,7 @@ CountriesExceptMe=All countries except %s
AccountantFiles=Export source documents
ExportAccountingSourceDocHelp=With this tool, you can export the source events (list and PDFs) that were used to generate your accountancy. To export your journals, use the menu entry %s - %s.
VueByAccountAccounting=View by accounting account
+VueBySubAccountAccounting=View by accounting subaccount
MainAccountForCustomersNotDefined=Main accounting account for customers not defined in setup
MainAccountForSuppliersNotDefined=Main accounting account for vendors not defined in setup
@@ -144,7 +145,7 @@ NotVentilatedinAccount=Not bound to the accounting account
XLineSuccessfullyBinded=%s products/services successfully bound to an accounting account
XLineFailedToBeBinded=%s products/services were not bound to any accounting account
-ACCOUNTING_LIMIT_LIST_VENTILATION=Number of elements to bind shown by page (maximum recommended: 50)
+ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50)
ACCOUNTING_LIST_SORT_VENTILATION_TODO=Begin the sorting of the page "Binding to do" by the most recent elements
ACCOUNTING_LIST_SORT_VENTILATION_DONE=Begin the sorting of the page "Binding done" by the most recent elements
@@ -198,7 +199,8 @@ Docdate=Date
Docref=Reference
LabelAccount=Label account
LabelOperation=Label operation
-Sens=Sens
+Sens=Direction
+AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received For an accounting account of a supplier, use Debit to record a payment you make
LetteringCode=Lettering code
Lettering=Lettering
Codejournal=Journal
@@ -206,7 +208,8 @@ JournalLabel=Journal label
NumPiece=Piece number
TransactionNumShort=Num. transaction
AccountingCategory=Personalized groups
-GroupByAccountAccounting=Group by accounting account
+GroupByAccountAccounting=Group by general ledger account
+GroupBySubAccountAccounting=Group by subledger account
AccountingAccountGroupsDesc=You can define here some groups of accounting account. They will be used for personalized accounting reports.
ByAccounts=By accounts
ByPredefinedAccountGroups=By predefined groups
@@ -248,7 +251,7 @@ PaymentsNotLinkedToProduct=Payment not linked to any product / service
OpeningBalance=Opening balance
ShowOpeningBalance=Show opening balance
HideOpeningBalance=Hide opening balance
-ShowSubtotalByGroup=Show subtotal by group
+ShowSubtotalByGroup=Show subtotal by level
Pcgtype=Group of account
PcgtypeDesc=Group of account are used as predefined 'filter' and 'grouping' criteria for some accounting reports. For example, 'INCOME' or 'EXPENSE' are used as groups for accounting accounts of products to build the expense/income report.
@@ -271,11 +274,13 @@ DescVentilExpenseReport=Consult here the list of expense report lines bound (or
DescVentilExpenseReportMore=If you setup accounting account on type of expense report lines, the application will be able to make all the binding between your expense report lines and the accounting account of your chart of accounts, just in one click with the button "%s". If account was not set on fees dictionary or if you still have some lines not bound to any account, you will have to make a manual binding from the menu "%s".
DescVentilDoneExpenseReport=Consult here the list of the lines of expenses reports and their fees accounting account
+Closure=Annual closure
DescClosure=Consult here the number of movements by month who are not validated & fiscal years already open
OverviewOfMovementsNotValidated=Step 1/ Overview of movements not validated. (Necessary to close a fiscal year)
+AllMovementsWereRecordedAsValidated=All movements were recorded as validated
+NotAllMovementsCouldBeRecordedAsValidated=Not all movements could be recorded as validated
ValidateMovements=Validate movements
DescValidateMovements=Any modification or deletion of writing, lettering and deletes will be prohibited. All entries for an exercise must be validated otherwise closing will not be possible
-SelectMonthAndValidate=Select month and validate movements
ValidateHistory=Bind Automatically
AutomaticBindingDone=Automatic binding done
@@ -293,6 +298,7 @@ Accounted=Accounted in ledger
NotYetAccounted=Not yet accounted in ledger
ShowTutorial=Show Tutorial
NotReconciled=Nije izmireno
+WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view
## Admin
BindingOptions=Binding options
@@ -337,6 +343,7 @@ Modelcsv_LDCompta10=Export for LD Compta (v10 & higher)
Modelcsv_openconcerto=Export for OpenConcerto (Test)
Modelcsv_configurable=Export CSV Configurable
Modelcsv_FEC=Export FEC
+Modelcsv_FEC2=Export FEC (With dates generation writing / document reversed)
Modelcsv_Sage50_Swiss=Export for Sage 50 Switzerland
Modelcsv_winfic=Export Winfic - eWinfic - WinSis Compta
Modelcsv_Gestinumv3=Export for Gestinum (v3)
diff --git a/htdocs/langs/bs_BA/admin.lang b/htdocs/langs/bs_BA/admin.lang
index 4149ca416ca..59f77d8c8c1 100644
--- a/htdocs/langs/bs_BA/admin.lang
+++ b/htdocs/langs/bs_BA/admin.lang
@@ -56,6 +56,8 @@ GUISetup=Prikaz
SetupArea=Postavke
UploadNewTemplate=Upload new template(s)
FormToTestFileUploadForm=Forma za testiranje uploada fajlova (prema postavkama)
+ModuleMustBeEnabled=The module/application %s must be enabled
+ModuleIsEnabled=The module/application %s has been enabled
IfModuleEnabled=Note: yes is effective only if module %s is enabled
RemoveLock=Remove/rename file %s if it exists, to allow usage of the Update/Install tool.
RestoreLock=Restore file %s, with read permission only, to disable any further use of the Update/Install tool.
@@ -85,7 +87,6 @@ ShowPreview=Prikaži pretpregled
ShowHideDetails=Show-Hide details
PreviewNotAvailable=Pretpregled nije moguć
ThemeCurrentlyActive=Trenutno aktivna tema
-CurrentTimeZone=Vremenska zona PHP (servera)
MySQLTimeZone=TimeZone MySql (database)
TZHasNoEffect=Dates are stored and returned by database server as if they were kept as submitted string. The timezone has effect only when using the UNIX_TIMESTAMP function (that should not be used by Dolibarr, so database TZ should have no effect, even if changed after data was entered).
Space=Razmak
@@ -153,8 +154,8 @@ SystemToolsAreaDesc=This area provides administration functions. Use the menu to
Purge=Purge
PurgeAreaDesc=This page allows you to delete all files generated or stored by Dolibarr (temporary files or all files in %s directory). Using this feature is not normally necessary. It is provided as a workaround for users whose Dolibarr is hosted by a provider that does not offer permissions to delete files generated by the web server.
PurgeDeleteLogFile=Delete log files, including %s defined for Syslog module (no risk of losing data)
-PurgeDeleteTemporaryFiles=Delete all temporary files (no risk of losing data). Note: Deletion is done only if the temp directory was created 24 hours ago.
-PurgeDeleteTemporaryFilesShort=Delete temporary files
+PurgeDeleteTemporaryFiles=Delete all log and temporary files (no risk of losing data). Note: Deletion of temporary files is done only if the temp directory was created more than 24 hours ago.
+PurgeDeleteTemporaryFilesShort=Delete log and temporary files
PurgeDeleteAllFilesInDocumentsDir=Delete all files in directory: %s. This will delete all generated documents related to elements (third parties, invoices etc...), files uploaded into the ECM module, database backup dumps and temporary files.
PurgeRunNow=Purge now
PurgeNothingToDelete=No directory or files to delete.
@@ -256,6 +257,7 @@ ReferencedPreferredPartners=Preferred Partners
OtherResources=Other resources
ExternalResources=External Resources
SocialNetworks=Social Networks
+SocialNetworkId=Social Network ID
ForDocumentationSeeWiki=For user or developer documentation (Doc, FAQs...), take a look at the Dolibarr Wiki: %s
ForAnswersSeeForum=For any other questions/help, you can use the Dolibarr forum: %s
HelpCenterDesc1=Here are some resources for getting help and support with Dolibarr.
@@ -375,7 +377,7 @@ ExamplesWithCurrentSetup=Examples with current configuration
ListOfDirectories=List of OpenDocument templates directories
ListOfDirectoriesForModelGenODT=List of directories containing templates files with OpenDocument format.
Put here full path of directories. Add a carriage return between eah directory. To add a directory of the GED module, add here DOL_DATA_ROOT/ecm/yourdirectoryname.
Files in those directories must end with .odt or .ods.
NumberOfModelFilesFound=Number of ODT/ODS template files found in these directories
-ExampleOfDirectoriesForModelGen=Examples of syntax: c:\\mydir /home/mydir DOL_DATA_ROOT/ecm/ecmdir
+ExampleOfDirectoriesForModelGen=Examples of syntax: c:\\myapp\\mydocumentdir\\mysubdir /home/myapp/mydocumentdir/mysubdir DOL_DATA_ROOT/ecm/ecmdir
FollowingSubstitutionKeysCanBeUsed= To know how to create your odt document templates, before storing them in those directories, read wiki documentation:
FullListOnOnlineDocumentation=http://wiki.dolibarr.org/index.php/Create_an_ODT_document_template
FirstnameNamePosition=Position of Name/Lastname
@@ -406,7 +408,7 @@ UrlGenerationParameters=Parameters to secure URLs
SecurityTokenIsUnique=Use a unique securekey parameter for each URL
EnterRefToBuildUrl=Enter reference for object %s
GetSecuredUrl=Get calculated URL
-ButtonHideUnauthorized=Hide buttons for non-admin users for unauthorized actions instead of showing greyed disabled buttons
+ButtonHideUnauthorized=Hide unauthorized action buttons also for internal users (just greyed otherwise)
OldVATRates=Old VAT rate
NewVATRates=New VAT rate
PriceBaseTypeToChange=Modify on prices with base reference value defined on
@@ -1689,7 +1691,7 @@ NotTopTreeMenuPersonalized=Personalized menus not linked to a top menu entry
NewMenu=New menu
MenuHandler=Menu handler
MenuModule=Source module
-HideUnauthorizedMenu= Hide unauthorized menus (gray)
+HideUnauthorizedMenu=Hide unauthorized menus also for internal users (just greyed otherwise)
DetailId=Id menu
DetailMenuHandler=Menu handler where to show new menu
DetailMenuModule=Module name if menu entry come from a module
@@ -1983,11 +1985,12 @@ EMailHost=Host of email IMAP server
MailboxSourceDirectory=Mailbox source directory
MailboxTargetDirectory=Mailbox target directory
EmailcollectorOperations=Operations to do by collector
+EmailcollectorOperationsDesc=Operations are executed from top to bottom order
MaxEmailCollectPerCollect=Max number of emails collected per collect
CollectNow=Collect now
ConfirmCloneEmailCollector=Are you sure you want to clone the Email collector %s ?
-DateLastCollectResult=Date latest collect tried
-DateLastcollectResultOk=Date latest collect successfull
+DateLastCollectResult=Date of latest collect try
+DateLastcollectResultOk=Date of latest collect success
LastResult=Latest result
EmailCollectorConfirmCollectTitle=Email collect confirmation
EmailCollectorConfirmCollect=Do you want to run the collection for this collector now ?
@@ -2005,7 +2008,7 @@ WithDolTrackingID=Message from a conversation initiated by a first email sent fr
WithoutDolTrackingID=Message from a conversation initiated by a first email NOT sent from Dolibarr
WithDolTrackingIDInMsgId=Message sent from Dolibarr
WithoutDolTrackingIDInMsgId=Message NOT sent from Dolibarr
-CreateCandidature=Create candidature
+CreateCandidature=Create job application
FormatZip=Zip
MainMenuCode=Menu entry code (mainmenu)
ECMAutoTree=Show automatic ECM tree
@@ -2083,3 +2086,7 @@ CountryIfSpecificToOneCountry=Country (if specific to a given country)
YouMayFindSecurityAdviceHere=You may find security advisory here
ModuleActivatedMayExposeInformation=This module may expose sensitive data. If you don't need it, disable it.
ModuleActivatedDoNotUseInProduction=A module designed for the development has been enabled. Do not enable it on a production environment.
+CombinationsSeparator=Separator character for product combinations
+SeeLinkToOnlineDocumentation=See link to online documention on top menu for examples
+SHOW_SUBPRODUCT_REF_IN_PDF=If the feature "%s" of module %s is used, show details of subproducts of a kit on PDF.
+AskThisIDToYourBank=Contact your bank to get this ID
diff --git a/htdocs/langs/bs_BA/banks.lang b/htdocs/langs/bs_BA/banks.lang
index 696a6ff35f6..ab664bec272 100644
--- a/htdocs/langs/bs_BA/banks.lang
+++ b/htdocs/langs/bs_BA/banks.lang
@@ -173,8 +173,8 @@ SEPAMandate=SEPA mandate
YourSEPAMandate=Vaš SEPA mandat
FindYourSEPAMandate=This is your SEPA mandate to authorize our company to make direct debit order to your bank. Return it signed (scan of the signed document) or send it by mail to
AutoReportLastAccountStatement=Automatically fill the field 'number of bank statement' with last statement number when making reconciliation
-CashControl=POS cash fence
-NewCashFence=New cash fence
+CashControl=POS cash desk control
+NewCashFence=New cash desk closing
BankColorizeMovement=Colorize movements
BankColorizeMovementDesc=If this function is enable, you can choose specific background color for debit or credit movements
BankColorizeMovementName1=Background color for debit movement
diff --git a/htdocs/langs/bs_BA/blockedlog.lang b/htdocs/langs/bs_BA/blockedlog.lang
index 5afae6e9e53..0bba5605d0f 100644
--- a/htdocs/langs/bs_BA/blockedlog.lang
+++ b/htdocs/langs/bs_BA/blockedlog.lang
@@ -35,7 +35,7 @@ logDON_DELETE=Donation logical deletion
logMEMBER_SUBSCRIPTION_CREATE=Member subscription created
logMEMBER_SUBSCRIPTION_MODIFY=Member subscription modified
logMEMBER_SUBSCRIPTION_DELETE=Member subscription logical deletion
-logCASHCONTROL_VALIDATE=Cash fence recording
+logCASHCONTROL_VALIDATE=Cash desk closing recording
BlockedLogBillDownload=Customer invoice download
BlockedLogBillPreview=Customer invoice preview
BlockedlogInfoDialog=Log Details
diff --git a/htdocs/langs/bs_BA/boxes.lang b/htdocs/langs/bs_BA/boxes.lang
index 7106f0a31c4..b38069cfe38 100644
--- a/htdocs/langs/bs_BA/boxes.lang
+++ b/htdocs/langs/bs_BA/boxes.lang
@@ -46,9 +46,12 @@ BoxTitleLastModifiedDonations=Posljednjih %s izmijenjenih donacija
BoxTitleLastModifiedExpenses=Posljednjih %s izmijenjenih troškovnika
BoxTitleLatestModifiedBoms=Latest %s modified BOMs
BoxTitleLatestModifiedMos=Latest %s modified Manufacturing Orders
+BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded
BoxGlobalActivity=Globalne aktivnosti (fakture, prijedlozi, narudžbe)
BoxGoodCustomers=Dobar kupac
BoxTitleGoodCustomers=%s dobrih kupaca
+BoxScheduledJobs=Scheduled jobs
+BoxTitleFunnelOfProspection=Lead funnel
FailedToRefreshDataInfoNotUpToDate=Failed to refresh RSS flux. Latest successful refresh date: %s
LastRefreshDate=Posljednji datum ažuriranja
NoRecordedBookmarks=Nema definisanih bookmark-a.
@@ -102,5 +105,7 @@ SuspenseAccountNotDefined=Suspense account isn't defined
BoxLastCustomerShipments=Last customer shipments
BoxTitleLastCustomerShipments=Latest %s customer shipments
NoRecordedShipments=No recorded customer shipment
+BoxCustomersOutstandingBillReached=Customers with oustanding limit reached
# Pages
AccountancyHome=Računovodstvo
+ValidatedProjects=Validated projects
diff --git a/htdocs/langs/bs_BA/cashdesk.lang b/htdocs/langs/bs_BA/cashdesk.lang
index b0ffb1d3f05..6ae6a2bda91 100644
--- a/htdocs/langs/bs_BA/cashdesk.lang
+++ b/htdocs/langs/bs_BA/cashdesk.lang
@@ -49,8 +49,8 @@ Footer=Footer
AmountAtEndOfPeriod=Amount at end of period (day, month or year)
TheoricalAmount=Theorical amount
RealAmount=Real amount
-CashFence=Cash fence
-CashFenceDone=Cash fence done for the period
+CashFence=Cash desk closing
+CashFenceDone=Cash desk closing done for the period
NbOfInvoices=Broj faktura
Paymentnumpad=Type of Pad to enter payment
Numberspad=Numbers Pad
@@ -99,8 +99,9 @@ CashDeskRefNumberingModules=Numbering module for POS sales
CashDeskGenericMaskCodes6 = {TN} tag is used to add the terminal number
TakeposGroupSameProduct=Group same products lines
StartAParallelSale=Start a new parallel sale
-ControlCashOpening=Control cash box at opening POS
-CloseCashFence=Close cash fence
+SaleStartedAt=Sale started at %s
+ControlCashOpening=Control cash popup at opening POS
+CloseCashFence=Close cash desk control
CashReport=Cash report
MainPrinterToUse=Main printer to use
OrderPrinterToUse=Order printer to use
@@ -122,3 +123,4 @@ GiftReceipt=Gift receipt
ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled first
AllowDelayedPayment=Allow delayed payment
PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts
+WeighingScale=Weighing scale
diff --git a/htdocs/langs/bs_BA/categories.lang b/htdocs/langs/bs_BA/categories.lang
index 0672e7c4bc7..68923ab7d34 100644
--- a/htdocs/langs/bs_BA/categories.lang
+++ b/htdocs/langs/bs_BA/categories.lang
@@ -19,6 +19,7 @@ ProjectsCategoriesArea=Projects tags/categories area
UsersCategoriesArea=Users tags/categories area
SubCats=Sub-categories
CatList=List of tags/categories
+CatListAll=List of tags/categories (all types)
NewCategory=New tag/category
ModifCat=Modify tag/category
CatCreated=Tag/category created
@@ -65,16 +66,22 @@ UsersCategoriesShort=Users tags/categories
StockCategoriesShort=Warehouse tags/categories
ThisCategoryHasNoItems=This category does not contain any items.
CategId=Tag/category id
-CatSupList=List of vendor tags/categories
-CatCusList=List of customer/prospect tags/categories
+ParentCategory=Parent tag/category
+ParentCategoryLabel=Label of parent tag/category
+CatSupList=List of vendors tags/categories
+CatCusList=List of customers/prospects tags/categories
CatProdList=Spisak oznaka proizvoda/kategorija
CatMemberList=List of members tags/categories
-CatContactList=List of contact tags/categories
-CatSupLinks=Links between suppliers and tags/categories
+CatContactList=List of contacts tags/categories
+CatProjectsList=List of projects tags/categories
+CatUsersList=List of users tags/categories
+CatSupLinks=Links between vendors and tags/categories
CatCusLinks=Links between customers/prospects and tags/categories
CatContactsLinks=Links between contacts/addresses and tags/categories
CatProdLinks=Links between products/services and tags/categories
-CatProJectLinks=Links between projects and tags/categories
+CatMembersLinks=Links between members and tags/categories
+CatProjectsLinks=Links between projects and tags/categories
+CatUsersLinks=Links between users and tags/categories
DeleteFromCat=Remove from tags/category
ExtraFieldsCategories=Complementary attributes
CategoriesSetup=Tags/categories setup
diff --git a/htdocs/langs/bs_BA/companies.lang b/htdocs/langs/bs_BA/companies.lang
index f1b1949d9a9..b199c6e0fce 100644
--- a/htdocs/langs/bs_BA/companies.lang
+++ b/htdocs/langs/bs_BA/companies.lang
@@ -358,7 +358,7 @@ VATIntraCheckableOnEUSite=Check the intra-Community VAT ID on the European Commi
VATIntraManualCheck=You can also check manually on the European Commission website %s
ErrorVATCheckMS_UNAVAILABLE=Provjera nije moguća. Servis za provjeru nije naveden od stran države članice (%s).
NorProspectNorCustomer=Not prospect, nor customer
-JuridicalStatus=Legal Entity Type
+JuridicalStatus=Business entity type
Workforce=Workforce
Staff=Employees
ProspectLevelShort=Potencijal
diff --git a/htdocs/langs/bs_BA/compta.lang b/htdocs/langs/bs_BA/compta.lang
index 90a8289d2d9..233903b0bfe 100644
--- a/htdocs/langs/bs_BA/compta.lang
+++ b/htdocs/langs/bs_BA/compta.lang
@@ -111,7 +111,7 @@ Refund=Refund
SocialContributionsPayments=Social/fiscal taxes payments
ShowVatPayment=Show VAT payment
TotalToPay=Total to pay
-BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted ascending on %s and filtered for 1 bank account
+BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted on %s and filtered on 1 bank account (with no other filters)
CustomerAccountancyCode=Customer accounting code
SupplierAccountancyCode=Vendor accounting code
CustomerAccountancyCodeShort=Cust. account. code
@@ -140,7 +140,7 @@ ConfirmDeleteSocialContribution=Are you sure you want to delete this social/fisc
ExportDataset_tax_1=Social and fiscal taxes and payments
CalcModeVATDebt=Mode %sVAT on commitment accounting%s.
CalcModeVATEngagement=Mode %sVAT on incomes-expenses%s.
-CalcModeDebt=Analysis of known recorded invoices even if they are not yet accounted in ledger.
+CalcModeDebt=Analysis of known recorded documents even if they are not yet accounted in ledger.
CalcModeEngagement=Analysis of known recorded payments, even if they are not yet accounted in Ledger.
CalcModeBookkeeping=Analysis of data journalized in Bookkeeping Ledger table.
CalcModeLT1= Mode %sRE on customer invoices - suppliers invoices%s
@@ -154,9 +154,9 @@ AnnualSummaryInputOutputMode=Balance of income and expenses, annual summary
AnnualByCompanies=Balance of income and expenses, by predefined groups of account
AnnualByCompaniesDueDebtMode=Balance of income and expenses, detail by predefined groups, mode %sClaims-Debts%s said Commitment accounting.
AnnualByCompaniesInputOutputMode=Balance of income and expenses, detail by predefined groups, mode %sIncomes-Expenses%s said cash accounting.
-SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation on actual payments made even if they are not yet accounted in Ledger.
-SeeReportInDueDebtMode=See %sanalysis of invoices%s for a calculation based on known recorded invoices even if they are not yet accounted in Ledger.
-SeeReportInBookkeepingMode=See %sBookeeping report%s for a calculation on Bookkeeping Ledger table
+SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation based on recorded payments made even if they are not yet accounted in Ledger
+SeeReportInDueDebtMode=See %sanalysis of recorded documents%s for a calculation based on known recorded documents even if they are not yet accounted in Ledger
+SeeReportInBookkeepingMode=See %sanalysis of bookeeping ledger table%s for a report based on Bookkeeping Ledger table
RulesAmountWithTaxIncluded=- Amounts shown are with all taxes included
RulesResultDue=- It includes outstanding invoices, expenses, VAT, donations whether they are paid or not. Is also includes paid salaries. - It is based on the billing date of invoices and on the due date for expenses or tax payments. For salaries defined with Salary module, the value date of payment is used.
RulesResultInOut=- It includes the real payments made on invoices, expenses, VAT and salaries. - It is based on the payment dates of the invoices, expenses, VAT and salaries. The donation date for donation.
@@ -169,12 +169,15 @@ RulesResultBookkeepingPersonalized=It show record in your Ledger with accounting
SeePageForSetup=See menu %s for setup
DepositsAreNotIncluded=- Down payment invoices are not included
DepositsAreIncluded=- Down payment invoices are included
+LT1ReportByMonth=Tax 2 report by month
+LT2ReportByMonth=Tax 3 report by month
LT1ReportByCustomers=Report tax 2 by third party
LT2ReportByCustomers=Report tax 3 by third party
LT1ReportByCustomersES=Report by third party RE
LT2ReportByCustomersES=Report by third party IRPF
VATReport=Sale tax report
VATReportByPeriods=Sale tax report by period
+VATReportByMonth=Sale tax report by month
VATReportByRates=Sale tax report by rates
VATReportByThirdParties=Sale tax report by third parties
VATReportByCustomers=Sale tax report by customer
diff --git a/htdocs/langs/bs_BA/cron.lang b/htdocs/langs/bs_BA/cron.lang
index 32e49dd3bde..cb278ba6885 100644
--- a/htdocs/langs/bs_BA/cron.lang
+++ b/htdocs/langs/bs_BA/cron.lang
@@ -6,14 +6,15 @@ Permission23102 = Create/update Scheduled job
Permission23103 = Delete Scheduled job
Permission23104 = Execute Scheduled job
# Admin
-CronSetup= Scheduled job management setup
-URLToLaunchCronJobs=URL to check and launch qualified cron jobs
-OrToLaunchASpecificJob=Or to check and launch a specific job
+CronSetup=Scheduled job management setup
+URLToLaunchCronJobs=URL to check and launch qualified cron jobs from a browser
+OrToLaunchASpecificJob=Or to check and launch a specific job from a browser
KeyForCronAccess=Sigurnosni ključ za URL za pokretanje cron poslova
FileToLaunchCronJobs=Command line to check and launch qualified cron jobs
CronExplainHowToRunUnix=On Unix environment you should use the following crontab entry to run the command line each 5 minutes
-CronExplainHowToRunWin=On Microsoft(tm) Windows environement you can use Scheduled task tools to run the command line each 5 minutes
+CronExplainHowToRunWin=On Microsoft(tm) Windows environment you can use Scheduled Task tools to run the command line each 5 minutes
CronMethodDoesNotExists=Class %s does not contains any method %s
+CronMethodNotAllowed=Method %s of class %s is in blacklist of forbidden methods
CronJobDefDesc=Cron job profiles are defined into the module descriptor file. When module is activated, they are loaded and available so you can administer the jobs from the admin tools menu %s.
CronJobProfiles=List of predefined cron job profiles
# Menu
@@ -42,10 +43,11 @@ CronModule=Modul
CronNoJobs=Nema registrovanih poslova
CronPriority=Prioritet
CronLabel=Oznaka
-CronNbRun=Broj pokretanja
-CronMaxRun=Max number launch
+CronNbRun=Number of launches
+CronMaxRun=Maximum number of launches
CronEach=Every
JobFinished=Job launched and finished
+Scheduled=Scheduled
#Page card
CronAdd= Dodaj posao
CronEvery=Execute job each
@@ -56,16 +58,16 @@ CronNote=Komentar
CronFieldMandatory=Polja %s su obavezna
CronErrEndDateStartDt=Datum završetka ne može biti prije datuma početka
StatusAtInstall=Status at module installation
-CronStatusActiveBtn=Enable
+CronStatusActiveBtn=Schedule
CronStatusInactiveBtn=Iskljući
CronTaskInactive=This job is disabled
CronId=ID
CronClassFile=Filename with class
-CronModuleHelp=Name of Dolibarr module directory (also work with external Dolibarr module). For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for module is product
-CronClassFileHelp=The relative path and file name to load (path is relative to web server root directory). For exemple to call the fetch method of Dolibarr Product object htdocs/product/class/product.class.php, the value for class file name is product/class/product.class.php
-CronObjectHelp=The object name to load. For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for class file name is Product
-CronMethodHelp=The object method to launch. For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for method is fetch
-CronArgsHelp=The method arguments. For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for paramters can be 0, ProductRef
+CronModuleHelp=Name of Dolibarr module directory (also work with external Dolibarr module). For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for module is product
+CronClassFileHelp=The relative path and file name to load (path is relative to web server root directory). For example to call the fetch method of Dolibarr Product object htdocs/product/class/product.class.php, the value for class file name is product/class/product.class.php
+CronObjectHelp=The object name to load. For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for class file name is Product
+CronMethodHelp=The object method to launch. For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for method is fetch
+CronArgsHelp=The method arguments. For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for paramters can be 0, ProductRef
CronCommandHelp=Sistemska komanda za izvršenje
CronCreateJob=Create new Scheduled Job
CronFrom=Od
@@ -76,8 +78,14 @@ CronType_method=Call method of a PHP Class
CronType_command=Shell komanda
CronCannotLoadClass=Cannot load class file %s (to use class %s)
CronCannotLoadObject=Class file %s was loaded, but object %s was not found into it
-UseMenuModuleToolsToAddCronJobs=Go into menu "Home - Admin tools - Scheduled jobs" to see and edit scheduled jobs.
+UseMenuModuleToolsToAddCronJobs=Go into menu "Home - Admin tools - Scheduled jobs" to see and edit scheduled jobs.
JobDisabled=Job disabled
MakeLocalDatabaseDumpShort=Local database backup
-MakeLocalDatabaseDump=Create a local database dump. Parameters are: compression ('gz' or 'bz' or 'none'), backup type ('mysql' or 'pgsql'), 1, 'auto' or filename to build, number of backup files to keep
+MakeLocalDatabaseDump=Create a local database dump. Parameters are: compression ('gz' or 'bz' or 'none'), backup type ('mysql', 'pgsql', 'auto'), 1, 'auto' or filename to build, number of backup files to keep
WarningCronDelayed=Attention, for performance purpose, whatever is next date of execution of enabled jobs, your jobs may be delayed to a maximum of %s hours, before being run.
+DATAPOLICYJob=Data cleaner and anonymizer
+JobXMustBeEnabled=Job %s must be enabled
+# Cron Boxes
+LastExecutedScheduledJob=Last executed scheduled job
+NextScheduledJobExecute=Next scheduled job to execute
+NumberScheduledJobError=Number of scheduled jobs in error
diff --git a/htdocs/langs/bs_BA/errors.lang b/htdocs/langs/bs_BA/errors.lang
index d3460403a51..e2d3b3e5347 100644
--- a/htdocs/langs/bs_BA/errors.lang
+++ b/htdocs/langs/bs_BA/errors.lang
@@ -5,8 +5,10 @@ NoErrorCommitIsDone=No error, we commit
# Errors
ErrorButCommitIsDone=Errors found but we validate despite this
ErrorBadEMail=Email %s is wrong
+ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record)
ErrorBadUrl=Url %s je pogrešan
ErrorBadValueForParamNotAString=Bad value for your parameter. It appends generally when translation is missing.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorLoginAlreadyExists=Prijava %s već postoji.
ErrorGroupAlreadyExists=Grupa %s već postoji.
ErrorRecordNotFound=Zapis nije pronađen.
@@ -48,6 +50,7 @@ ErrorFieldsRequired=Some required fields were not filled.
ErrorSubjectIsRequired=The email topic is required
ErrorFailedToCreateDir=Failed to create a directory. Check that Web server user has permissions to write into Dolibarr documents directory. If parameter safe_mode is enabled on this PHP, check that Dolibarr php files owns to web server user (or group).
ErrorNoMailDefinedForThisUser=No mail defined for this user
+ErrorSetupOfEmailsNotComplete=Setup of emails is not complete
ErrorFeatureNeedJavascript=This feature need javascript to be activated to work. Change this in setup - display.
ErrorTopMenuMustHaveAParentWithId0=A menu of type 'Top' can't have a parent menu. Put 0 in parent menu or choose a menu of type 'Left'.
ErrorLeftMenuMustHaveAParentId=A menu of type 'Left' must have a parent id.
@@ -75,7 +78,7 @@ ErrorExportDuplicateProfil=This profile name already exists for this export set.
ErrorLDAPSetupNotComplete=Dolibarr-LDAP matching is not complete.
ErrorLDAPMakeManualTest=A .ldif file has been generated in directory %s. Try to load it manually from command line to have more information on errors.
ErrorCantSaveADoneUserWithZeroPercentage=Can't save an action with "status not started" if field "done by" is also filled.
-ErrorRefAlreadyExists=Ref used for creation already exists.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorPleaseTypeBankTransactionReportName=Please enter the bank statement name where the entry has to be reported (Format YYYYMM or YYYYMMDD)
ErrorRecordHasChildren=Failed to delete record since it has some child records.
ErrorRecordHasAtLeastOneChildOfType=Object has at least one child of type %s
@@ -216,7 +219,7 @@ ErrorChooseBetweenFreeEntryOrPredefinedProduct=You must choose if article is a p
ErrorDiscountLargerThanRemainToPaySplitItBefore=The discount you try to apply is larger than remain to pay. Split the discount in 2 smaller discounts before.
ErrorFileNotFoundWithSharedLink=File was not found. May be the share key was modified or file was removed recently.
ErrorProductBarCodeAlreadyExists=The product barcode %s already exists on another product reference.
-ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using virtual product to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number.
+ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using kits to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number.
ErrorDescRequiredForFreeProductLines=Description is mandatory for lines with free product
ErrorAPageWithThisNameOrAliasAlreadyExists=The page/container %s has the same name or alternative alias that the one your try to use
ErrorDuringChartLoad=Error when loading chart of accounts. If few accounts were not loaded, you can still enter them manually.
@@ -243,6 +246,16 @@ ErrorReplaceStringEmpty=Error, the string to replace into is empty
ErrorProductNeedBatchNumber=Error, product '%s' need a lot/serial number
ErrorProductDoesNotNeedBatchNumber=Error, product '%s' does not accept a lot/serial number
ErrorFailedToReadObject=Error, failed to read object of type %s
+ErrorParameterMustBeEnabledToAllwoThisFeature=Error, parameter %s must be enabled into conf/conf.php to allow use of Command Line Interface by the internal job scheduler
+ErrorLoginDateValidity=Error, this login is outside the validity date range
+ErrorValueLength=Length of field '%s' must be higher than '%s'
+ErrorReservedKeyword=The word '%s' is a reserved keyword
+ErrorNotAvailableWithThisDistribution=Not available with this distribution
+ErrorPublicInterfaceNotEnabled=Public interface was not enabled
+ErrorLanguageRequiredIfPageIsTranslationOfAnother=The language of new page must be defined if it is set as a translation of another page
+ErrorLanguageMustNotBeSourceLanguageIfPageIsTranslationOfAnother=The language of new page must not be the source language if it is set as a translation of another page
+ErrorAParameterIsRequiredForThisOperation=A parameter is mandatory for this operation
+
# Warnings
WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup.
WarningPasswordSetWithNoAccount=A password was set for this member. However, no user account was created. So this password is stored but can't be used to login to Dolibarr. It may be used by an external module/interface but if you don't need to define any login nor password for a member, you can disable option "Manage a login for each member" from Member module setup. If you need to manage a login but don't need any password, you can keep this field empty to avoid this warning. Note: Email can also be used as a login if the member is linked to a user.
@@ -267,6 +280,10 @@ WarningYourLoginWasModifiedPleaseLogin=Your login was modified. For security pur
WarningAnEntryAlreadyExistForTransKey=An entry already exists for the translation key for this language
WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different recipient is limited to %s when using the mass actions on lists
WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report
+WarningProjectDraft=Project is still in draft mode. Don't forget to validate it if you plan to use tasks.
WarningProjectClosed=Project is closed. You must re-open it first.
WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list.
-WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table
+WarningFailedToAddFileIntoDatabaseIndex=Warning, failed to add file entry into ECM database index table
+WarningTheHiddenOptionIsOn=Warning, the hidden option %s is on.
+WarningCreateSubAccounts=Warning, you can't create directly a sub account, you must create a third party or an user and assign them an accounting code to find them in this list
+WarningAvailableOnlyForHTTPSServers=Available only if using HTTPS secured connection.
diff --git a/htdocs/langs/bs_BA/exports.lang b/htdocs/langs/bs_BA/exports.lang
index c1e9cc4b30f..30e7e97e5a5 100644
--- a/htdocs/langs/bs_BA/exports.lang
+++ b/htdocs/langs/bs_BA/exports.lang
@@ -26,6 +26,8 @@ FieldTitle=Field title
NowClickToGenerateToBuildExportFile=Now, select the file format in the combo box and click on "Generate" to build the export file...
AvailableFormats=Available Formats
LibraryShort=Library
+ExportCsvSeparator=Csv caracter separator
+ImportCsvSeparator=Csv caracter separator
Step=Step
FormatedImport=Import Assistant
FormatedImportDesc1=This module allows you to update existing data or add new objects into the database from a file without technical knowledge, using an assistant.
@@ -131,3 +133,4 @@ KeysToUseForUpdates=Key (column) to use for updating existing data
NbInsert=Number of inserted lines: %s
NbUpdate=Number of updated lines: %s
MultipleRecordFoundWithTheseFilters=Multiple records have been found with these filters: %s
+StocksWithBatch=Stocks and location (warehouse) of products with batch/serial number
diff --git a/htdocs/langs/bs_BA/mails.lang b/htdocs/langs/bs_BA/mails.lang
index 93bde73c33f..a51e2c1bbc0 100644
--- a/htdocs/langs/bs_BA/mails.lang
+++ b/htdocs/langs/bs_BA/mails.lang
@@ -92,6 +92,7 @@ MailingModuleDescEmailsFromUser=Emails input by user
MailingModuleDescDolibarrUsers=Users with Emails
MailingModuleDescThirdPartiesByCategories=Third parties (by categories)
SendingFromWebInterfaceIsNotAllowed=Sending from web interface is not allowed.
+EmailCollectorFilterDesc=All filters must match to have an email being collected
# Libelle des modules de liste de destinataires mailing
LineInFile=Linija %s u fajlu
@@ -125,12 +126,13 @@ TagMailtoEmail=Recipient Email (including html "mailto:" link)
NoEmailSentBadSenderOrRecipientEmail=No email sent. Bad sender or recipient email. Verify user profile.
# Module Notifications
Notifications=Notifikacije
-NoNotificationsWillBeSent=Nema planiranih email notifikacija za ovaj događaj i kompaniju
-ANotificationsWillBeSent=1 notifikacija će biti poslana emailom
-SomeNotificationsWillBeSent=%s notifikacija će biti poslane emailom
-AddNewNotification=Activate a new email notification target
-ListOfActiveNotifications=List all active targets for email notification
-ListOfNotificationsDone=Lista svih notifikacija o slanju emaila
+NotificationsAuto=Notifications Auto.
+NoNotificationsWillBeSent=No automatic email notifications are planned for this event type and company
+ANotificationsWillBeSent=1 automatic notification will be sent by email
+SomeNotificationsWillBeSent=%s automatic notifications will be sent by email
+AddNewNotification=Subscribe to a new automatic email notification (target/event)
+ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification
+ListOfNotificationsDone=List all automatic email notifications sent
MailSendSetupIs=Configuration of email sending has been setup to '%s'. This mode can't be used to send mass emailing.
MailSendSetupIs2=You must first go, with an admin account, into menu %sHome - Setup - EMails%s to change parameter '%s' to use mode '%s'. With this mode, you can enter setup of the SMTP server provided by your Internet Service Provider and use Mass emailing feature.
MailSendSetupIs3=If you have any questions on how to setup your SMTP server, you can ask to %s.
@@ -140,7 +142,7 @@ UseFormatFileEmailToTarget=Imported file must have format email;name;fir
UseFormatInputEmailToTarget=Enter a string with format email;name;firstname;other
MailAdvTargetRecipients=Recipients (advanced selection)
AdvTgtTitle=Fill input fields to preselect the third parties or contacts/addresses to target
-AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima% will target all jean, joe, start with jim but not jimo and not everything that starts with jima
+AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima%% will target all jean, joe, start with jim but not jimo and not everything that starts with jima
AdvTgtSearchIntHelp=Use interval to select int or float value
AdvTgtMinVal=Minimum value
AdvTgtMaxVal=Maximum value
@@ -162,13 +164,14 @@ AdvTgtCreateFilter=Create filter
AdvTgtOrCreateNewFilter=Name of new filter
NoContactWithCategoryFound=No contact/address with a category found
NoContactLinkedToThirdpartieWithCategoryFound=No contact/address with a category found
-OutGoingEmailSetup=Outgoing email setup
-InGoingEmailSetup=Incoming email setup
-OutGoingEmailSetupForEmailing=Outgoing email setup (for module %s)
-DefaultOutgoingEmailSetup=Default outgoing email setup
+OutGoingEmailSetup=Outgoing emails
+InGoingEmailSetup=Incoming emails
+OutGoingEmailSetupForEmailing=Outgoing emails (for module %s)
+DefaultOutgoingEmailSetup=Same configuration than the global Outgoing email setup
Information=Inromacije
ContactsWithThirdpartyFilter=Contacts with third-party filter
Unanswered=Unanswered
Answered=Answered
IsNotAnAnswer=Is not answer (initial email)
IsAnAnswer=Is an answer of an initial email
+RecordCreatedByEmailCollector=Record created by the Email Collector %s from email %s
diff --git a/htdocs/langs/bs_BA/main.lang b/htdocs/langs/bs_BA/main.lang
index 53577a4ab73..57d95ed9df7 100644
--- a/htdocs/langs/bs_BA/main.lang
+++ b/htdocs/langs/bs_BA/main.lang
@@ -28,7 +28,9 @@ NoTemplateDefined=Šablon za ovu vrstu emaila nije dostupan
AvailableVariables=Dostupne zamjenske varijable
NoTranslation=Nema prevoda
Translation=Prevod
+CurrentTimeZone=Vremenska zona PHP (servera)
EmptySearchString=Enter non empty search criterias
+EnterADateCriteria=Enter a date criteria
NoRecordFound=Nije pronađen zapis
NoRecordDeleted=Nijedan zapis nije obrisan
NotEnoughDataYet=Nema dovoljno podataka
@@ -85,6 +87,8 @@ FileWasNotUploaded=Datoteka je odabrana za prilog ali nije još postavljena. Kli
NbOfEntries=No. of entries
GoToWikiHelpPage=Pročitajte online pomoć (neophodan pristup internetu)
GoToHelpPage=Pročitaj pomoć
+DedicatedPageAvailable=There is a dedicated help page related to your current screen
+HomePage=Home Page
RecordSaved=Unos spremljen
RecordDeleted=Unos obrisan
RecordGenerated=Record generated
@@ -433,6 +437,7 @@ RemainToPay=Preostalo za platiti
Module=Modul/aplikacija
Modules=Moduli/aplikacije
Option=Opcija
+Filters=Filters
List=Spisak
FullList=Potpuni spisak
FullConversation=Full conversation
@@ -671,7 +676,7 @@ SendMail=Pošalji e-mail
Email=email
NoEMail=nema emaila
AlreadyRead=Already read
-NotRead=Not read
+NotRead=Unread
NoMobilePhone=Nema broj mobitela
Owner=Vlasnik
FollowingConstantsWillBeSubstituted=Sljedeće konstante će se zamijeniti sa odgovarajućim vrijednostima.
@@ -1107,3 +1112,8 @@ UpToDate=Up-to-date
OutOfDate=Out-of-date
EventReminder=Event Reminder
UpdateForAllLines=Update for all lines
+OnHold=On hold
+AffectTag=Affect Tag
+ConfirmAffectTag=Bulk Tag Affect
+ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected record(s)?
+CategTypeNotFound=No tag type found for type of records
diff --git a/htdocs/langs/bs_BA/modulebuilder.lang b/htdocs/langs/bs_BA/modulebuilder.lang
index db704769abd..9281e1f7849 100644
--- a/htdocs/langs/bs_BA/modulebuilder.lang
+++ b/htdocs/langs/bs_BA/modulebuilder.lang
@@ -40,6 +40,7 @@ PageForCreateEditView=PHP page to create/edit/view a record
PageForAgendaTab=PHP page for event tab
PageForDocumentTab=PHP page for document tab
PageForNoteTab=PHP page for note tab
+PageForContactTab=PHP page for contact tab
PathToModulePackage=Path to zip of module/application package
PathToModuleDocumentation=Path to file of module/application documentation (%s)
SpaceOrSpecialCharAreNotAllowed=Spaces or special characters are not allowed.
@@ -77,7 +78,7 @@ IsAMeasure=Is a measure
DirScanned=Directory scanned
NoTrigger=No trigger
NoWidget=No widget
-GoToApiExplorer=Go to API explorer
+GoToApiExplorer=API explorer
ListOfMenusEntries=List of menu entries
ListOfDictionariesEntries=List of dictionaries entries
ListOfPermissionsDefined=List of defined permissions
@@ -105,7 +106,7 @@ TryToUseTheModuleBuilder=If you have knowledge of SQL and PHP, you may use the n
SeeTopRightMenu=See on the top right menu
AddLanguageFile=Add language file
YouCanUseTranslationKey=You can use here a key that is the translation key found into language file (see tab "Languages")
-DropTableIfEmpty=(Delete table if empty)
+DropTableIfEmpty=(Destroy table if empty)
TableDoesNotExists=The table %s does not exists
TableDropped=Table %s deleted
InitStructureFromExistingTable=Build the structure array string of an existing table
@@ -126,7 +127,6 @@ UseSpecificEditorURL = Use a specific editor URL
UseSpecificFamily = Use a specific family
UseSpecificAuthor = Use a specific author
UseSpecificVersion = Use a specific initial version
-ModuleMustBeEnabled=The module/application must be enabled first
IncludeRefGeneration=The reference of object must be generated automatically
IncludeRefGenerationHelp=Check this if you want to include code to manage the generation automatically of the reference
IncludeDocGeneration=I want to generate some documents from the object
@@ -140,3 +140,4 @@ TypeOfFieldsHelp=Type of fields: varchar(99), double(24,8), real, text, html,
AsciiToHtmlConverter=Ascii to HTML converter
AsciiToPdfConverter=Ascii to PDF converter
TableNotEmptyDropCanceled=Table not empty. Drop has been canceled.
+ModuleBuilderNotAllowed=The module builder is available but not allowed to your user.
diff --git a/htdocs/langs/bs_BA/other.lang b/htdocs/langs/bs_BA/other.lang
index 024bf6013d5..bc8408ad6a6 100644
--- a/htdocs/langs/bs_BA/other.lang
+++ b/htdocs/langs/bs_BA/other.lang
@@ -5,8 +5,6 @@ Tools=Tools
TMenuTools=Tools
ToolsDesc=All tools not included in other menu entries are grouped here. All the tools can be accessed via the left menu.
Birthday=Birthday
-BirthdayDate=Birthday date
-DateToBirth=Birth date
BirthdayAlertOn=birthday alert active
BirthdayAlertOff=birthday alert inactive
TransKey=Translation of the key TransKey
@@ -16,6 +14,8 @@ PreviousMonthOfInvoice=Previous month (number 1-12) of invoice date
TextPreviousMonthOfInvoice=Previous month (text) of invoice date
NextMonthOfInvoice=Following month (number 1-12) of invoice date
TextNextMonthOfInvoice=Following month (text) of invoice date
+PreviousMonth=Previous month
+CurrentMonth=Current month
ZipFileGeneratedInto=Zip file generated into %s.
DocFileGeneratedInto=Doc file generated into %s.
JumpToLogin=Disconnected. Go to login page...
@@ -99,6 +99,7 @@ PredefinedMailContentSendShipping=__(Hello)__\n\nPlease find shipping __REF__ at
PredefinedMailContentSendFichInter=__(Hello)__\n\nPlease find intervention __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.\n\n%s\n\n
PredefinedMailContentGeneric=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
+PredefinedMailContentSendActionComm=Event reminder "__EVENT_LABEL__" on __EVENT_DATE__ at __EVENT_TIME__
This is an automatic message, please do not reply.
DemoDesc=Dolibarr is a compact ERP/CRM supporting several business modules. A demo showcasing all modules makes no sense as this scenario never occurs (several hundred available). So, several demo profiles are available.
ChooseYourDemoProfil=Choose the demo profile that best suits your needs...
ChooseYourDemoProfilMore=...or build your own profile (manual module selection)
@@ -137,7 +138,7 @@ Right=Right
CalculatedWeight=Calculated weight
CalculatedVolume=Calculated volume
Weight=Weight
-WeightUnitton=tonne
+WeightUnitton=ton
WeightUnitkg=kg
WeightUnitg=g
WeightUnitmg=mg
@@ -258,6 +259,7 @@ ContactCreatedByEmailCollector=Contact/address created by email collector from e
ProjectCreatedByEmailCollector=Project created by email collector from email MSGID %s
TicketCreatedByEmailCollector=Ticket created by email collector from email MSGID %s
OpeningHoursFormatDesc=Use a - to separate opening and closing hours. Use a space to enter different ranges. Example: 8-12 14-18
+PrefixSession=Prefix for session ID
##### Export #####
ExportsArea=Exports area
diff --git a/htdocs/langs/bs_BA/products.lang b/htdocs/langs/bs_BA/products.lang
index 23be1f760b5..76237566481 100644
--- a/htdocs/langs/bs_BA/products.lang
+++ b/htdocs/langs/bs_BA/products.lang
@@ -108,7 +108,8 @@ FillWithLastServiceDates=Fill with last service line dates
MultiPricesAbility=Multiple price segments per product/service (each customer is in one price segment)
MultiPricesNumPrices=Number of prices
DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices
-AssociatedProductsAbility=Activate kits (virtual products)
+AssociatedProductsAbility=Enable Kits (set of other products)
+VariantsAbility=Enable Variants (variations of products, for example color, size)
AssociatedProducts=Kits
AssociatedProductsNumber=Number of products composing this kit
ParentProductsNumber=Number of parent packaging product
@@ -167,8 +168,10 @@ BuyingPrices=Buying prices
CustomerPrices=Customer prices
SuppliersPrices=Vendor prices
SuppliersPricesOfProductsOrServices=Vendor prices (of products or services)
-CustomCode=Customs / Commodity / HS code
+CustomCode=Customs|Commodity|HS code
CountryOrigin=Origin country
+RegionStateOrigin=Region origin
+StateOrigin=State|Province origin
Nature=Nature of product (material/finished)
NatureOfProductShort=Nature of product
NatureOfProductDesc=Raw material or finished product
@@ -239,7 +242,7 @@ AlwaysUseFixedPrice=Use the fixed price
PriceByQuantity=Different prices by quantity
DisablePriceByQty=Disable prices by quantity
PriceByQuantityRange=Quantity range
-MultipriceRules=Price segment rules
+MultipriceRules=Automatic prices for segment
UseMultipriceRules=Use price segment rules (defined into product module setup) to auto calculate prices of all other segments according to first segment
PercentVariationOver=%% variation over %s
PercentDiscountOver=%% discount over %s
diff --git a/htdocs/langs/bs_BA/recruitment.lang b/htdocs/langs/bs_BA/recruitment.lang
index 1d485508eff..a2e64d9e81f 100644
--- a/htdocs/langs/bs_BA/recruitment.lang
+++ b/htdocs/langs/bs_BA/recruitment.lang
@@ -73,3 +73,4 @@ JobClosedTextCandidateFound=The job position is closed. The position has been fi
JobClosedTextCanceled=The job position is closed.
ExtrafieldsJobPosition=Complementary attributes (job positions)
ExtrafieldsCandidatures=Complementary attributes (job applications)
+MakeOffer=Make an offer
diff --git a/htdocs/langs/bs_BA/sendings.lang b/htdocs/langs/bs_BA/sendings.lang
index dfae5d3a8a8..1fc121104eb 100644
--- a/htdocs/langs/bs_BA/sendings.lang
+++ b/htdocs/langs/bs_BA/sendings.lang
@@ -30,6 +30,7 @@ OtherSendingsForSameOrder=Druge pošiljke za ovu narudžbu
SendingsAndReceivingForSameOrder=Shipments and receipts for this order
SendingsToValidate=Pošiljke za potvrditi
StatusSendingCanceled=Otkazano
+StatusSendingCanceledShort=Otkazan
StatusSendingDraft=Nacrt
StatusSendingValidated=Potvrđeno (proizvodi za slanje ili već poslano)
StatusSendingProcessed=Obrađeno
@@ -65,6 +66,7 @@ ValidateOrderFirstBeforeShipment=You must first validate the order before being
# Sending methods
# ModelDocument
DocumentModelTyphon=More complete document model for delivery receipts (logo...)
+DocumentModelStorm=More complete document model for delivery receipts and extrafields compatibility (logo...)
Error_EXPEDITION_ADDON_NUMBER_NotDefined=Constant EXPEDITION_ADDON_NUMBER not defined
SumOfProductVolumes=Suma količina proizvoda
SumOfProductWeights=Suma težina proizvoda
diff --git a/htdocs/langs/bs_BA/stocks.lang b/htdocs/langs/bs_BA/stocks.lang
index 9dbb5dd7df2..bb58f89c839 100644
--- a/htdocs/langs/bs_BA/stocks.lang
+++ b/htdocs/langs/bs_BA/stocks.lang
@@ -240,3 +240,4 @@ InventoryRealQtyHelp=Set value to 0 to reset qty Keep field empty, or remove
UpdateByScaning=Update by scaning
UpdateByScaningProductBarcode=Update by scan (product barcode)
UpdateByScaningLot=Update by scan (lot|serial barcode)
+DisableStockChangeOfSubProduct=Deactivate the stock change for all the subproducts of this Kit during this movement.
diff --git a/htdocs/langs/bs_BA/ticket.lang b/htdocs/langs/bs_BA/ticket.lang
index c93c3a3c59e..fd582550e54 100644
--- a/htdocs/langs/bs_BA/ticket.lang
+++ b/htdocs/langs/bs_BA/ticket.lang
@@ -31,10 +31,8 @@ TicketDictType=Ticket - Types
TicketDictCategory=Ticket - Groupes
TicketDictSeverity=Ticket - Severities
TicketDictResolution=Ticket - Resolution
-TicketTypeShortBUGSOFT=Dysfonctionnement logiciel
-TicketTypeShortBUGHARD=Dysfonctionnement matériel
-TicketTypeShortCOM=Commercial question
+TicketTypeShortCOM=Commercial question
TicketTypeShortHELP=Request for functionnal help
TicketTypeShortISSUE=Issue, bug or problem
TicketTypeShortREQUEST=Change or enhancement request
@@ -44,7 +42,7 @@ TicketTypeShortOTHER=Ostalo
TicketSeverityShortLOW=Nizak potencijal
TicketSeverityShortNORMAL=Normal
TicketSeverityShortHIGH=Veliki potencijal
-TicketSeverityShortBLOCKING=Critical/Blocking
+TicketSeverityShortBLOCKING=Critical, Blocking
ErrorBadEmailAddress=Field '%s' incorrect
MenuTicketMyAssign=My tickets
@@ -60,7 +58,6 @@ OriginEmail=Email source
Notify_TICKET_SENTBYMAIL=Send ticket message by email
# Status
-NotRead=Not read
Read=Pročitaj
Assigned=Assigned
InProgress=U toku
@@ -126,6 +123,7 @@ TicketsActivatePublicInterfaceHelp=Public interface allow any visitors to create
TicketsAutoAssignTicket=Automatically assign the user who created the ticket
TicketsAutoAssignTicketHelp=When creating a ticket, the user can be automatically assigned to the ticket.
TicketNumberingModules=Tickets numbering module
+TicketsModelModule=Document templates for tickets
TicketNotifyTiersAtCreation=Notify third party at creation
TicketsDisableCustomerEmail=Always disable emails when a ticket is created from public interface
TicketsPublicNotificationNewMessage=Send email(s) when a new message is added
@@ -233,7 +231,6 @@ TicketLogStatusChanged=Status changed: %s to %s
TicketNotNotifyTiersAtCreate=Not notify company at create
Unread=Unread
TicketNotCreatedFromPublicInterface=Not available. Ticket was not created from public interface.
-PublicInterfaceNotEnabled=Public interface was not enabled
ErrorTicketRefRequired=Ticket reference name is required
#
diff --git a/htdocs/langs/bs_BA/website.lang b/htdocs/langs/bs_BA/website.lang
index 8aa0ca84eb0..aa90f42f735 100644
--- a/htdocs/langs/bs_BA/website.lang
+++ b/htdocs/langs/bs_BA/website.lang
@@ -30,7 +30,6 @@ EditInLine=Edit inline
AddWebsite=Add website
Webpage=Web page/container
AddPage=Add page/container
-HomePage=Home Page
PageContainer=Stranica
PreviewOfSiteNotYetAvailable=Preview of your website %s not yet available. You must first 'Import a full website template' or just 'Add a page/container'.
RequestedPageHasNoContentYet=Requested page with id %s has no content yet, or cache file .tpl.php was removed. Edit content of the page to solve this.
@@ -101,7 +100,7 @@ EmptyPage=Empty page
ExternalURLMustStartWithHttp=External URL must start with http:// or https://
ZipOfWebsitePackageToImport=Upload the Zip file of the website template package
ZipOfWebsitePackageToLoad=or Choose an available embedded website template package
-ShowSubcontainers=Include dynamic content
+ShowSubcontainers=Show dynamic content
InternalURLOfPage=Internal URL of page
ThisPageIsTranslationOf=This page/container is a translation of
ThisPageHasTranslationPages=This page/container has translation
@@ -137,3 +136,4 @@ RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using
PagesRegenerated=%s page(s)/container(s) regenerated
RegenerateWebsiteContent=Regenerate web site cache files
AllowedInFrames=Allowed in Frames
+DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languages into web site properties.
diff --git a/htdocs/langs/bs_BA/withdrawals.lang b/htdocs/langs/bs_BA/withdrawals.lang
index ae61a690ede..0562c1419b0 100644
--- a/htdocs/langs/bs_BA/withdrawals.lang
+++ b/htdocs/langs/bs_BA/withdrawals.lang
@@ -42,6 +42,7 @@ LastWithdrawalReceipt=Latest %s direct debit receipts
MakeWithdrawRequest=Make a direct debit payment request
MakeBankTransferOrder=Make a credit transfer request
WithdrawRequestsDone=%s direct debit payment requests recorded
+BankTransferRequestsDone=%s credit transfer requests recorded
ThirdPartyBankCode=Third-party bank code
NoInvoiceCouldBeWithdrawed=No invoice debited successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s.
ClassCredited=Označi na potraživanja
@@ -131,7 +132,8 @@ SEPARCUR=SEPA CUR
SEPAFRST=SEPA FRST
ExecutionDate=Datum izvršenja
CreateForSepa=Create direct debit file
-ICS=Creditor Identifier CI
+ICS=Creditor Identifier CI for direct debit
+ICSTransfer=Creditor Identifier CI for bank transfer
END_TO_END="EndToEndId" SEPA XML tag - Unique id assigned per transaction
USTRD="Unstructured" SEPA XML tag
ADDDAYS=Add days to Execution Date
@@ -146,3 +148,4 @@ InfoRejectSubject=Direct debit payment order refused
InfoRejectMessage=Hello,
the direct debit payment order of invoice %s related to the company %s, with an amount of %s has been refused by the bank.
-- %s
ModeWarning=Option for real mode was not set, we stop after this simulation
ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know wich one to use.
+ErrorICSmissing=Missing ICS in Bank account %s
diff --git a/htdocs/langs/ca_ES/accountancy.lang b/htdocs/langs/ca_ES/accountancy.lang
index 6146dd28e9f..2c6e0389526 100644
--- a/htdocs/langs/ca_ES/accountancy.lang
+++ b/htdocs/langs/ca_ES/accountancy.lang
@@ -31,7 +31,7 @@ AssignDedicatedAccountingAccount=Compte nou per a assignar
InvoiceLabel=Etiqueta de factura
OverviewOfAmountOfLinesNotBound=Vista general de la quantitat de línies no comptabilitzades en un compte comptable
OverviewOfAmountOfLinesBound=Vista general de la quantitat de línies ja comptabilitzades en un compte comptable
-OtherInfo=Altra informació
+OtherInfo=Una altra informació
DeleteCptCategory=Eliminar el compte comptable del grup
ConfirmDeleteCptCategory=Estàs segur que vols eliminar aquest compte comptable del grup de comptabilitat?
JournalizationInLedgerStatus=Estat del diari
@@ -46,8 +46,9 @@ CountriesNotInEEC=Països no integrats a la CEE
CountriesInEECExceptMe=Països a la CEE excepte %s
CountriesExceptMe=Tots els països, excepte %s
AccountantFiles=Exporta documents d'origen
-ExportAccountingSourceDocHelp=Amb aquesta eina, podeu exportar els esdeveniments d'origen (llista i PDF) que es van utilitzar per generar la vostra comptabilitat. Per exportar els vostres diaris, utilitzeu l’entrada de menú %s - %s.
+ExportAccountingSourceDocHelp=Amb aquesta eina, podeu exportar els esdeveniments d'origen (llista i PDF) que es van utilitzar per a generar la vostra comptabilitat. Per a exportar els vostres diaris, utilitzeu l’entrada de menú %s - %s.
VueByAccountAccounting=Veure per compte comptable
+VueBySubAccountAccounting=Veure-ho per subcomptes comptables
MainAccountForCustomersNotDefined=Compte comptable per a clients no definida en la configuració
MainAccountForSuppliersNotDefined=Compte comptable principal per a proveïdors no definit a la configuració
@@ -58,12 +59,12 @@ MainAccountForSubscriptionPaymentNotDefined=Compte comptable per a IVA no defini
AccountancyArea=Àrea de comptabilitat
AccountancyAreaDescIntro=L'ús del mòdul de comptabilitat es realitza en diverses etapes:
AccountancyAreaDescActionOnce=Les següents accions s'executen normalment per una sola vegada, o un cop l'any ...
-AccountancyAreaDescActionOnceBis=Els passos següents s'han de fer per a estalviar-vos temps en el futur suggerint-vos el compte comptable per defecte correcte al fer els diaris (escriptura dels registres en els diaris i Llibre Major)
+AccountancyAreaDescActionOnceBis=Cal fer els passos següents per a estalviar-vos temps en el futur, suggerint-vos el compte comptable per defecte correcte quan feu els diaris (escriptura dels registres en els Diaris i Llibre major)
AccountancyAreaDescActionFreq=Les següents accions s'executen normalment cada mes, setmana o dia per empreses molt grans ...
AccountancyAreaDescJournalSetup=PAS %s: Crea o consulta el contingut dels teus diaris des del menú %s
AccountancyAreaDescChartModel=PAS %s: Comproveu que existeix un model de pla comptable o creeu-ne un des del menú %s
-AccountancyAreaDescChart=PAS %s: Seleccioneu i/o completeu el vostre pla comptable al menú %s
+AccountancyAreaDescChart=PAS %s: Seleccioneu o completeu el vostre pla comptable al menú %s
AccountancyAreaDescVat=PAS %s: Defineix comptes comptables per cada tipus d'IVA. Per això, utilitzeu l'entrada del menú %s.
AccountancyAreaDescDefault=PAS %s: Definiu comptes comptables per defecte. Per a això, utilitzeu l'entrada de menú %s.
@@ -144,24 +145,24 @@ NotVentilatedinAccount=No vinculat al compte comptable
XLineSuccessfullyBinded=%s productes/serveis vinculats amb èxit a un compte comptable
XLineFailedToBeBinded=%s de productes/serveis no comptabilitzats en cap compte comptable
-ACCOUNTING_LIMIT_LIST_VENTILATION=Nombre d'elements a vincular mostrats per pàgina (màxim recomanat: 50)
-ACCOUNTING_LIST_SORT_VENTILATION_TODO=Comença l'ordenació de la pàgina "Comptabilització per fer" pels elements més recents
+ACCOUNTING_LIMIT_LIST_VENTILATION=Nombre màxim de línies en llistes per pàgina (recomanat: 50)
+ACCOUNTING_LIST_SORT_VENTILATION_TODO=Comença l'ordenació de la pàgina "Comptabilització per a fer" pels elements més recents
ACCOUNTING_LIST_SORT_VENTILATION_DONE=Comença l'ordenació de la pàgina "Comptabilització realitzada" pels elements més recents
ACCOUNTING_LENGTH_DESCRIPTION=Truncar descripcions de producte i serveis en llistes de x caràcters (Millor = 50)
ACCOUNTING_LENGTH_DESCRIPTION_ACCOUNT=Truncar descripcions de comptes de producte i serveis en llistes de x caràcters (Millor = 50)
-ACCOUNTING_LENGTH_GACCOUNT=Longitud dels comptes generals (Si s'estableix el valor a 6 aquí, el compte '706' apareixerà com '706000' a la pantalla)
-ACCOUNTING_LENGTH_AACCOUNT=Longitud dels subcomptes (Si s'estableix el valor a 6 aquí, el compte '401' apareixerà com '401000' a la pantalla)
-ACCOUNTING_MANAGE_ZERO=Gestiona un nombre diferent de zero al final d'un compte comptable. Necessària per alguns països (com Suïssa). Si es manté apagat (per defecte), pot configurar els següents 2 paràmetres per a demanar a l'aplicació afegir un zero virtual.
-BANK_DISABLE_DIRECT_INPUT=Des-habilitar l'enregistrament directe de transaccions al compte bancari
+ACCOUNTING_LENGTH_GACCOUNT=Longitud dels comptes generals (Si s'estableix el valor a 6 aquí, el compte «706» apareixerà com «706000» a la pantalla)
+ACCOUNTING_LENGTH_AACCOUNT=Longitud dels subcomptes (Si s'estableix el valor a 6 aquí, el compte «401» apareixerà com «401000» a la pantalla)
+ACCOUNTING_MANAGE_ZERO=Gestiona un nombre diferent de zero al final d'un compte comptable. És necessari per a alguns països (com Suïssa). Si es manté apagat (per defecte), podeu configurar els següents dos paràmetres per a demanar a l'aplicació d'afegir zeros virtuals.
+BANK_DISABLE_DIRECT_INPUT=Desactiva el registre directe de transaccions al compte bancari
ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Habilita l'exportació d'esborrany en el diari
ACCOUNTANCY_COMBO_FOR_AUX=Activa la llista de combo per al compte subsidiari (pot ser lent si tens molts tercers)
-ACCOUNTING_DATE_START_BINDING=Definiu una data per començar la vinculació i transferència a la comptabilitat. Per sota d’aquesta data, les transaccions no es transferiran a la comptabilitat.
+ACCOUNTING_DATE_START_BINDING=Definiu una data per a començar la vinculació i transferència a la comptabilitat. Per sota d’aquesta data, les transaccions no es transferiran a la comptabilitat.
ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=En el cas de transferència de comptabilitat, seleccioneu el període a mostrar per defecte
ACCOUNTING_SELL_JOURNAL=Diari de venda
ACCOUNTING_PURCHASE_JOURNAL=Diari de compra
-ACCOUNTING_MISCELLANEOUS_JOURNAL=Diari varis
+ACCOUNTING_MISCELLANEOUS_JOURNAL=Diaris varis
ACCOUNTING_EXPENSEREPORT_JOURNAL=Diari de l'informe de despeses
ACCOUNTING_SOCIAL_JOURNAL=Diari social
ACCOUNTING_HAS_NEW_JOURNAL=Té un nou Diari
@@ -177,7 +178,7 @@ ACCOUNTING_ACCOUNT_SUSPENSE=Compte comptable d'espera
DONATION_ACCOUNTINGACCOUNT=Compte comptable per a registrar les donacions
ADHERENT_SUBSCRIPTION_ACCOUNTINGACCOUNT=Compte comptable per a registrar les donacions
-ACCOUNTING_ACCOUNT_CUSTOMER_DEPOSIT=Compte comptable per defecte per registrar el dipòsit del client
+ACCOUNTING_ACCOUNT_CUSTOMER_DEPOSIT=Compte comptable per defecte per a registrar el dipòsit del client
ACCOUNTING_PRODUCT_BUY_ACCOUNT=Compte comptable per defecte per als productes comprats (utilitzat si no es defineix en el producte)
ACCOUNTING_PRODUCT_BUY_INTRA_ACCOUNT=Compte de comptabilitat per defecte dels productes comprats a la CEE (utilitzat si no està definit a la taula de productes)
@@ -198,7 +199,8 @@ Docdate=Data
Docref=Referència
LabelAccount=Etiqueta de compte
LabelOperation=Etiqueta de l'operació
-Sens=Significat
+Sens=Direcció
+AccountingDirectionHelp=Per a un compte comptable d'un client, utilitzeu Crèdit per a registrar un pagament que heu rebut Per a un compte comptable d'un proveïdor, utilitzeu Dèbit per a registrar un pagament que feu
LetteringCode=Codi de retolació
Lettering=Lletres
Codejournal=Diari
@@ -206,7 +208,8 @@ JournalLabel=Títol de Diari
NumPiece=Número de peça
TransactionNumShort=Número de transacció
AccountingCategory=Grups personalitzats
-GroupByAccountAccounting=Agrupar per compte comptable
+GroupByAccountAccounting=Agrupa per compte major
+GroupBySubAccountAccounting=Agrupa per subcompte comptable
AccountingAccountGroupsDesc=Pots definir aquí alguns grups de compte comptable. S'utilitzaran per a informes comptables personalitzats.
ByAccounts=Per comptes
ByPredefinedAccountGroups=Per grups predefinits
@@ -216,14 +219,14 @@ NotMatch=No definit
DeleteMvt=Elimina algunes línies d'operació de la comptabilitat
DelMonth=Mes a eliminar
DelYear=Any a eliminar
-DelJournal=Diari per esborrar
-ConfirmDeleteMvt=Això suprimirà totes les línies d'operació de la comptabilitat de l'any/mes i/o d'un diari específic (cal un criteri com a mínim). Haureu de tornar a utilitzar la funció '%s' per a que el registre suprimit torni al llibre major.
+DelJournal=Diari per a suprimir
+ConfirmDeleteMvt=Això suprimirà totes les línies d'operació de la comptabilitat de l'any/mes o d'un diari específic (cal un criteri com a mínim). Haureu d'utilitzar la funció «%s» per a tornar a tenir el registre suprimit al llibre major.
ConfirmDeleteMvtPartial=Això suprimirà la transacció de la comptabilitat (se suprimiran totes les línies d’operació relacionades amb la mateixa transacció)
FinanceJournal=Diari de finances
ExpenseReportsJournal=Informe-diari de despeses
DescFinanceJournal=Finance journal including all the types of payments by bank account
DescJournalOnlyBindedVisible=Aquesta és una vista de registre que està vinculada a un compte comptable i que es pot registrar als diaris i llibres majors.
-VATAccountNotDefined=Comptes comptables de IVA sense definir
+VATAccountNotDefined=Comptes comptables d'IVA sense definir
ThirdpartyAccountNotDefined=Comptes comptables de tercers (clients o proveïdors) sense definir
ProductAccountNotDefined=Comptes comptables per al producte sense definir
FeeAccountNotDefined=Compte per tarifa no definit
@@ -248,10 +251,10 @@ PaymentsNotLinkedToProduct=Pagament no vinculat a cap producte / servei
OpeningBalance=Saldo d'obertura
ShowOpeningBalance=Mostra el saldo d'obertura
HideOpeningBalance=Amagueu el balanç d'obertura
-ShowSubtotalByGroup=Mostrar subtotals per grup
+ShowSubtotalByGroup=Mostra el subtotal per nivell
Pcgtype=Grup de compte
-PcgtypeDesc=S'utilitzen grups de comptes com a criteris predefinits de "filtre" i "agrupació" per a alguns informes de comptabilitat. Per exemple, "Ingressos" o "DESPESES" s'utilitzen com a grups per a comptes de comptabilitat de productes per crear l'informe de despeses / ingressos.
+PcgtypeDesc=S'utilitzen grups de comptes com a criteris predefinits de «filtre» i «agrupació» per a alguns informes de comptabilitat. Per exemple, «INGRESSOS» o «DESPESES» s'utilitzen com a grups per a comptes comptables de productes per a crear l'informe de despeses/ingressos.
Reconcilable=Reconciliable
@@ -259,7 +262,7 @@ TotalVente=Total turnover before tax
TotalMarge=Marge total de vendes
DescVentilCustomer=Consulti aquí la llista de línies de factures de client vinculades (o no) a comptes comptables de producte
-DescVentilMore=En la majoria dels casos, si tu utilitzes productes o serveis predefinits i poses el número de compte a la fitxa de producte/servei, l'aplicació serà capaç de fer tots els vincles entre les línies de factura i els comptes comptables del teu pla comptable, només amb un clic mitjançant el botó "%s". Si el compte no està col·locat a la fitxa del producte/servei o si encara hi ha alguna línia no vinculada a cap compte, hauràs de fer una vinculació manual a partir del menú "%s".
+DescVentilMore=En la majoria dels casos, si utilitzeu productes o serveis predefinits i poses el número de compte a la fitxa de producte/servei, l'aplicació serà capaç de fer tots els vincles entre les línies de factura i els comptes comptables del vostre pla comptable, només amb un clic mitjançant el botó «%s». Si el compte no està col·locat a la fitxa del producte/servei o si encara hi ha alguna línia no vinculada a cap compte, haureu de fer una vinculació manual a partir del menú «%s».
DescVentilDoneCustomer=Consulta aquí la llista de línies de factures a clients i els seus comptes comptables de producte
DescVentilTodoCustomer=Comptabilitza les línies de factura encara no comptabilitzades amb un compte comptable de producte
ChangeAccount=Canvia el compte comptable de producte/servei per les línies seleccionades amb el següent compte comptable:
@@ -268,14 +271,16 @@ DescVentilSupplier=Consulteu aquí la llista de les línies de facturació dels
DescVentilDoneSupplier=Consulteu aquí la llista de les línies de venedors de factures i el seu compte comptable
DescVentilTodoExpenseReport=Línies d'informes de despeses comptabilitzades encara no comptabilitzades amb un compte comptable de tarifa
DescVentilExpenseReport=Consulteu aquí la llista de les línies d'informe de despeses vinculada (o no) a un compte comptable corresponent a tarifa
-DescVentilExpenseReportMore=Si tu poses el compte comptable sobre les línies de l'informe per tipus de despesa, l'aplicació serà capaç de fer tots els vincles entre les línies de l'informe i els comptes comptables del teu pla comptable, només amb un clic amb el botó "%s". Si el compte no estava al diccionari de tarifes o si encara hi ha línies no vinculades a cap compte, hauràs de fer-ho manualment a partir del menú "%s".
+DescVentilExpenseReportMore=Si poseu el compte comptable sobre les línies de l'informe per tipus de despesa, l'aplicació serà capaç de fer tots els vincles entre les línies de l'informe i els comptes comptables del vostre pla comptable, només amb un clic amb el botó «%s». Si el compte no estava al diccionari de tarifes o si encara hi ha línies no vinculades a cap compte, haureu de fer-ho manualment a partir del menú «%s».
DescVentilDoneExpenseReport=Consulteu aquí la llista de les línies d'informes de despeses i el seu compte comptable de comissions
-DescClosure=Consulteu aquí el nombre de moviments per mes que no són validats i els exercicis ja oberts
+Closure=Tancament anual
+DescClosure=Consulteu aquí el nombre de moviments mensuals que no estan validats i els exercicis fiscals encara oberts
OverviewOfMovementsNotValidated=Pas 1 / Visió general dels moviments no validats. (Cal tancar un exercici)
+AllMovementsWereRecordedAsValidated=Tots els moviments es van registrar com a validats
+NotAllMovementsCouldBeRecordedAsValidated=No es poden registrar tots els moviments com a validats
ValidateMovements=Valida moviments
DescValidateMovements=Queda prohibida qualsevol modificació o supressió de registres. Totes les entrades d’un exercici s’han de validar, en cas contrari, el tancament no serà possible
-SelectMonthAndValidate=Selecciona el mes i valida els moviments
ValidateHistory=Comptabilitza automàticament
AutomaticBindingDone=Comptabilització automàtica realitzada
@@ -293,6 +298,7 @@ Accounted=Comptabilitzat en el llibre major
NotYetAccounted=Encara no comptabilitzat en el llibre major
ShowTutorial=Mostrar Tutorial
NotReconciled=No conciliat
+WarningRecordWithoutSubledgerAreExcluded=Advertiment: totes les operacions sense subcompte comptable definit es filtren i s'exclouen d'aquesta vista
## Admin
BindingOptions=Opcions d'enquadernació
@@ -320,7 +326,7 @@ ACCOUNTING_DISABLE_BINDING_ON_PURCHASES=Desactiva la vinculació i transferènci
ACCOUNTING_DISABLE_BINDING_ON_EXPENSEREPORTS=Desactiva la vinculació i transferència de comptes en els informes de despeses (els informes de despeses no es tindran en compte a la comptabilitat)
## Export
-ExportDraftJournal=Exportar esborranys del llibre
+ExportDraftJournal=Exporta els esborranys del llibre
Modelcsv=Model d'exportació
Selectmodelcsv=Selecciona un model d'exportació
Modelcsv_normal=Exportació clàssica
@@ -337,6 +343,7 @@ Modelcsv_LDCompta10=Exportar per LD Compta (v10 i més)
Modelcsv_openconcerto=Exporta per a OpenConcerto (Test)
Modelcsv_configurable=Exporta CSV configurable
Modelcsv_FEC=Exporta FEC
+Modelcsv_FEC2=Exporta FEC (amb escriptura de generació de dates / document invertit)
Modelcsv_Sage50_Swiss=Exportació per Sage 50 Switzerland
Modelcsv_winfic=Exportar Winfic - eWinfic - WinSis Compta
Modelcsv_Gestinumv3=Exporta per a Gestinum (v3)
@@ -345,13 +352,13 @@ ChartofaccountsId=Id pla comptable
## Tools - Init accounting account on product / service
InitAccountancy=Inicialitza la comptabilitat
-InitAccountancyDesc=Aquesta pàgina es pot utilitzar per inicialitzar un compte de comptabilitat en productes i serveis que no tenen compte comptable definit per a vendes i compres.
-DefaultBindingDesc=Aquesta pàgina es pot utilitzar per establir un compte predeterminat que s'utilitzarà per enllaçar el registre de transaccions sobre el pagament de salaris, donacions, impostos i IVA quan encara no s'hagi establert cap compte comptable específic.
-DefaultClosureDesc=Aquesta pàgina es pot utilitzar per definir els paràmetres usats per als tancaments de comptabilitat.
+InitAccountancyDesc=Aquesta pàgina es pot utilitzar per a inicialitzar un compte comptable de productes i serveis que no tenen un compte comptable definit per a vendes i compres.
+DefaultBindingDesc=Aquesta pàgina es pot utilitzar per a establir un compte predeterminat que s'utilitzarà per a enllaçar el registre de transaccions sobre el pagament de salaris, donacions, impostos i IVA quan encara no s'hagi establert cap compte comptable específic.
+DefaultClosureDesc=Aquesta pàgina es pot utilitzar per a definir els paràmetres utilitzats per als tancaments de comptabilitat.
Options=Opcions
-OptionModeProductSell=En mode vendes
-OptionModeProductSellIntra=Les vendes de mode exportades a la CEE
-OptionModeProductSellExport=Les vendes de mode exportades a altres països
+OptionModeProductSell=Modalitat de vendes
+OptionModeProductSellIntra=Modalitats de vendes exportades a la CEE
+OptionModeProductSellExport=Modalitats de vendes exportades a altres països
OptionModeProductBuy=En mode compres
OptionModeProductBuyIntra=Mode compres importades a la CEE
OptionModeProductBuyExport=Mode compres importades de fora la CEE
@@ -389,7 +396,7 @@ BookeppingLineAlreayExists=Les línies ja existeixen en la comptabilitat
NoJournalDefined=Cap diari definit
Binded=Línies comptabilitzades
ToBind=Línies a comptabilitzar
-UseMenuToSetBindindManualy=Línies encara no enllaçades, utilitzeu el menú %s per fer l'enllaç manualment
+UseMenuToSetBindindManualy=Línies encara no enllaçades, utilitzeu el menú %s per a fer l'enllaç manualment
## Import
ImportAccountingEntries=Entrades de comptabilitat
diff --git a/htdocs/langs/ca_ES/admin.lang b/htdocs/langs/ca_ES/admin.lang
index 7d1f089796c..17744eb3df8 100644
--- a/htdocs/langs/ca_ES/admin.lang
+++ b/htdocs/langs/ca_ES/admin.lang
@@ -2,7 +2,7 @@
Foundation=Entitat
Version=Versió
Publisher=Publicador
-VersionProgram=Versió programa
+VersionProgram=Versió del programa
VersionLastInstall=Versió d'instal·lació inicial
VersionLastUpgrade=Versió de l'última actualització
VersionExperimental=Experimental
@@ -10,7 +10,7 @@ VersionDevelopment=Desenvolupament
VersionUnknown=Desconeguda
VersionRecommanded=Recomanada
FileCheck=Comprovador d'integritat de fitxers
-FileCheckDesc=Aquesta eina et permet comprovar la integritat dels fitxers i la configuració de la vostra aplicació, comparant cada fitxer amb l'oficial. També es pot comprovar el valor d'algunes constants de configuració. Pots utilitzar aquesta eina per determinar si s'han modificat fitxers (per exemple, per un hacker).
+FileCheckDesc=Aquesta eina us permet comprovar la integritat dels fitxers i la configuració de la vostra aplicació, comparant cada fitxer amb l'oficial. També es pot comprovar el valor d'algunes constants de configuració. Podeu utilitzar aquesta eina per a determinar si s'han modificat fitxers (per exemple, per un hacker).
FileIntegrityIsStrictlyConformedWithReference=La integritat dels arxius està estrictament conforme amb la referència.
FileIntegrityIsOkButFilesWereAdded=La comprovació de la integritat dels arxius ha resultat exitosa, no obstant s'han afegit alguns arxius nous.
FileIntegritySomeFilesWereRemovedOrModified=La comprovació d'integritat d'arxius ha fallat. Alguns arxius han sigut modificats, eliminats o afegits.
@@ -22,7 +22,7 @@ FilesMissing=Arxius que falten
FilesUpdated=Arxius actualitzats
FilesModified=Fitxers modificats
FilesAdded=Fitxers afegits
-FileCheckDolibarr=Comprovar l'integritat dels arxius de l'aplicació
+FileCheckDolibarr=Comprova la integritat dels fitxers de l'aplicació
AvailableOnlyOnPackagedVersions=El fitxer local per a la comprovació d'integritat només està disponible quan l'aplicació està instal·lada des d'un paquet oficial
XmlNotFound=No es troba l'arxiu xml
SessionId=ID de sessió
@@ -41,7 +41,7 @@ PermissionsOnFilesInWebRoot=Permisos als fitxers del directori arrel web
PermissionsOnFile=Permisos al fitxer %s
NoSessionFound=Sembla que el seu PHP no pot llistar les sessions actives. El directori de salvaguardat de sessions (%s) pot estar protegit (per exemple, pels permisos del sistema operatiu o per la directiva open_basedir del seu PHP).
DBStoringCharset=Codificació base de dades per emmagatzematge de dades
-DBSortingCharset=Codificació base de dades per classificar les dades
+DBSortingCharset=Conjunt de caràcters de base de dades per a ordenar les dades
HostCharset=Joc de caràcters del servidor
ClientCharset=Joc de caràcters del client
ClientSortingCharset="Collation" del client
@@ -56,8 +56,10 @@ GUISetup=Entorn
SetupArea=Configuració
UploadNewTemplate=Carrega plantilles noves
FormToTestFileUploadForm=Formulari de prova de càrrega de fitxer (segons opcions escollides)
+ModuleMustBeEnabled=El mòdul/aplicació %s s'ha d'activar
+ModuleIsEnabled=El mòdul/aplicació %s s'ha activat
IfModuleEnabled=Nota: sí només és eficaç si el mòdul %s està activat
-RemoveLock=Elimineu/renombreu el fitxer %s si existeix, per a permetre l'ús de l'eina d'actualització/instal·lació.
+RemoveLock=Elimineu/reanomeneu el fitxer %s si existeix, per a permetre l'ús de l'eina d'actualització/instal·lació.
RestoreLock=Substituir un arxiu %s, donant-li només drets de lectura a aquest arxiu per tal de prohibir noves actualitzacions.
SecuritySetup=Configuració de seguretat
SecurityFilesDesc=Defineix les opcions relacionades amb la seguretat de càrrega de fitxers.
@@ -66,7 +68,7 @@ ErrorModuleRequireDolibarrVersion=Error, aquest mòdul requereix una versió %s
ErrorDecimalLargerThanAreForbidden=Error, les precisions superiors a %s no estan suportades.
DictionarySetup=Configuració de Diccionari
Dictionary=Diccionaris
-ErrorReservedTypeSystemSystemAuto=L'ús del tipus 'system' i 'systemauto' està reservat. Podeu utilitzar 'user' com a valor per afegir el seu propi registre
+ErrorReservedTypeSystemSystemAuto=Els valors "sistema" i "systemauto" per al tipus estan reservats. Podeu utilitzar "user" com a valor per a afegir el vostre propi registre
ErrorCodeCantContainZero=El codi no pot contenir el valor 0
DisableJavascript=Desactivar les funcions Javascript
DisableJavascriptNote=Nota: per a propòsits de prova o de depuració. Per a l’optimització dels navegadors cec o de text, és possible que preferiu utilitzar la configuració en el perfil de l’usuari
@@ -74,7 +76,7 @@ UseSearchToSelectCompanyTooltip=A més, si teniu un gran nombre de tercers (> 10
UseSearchToSelectContactTooltip=A més, si teniu un gran nombre de tercers (> 100.000), podeu augmentar la velocitat establint la constant CONTACT_DONOTSEARCH_ANYWHERE a 1 a Configuració->Altres. La cerca es limitarà a l'inici de la cadena.
DelaiedFullListToSelectCompany=Esperar fins que es prem una tecla abans de carregar el contingut de la llista combinada de Tercers. Això pot augmentar el rendiment si teniu un gran nombre de tercers, però és menys convenient.
DelaiedFullListToSelectContact=Espereu fins que es prem una tecla abans de carregar el contingut de la llista combinada de contactes. Això pot augmentar el rendiment si teniu un gran nombre de contactes, però és menys convenient.
-NumberOfKeyToSearch=Nombre de caràcters per activar la cerca: %s
+NumberOfKeyToSearch=Nombre de caràcters per a activar la cerca: %s
NumberOfBytes=Nombre de bytes
SearchString=Cerca cadena
NotAvailableWhenAjaxDisabled=No disponible quan Ajax estigui desactivat
@@ -85,7 +87,6 @@ ShowPreview=Veure previsualització
ShowHideDetails=Mostra-Amaga els detalls
PreviewNotAvailable=Vista prèvia no disponible
ThemeCurrentlyActive=Tema actualment actiu
-CurrentTimeZone=Fus horari PHP (Servidor)
MySQLTimeZone=Zona horària MySql (base de dades)
TZHasNoEffect=El servidor de base de dades emmagatzema i retorna les dates com si les haguessin enviat com una cadena. La zona horària només té efecte quan s’utilitza la funció UNIX_TIMESTAMP (que Dolibarr no hauria d’utilitzar, de manera que la base de dades TZ no hauria de tenir cap efecte, fins i tot si es canvia després d’introduir les dades).
Space=Àrea
@@ -100,7 +101,7 @@ NextValueForDeposit=Següent valor (bestreta)
NextValueForReplacements=Pròxim valor (rectificatives)
MustBeLowerThanPHPLimit=Nota: actualment la vostra configuració PHP limita la mida màxima de fitxers per a la pujada a %s %s, independentment del valor d'aquest paràmetre.
NoMaxSizeByPHPLimit=Cap limitació interna en el seu servidor PHP
-MaxSizeForUploadedFiles=Tamany màxim dels documents a pujar (0 per prohibir la pujada)
+MaxSizeForUploadedFiles=Mida màxima per als fitxers a pujar (0 per a no permetre cap pujada)
UseCaptchaCode=Utilització de codi gràfic (CAPTCHA) en el login
AntiVirusCommand=Ruta completa cap al comandament antivirus
AntiVirusCommandExample=Exemple per al dimoni ClamAv (requereix clamav-daemon): /usr/bin/clamdscan Exemple per a ClamWin (molt molt lent): c:\\Progra~1\\ClamWin\\bin\\clamscan.exe
@@ -108,7 +109,7 @@ AntiVirusParam= Paràmetres complementaris en la línia de comandes
AntiVirusParamExample=Exemple per al dimoni de ClamAv: --fdpass Exemple per a ClamWin: --database="C:\\Program Files (x86)\\ClamWin\\lib"
ComptaSetup=Configuració del mòdul Comptabilitat
UserSetup=Configuració de gestió d'usuaris
-MultiCurrencySetup=Configuració multi-divisa
+MultiCurrencySetup=Configuració multidivisa
MenuLimits=Límits i precisió
MenuIdParent=Id del menú pare
DetailMenuIdParent=IDr del menú pare (buit per a un menú superior)
@@ -133,7 +134,7 @@ PHPTZ=Zona horària Servidor PHP
DaylingSavingTime=Horari d'estiu (usuari)
CurrentHour=Hora PHP (servidor)
CurrentSessionTimeOut=Timeout sessió actual
-YouCanEditPHPTZ=Per establir una zona horària PHP diferent (no és necessari), pots intentar afegir un fitxer .htaccess amb una línia com aquesta "SetEnv TZ Europe/Madrid"
+YouCanEditPHPTZ=Per a establir una zona horària PHP diferent (no obligatori), podeu provar d'afegir un fitxer .htaccess amb una línia com aquesta "SetEnv TZ Europe/Madrid"
HoursOnThisPageAreOnServerTZ=Avís, al contrari d'altres pantalles, les hores d'aquesta pàgina no són a la vostra zona horària local, sinó a la zona horària del servidor.
Box=Panell
Boxes=Panells
@@ -141,23 +142,23 @@ MaxNbOfLinesForBoxes=Màx. nombre de línies pels panells
AllWidgetsWereEnabled=Tots els widgets disponibles estan habilitats
PositionByDefault=Posició per defecte
Position=Lloc
-MenusDesc=Els gestors de menú defineixen el contingut de les dos barres de menú (horitzontal i vertical)
-MenusEditorDesc=L'editor de menús permet definir entrades a mida. S'ha d'emprar amb cura per evitar introduir entrades que no siguin no portin enlloc. Alguns mòduls afegeixen entrades de menú (normalment a Tots). Si per error elimineu cap d'aquestes entrades de menú, podeu restablir-les desactivant i tornant a activar el mòdul.
+MenusDesc=Els gestors de menú configuren el contingut de les dues barres de menú (horitzontal i vertical).
+MenusEditorDesc=L'editor de menú us permet definir entrades de menú personalitzades. Feu-lo servir amb cura per a evitar la inestabilitat i les entrades de menú inaccessibles permanentment. Alguns mòduls afegeixen entrades de menú (al menú Tot sobretot). Si elimineu algunes d'aquestes entrades per error, podeu restaurar-les desactivant i tornant a activar el mòdul.
MenuForUsers=Menú per als usuaris
LangFile=arxiu .lang
Language_en_US_es_MX_etc=Idioma (ca_ES, es_ES, ...)
System=Sistema
SystemInfo=Informació del sistema
SystemToolsArea=Àrea utilitats del sistema
-SystemToolsAreaDesc=Aquesta àrea proporciona funcions d'administració. Utilitza el menú per triar la funció necessària.
+SystemToolsAreaDesc=Aquesta àrea proporciona funcions d'administració. Utilitzeu el menú per a triar la funció necessària.
Purge=Purga
PurgeAreaDesc=Aquesta pàgina permet eliminar tots els fitxers generats o guardats per Dolibarr (fitxers temporals o tots els fitxers de la carpeta %s). L'ús d'aquesta funció no és necessària. Es dóna per als usuaris que alberguen Dolibarr en un servidor que no ofereix els permisos d'eliminació de fitxers generats pel servidor web.
PurgeDeleteLogFile=Suprimeix els fitxers de registre, incloent %s definit per al mòdul Syslog (sense risc de perdre dades)
-PurgeDeleteTemporaryFiles=Elimineu tots els fitxers temporals (no hi ha risc de perdre dades). Nota: La supressió només es fa si el directori temporal es va crear fa 24 hores.
-PurgeDeleteTemporaryFilesShort=Elimina els fitxers temporals
-PurgeDeleteAllFilesInDocumentsDir=Elimineu tots els arxius del directori: %s . Això esborrarà tots documents generats i relacionats amb els elements (Tercers, factures etc ...), arxius carregats al mòdul ECM, còpies de seguretat de la Base de Dades, paperera i arxius temporals.
+PurgeDeleteTemporaryFiles=Suprimeix tots els registres i fitxers temporals (no hi ha risc de perdre dades). Nota: la supressió de fitxers temporals només es fa si el directori temporal es va crear fa més de 24 hores.
+PurgeDeleteTemporaryFilesShort=Esborra el registre i els fitxers temporals
+PurgeDeleteAllFilesInDocumentsDir=Suprimiu tots els fitxers del directori: %s. Això suprimirà tots els documents generats relacionats amb elements (tercers, factures, etc.), fitxers penjats al mòdul GED, còpies de seguretat de la base de dades i fitxers temporals.
PurgeRunNow=Purgar
-PurgeNothingToDelete=No hi ha carpeta o fitxers per esborrar.
+PurgeNothingToDelete=No hi ha cap directori ni fitxers per a suprimir.
PurgeNDirectoriesDeleted=%s arxius o carpetes eliminats
PurgeNDirectoriesFailed=No s'han pogut eliminar %s fitxers o directoris.
PurgeAuditEvents=Purgar els esdeveniments de seguretat
@@ -172,14 +173,14 @@ YouCanDownloadBackupFile=Ara es pot descarregar el fitxer generat
NoBackupFileAvailable=Cap còpia disponible
ExportMethod=Mètode d'exportació
ImportMethod=Mètode d'importació
-ToBuildBackupFileClickHere=Per crear una còpia, feu clic aquí.
+ToBuildBackupFileClickHere=Per a crear un fitxer de còpia de seguretat, feu clic aquí.
ImportMySqlDesc=Per a importar una còpia de seguretat MySQL, podeu utilitzar phpMyAdmin a través del vostre hosting o utilitzar les ordres mysql de la línia de comandes. Per exemple:
ImportPostgreSqlDesc=Per a importar una còpia de seguretat, useu l'ordre pg_restore des de la línia de comandes:
ImportMySqlCommand=%s %s < elmeuarxiubackup.sql
ImportPostgreSqlCommand=%s %s elmeuarxiubackup.sql
FileNameToGenerate=Nom del fitxer de còpia de seguretat:
Compression=Compressió
-CommandsToDisableForeignKeysForImport=Comanda per desactivar les claus excloents a la importació
+CommandsToDisableForeignKeysForImport=Comanda per a desactivar les claus forànies a la importació
CommandsToDisableForeignKeysForImportWarning=Obligatori si vol poder restaurar més tard el dump SQL
ExportCompatibility=Compatibilitat de l'arxiu d'exportació generat
ExportUseMySQLQuickParameter=Utilitza el paràmetre --quick
@@ -201,11 +202,11 @@ IgnoreDuplicateRecords=Ignorar errors de registres duplicats (INSERT IGNORE)
AutoDetectLang=Autodetecta (idioma del navegador)
FeatureDisabledInDemo=Opció deshabilitada en demo
FeatureAvailableOnlyOnStable=Funcionalitat disponible únicament en versions estables oficials
-BoxesDesc=Els panells són components que mostren algunes dades que poden afegir-se per personalitzar algunes pàgines. Pots triar entre mostrar el panell o no seleccionant la pàgina de destí i fent clic a 'Activar', o fent clic en la paperera per desactivar.
+BoxesDesc=Els panells són components que mostren algunes dades que poden afegir-se per a personalitzar algunes pàgines. Pots triar entre mostrar el panell o no seleccionant la pàgina de destí i fent clic a 'Activar', o fent clic en la paperera per a desactivar.
OnlyActiveElementsAreShown=Només els elements de mòduls activats són mostrats
ModulesDesc=Els mòduls/aplicacions determinen quines funcions estan disponibles al programari. Alguns mòduls requereixen que es concedeixin permisos als usuaris després d'activar-lo. Feu clic al botó d'encesa/apagada %s de cada mòdul per a habilitar o desactivar un mòdul/aplicació.
-ModulesMarketPlaceDesc=Pots trobar més mòduls per descarregar en pàgines web externes per internet...
-ModulesDeployDesc=Si els permisos del vostre sistema de fitxers ho permeten, podeu utilitzar aquesta eina per desplegar un mòdul extern. El mòdul serà visible a la pestanya %s .
+ModulesMarketPlaceDesc=A internet podeu trobar més mòduls per a descarregar en pàgines web externes...
+ModulesDeployDesc=Si els permisos del vostre sistema de fitxers ho permeten, podeu utilitzar aquesta eina per a desplegar un mòdul extern. El mòdul serà visible a la pestanya %s .
ModulesMarketPlaces=Trobar mòduls/complements externs
ModulesDevelopYourModule=Desenvolupeu els vostres mòduls/aplicacions
ModulesDevelopDesc=Podeu desenvolupar o trobar un partner que desenvolupi per a vostè, el vostre mòdul personalitzat
@@ -220,11 +221,11 @@ SeeSetupOfModule=Vegi la configuració del mòdul %s
Updated=Actualitzat
Nouveauté=Novetat
AchatTelechargement=Comprar / Descarregar
-GoModuleSetupArea=Per desplegar / instal·lar un nou mòdul, aneu a l'àrea de configuració del mòdul: %s .
+GoModuleSetupArea=Per a desplegar/instal·lar un mòdul nou, aneu a l'àrea de configuració del mòdul: %s .
DoliStoreDesc=DoliStore, el lloc oficial de mòduls complementaris per Dolibarr ERP / CRM
DoliPartnersDesc=Llista d’empreses que ofereixen mòduls o funcions desenvolupades a mida. Nota: ja que Dolibarr és una aplicació de codi obert, qualsevol usuari experimentat en la programació PHP hauria de poder desenvolupar un mòdul.
WebSiteDesc=Llocs web de referència per a trobar més mòduls (no core)...
-DevelopYourModuleDesc=Algunes solucions per desenvolupar el vostre propi mòdul...
+DevelopYourModuleDesc=Algunes solucions per a desenvolupar el vostre propi mòdul...
URL=URL
RelativeURL=URL relativa
BoxesAvailable=Panells disponibles
@@ -239,8 +240,8 @@ Security=Seguretat
Passwords=Contrasenyes
DoNotStoreClearPassword=Encripta les contrasenyes emmagatzemades a la base de dades (NO com a text sense format). Es recomana activar aquesta opció.
MainDbPasswordFileConfEncrypted=Encriptar la contrasenya de la base de dades emmagatzemada a conf.php. Es recomana activar aquesta opció.
-InstrucToEncodePass=Per tenir la contrasenya encriptada al fitxer conf.php reemplaça la línia $dolibarr_main_db_pass="..."; per $dolibarr_main_db_pass="crypted:%s";
-InstrucToClearPass=Per tenir la contrasenya descodificada en el fitxer de configuració conf.php , reemplaça en aquest fitxer la línia $dolibarr_main_db_pass="crypted:..." per $dolibarr_main_db_pass="%s"
+InstrucToEncodePass=Per a tenir la contrasenya codificada al fitxer conf.php, substituïu la línia $ dolibarr_main_db_pass="..."; per $dolibarr_main_db_pass = "xifrat:%s";
+InstrucToClearPass=Per a tenir la contrasenya descodificada en el fitxer de configuració conf.php, reemplaça en aquest fitxer la línia $dolibarr_main_db_pass="crypted:..."; per $dolibarr_main_db_pass="%s";
ProtectAndEncryptPdfFiles=Protegeix els fitxers PDF generats. Això NO es recomana ja que trenca la generació massiva de PDF.
ProtectAndEncryptPdfFilesDesc=La protecció d'un document PDF el manté disponible per llegir i imprimir amb qualsevol navegador PDF. No obstant això, l'edició i la còpia ja no és possible. Tingues en compte que l'ús d'aquesta característica fa que la construcció d'un arxiu PDF fusionat global no funcioni.
Feature=Funció
@@ -256,19 +257,20 @@ ReferencedPreferredPartners=Soci preferent
OtherResources=Altres recursos
ExternalResources=Recursos externs
SocialNetworks=Xarxes socials
+SocialNetworkId=Identificador de la xarxa social
ForDocumentationSeeWiki=Per a la documentació d'usuari, desenvolupador o Preguntes Freqüents (FAQ), consulteu el wiki Dolibarr: %s
ForAnswersSeeForum=Per altres qüestions o realitzar les seves pròpies consultes, pot utilitzar el fòrum Dolibarr: %s
HelpCenterDesc1=Aquests són alguns recursos per obtenir ajuda i suport amb Dolibarr.
HelpCenterDesc2=Alguns d'aquests serveis només estan disponibles en anglès.
CurrentMenuHandler=Gestor de menú
MeasuringUnit=Unitat de mesura
-LeftMargin=Marge esquerra
+LeftMargin=Marge esquerre
TopMargin=Marge superior
PaperSize=Tipus de paper
Orientation=Orientació
SpaceX=Àrea X
SpaceY=Àrea Y
-FontSize=Tamany de font
+FontSize=Mida de la font
Content=Contingut
NoticePeriod=Preavís
NewByMonth=Nou per mes
@@ -326,7 +328,7 @@ MenuHandlers=Gestors de menú
MenuAdmin=Editor de menú
DoNotUseInProduction=No utilitzar en producció
ThisIsProcessToFollow=Procediment d'actualització:
-ThisIsAlternativeProcessToFollow=Aquesta és una configuració alternativa per processar manualment:
+ThisIsAlternativeProcessToFollow=Aquesta és una configuració alternativa per a processar manualment:
StepNb=Pas %s
FindPackageFromWebSite=Cerca un paquet que proporcioni les funcions que necessites (per exemple, al lloc web oficial %s).
DownloadPackageFromWebSite=Descarrega el paquet (per exemple, des del lloc web oficial %s).
@@ -358,7 +360,7 @@ ServerNotAvailableOnIPOrPort=Servidor no disponible en l'adreça %s al po
DoTestServerAvailability=Provar la connexió amb el servidor
DoTestSend=Provar enviament
DoTestSendHTML=Prova l'enviament HTML
-ErrorCantUseRazIfNoYearInMask=Error: no pot utilitzar l'opció @ per reiniciar el comptador cada any si la seqüencia {yy} o {yyyy} no es troba a la mascara
+ErrorCantUseRazIfNoYearInMask=Error, no es pot utilitzar l'opció @ per a restablir el comptador cada any si la seqüència {yy} o {yyyy} no està emmascarada.
ErrorCantUseRazInStartedYearIfNoYearMonthInMask=Error, no es pot usar opció @ si la seqüència (yy) (mm) o (yyyy) (mm) no es troba a la màscara.
UMask=Paràmetre UMask de nous fitxers en Unix/Linux/BSD.
UMaskExplanation=Aquest paràmetre determina els drets dels arxius creats en el servidor Dolibarr (durant la pujada, per exemple). Aquest ha de ser el valor octal (per exemple, 0666 significa lectura/escriptura per a tots). Aquest paràmetre no té cap efecte sobre un servidor Windows.
@@ -367,7 +369,7 @@ UseACacheDelay= Demora en memòria cau de l'exportació en segons (0 o buit sens
DisableLinkToHelpCenter=Amagar l'enllaç "Necessita suport o ajuda" a la pàgina de login
DisableLinkToHelp=Amaga l'enllaç a l'ajuda en línia "%s"
AddCRIfTooLong=No hi ha cap tall de text automàtic, el text massa llarg no es mostrarà als documents. Si cal, afegiu devolucions de carro a l'àrea de text.
-ConfirmPurge=Estàs segur de voler realitzar aquesta purga? Això esborrarà definitivament totes les dades dels seus fitxers (àrea GED, arxius adjunts etc.).
+ConfirmPurge=Esteu segur que voleu executar aquesta purga? Això suprimirà permanentment tots els fitxers de dades sense opció de restaurar-los (fitxers del GED, fitxers adjunts...).
MinLength=Longitud mínima
LanguageFilesCachedIntoShmopSharedMemory=arxius .lang en memòria compartida
LanguageFile=Fitxer d'idioma
@@ -375,7 +377,7 @@ ExamplesWithCurrentSetup=Exemples amb configuració actual
ListOfDirectories=Llistat de directoris de plantilles OpenDocument
ListOfDirectoriesForModelGenODT=Llista de directoris que contenen fitxers de plantilles amb format OpenDocument.
Posa aquí l'adreça completa dels directoris. Afegeix un "intro" entre cada directori. Per afegir un directori del mòdul GED, afegeix aquí DOL_DATA_ROOT/ecm/yourdirectoryname.
Els fitxers d'aquests directoris han de tenir l'extensió .odt o .ods.
NumberOfModelFilesFound=Nombre d'arxius de plantilles ODT/ODS trobats en aquest(s) directori(s)
-ExampleOfDirectoriesForModelGen=Exemples de sintaxi: c:\\mydir /home/mydir DOL_DATA_ROOT/ecm/ecmdir
+ExampleOfDirectoriesForModelGen=Exemples de sintaxi: c:\\myapp\\mydocumentdir\\mysubdir /home/myapp/mydocumentdir/mysubdir DOL_DATA_ROOT/ecm/ecmdir
FollowingSubstitutionKeysCanBeUsed=Posant les següents etiquetes a la plantilla, obtindrà una substitució amb el valor personalitzat en generar el document:
FullListOnOnlineDocumentation=http://wiki.dolibarr.org/index.php/Crear_un_modelo_de_documento_ODT
FirstnameNamePosition=Posició del Nom/Cognoms
@@ -388,7 +390,7 @@ ConnectionTimeout=Temps d'espera de connexió
ResponseTimeout=Timeout de resposta
SmsTestMessage=Missatge de prova de __PHONEFROM__ per __PHONETO__
ModuleMustBeEnabledFirst=El mòdul "%s" ha d'habilitar-se primer si necessita aquesta funcionalitat.
-SecurityToken=Clau per encriptar urls
+SecurityToken=Clau per a protegir les URL
NoSmsEngine=No hi ha cap gestor d'enviament de SMS. Els gestors d'enviament de SMS no s'instal·len per defecte ja que depenen de cada proveïdor, però pot trobar-los a la plataforma %s
PDF=PDF
PDFDesc=Opcions globals de generació de PDF
@@ -406,7 +408,7 @@ UrlGenerationParameters=Seguretat de les URL
SecurityTokenIsUnique=Fer servir un paràmetre securekey únic per a cada URL?
EnterRefToBuildUrl=Introduïu la referència de l'objecte %s
GetSecuredUrl=Obté la URL calculada
-ButtonHideUnauthorized=Amaga els botons a usuaris no administradors per accions no autoritzades enlloc de mostrar-los en gris deshabilitats
+ButtonHideUnauthorized=Amaga els botons d'acció no autoritzats també per als usuaris interns (en cas contrari, en gris)
OldVATRates=Taxa d'IVA antiga
NewVATRates=Taxa d'IVA nova
PriceBaseTypeToChange=Canviar el preu on la referència de base és
@@ -435,18 +437,18 @@ ExtrafieldCheckBox=Caselles de selecció
ExtrafieldCheckBoxFromList=Caselles de selecció des d'una taula
ExtrafieldLink=Enllaç a un objecte
ComputedFormula=Camp calculat
-ComputedFormulaDesc=Podeu introduir aquí una fórmula utilitzant altres propietats de l’objecte o qualsevol codi PHP per obtenir un valor calculat dinàmicament. Podeu utilitzar qualsevol fórmula compatible amb PHP, inclòs l'operador condicional "?" i els següents objectes globals: $db, $conf, $langs, $mysoc, $user, $object . ATENCIÓ : Només poden estar disponibles algunes propietats de $object. Si necessiteu una propietat no carregada, només cal que incorporeu l'objecte a la vostra fórmula com en el segon exemple. Utilitzar un camp calculat implica que no podreu introduir cap valor des de la interfície. A més, si hi ha un error de sintaxi, la fórmula pot no tornar res.
Exemple per tornar a carregar l'objecte (($reloadedobj = new Societe($db)) && ($reloadedobj->fetchNoCompute($obj->id ? $obj->id: ($obj->rowid ? $obj->rowid: $object->id)) > 0)) ? $reloadedobj->array_options['options_extrafieldkey'] * $reloadedobj->capital / 5: '-1'
Un altre exemple de fórmula per forçar la càrrega de l'objecte i el seu objecte pare: (($reloadedobj = new Task($db)) && ($reloadedobj->fetchNoCompute($object->id) > 0) && ($secondloadedobj = new Project($db)) && ($secondloadedobj->fetchNoCompute($reloadedobj->fk_project) > 0)) ? $secondloadedobj->ref: 'Parent project not found'
+ComputedFormulaDesc=Podeu introduir aquí una fórmula utilitzant altres propietats de l’objecte o qualsevol codi PHP per a obtenir un valor calculat dinàmicament. Podeu utilitzar qualsevol fórmula compatible amb PHP, inclòs l'operador condicional «?» i els següents objectes globals: $db, $conf, $langs, $mysoc, $user, $object. ATENCIÓ: Només poden estar disponibles algunes propietats de $object. Si necessiteu una propietat no carregada, només cal que incorporeu l'objecte a la vostra fórmula com en el segon exemple. Utilitzar un camp calculat implica que no podreu introduir cap valor des de la interfície. A més, si hi ha un error de sintaxi, la fórmula pot no tornar res.
Exemple per a tornar a carregar l'objecte (($reloadedobj = new Societe($db)) && ($reloadedobj->fetchNoCompute($obj->id ? $obj->id: ($obj->rowid ? $obj->rowid: $object->id)) > 0)) ? $reloadedobj->array_options['options_extrafieldkey'] * $reloadedobj->capital / 5: '-1'
Un altre exemple de fórmula per a forçar la càrrega de l'objecte i el seu objecte pare: (($reloadedobj = new Task($db)) && ($reloadedobj->fetchNoCompute($object->id) > 0) && ($secondloadedobj = new Project($db)) && ($secondloadedobj->fetchNoCompute($reloadedobj->fk_project) > 0)) ? $secondloadedobj->ref: 'Parent project not found'
Computedpersistent=Emmagatzemar el camp computat
-ComputedpersistentDesc=Els camps addicionals computats s’emmagatzemaran a la base de dades, però, el valor només es tornarà a calcular quan l’objecte d’aquest camp s’ha canviat. Si el camp calculat depèn d'altres objectes o dades globals, aquest valor podria estar equivocat !!
+ComputedpersistentDesc=Els camps addicionals calculats s’emmagatzemaran a la base de dades, però el valor només es recalcularà quan es canviï l’objecte d’aquest camp. Si el camp calculat depèn d'altres objectes o dades globals, aquest valor pot ser incorrecte!!
ExtrafieldParamHelpPassword=Mantenir aquest camp buit significa que el valor s'emmagatzema sense xifrar (el camp només ha d'estar amagat amb una estrella sobre la pantalla). Establiu aquí el valor 'auto' per utilitzar la regla de xifrat per defecte per guardar la contrasenya a la base de dades (el valor llegit serà només el "hash", no hi haurà cap manera de recuperar el valor original)
-ExtrafieldParamHelpselect=La llista de valors ha de ser un conjunt de línies amb un par del tipus clau,valor (on la clau no pot ser '0')
per exemple : clau1,valor1 clau2,valor2 clau3,valor3 ...
Per tenir la llista depenent d'una altra llista d'atributs complementaris: 1,valor1|options_codi_llista_pare:clau_pare 2,valor2|options_codi_llista_pare:clau_pare
Per tenir la llista depenent d'una altra llista: 1,valor1|codi_llista_pare:clau_pare 2,valor2|codi_llista_pare:clau_pare
-ExtrafieldParamHelpcheckbox=La llista de valor ha de ser un conjunt de línies del tipus clau,valor (a on la clau no pot ser '0')
per exemple : 1,valor1 2,valor2 3,valor3 ...
-ExtrafieldParamHelpradio=La llista de valor ha de ser un conjunt de línies del tipus clau,valor (a on la clau no pot ser '0')
per exemple : 1,valor1 2,valor2 3,valor3 ...
-ExtrafieldParamHelpsellist=Llista de valors que provenen d’una taula Sintaxi: nom_taula:nom_camp:id_camp::filtre Exemple: c_typent:libelle:id::filtre
- id_camp ha de ser necessàriament una "primary int key" - el filtre pot ser una comprovació senzilla (p.e. active=1) per mostrar només els valors actius També pots utilitzar $ID$ al filtre per representar el ID de l'actual objecte en curs Per utilitzar un SELECT al filtre, utilitzeu la paraula clau $SEL$ per evitar la protecció antiinjecció. Si vols filtrar camps addicionals utilitza la sintaxi extra.nom_camp=... (on nom_camp és el codi del camp addicional)
Per tenir la llista en funció d’una altra llista d’atributs complementaris: c_typent:libelle:id:options_codi_llista_mare|parent_column:filtre
Per tenir la llista en funció d'una altra llista: c_typent:libelle:id:codi_llista_mare|parent_column:filter
-ExtrafieldParamHelpchkbxlst=La llista de valors prové d'una taula Sintaxi: nom_taula:nom_camp:id_camp::filtre Exemple: c_typent:libelle:id::filter
filtre pot ser una comprovació simple (p. ex. active=1) per mostrar només el valor actiu També podeu utilitzar $ID$ en el filtre per representar l'ID actual de l'objecte en curs Per fer un SELECT en el filtre utilitzeu $SEL$ si voleu filtrar per camps extra utilitzeu sintaxi extra.fieldcode=... (on el codi de camp és el codi del extrafield)
Per tenir la llista depenent d'una altra llista d'atributs complementaris: c_typent:libelle:id:options_codi_llista_pare|parent_column: filter
Per tenir la llista depenent d'una altra llista: c_typent:libelle:id:codi_llista_pare|parent_column:filter
+ExtrafieldParamHelpselect=La llista de valors ha de ser un conjunt de línies amb un format del tipus clau,valor (on la clau no pot ser '0')
per exemple: 1,valor1 2,valor2 codi3,valor3 ...
Per a tenir la llista depenent d'una altra llista d'atributs complementaris: 1,valor1|options_codi_llista_pare:clau_pare 2,valor2|options_codi_llista_pare:clau_pare
Per a tenir la llista depenent d'una altra llista: 1,valor1|codi_llista_pare:clau_pare 2,valor2|codi_llista_pare:clau_pare
+ExtrafieldParamHelpcheckbox=La llista de valor ha de ser un conjunt de línies del tipus clau,valor (on la clau no pot ser '0')
per exemple: 1,valor1 2,valor2 3,valor3 ...
+ExtrafieldParamHelpradio=La llista de valor ha de ser un conjunt de línies del tipus clau,valor (on la clau no pot ser '0')
per exemple: 1,valor1 2,valor2 3,valor3 ...
+ExtrafieldParamHelpsellist=Llista de valors que provenen d’una taula Sintaxi: nom_taula:nom_camp:id_camp::filtre Exemple: c_typent:libelle:id::filtre
- id_camp ha de ser necessàriament una "primary int key" - el filtre pot ser una comprovació senzilla (p.e. active=1) per a mostrar només els valors actius També pots utilitzar $ID$ al filtre per a representar el ID de l'actual objecte en curs Per a utilitzar un SELECT al filtre, utilitzeu la paraula clau $SEL$ per a evitar la protecció anti injecció. Si vols filtrar camps addicionals utilitza la sintaxi extra.nom_camp=... (on nom_camp és el codi del camp addicional)
Per a tenir la llista en funció d’una altra llista d’atributs complementaris: c_typent:libelle:id:options_codi_llista_mare|parent_column:filtre
Per a tenir la llista en funció d'una altra llista: c_typent:libelle:id:codi_llista_mare|parent_column:filter
+ExtrafieldParamHelpchkbxlst=La llista de valors prové d'una taula Sintaxi: nom_taula:nom_camp:id_camp::filtre Exemple: c_typent:libelle:id::filter
filtre pot ser una comprovació simple (p. ex. active=1) per a mostrar només el valor actiu També podeu utilitzar $ID$ en el filtre per a representar l'ID actual de l'objecte en curs Per fer un SELECT en el filtre utilitzeu $SEL$ si voleu filtrar per camps extra utilitzeu sintaxi extra.fieldcode=... (on el codi de camp és el codi del extrafield)
Per a tenir la llista depenent d'una altra llista d'atributs complementaris: c_typent:libelle:id:options_codi_llista_pare|parent_column: filter
Per a tenir la llista depenent d'una altra llista: c_typent:libelle:id:codi_llista_pare|parent_column:filter
ExtrafieldParamHelplink=Els paràmetres han de ser ObjectName:Classpath Sintaxi: ObjectName:Classpath
ExtrafieldParamHelpSeparator=Manteniu-lo buit per un simple separador Configureu-ho a 1 per a un separador col·lapsador (obert per defecte per a la sessió nova, i es mantindrà l'estat de cada sessió d'usuari) Configureu-ho a 2 per a un separador col·lapsat (es va desplomar per defecte per a la sessió nova, i es mantindrà l'estat per a cada sessió d'usuari)
-LibraryToBuildPDF=Llibreria utilitzada per generar PDF
+LibraryToBuildPDF=Llibreria utilitzada per a la generació de PDF
LocalTaxDesc=Alguns països apliquen 2 o 3 impostos en cada línia de factura. Si aquest és el cas, escull el tipus pel segon i el tercer impost i el seu valor. Els tipus possibles són: 1: impostos locals aplicats en productes i serveis sense IVA (l'impost local serà calculat en el total sense impostos) 2: impost local aplicat en productes i serveis amb IVA (l'impost local serà calculat amb el total + l'impost principal) 3: impost local aplicat en productes sense IVA (l'impost local serà calculat en el total sense impost) 4: impost local aplicat en productes amb IVA (l'impost local serà calculat amb el total + l'impost principal) 5: impost local aplicat en serveis sense IVA (l'impost local serà calculat amb el total sense impost) 6: impost local aplicat en serveis amb IVA inclòs (l'impost local serà calculat amb el total + IVA)
SMS=SMS
LinkToTestClickToDial=Introduïu un número de telèfon que voleu marcar per provar l'enllaç de crida ClickToDial per a l'usuari %s
@@ -467,7 +469,7 @@ EraseAllCurrentBarCode=Esborrar tots els valors de codi de barres actuals
ConfirmEraseAllCurrentBarCode=Esteu segur que voleu esborrar tots els valors de codis de barres actuals?
AllBarcodeReset=S'han eliminat tots els valors de codi de barres
NoBarcodeNumberingTemplateDefined=No hi ha cap plantilla de codi de barres habilitada a la configuració del mòdul de codi de barres.
-EnableFileCache=Habilita la caché de fitxers
+EnableFileCache=Activa la memòria cau de fitxers
ShowDetailsInPDFPageFoot=Afegiu més detalls al peu de pàgina, com ara l'adreça de l'empresa o els noms dels gestors (a més d'identificadors professionals, capital de l'empresa i número de NIF/CIF).
NoDetails=No hi ha detalls addicionals al peu de pàgina
DisplayCompanyInfo=Mostra l'adreça de l'empresa
@@ -502,11 +504,11 @@ EnableOverwriteTranslation=Habilita l'ús de la traducció sobreescrita
GoIntoTranslationMenuToChangeThis=S'ha trobat una traducció de la clau amb aquest codi. Per a canviar aquest valor, l’heu d’editar des d'Inici-Configuració-Traducció.
WarningSettingSortOrder=Avís, establir un ordre de classificació predeterminat pot provocar un error tècnic en passar a la pàgina de la llista si el camp és un camp desconegut. Si experimentes aquest error, torna a aquesta pàgina per eliminar l'ordre de classificació predeterminat i restablir el comportament predeterminat.
Field=Camp
-ProductDocumentTemplates=Plantilles de documents per generar document de producte
+ProductDocumentTemplates=Plantilles de documents per a generar document de producte
FreeLegalTextOnExpenseReports=Text legal lliure en informes de despeses
WatermarkOnDraftExpenseReports=Marca d'aigua en informes de despeses esborrany
AttachMainDocByDefault=Establiu-lo a 1 si voleu adjuntar el document principal al correu electrònic de manera predeterminada (si escau)
-FilesAttachedToEmail=Adjuntar fitxer
+FilesAttachedToEmail=Adjunta el fitxer
SendEmailsReminders=Enviar recordatoris d'agenda per correu electrònic
davDescription=Configura un servidor WebDAV
DAVSetup=Configuració del mòdul DAV
@@ -615,11 +617,11 @@ Module1520Desc=Generació de documents de correu electrònic massiu
Module1780Name=Etiquetes
Module1780Desc=Crea etiquetes (productes, clients, proveïdors, contactes o socis)
Module2000Name=Editor WYSIWYG
-Module2000Desc=Permetre que els camps de text es puguin editar/formatejar amb CKEditor (html)
+Module2000Desc=Permet editar/formatar els camps de text mitjançant CKEditor (html)
Module2200Name=Multi-preus
Module2200Desc=Utilitza expressions matemàtiques per a la generació automàtica de preus
Module2300Name=Tasques programades
-Module2300Desc=Gestió de tasques programades (alias cron o taula chrono)
+Module2300Desc=Gestió de tasques programades (àlies cron o taula de crons)
Module2400Name=Esdeveniments/Agenda
Module2400Desc=Seguiment d'esdeveniments. Registre d'esdeveniments automàtics per a fer el seguiment o registrar esdeveniments manuals o reunions. Aquest és el mòdul principal per a una bona gestió de la relació amb clients o proveïdors.
Module2500Name=SGD / GCE
@@ -641,7 +643,7 @@ Module4000Name=RRHH
Module4000Desc=Gestió de recursos humans (gestionar departaments, empleats, contractes i "feelings")
Module5000Name=Multi-empresa
Module5000Desc=Permet gestionar diverses empreses
-Module6000Name=Workflow
+Module6000Name=Flux de treball
Module6000Desc=Gestió del flux de treball (creació automàtica d'objectes i / o canvi d'estat automàtic)
Module10000Name=Pàgines web
Module10000Desc=Creeu llocs web (públics) amb un editor WYSIWYG. Es tracta d’un CMS per a administradors web o desenvolupador (és millor conèixer el llenguatge HTML i CSS). N’hi ha prou amb configurar el servidor web (Apache, Nginx, ...) per assenyalar el directori dedicat a Dolibarr perquè el tingui en línia a Internet amb el seu propi nom de domini.
@@ -652,15 +654,15 @@ Module39000Desc=Lots, números de sèrie, gestió de data de comerç / venda per
Module40000Name=Multidivisa
Module40000Desc=Utilitza divises alternatives en preus i documents
Module50000Name=PayBox
-Module50000Desc=Oferiu als clients una pàgina de pagament en línia de PayBox (targetes de crèdit / dèbit). Això es pot utilitzar per permetre als vostres clients fer pagaments o pagaments ad hoc relacionats amb un objecte Dolibarr específic (factura, ordre, etc ...)
+Module50000Desc=Oferiu als clients una pàgina de pagament en línia de PayBox (targetes de crèdit/dèbit). Es pot utilitzar per a permetre als vostres clients fer pagaments ad-hoc o pagaments relacionats amb un objecte Dolibarr específic (factura, comanda, etc.)
Module50100Name=TPV SimplePOS
Module50100Desc=Mòdul de punt de venda SimplePOS (TPV simple).
Module50150Name=TPV TakePOS
Module50150Desc=Mòdul de punt de venda TakePOS (TOS de pantalla tàctil, per a botigues, bars o restaurants).
Module50200Name=Paypal
-Module50200Desc=Ofereix als clients una pàgina de pagament en línia de PayPal (compte PayPal o targetes de crèdit / dèbit). Això es pot utilitzar per permetre als vostres clients fer pagaments o pagaments ad-hoc relacionats amb un objecte Dolibarr específic (factura, ordre, etc ...)
+Module50200Desc=Oferiu als clients una pàgina de pagament en línia de PayPal (compte de PayPal o targetes de crèdit/dèbit). Es pot utilitzar per a permetre als vostres clients fer pagaments ad-hoc o pagaments relacionats amb un objecte Dolibarr específic (factura, comanda, etc.)
Module50300Name=Stripe
-Module50300Desc=Oferiu als clients una pàgina de pagament en línia de Stripe (targetes de crèdit / dèbit). Això es pot utilitzar per permetre als vostres clients fer pagaments o pagaments ad-hoc relacionats amb un objecte Dolibarr específic (factura, ordre, etc ...)
+Module50300Desc=Oferiu als clients una pàgina de pagaments en línia de Stripe (targetes de crèdit/dèbit). Es pot utilitzar per a permetre als vostres clients fer pagaments ad-hoc o pagaments relacionats amb un objecte Dolibarr específic (factura, comanda, etc.)
Module50400Name=Comptabilitat (doble entrada)
Module50400Desc=Gestió comptable (entrades dobles, suport de comptabilitats generals i subsidiàries). Exporteu el llibre major en altres formats de programari de comptabilitat.
Module54000Name=PrintIPP
@@ -678,13 +680,13 @@ Module63000Desc=Gestiona els recursos (impressores, cotxes, habitacions...) que
Permission11=Consulta factures de client
Permission12=Crear/Modificar factures
Permission13=Invalida les factures dels clients
-Permission14=Validar factures
+Permission14=Valida les factures dels clients
Permission15=Envia factures per e-mail
Permission16=Crear cobraments per factures de client
Permission19=Elimina factures de client
Permission21=Consulta pressupostos
Permission22=Crear/modificar pressupostos
-Permission24=Validar pressupostos
+Permission24=Valida pressupostos
Permission25=Envia pressupostos
Permission26=Tancar pressupostos
Permission27=Elimina pressupostos
@@ -695,9 +697,9 @@ Permission34=Elimina productes
Permission36=Veure/gestionar els productes ocults
Permission38=Exportar productes
Permission39=Ignora el preu mínim
-Permission41=Llegir projectes i tasques (projectes compartits i projectes dels que sóc contacte). També pot introduir temps consumits, per a mi o els meus subordinats, en tasques assignades (Fulls de temps).
-Permission42=Crea/modifica projectes (projectes compartits i projectes dels que sóc contacte). També pot crear tasques i assignar usuaris a projectes i tasques
-Permission44=Elimina projectes (projectes compartits i projectes dels que en sóc contacte)
+Permission41=Consulta projectes i tasques (projecte compartit i projectes dels qui en soc contacte). També pot introduir temps consumits, per a mi o dels meus subordinats, en tasques assignades (Fulls de temps).
+Permission42=Crea/modifica projectes (projecte compartit i projectes dels qui en soc contacte). També pot crear tasques i assignar usuaris al projecte i tasques
+Permission44=Elimina projectes (projecte compartit i projectes de qui en soc contacte)
Permission45=Exporta projectes
Permission61=Consulta intervencions
Permission62=Crea/modifica intervencions
@@ -742,9 +744,9 @@ Permission121=Consulta tercers enllaçats a usuaris
Permission122=Crea/modifica tercers enllaçats a l'usuari
Permission125=Elimina tercers enllaçats a l'usuari
Permission126=Exporta tercers
-Permission141=Consulta tots els projectes i tasques (també els projectes privats dels que no sóc contacte)
-Permission142=Crea/modifica tots els projectes i tasques (també projectes privats dels que no sóc el contacte)
-Permission144=Elimina tots els projectes i tasques (també els projectes privats dels que no sóc contacte)
+Permission141=Consulta tots els projectes i tasques (també els projectes privats dels qui no en soc contacte)
+Permission142=Crea/modifica tots els projectes i tasques (també projectes privats dels qui no en soc contacte)
+Permission144=Elimina tots els projectes i tasques (també els projectes privats dels qui no en soc contacte)
Permission146=Consulta proveïdors
Permission147=Consulta estadístiques
Permission151=Llegir domiciliacions
@@ -833,7 +835,7 @@ Permission354=Eliminar o desactivar grups
Permission358=Exportar usuaris
Permission401=Consultar havers
Permission402=Crear/modificar havers
-Permission403=Validar havers
+Permission403=Valida els descomptes
Permission404=Eliminar havers
Permission430=Utilitzeu la barra de depuració
Permission511=Consulta els pagaments dels sous (vostres i subordinats)
@@ -1047,14 +1049,14 @@ VATIsNotUsedExampleFR=A França, es tracta d'associacions que no siguin declarad
TypeOfSaleTaxes=Tipus d’impost sobre vendes
LTRate=Tarifa
LocalTax1IsNotUsed=No subjecte
-LocalTax1IsUsedDesc=Utilitzar un 2on tipus d'impost (diferent de l'IVA)
-LocalTax1IsNotUsedDesc=No utilitzar un 2on tipus d'impost (diferent de l'IVA)
+LocalTax1IsUsedDesc=Utilitza un 2n tipus d'impost (diferent de l'IVA)
+LocalTax1IsNotUsedDesc=No utilitzis un 2n tipus d’impost (diferent de l'IVA)
LocalTax1Management=2n tipus d'impost
LocalTax1IsUsedExample=
LocalTax1IsNotUsedExample=
LocalTax2IsNotUsed=No subjecte
-LocalTax2IsUsedDesc=Utilitzar un 3er tipus d'impost (diferent de l'IVA)
-LocalTax2IsNotUsedDesc=No utilitzar un 3er tipus d'impost (diferent de l'IVA)
+LocalTax2IsUsedDesc=Utilitza un 3r tipus d'impost (diferent de l'IVA)
+LocalTax2IsNotUsedDesc=No utilitzis un 3r tipus d'impost (diferent de l'IVA)
LocalTax2Management=3r tipus d'impost
LocalTax2IsUsedExample=
LocalTax2IsNotUsedExample=
@@ -1094,7 +1096,7 @@ MenuUpgrade=Actualització / Extensió
AddExtensionThemeModuleOrOther=Instal·lar mòduls/complements externs
WebServer=Servidor web
DocumentRootServer=Carpeta arrel de les pàgines web
-DataRootServer=Carpeta arrel dels arxius de dades
+DataRootServer=Directori de fitxers de dades
IP=IP
Port=Port
VirtualServerName=Nom del servidor virtual
@@ -1170,7 +1172,7 @@ Delays_MAIN_DELAY_EXPENSEREPORTS=Informe de despeses per aprovar
Delays_MAIN_DELAY_HOLIDAYS=Dies lliures a aprovar
SetupDescription1=Abans de començar a utilitzar Dolibarr cal definir alguns paràmetres inicials i habilitar/configurar els mòduls.
SetupDescription2=Les dues seccions següents són obligatòries (les dues primeres entrades al menú Configuració):
-SetupDescription3= %s -> %s
Paràmetres bàsics utilitzats per personalitzar el comportament predeterminat de la teva aplicació (per exemple, per a les funcions relacionades amb el país).
+SetupDescription3= %s -> %s
Paràmetres bàsics utilitzats per a personalitzar el comportament per defecte de la vostra aplicació (per exemple, per a funcions relacionades amb el país).
SetupDescription4= %s -> %s
Aquest programari és un conjunt de molts mòduls / aplicacions. Els mòduls relacionats amb les vostres necessitats s’han d’activar i configurar. Les entrades del menú apareixen amb l’activació d’aquests mòduls.
SetupDescription5=Altres entrades del menú d'instal·lació gestionen paràmetres opcionals.
LogEvents=Auditoria de la seguretat d'esdeveniments
@@ -1201,12 +1203,12 @@ SessionTimeOut=Temps de desconnexió per a la sessió
SessionExplanation=Aquest número garanteix que la sessió no caduqui abans d'aquest retard, si el netejador de sessió es fa mitjançant un netejador de sessió de PHP intern (i res més). El netejador de sessió intern de PHP no garanteix que la sessió expire després d'aquest retard. Caducarà, després d'aquest retard, i quan s'executi el netejador de sessió, de manera que cada accés %s / %s , però només durant l'accés fet per altres sessions (si el valor és 0, significa que l'eliminació de la sessió només es fa mitjançant un extern procés). Nota: en alguns servidors amb un mecanisme de neteja de sessió externa (cron sota debian, ubuntu ...), les sessions es poden destruir després d'un període definit per una configuració externa, independentment del valor introduït aquí.
SessionsPurgedByExternalSystem=Sembla que les sessions en aquest servidor són netejades mitjançant un mecanisme extern (cron sota debian, ubuntu ...), probablement cada %s segons (= el valor del paràmetre sessió.gc_maxlifetime ), així que modificant aquest valor aquí no té cap efecte, Heu de sol·licitar a l’administrador del servidor que canviï la durada de la sessió.
TriggersAvailable=Triggers disponibles
-TriggersDesc=Els triggers són arxius que modifiquen el comportament del fluxe de treball de Dolibarr un cop s'han copiat a la carpeta htdocs/core/triggers. Realitzen noves accions activades pels esdeveniments de Dolibarr (creació d'empresa, validació factura, ...).
+TriggersDesc=Els activadors són fitxers que modificaran el comportament del flux de treball de Dolibarr un cop copiat al directori htdocs/core/triggers. Realitzen accions noves, activades en esdeveniments Dolibarr (creació d'empresa nova, validació de factures, ...).
TriggerDisabledByName=Triggers d'aquest arxiu desactivador pel sufix -NORUN en el nom de l'arxiu.
TriggerDisabledAsModuleDisabled=Triggers d'aquest arxiu desactivats ja que el mòdul %s no està activat.
TriggerAlwaysActive=Triggers d'aquest arxiu sempre actius, ja que els mòduls Dolibarr relacionats estan activats
TriggerActiveAsModuleActive=Triggers d'aquest arxiu actius ja que el mòdul %s està activat
-GeneratedPasswordDesc=Trieu el mètode que s'utilitzarà per a les contrasenyes auto-generades.
+GeneratedPasswordDesc=Trieu el mètode que s'utilitzarà per a les contrasenyes generades automàticament.
DictionaryDesc=Afegeix totes les dades de referència. Pots afegir els teus valors per defecte.
ConstDesc=Aquesta pàgina permet editar (anul·lar) paràmetres no disponibles en altres pàgines. Aquests són paràmetres reservats només per a desenvolupadors o solucions avançades de problemes.
MiscellaneousDesc=Aquí es defineixen la resta de paràmetres relacionats amb la seguretat.
@@ -1222,7 +1224,7 @@ ParameterActiveForNextInputOnly=Paràmetre efectiu només a partir de les proper
NoEventOrNoAuditSetup=No s'ha registrat cap esdeveniment de seguretat. Això és normal si l'auditoria no s'ha activat a la pàgina "Configuració - Seguretat - Esdeveniments".
NoEventFoundWithCriteria=No s'han trobat esdeveniments de seguretat per a aquests criteris de cerca.
SeeLocalSendMailSetup=Veure la configuració local de sendmail
-BackupDesc=Una còpia de seguretat completa de d'una instal·lació de Dolibarr requereix dos passos.
+BackupDesc=Una còpia de seguretat completa d'una instal·lació Dolibarr requereix dos passos.
BackupDesc2=Feu una còpia de seguretat del contingut del directori "documents" ( %s ) que conté tots els fitxers carregats i generats. Això també inclourà tots els fitxers d'escombraries generats al pas 1. Aquesta operació pot tardar uns minuts
BackupDesc3=Feu una còpia de seguretat de l'estructura i continguts de la vostra base de dades ( %s ) en un arxiu de bolcat. Per això, podeu utilitzar el següent assistent.
BackupDescX=La carpeta arxivada haurà de guardar-se en un lloc segur
@@ -1240,7 +1242,7 @@ WeekStartOnDay=Primer dia de la setmana
RunningUpdateProcessMayBeRequired=Sembla que cal executar el procés d’actualització (la versió del programa %s és diferent de la versió de la base de dades %s)
YouMustRunCommandFromCommandLineAfterLoginToUser=Ha d'executar la comanda des d'un shell després d'haver iniciat sessió amb el compte %s.
YourPHPDoesNotHaveSSLSupport=Funcions SSL no disponibles al vostre PHP
-DownloadMoreSkins=Més temes per descarregar
+DownloadMoreSkins=Més temes per a descarregar
SimpleNumRefModelDesc=Retorna el número de referència amb el format %syymm-nnnn on yy és l'any, mm és el mes i nnnn és el seqüencial sense inicialitzar
ShowProfIdInAddress=Mostra l'identificador professional amb adreces
ShowVATIntaInAddress=Amaga el número d'IVA intracomunitari amb adreces
@@ -1276,12 +1278,12 @@ ExtraFieldsSupplierInvoices=Atributs complementaris (factures)
ExtraFieldsProject=Atributs complementaris (projectes)
ExtraFieldsProjectTask=Atributs complementaris (tasques)
ExtraFieldsSalaries=Atributs complementaris (sous)
-ExtraFieldHasWrongValue=L'atribut %s té un valor no valid
+ExtraFieldHasWrongValue=L'atribut %s té un valor incorrecte.
AlphaNumOnlyLowerCharsAndNoSpace=només caràcters alfanumèrics i en minúscula sense espai
SendmailOptionNotComplete=Atenció, en alguns sistemes Linux, amb aquest mètode d'enviament, per poder enviar mails en nom seu, la configuració de sendmail ha de contenir l'opció -ba (paràmetre mail.force_extra_parameters a l'arxiu php.ini). Si alguns dels seus destinataris no reben els seus missatges, proveu de modificar aquest paràmetre PHP amb mail.force_extra_parameters =-ba .
PathToDocuments=Rutes d'accés a documents
PathDirectory=Catàleg
-SendmailOptionMayHurtBuggedMTA=La característica per enviar correus mitjançant el mètode "correu directe de PHP" generarà un missatge de correu que podria no ser analitzat correctament per alguns servidors de correu rebuts. El resultat és que alguns usuaris no poden llegir alguns mails d'aquestes plataformes falses. Aquest és el cas d'alguns proveïdors d'Internet (Ex: Orange a França). Això no és un problema amb Dolibarr o PHP, però amb el servidor de correu rebedor. Tanmateix, podeu afegir una opció MAIN_FIX_FOR_BUGGED_MTA a 1 en la instal·lació: una altra per modificar Dolibarr per evitar-ho. Tanmateix, pot tenir problemes amb altres servidors que utilitzin estrictament l'estàndard SMTP. L'altra solució (recomanada) és utilitzar el mètode "biblioteca de sockets SMTP" que no té cap desavantatge.
+SendmailOptionMayHurtBuggedMTA=La característica per a enviar correus mitjançant el mètode "correu directe de PHP" generarà un missatge de correu que podria no ser analitzat correctament per alguns servidors de correu entrant. El resultat és que alguns usuaris no poden llegir alguns correus d'aquestes plataformes errònies. Aquest és el cas d'alguns proveïdors d'Internet (Ex: Orange a França). Això no és un problema amb Dolibarr o PHP, però sí amb el servidor de correu entrant. Tanmateix, podeu afegir una opció MAIN_FIX_FOR_BUGGED_MTA a 1 a Configuració - Altres per a modificar Dolibarr per tal d'evitar-ho. Tanmateix, podeu tenir problemes amb altres servidors que utilitzin estrictament l'estàndard SMTP. L'altra solució (recomanada) és utilitzar el mètode "llibreria de sockets SMTP" que no té cap desavantatge.
TranslationSetup=Configuració de traducció
TranslationKeySearch=Cerca una clau o cadena de traducció
TranslationOverwriteKey=Sobreescriu una cadena de traducció
@@ -1324,8 +1326,8 @@ DocumentModules=Models de documents
##### Module password generation
PasswordGenerationStandard=Retorna una contrasenya generada segons l'algorisme intern de Dolibarr: %s caràcters amb barreja de números i caràcters en minúscula.
PasswordGenerationNone=No suggereixis una contrasenya generada. La contrasenya s'ha d'escriure manualment.
-PasswordGenerationPerso=Retorna una contrasenya d'acord a la seva configuració personalitzada.
-SetupPerso=D'acord a la teva configuració
+PasswordGenerationPerso=Retorna una contrasenya segons la vostra configuració personalitzada.
+SetupPerso=Segons la vostra configuració
PasswordPatternDesc=Descripció patró contrasenya
##### Users setup #####
RuleForGeneratedPasswords=Regles per a generar i validar contrasenyes
@@ -1340,7 +1342,7 @@ HRMSetup=Configuració de mòdul de gestió de recursos humans
##### Company setup #####
CompanySetup=Configuració del mòdul empreses
CompanyCodeChecker=Opcions per a la generació automàtica de codis de client / proveïdor
-AccountCodeManager=Opcions per generar automàticament codis de comptabilitat de client / proveïdor
+AccountCodeManager=Opcions per a la generació automàtica de comptes comptables de client/proveïdor
NotificationsDesc=Les notificacions per correu electrònic es poden enviar automàticament per a alguns esdeveniments de Dolibarr. Es poden definir els destinataris de les notificacions:
NotificationsDescUser=* per usuari, un usuari alhora.
NotificationsDescContact=* per contactes de tercers (clients o venedors), un contacte a la vegada.
@@ -1389,7 +1391,7 @@ SupplierProposalPDFModules=Models de documents de sol·licituds de preus a prove
FreeLegalTextOnSupplierProposal=Text lliure en sol·licituds de preus a proveïdors
WatermarkOnDraftSupplierProposal=Marca d'aigua en sol·licituds de preus a proveïdors (en cas d'estar buit)
BANK_ASK_PAYMENT_BANK_DURING_SUPPLIER_PROPOSAL=Preguntar per compte bancari per utilitzar en el pressupost
-WAREHOUSE_ASK_WAREHOUSE_DURING_ORDER=Preguntar per el magatzem d'origen per a la comanda
+WAREHOUSE_ASK_WAREHOUSE_DURING_ORDER=Demana pel magatzem d'origen per a la comanda
##### Suppliers Orders #####
BANK_ASK_PAYMENT_BANK_DURING_SUPPLIER_ORDER=Demana el compte bancari de destí de la comanda de compra
##### Orders #####
@@ -1399,8 +1401,8 @@ OrdersNumberingModules=Models de numeració de comandes
OrdersModelModule=Models de documents de comandes
FreeLegalTextOnOrders=Text lliure en comandes
WatermarkOnDraftOrders=Marca d'aigua en comandes esborrany (en cas d'estar buit)
-ShippableOrderIconInList=Afegir una icona en el llistat de comandes que indica si la comanda és enviable
-BANK_ASK_PAYMENT_BANK_DURING_ORDER=Preguntar pel compte bancari a l'utilitzar la comanda
+ShippableOrderIconInList=Afegeix una icona a la llista de comandes que indiqui si la comanda es pot enviar
+BANK_ASK_PAYMENT_BANK_DURING_ORDER=Demana el compte bancari de destí en la comanda
##### Interventions #####
InterventionsSetup=Configuració del mòdul intervencions
FreeLegalTextOnInterventions=Text addicional en les fitxes d'intervenció
@@ -1569,7 +1571,7 @@ NotSlowedDownByThis=No frenat per això.
NotRiskOfLeakWithThis=No hi ha risc de filtració amb això.
ApplicativeCache=Aplicació memòria cau
MemcachedNotAvailable=No s'ha trobat una aplicació de cache. Pot millorar el rendiment instal·lant un cache server Memcached i un mòdul capaç d'utilitzar aquest servidor de cache. Mes informació aquí http://wiki.dolibarr.org/index.php/Module_MemCached_EN. Tingui en compte que alguns hostings no ofereixen servidors cache.
-MemcachedModuleAvailableButNotSetup=S'ha trobat el mòdul memcached per a la aplicació de memòria cau, però la configuració del mòdul no està completa.
+MemcachedModuleAvailableButNotSetup=S'ha trobat el mòdul memcached per a l'aplicació de memòria cau, però la configuració del mòdul no està completa.
MemcachedAvailableAndSetup=El mòdul memcached dedicat a utilitzar el servidor memcached està habilitat.
OPCodeCache=OPCode memòria cau
NoOPCodeCacheFound=No s'ha trobat cap memòria cau OPCode. Potser utilitzeu una memòria cau OPCode diferent de XCache o eAccelerator (bé), o potser no tingueu la memòria cau OPCode (molt dolenta).
@@ -1617,7 +1619,7 @@ ErrorUnknownSyslogConstant=La constant %s no és una constant syslog coneguda
OnlyWindowsLOG_USER=En Windows, només s'admetrà la funció LOG_USER
CompressSyslogs=Compressió i còpia de seguretat dels fitxers de registre de depuració (generats pel mòdul Log per depurar)
SyslogFileNumberOfSaves=Nombre de registres de còpia de seguretat que cal conservar
-ConfigureCleaningCronjobToSetFrequencyOfSaves=Configura la tasca programada de neteja per establir la freqüència de còpia de seguretat del registre
+ConfigureCleaningCronjobToSetFrequencyOfSaves=Configureu la tasca programada de neteja per a establir la freqüència de còpia de seguretat del registre
##### Donations #####
DonationsSetup=Configuració del mòdul donacions
DonationsReceiptModel=Plantilla de rebut de donació
@@ -1689,7 +1691,7 @@ NotTopTreeMenuPersonalized=Els menús personalitzats no estan enllaçats a una e
NewMenu=Menú nou
MenuHandler=Gestor de menús
MenuModule=Mòdul origen
-HideUnauthorizedMenu= Amaga també els menús no autoritzats a usuaris interns (si no només atenuats)
+HideUnauthorizedMenu=Amaga els menús no autoritzats també per als usuaris interns (en cas contrari, en gris)
DetailId=Identificador del menú
DetailMenuHandler=Nom del gestor de menús
DetailMenuModule=Nom del mòdul si l'entrada del menú és resultant d'un mòdul
@@ -1761,7 +1763,7 @@ CashDeskDoNotDecreaseStock=Desactiva la reducció d'estoc quan es realitza una v
CashDeskIdWareHouse=Força i restringeix el magatzem a utilitzar per disminuir l'estoc
StockDecreaseForPointOfSaleDisabled=La disminució d'estocs des del punt de venda està desactivat
StockDecreaseForPointOfSaleDisabledbyBatch=La disminució d'accions en POS no és compatible amb el mòdul de gestió de Serial / Lot (actualment actiu) perquè la disminució de l'estoc està desactivada.
-CashDeskYouDidNotDisableStockDecease=No va desactivar la disminució de les existències en fer una venda des del punt de venda. Per tant, es requereix un magatzem.
+CashDeskYouDidNotDisableStockDecease=No vau desactivar la disminució de l'estoc en fer una venda des del TPV. Per tant, es requereix un magatzem.
CashDeskForceDecreaseStockLabel=La disminució d’estoc dels productes per lots es obligada.
CashDeskForceDecreaseStockDesc=Disminuïu primer les dates més antigues de consumir i vendre.
CashDeskReaderKeyCodeForEnter=Codi clau per a "Enter" definit al lector de codi de barres (Exemple: 13)
@@ -1777,11 +1779,11 @@ EndPointIs=Els clients SOAP han d’enviar les seves sol·licituds al punt final
##### API ####
ApiSetup=Configuració del mòdul API
ApiDesc=Habilitant aquest mòdul, Dolibarr serà un servidor REST per oferir varis serveis web.
-ApiProductionMode=Activa el mode de producció (activarà l'ús de cachés per a la gestió de serveis)
+ApiProductionMode=Activa el mode de producció (activarà l'ús d'una memòria cau per a la gestió de serveis)
ApiExporerIs=Pots explorar i provar les API en la URL
OnlyActiveElementsAreExposed=Només s'exposen els elements de mòduls habilitats
ApiKey=Clau per l'API
-WarningAPIExplorerDisabled=S'ha deshabilitat l'explorador de API. No és necessari API Explorer per a proporcionar serveis API. És una ferramenta per a que el desenvolupador trobe/probe API REST. Si necessita aquesta ferramenta, vaja a la configuració del mòdul API REST per activar-la.
+WarningAPIExplorerDisabled=S'ha desactivat l'explorador d'API. L'explorador d'API no és necessari per a proporcionar serveis d'API. És una eina perquè el desenvolupador pugui trobar/provar API REST. Si necessiteu aquesta eina, aneu a la configuració del mòdul API REST per a activar-la.
##### Bank #####
BankSetupModule=Configuració del mòdul Banc
FreeLegalTextOnChequeReceipts=Text lliure en els rebuts de xecs
@@ -1803,7 +1805,7 @@ IfSetToYesDontForgetPermission=Si establiu un valor vàlid, no us oblideu d'esta
##### GeoIPMaxmind #####
GeoIPMaxmindSetup=Configuració del mòdul GeoIP Maxmind
PathToGeoIPMaxmindCountryDataFile=Ruta al fitxer que conté Maxmind ip a la traducció del país. Exemples: /usr/local/share/GeoIP/GeoIP.dat /usr/share/GeoIP/GeoIP.dat /usr/share/GeoIP/GeoLite2-Country.mmdb
-NoteOnPathLocation=Tingueu en compte que aquest arxiu ha d'estar en una carpeta accessible desde la seva PHP (Comproveu la configuració de open_basedir de la seva PHP i els permisos d'arxiu/carpetes).
+NoteOnPathLocation=Tingueu en compte que el fitxer de dades IP a país ha de ser dins d’un directori que pugui llegir PHP (Comproveu la configuració de PHP open_basedir i els permisos del sistema de fitxers).
YouCanDownloadFreeDatFileTo=Pot descarregar-se una versió demo gratuïta de l'arxiu de països Maxmind GeoIP a l'adreça %s.
YouCanDownloadAdvancedDatFileTo=També pot descarregar-se una versió més completa de l'arxiu de països Maxmind GeoIP a l'adreça %s.
TestGeoIPResult=Test de conversió IP -> País
@@ -1825,7 +1827,7 @@ DeleteFiscalYear=Eliminar any fiscal
ConfirmDeleteFiscalYear=Esteu segur d'eliminar aquest any fiscal?
ShowFiscalYear=Mostra el període comptable
AlwaysEditable=Sempre es pot editar
-MAIN_APPLICATION_TITLE=Força veure el nom de l'aplicació (advertència: indicar el teu propi nom aquí pot trencar la característica d'auto-omplir l'inici de sessió en utilitzar l'aplicació mòbil DoliDroid)
+MAIN_APPLICATION_TITLE=Força el nom visible de l'aplicació (advertència: definir el vostre propi nom aquí pot trencar la funció d'inici de sessió d'emplenament automàtic quan s'utilitza l'aplicació mòbil DoliDroid)
NbMajMin=Nombre mínim de caràcters en majúscules
NbNumMin=Nombre mínim de caràcters numèrics
NbSpeMin=Nombre mínim de caràcters especials
@@ -1839,8 +1841,8 @@ IncludePath=Incloure ruta (que es defineix a la variable %s)
ExpenseReportsSetup=Configuració del mòdul Informe de Despeses
TemplatePDFExpenseReports=Plantilles de documents per a generar un document d’informe de despeses
ExpenseReportsRulesSetup=Configurar mòdul Informes de despeses - Regles
-ExpenseReportNumberingModules=Número del mòdul Informe de despeses
-NoModueToManageStockIncrease=No esta activat el mòdul per gestionar automàticament l'increment d'estoc. L'increment d'estoc es realitzara només amb l'entrada manual
+ExpenseReportNumberingModules=Mòdul de numeració d'informes de despeses
+NoModueToManageStockIncrease=No s'ha activat cap mòdul capaç de gestionar l'increment automàtic d'estoc. L’increment d’estoc es farà només amb entrada manual.
YouMayFindNotificationsFeaturesIntoModuleNotification=Podeu trobar opcions de notificacions per correu electrònic habilitant i configurant el mòdul "Notificació".
ListOfNotificationsPerUser=Llista de notificacions automàtiques per usuari *
ListOfNotificationsPerUserOrContact=Llista de possibles notificacions automàtiques (en un esdeveniment comercial) disponibles per usuari* o per contacte**
@@ -1853,7 +1855,7 @@ BackupZipWizard=Assistent per crear el directori d’arxiu de documents
SomethingMakeInstallFromWebNotPossible=No és possible la instal·lació de mòduls externs des de la interfície web per la següent raó:
SomethingMakeInstallFromWebNotPossible2=Per aquest motiu, el procés d'actualització descrit aquí és un procés manual que només un usuari privilegiat pot realitzar.
InstallModuleFromWebHasBeenDisabledByFile=La instal·lació de mòduls externs des de l'aplicació es troba desactivada per l'administrador. Ha de requerir que elimini l'arxiu %s per habilitar aquesta funció
-ConfFileMustContainCustom=Per instal·lar o crear un mòdul extern desde l'aplicació es necessita desar els fitxers del mòdul en el directori %s. Per permetre a Dolibarr el processament d'aquest directori, has de configurar el teu conf/conf.php afegint aquestes 2 línies: $dolibarr_main_url_root_alt='/custom'; $dolibarr_main_document_root_alt='%s/custom';
+ConfFileMustContainCustom=Per a instal·lar o crear un mòdul extern des de l'aplicació es necessita desar els fitxers del mòdul en el directori %s. Per a permetre a Dolibarr el processament d'aquest directori, has de configurar el teu conf/conf.php afegint aquestes 2 línies: $dolibarr_main_url_root_alt='/custom'; $dolibarr_main_document_root_alt='%s/custom';
HighlightLinesOnMouseHover=Remarca línies de la taula quan el ratolí passi per sobre
HighlightLinesColor=Ressalteu el color de la línia quan el ratolí passa (utilitzeu 'ffffff' per no ressaltar)
HighlightLinesChecked=Ressalteu el color de la línia quan està marcada (utilitzeu 'ffffff' per no ressaltar)
@@ -1983,15 +1985,16 @@ EMailHost=Servidor IMAP de correu electrònic
MailboxSourceDirectory=Directori d'origen de la bústia
MailboxTargetDirectory=Directori de destinació de la bústia
EmailcollectorOperations=Operacions a fer per recol·lector
+EmailcollectorOperationsDesc=Les operacions s’executen de dalt a baix
MaxEmailCollectPerCollect=Nombre màxim de correus electrònics recopilats per recollida
CollectNow=Recolliu ara
ConfirmCloneEmailCollector=Esteu segur que voleu clonar el recollidor de correu electrònic %s?
-DateLastCollectResult=Data del darrer intent de recollida
+DateLastCollectResult=Data de l'últim intent de recollida
DateLastcollectResultOk=Data de la darrera recollida amb èxit
LastResult=Últim resultat
EmailCollectorConfirmCollectTitle=Confirmació de recollida de correu electrònic
EmailCollectorConfirmCollect=Voleu executar ara la recol·lecció d’aquest col·lector?
-NoNewEmailToProcess=No hi ha cap altre correu electrònic (filtres coincidents) per processar
+NoNewEmailToProcess=No hi ha cap correu electrònic nou (filtres coincidents) per a processar
NothingProcessed=No s'ha fet res
XEmailsDoneYActionsDone=%s correus electrònics qualificats, %s correus electrònics processats amb èxit (per %s registre / accions realitzades)
RecordEvent=Registre d'esdeveniments de correu electrònic
@@ -2005,17 +2008,17 @@ WithDolTrackingID=Missatge d'una conversa iniciada per un primer correu electrò
WithoutDolTrackingID=Missatge d'una conversa iniciada per un primer correu electrònic NO enviat des de Dolibarr
WithDolTrackingIDInMsgId=Missatge enviat des de Dolibarr
WithoutDolTrackingIDInMsgId=Missatge NO enviat des de Dolibarr
-CreateCandidature=Crea candidatura
-FormatZip=Codi postal
+CreateCandidature=Crea sol·licitud de feina
+FormatZip=Format Zip
MainMenuCode=Codi d'entrada del menú (menú principal)
ECMAutoTree=Mostra l'arbre ECM automàtic
-OperationParamDesc=Definiu els valors a emprar per l'objecte de l'acció, o com extreure valors. Per exemple: objproperty1=SET:el valor a assignar objproperty2=SET:un valor am un valor amb substitució de __objproperty1__ objproperty3=SETIFEMPTY:valor usat si objproperty3 no ha estat definit objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*) options_myextrafield1=EXTRACT:SUBJECT:([^\n]*) object.objproperty5=EXTRACT:BODY:EL nom de la meva empresa és\\s([^\\s]*)
Empreu un punt i coma (;) com a separadorper a extreure o definir vàries propietats alhora.
+OperationParamDesc=Definiu els valors a utilitzar per a l'objecte de l'acció, o com extreure valors. Per exemple: objproperty1=SET:el valor a assignar objproperty2=SET:un valor amb substitució de __objproperty1__ objproperty3=SETIFEMPTY:valor usat si objproperty3 no ha estat definit objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*) options_myextrafield1=EXTRACT:SUBJECT:([^\n]*) object.objproperty5=EXTRACT:BODY:El nom de la meva empresa és\\s([^\\s]*)
Empreu ; com a separador per a extreure o definir diverses propietats alhora.
OpeningHours=Horari d'obertura
OpeningHoursDesc=Introduïu aquí l'horari habitual d'obertura de la vostra empresa.
ResourceSetup=Configuració del mòdul de recursos
UseSearchToSelectResource=Utilitza un formulari de cerca per a seleccionar un recurs (millor que una llista desplegable)
-DisabledResourceLinkUser=Desactiva la funció per enllaçar un recurs als usuaris
-DisabledResourceLinkContact=Desactiva la funció per enllaçar un recurs als contactes
+DisabledResourceLinkUser=Desactiva la funció per a enllaçar un recurs amb els usuaris
+DisabledResourceLinkContact=Desactiva la funció per a enllaçar un recurs amb els contactes
EnableResourceUsedInEventCheck=Habilita la funció per comprovar si s’utilitza un recurs en un esdeveniment
ConfirmUnactivation=Confirma el restabliment del mòdul
OnMobileOnly=Només en pantalla petita (telèfon intel·ligent)
@@ -2066,12 +2069,12 @@ MakeAnonymousPing=Creeu un ping "+1" anònim al servidor de bases Doli
FeatureNotAvailableWithReceptionModule=Funció no disponible quan el mòdul Recepció està habilitat
EmailTemplate=Plantilla per correu electrònic
EMailsWillHaveMessageID=Els correus electrònics tindran una etiqueta "Referències" que coincideix amb aquesta sintaxi
-PDF_USE_ALSO_LANGUAGE_CODE=Si voleu tenir alguns textos del vostre PDF duplicats en 2 idiomes diferents en el mateix PDF generat, heu d’establir aquí aquest segon idioma a fi que el PDF generat contingui 2 idiomes diferents a la mateixa pàgina, el triat per generar el PDF i aquest segon ( només algunes plantilles PDF suporten això). Manteniu-lo buit per a 1 idioma per PDF.
+PDF_USE_ALSO_LANGUAGE_CODE=Si voleu que alguns textos del vostre PDF es copiïn en 2 idiomes diferents en el mateix PDF generat, heu d’establir aquí aquest segon idioma per a que el PDF generat contingui 2 idiomes diferents a la mateixa pàgina, l’escollit en generar el PDF i aquesta (només poques plantilles de PDF admeten això). Mantingueu-lo buit per a 1 idioma per PDF.
FafaIconSocialNetworksDesc=Introduïu aquí el codi de la icona de FontAwesome. Si no sabeu què és FontAwesome, podeu utilitzar el llibre genèric d’adreces.
FeatureNotAvailableWithReceptionModule=Funció no disponible quan el mòdul Recepció està habilitat
-RssNote=Nota: Cada definició de canal RSS proporciona un giny que heu d'habilitar per tenir-lo disponible al tauler de control
+RssNote=Nota: Cada definició del canal RSS proporciona un giny que heu d’habilitar per a tenir-lo disponible al tauler de control
JumpToBoxes=Vés a Configuració -> Ginys
-MeasuringUnitTypeDesc=Utilitzeu aquí un valor com "size", "surface", "volume", "weight", "time"
+MeasuringUnitTypeDesc=Utilitzeu aquí un valor com "mida", "superfície", "volum", "pes", "temps"
MeasuringScaleDesc=L'escala és el nombre de llocs que heu de moure la part decimal per a coincidir amb la unitat de referència predeterminada. Per al tipus d'unitat de "temps", és el nombre de segons. Els valors entre 80 i 99 són valors reservats.
TemplateAdded=S'ha afegit la plantilla
TemplateUpdated=Plantilla actualitzada
@@ -2083,3 +2086,7 @@ CountryIfSpecificToOneCountry=País (si és específic d'un país determinat)
YouMayFindSecurityAdviceHere=Podeu trobar assessorament de seguretat aquí
ModuleActivatedMayExposeInformation=Aquest mòdul pot exposar dades sensibles. Si no el necessiteu, desactiveu-lo.
ModuleActivatedDoNotUseInProduction=S'ha habilitat un mòdul dissenyat per al desenvolupament. No l'activeu en un entorn de producció.
+CombinationsSeparator=Caràcter separador per a combinacions de productes
+SeeLinkToOnlineDocumentation=Vegeu l'enllaç a la documentació en línia al menú superior per a obtenir exemples
+SHOW_SUBPRODUCT_REF_IN_PDF=Si s'utilitza la funció "%s" del mòdul %s , mostra els detalls dels subproductes d'un kit en el PDF.
+AskThisIDToYourBank=Poseu-vos en contacte amb el vostre banc per a obtenir aquesta identificació
diff --git a/htdocs/langs/ca_ES/agenda.lang b/htdocs/langs/ca_ES/agenda.lang
index ac453608960..7950ff65d5b 100644
--- a/htdocs/langs/ca_ES/agenda.lang
+++ b/htdocs/langs/ca_ES/agenda.lang
@@ -34,7 +34,7 @@ AutoActions= Inclusió automàtica a l'agenda
AgendaAutoActionDesc= Aquí pots definir esdeveniments que vols que Dolibarr creï automàticament a Agenda. Si no hi ha res comprovat, només s'inclouran les accions manuals als registres i es mostraran a Agenda. El seguiment automàtic de les accions empresarials realitzades en objectes (validació, canvi d'estat) no es desarà.
AgendaSetupOtherDesc= Aquesta pàgina permet configurar algunes opcions que permeten exportar una vista de la seva agenda Dolibar a un calendari extern (thunderbird, google calendar, ...)
AgendaExtSitesDesc=Aquesta pàgina permet configurar calendaris externs per a la seva visualització en l'agenda de Dolibarr.
-ActionsEvents=Esdeveniments per a què Dolibarr crei una acció de forma automàtica
+ActionsEvents=Esdeveniments pels quals Dolibarr crearà una acció a l'agenda automàticament
EventRemindersByEmailNotEnabled=Els recordatoris d'esdeveniments per correu electrònic no estaven habilitats en la configuració del mòdul %s.
##### Agenda event labels #####
NewCompanyToDolibarr=Tercer %s creat
@@ -60,7 +60,7 @@ MemberSubscriptionModifiedInDolibarr=Subscripció %s per a membre %s, modificada
MemberSubscriptionDeletedInDolibarr=Subscripció %s per a membre %s, eliminada
ShipmentValidatedInDolibarr=Expedició %s validada
ShipmentClassifyClosedInDolibarr=Expedició %s classificada com a facturada
-ShipmentUnClassifyCloseddInDolibarr=Enviament %s classificat com a re-obert
+ShipmentUnClassifyCloseddInDolibarr=Enviament %s classificat de nou com a obert
ShipmentBackToDraftInDolibarr=Enviament %s retornat a l'estat d'esborrany
ShipmentDeletedInDolibarr=Expedició %s eliminada
ReceptionValidatedInDolibarr=S'ha validat la recepció %s
@@ -131,7 +131,7 @@ AgendaUrlOptionsProject=project=PROJECT_ID per a restringir la sortida d'
AgendaUrlOptionsNotAutoEvent=notactiontype=systemauto per excloure esdeveniments automàtics.
AgendaUrlOptionsIncludeHolidays= includeholidays = 1 per incloure esdeveniments de vacances.
AgendaShowBirthdayEvents=Mostra aniversaris dels contactes
-AgendaHideBirthdayEvents=Oculta aniversaris dels contactes
+AgendaHideBirthdayEvents=Amaga els aniversaris dels contactes
Busy=Ocupat
ExportDataset_event1=Llista d'esdeveniments de l'agenda
DefaultWorkingDays=Rang de dies de treball per defecte durant la setmana (Exemple: 1-5, 1-6)
@@ -158,12 +158,12 @@ EveryMonth=Cada mes
DayOfMonth=Dia del mes
DayOfWeek=Dia de la setmana
DateStartPlusOne=Data d'inici + 1 hora
-SetAllEventsToTodo=Definir tots els events com a pendents
-SetAllEventsToInProgress=Definir tots els events en progrés
-SetAllEventsToFinished=Definir tots els events com a enllestits
+SetAllEventsToTodo=Estableix tots els esdeveniments com a pendents
+SetAllEventsToInProgress=Estableix tots els esdeveniments a en curs
+SetAllEventsToFinished=Estableix tots els esdeveniments com a finalitzats
ReminderTime=Període de recordatori abans de l'esdeveniment
TimeType=Tipus de durada
ReminderType=Tipus de devolució de trucada
AddReminder=Crea una notificació de recordatori automàtica per a aquest esdeveniment
ErrorReminderActionCommCreation=S'ha produït un error en crear la notificació de recordatori per a aquest esdeveniment
-BrowserPush=Notificació del navegador
+BrowserPush=Notificació emergent del navegador
diff --git a/htdocs/langs/ca_ES/banks.lang b/htdocs/langs/ca_ES/banks.lang
index 593678f8d7d..f84f17f7ff0 100644
--- a/htdocs/langs/ca_ES/banks.lang
+++ b/htdocs/langs/ca_ES/banks.lang
@@ -69,14 +69,14 @@ BankTransactionByCategories=Registres bancaris per categories
BankTransactionForCategory=Registres bancaris per la categoria %s
RemoveFromRubrique=Suprimir vincle amb categoria
RemoveFromRubriqueConfirm=Està segur de voler eliminar l'enllaç entre el registre i la categoria?
-ListBankTransactions=Llistat de registres bancaris
+ListBankTransactions=Llista de registres bancaris
IdTransaction=Id de transacció
BankTransactions=Registres bancaris
BankTransaction=Registre bancari
-ListTransactions=Llistat registres
-ListTransactionsByCategory=Llistat registres/categoria
+ListTransactions=Llista de registres
+ListTransactionsByCategory=Llista de registres/categoria
TransactionsToConciliate=Registres a conciliar
-TransactionsToConciliateShort=Per conciliar
+TransactionsToConciliateShort=Per a conciliar
Conciliable=Conciliable
Conciliate=Conciliar
Conciliation=Conciliació
@@ -93,7 +93,7 @@ StatusAccountOpened=Obert
StatusAccountClosed=Tancada
AccountIdShort=Número
LineRecord=Registre
-AddBankRecord=Afegir registre
+AddBankRecord=Afegeix entrada
AddBankRecordLong=Afegir registre manualment
Conciliated=Conciliat
ConciliatedBy=Conciliat per
@@ -124,7 +124,7 @@ BankChecksToReceiptShort=Xecs en espera de l'ingrés
ShowCheckReceipt=Mostra la remesa d'ingrés de xec
NumberOfCheques=Nº de xec
DeleteTransaction=Eliminar registre
-ConfirmDeleteTransaction=Esteu segur de voler eliminar aquesta registre?
+ConfirmDeleteTransaction=Esteu segur que voleu suprimir aquest registre?
ThisWillAlsoDeleteBankRecord=Açò eliminarà també els registres bancaris generats
BankMovements=Moviments
PlannedTransactions=Registres prevists
@@ -133,7 +133,7 @@ ExportDataset_banque_1=Registres bancaris i extractes
ExportDataset_banque_2=Resguard
TransactionOnTheOtherAccount=Transacció sobre l'altra compte
PaymentNumberUpdateSucceeded=Número de pagament actualitzat correctament
-PaymentNumberUpdateFailed=Numero de pagament no va poder ser modificat
+PaymentNumberUpdateFailed=No s'ha pogut actualitzar el número de pagament
PaymentDateUpdateSucceeded=Data de pagament actualitzada correctament
PaymentDateUpdateFailed=Data de pagament no va poder ser modificada
Transactions=Transaccions
@@ -157,10 +157,10 @@ RejectCheck=Xec retornat
ConfirmRejectCheck=Estàs segur que vols marcar aquesta comprovació com a rebutjada?
RejectCheckDate=Data de devolució del xec
CheckRejected=Xec retornat
-CheckRejectedAndInvoicesReopened=Xecs retornats i factures re-obertes
+CheckRejectedAndInvoicesReopened=Xec retornat i factures reobertes
BankAccountModelModule=Plantilles de documents per comptes bancaris
DocumentModelSepaMandate=Plantilla per a mandat SEPA. Vàlid només per a països europeus de la CEE.
-DocumentModelBan=Plantilla per imprimir una pàgina amb informació BAN
+DocumentModelBan=Plantilla per a imprimir una pàgina amb informació BAN.
NewVariousPayment=Pagament divers nou
VariousPayment=Pagament divers
VariousPayments=Pagaments varis
@@ -171,12 +171,12 @@ VariousPaymentLabel=Etiqueta de pagament divers
ConfirmCloneVariousPayment=Confirmeu el clon d'un pagament divers
SEPAMandate=Mandat SEPA
YourSEPAMandate=La vostra ordre SEPA
-FindYourSEPAMandate=Aquest és el vostre mandat de SEPA per autoritzar a la nostra empresa a realitzar un ordre de dèbit directe al vostre banc. Gràcies per retornar-la signada (escanejar el document signat) o envieu-lo per correu a
+FindYourSEPAMandate=Aquest és el vostre mandat SEPA per a autoritzar la nostra empresa a fer una ordre de domiciliació bancària al vostre banc. Torneu-lo signat (escaneja el document signat) o envieu-lo per correu electrònic a
AutoReportLastAccountStatement=Ompliu automàticament el camp "nombre d'extracte bancari" amb l'últim número de l'extracte al fer la conciliació
-CashControl=Tancar Efectiu del Punt de Venda
-NewCashFence=Tancament d'efectiu nou
+CashControl=Control de caixa TPV
+NewCashFence=Tancament de caixa nou
BankColorizeMovement=Color de moviments
BankColorizeMovementDesc=Si aquesta funció està habilitada, podeu triar un color de fons específic per als moviments de dèbit o de crèdit
BankColorizeMovementName1=Color de fons pel moviment de dèbit
BankColorizeMovementName2=Color de fons pel moviment de crèdit
-IfYouDontReconcileDisableProperty=Si no feu les conciliacions bancàries en alguns comptes bancaris, desactiveu la propietat "%s" per eliminar aquest advertiment.
+IfYouDontReconcileDisableProperty=Si no feu cap conciliació bancària en alguns comptes bancaris, desactiveu la propietat "%s" per a eliminar aquest advertiment.
diff --git a/htdocs/langs/ca_ES/bills.lang b/htdocs/langs/ca_ES/bills.lang
index 61e70a38bea..dbe1ced2434 100644
--- a/htdocs/langs/ca_ES/bills.lang
+++ b/htdocs/langs/ca_ES/bills.lang
@@ -12,7 +12,7 @@ BillsLate=Retard en el pagament
BillsStatistics=Estadístiques factures a clients
BillsStatisticsSuppliers=Estadístiques de Factures de proveïdors
DisabledBecauseDispatchedInBookkeeping=Desactivat perquè la factura s'ha contabilitzat
-DisabledBecauseNotLastInvoice=Desactivat perque la factura no es pot eliminar. S'han creat factures després d'aquesta i crearia buits al contador.
+DisabledBecauseNotLastInvoice=Desactivat perquè la factura no es pot esborrar. Algunes factures s'han registrat després d'aquesta i això crearia espais buits al comptador.
DisabledBecauseNotErasable=Desactivat perque no es pot eliminar
InvoiceStandard=Factura estàndard
InvoiceStandardAsk=Factura estàndard
@@ -66,9 +66,9 @@ paymentInInvoiceCurrency=en divisa de factures
PaidBack=Reemborsat
DeletePayment=Elimina el pagament
ConfirmDeletePayment=Esteu segur de voler eliminar aquest pagament?
-ConfirmConvertToReduc=Voleu convertir aquesta %s en crèdit disponible?
+ConfirmConvertToReduc=Voleu convertir aquest %s en un crèdit disponible?
ConfirmConvertToReduc2=L’import s’emmagatzemarà entre tots els descomptes i es podrà utilitzar com a descompte per a una factura actual o futura per a aquest client.
-ConfirmConvertToReducSupplier=Voleu convertir aquesta %s en un crèdit disponible?
+ConfirmConvertToReducSupplier=Voleu convertir aquest %s en un crèdit disponible?
ConfirmConvertToReducSupplier2=L’import s’ha desat entre tots els descomptes i es podrà utilitzar com a descompte per a una factura actual o futura per a aquest proveïdor.
SupplierPayments=Pagaments a proveïdors
ReceivedPayments=Pagaments rebuts
@@ -94,11 +94,11 @@ PaymentAmount=Import pagament
PaymentHigherThanReminderToPay=Pagament superior a la resta a pagar
HelpPaymentHigherThanReminderToPay=Atenció, l'import del pagament d'una o més factures és superior a l'import pendent de pagar. Editeu la vostra entrada; en cas contrari, confirmeu i considereu la possibilitat de crear un abonament per l'excés rebut per cada factura pagada de més.
HelpPaymentHigherThanReminderToPaySupplier=Atenció, l'import del pagament d'una o més factures és superior a l'import pendent de pagar. Editeu l'entrada, en cas contrari, confirmeu i considereu la possibilitat de crear un abonament per l'excés pagat per cada factura pagada de més.
-ClassifyPaid=Classificar 'Pagat'
+ClassifyPaid=Classifica "Pagat"
ClassifyUnPaid=Classifica "sense pagar"
-ClassifyPaidPartially=Classificar 'Pagat parcialment'
-ClassifyCanceled=Classificar 'Abandonat'
-ClassifyClosed=Classificar 'Tancat'
+ClassifyPaidPartially=Classifica "Pagat parcialment"
+ClassifyCanceled=Classifica "Abandonat"
+ClassifyClosed=Classifica "Tancat"
ClassifyUnBilled=Classifiqueu 'facturar'
CreateBill=Crear factura
CreateCreditNote=Crear abonament
@@ -109,11 +109,11 @@ SearchACustomerInvoice=Cercar una factura a client
SearchASupplierInvoice=Cercar una factura de proveïdor
CancelBill=Anul·lar una factura
SendRemindByMail=Envia recordatori per e-mail
-DoPayment=Afegir pagament
+DoPayment=Introdueix el pagament
DoPaymentBack=Afegir reemborsament
ConvertToReduc=Marca com a crèdit disponible
-ConvertExcessReceivedToReduc=Convertir l'excés rebut en el crèdit disponible
-ConvertExcessPaidToReduc=Convertir l'excés pagat en descompte disponible
+ConvertExcessReceivedToReduc=Converteix l'excés rebut en crèdit disponible
+ConvertExcessPaidToReduc=Converteix l'excés pagat en descompte disponible
EnterPaymentReceivedFromCustomer=Afegir cobrament rebut del client
EnterPaymentDueToCustomer=Fer pagament del client
DisabledBecauseRemainderToPayIsZero=Desactivar ja que la resta a pagar és 0
@@ -156,12 +156,12 @@ ErrorCantCancelIfReplacementInvoiceNotValidated=Error, no és possible cancel·l
ErrorThisPartOrAnotherIsAlreadyUsedSoDiscountSerieCantBeRemoved=Aquesta part o una altra ja s'utilitza, de manera que la sèrie de descompte no es pot treure.
BillFrom=Emissor
BillTo=Enviar a
-ActionsOnBill=Eventos sobre la factura
+ActionsOnBill=Accions en la factura
RecurringInvoiceTemplate=Plantilla / Factura recurrent
-NoQualifiedRecurringInvoiceTemplateFound=No s'ha qualificat cap plantilla de factura recurrent per generar-se.
-FoundXQualifiedRecurringInvoiceTemplate=S'ha trobat la plantilla de factura/es recurrent %s qualificada per generar-se.
+NoQualifiedRecurringInvoiceTemplateFound=No es pot generar cap factura de plantilla periòdica.
+FoundXQualifiedRecurringInvoiceTemplate=S'han trobat %s factures recurrents de plantilla qualificades per a la generació.
NotARecurringInvoiceTemplate=No és una plantilla de factura recurrent
-NewBill=Nova factura
+NewBill=Factura nova
LastBills=Últimes %s factures
LatestTemplateInvoices=Últimes %s plantilles de factura
LatestCustomerTemplateInvoices=Últimes %s plantilles de factures de client
@@ -192,7 +192,7 @@ ConfirmClassifyPaidPartiallyReasonBadCustomer=Client morós
ConfirmClassifyPaidPartiallyReasonProductReturned=Productes retornats en part
ConfirmClassifyPaidPartiallyReasonOther=D'altra raó
ConfirmClassifyPaidPartiallyReasonDiscountNoVatDesc=Aquesta opció és possible si la teva factura s'ha proporcionat amb comentaris adequats. (Exemple «Només l'impost corresponent al preu realment pagat dóna dret a la deducció»)
-ConfirmClassifyPaidPartiallyReasonDiscountVatDesc=En alguns països, aquesta elecció només pot ser possible si la teva factura conté les notes correctes.
+ConfirmClassifyPaidPartiallyReasonDiscountVatDesc=En alguns països, aquesta opció només és possible si la factura conté les notes correctes.
ConfirmClassifyPaidPartiallyReasonAvoirDesc=Aquesta elecció és l'elecció que s'ha de prendre si les altres no són aplicables
ConfirmClassifyPaidPartiallyReasonBadCustomerDesc=Un client morós és un client que es nega a pagar el seu deute.
ConfirmClassifyPaidPartiallyReasonProductReturnedDesc=Aquesta elecció és possible si el cas de pagament incomplet és arran d'una devolució de part dels productes
@@ -202,7 +202,7 @@ ConfirmClassifyAbandonReasonOtherDesc=Aquesta elecció serà per a qualsevol alt
ConfirmCustomerPayment=Confirmes aquesta entrada de pagament per a %s %s?
ConfirmSupplierPayment=Confirmes aquesta entrada de pagament per a %s %s?
ConfirmValidatePayment=Estàs segur que vols validar aquest pagament? No es poden fer canvis un cop el pagament s'ha validat.
-ValidateBill=Validar factura
+ValidateBill=Valida la factura
UnvalidateBill=Tornar factura a esborrany
NumberOfBills=Nº de factures
NumberOfBillsByMonth=Nº de factures per mes
@@ -256,7 +256,7 @@ DateMaxPayment=Pagament vençut
DateInvoice=Data facturació
DatePointOfTax=Punt d'impostos
NoInvoice=Cap factura
-ClassifyBill=Classificar la factura
+ClassifyBill=Classifica la factura
SupplierBillsToPay=Factures de proveïdors pendents de pagament
CustomerBillsUnpaid=Factures de client pendents de cobrament
NonPercuRecuperable=No percebut recuperable
@@ -269,7 +269,7 @@ RepeatableInvoice=Factura recurrent
RepeatableInvoices=Factures recurrents
Repeatable=Recurrent
Repeatables=Recurrents
-ChangeIntoRepeatableInvoice=Convertir en recurrent
+ChangeIntoRepeatableInvoice=Converteix-la en plantilla
CreateRepeatableInvoice=Crear factura recurrent
CreateFromRepeatableInvoice=Crear des de factura recurrent
CustomersInvoicesAndInvoiceLines=Factures del client i detalls de la factura
@@ -304,8 +304,8 @@ DiscountFromExcessReceived=Pagaments superiors a la factura %s
DiscountFromExcessPaid=Pagaments superiors a la factura %s
AbsoluteDiscountUse=Aquest tipus de crèdit no es pot utilitzar en una factura abans de la seva validació
CreditNoteDepositUse=La factura deu estar validada per a utilitzar aquest tipus de crèdits
-NewGlobalDiscount=Nou descompte fixe
-NewRelativeDiscount=Nou descompte
+NewGlobalDiscount=Descompte absolut nou
+NewRelativeDiscount=Descompte relatiu nou
DiscountType=Tipus de descompte
NoteReason=Nota/Motiu
ReasonDiscount=Motiu
@@ -371,10 +371,10 @@ NextDateToExecution=Data de la propera generació de factures
NextDateToExecutionShort=Data següent gen.
DateLastGeneration=Data de l'última generació
DateLastGenerationShort=Data última gen.
-MaxPeriodNumber=Nº màxim de generació de factures
-NbOfGenerationDone=Número de generació de factura ja realitzat
+MaxPeriodNumber=Màx. nombre de generació de factures
+NbOfGenerationDone=Nombre de generació de factura ja realitzat
NbOfGenerationDoneShort=Número de generació realitzat
-MaxGenerationReached=Número màxim de generacions aconseguides
+MaxGenerationReached=Nombre màxim de generacions assolides
InvoiceAutoValidate=Valida les factures automàticament
GeneratedFromRecurringInvoice=Generat des de la plantilla de factura recurrent %s
DateIsNotEnough=Encara no s'ha arribat a la data
@@ -476,19 +476,19 @@ UseCreditNoteInInvoicePayment=Reduir el pagament amb aquest crèdit
MenuChequeDeposits=Ingrés de xecs
MenuCheques=Xecs
MenuChequesReceipts=Remeses de xecs
-NewChequeDeposit=Nou dipòsit
+NewChequeDeposit=Dipòsit nou
ChequesReceipts=Remeses de xecs
ChequesArea=Àrea de ingrés de xecs
ChequeDeposits=Ingrés de xecs
Cheques=Xecs
DepositId=Id. dipòsit
-NbCheque=Número de xecs
+NbCheque=Nombre de xecs
CreditNoteConvertedIntoDiscount=This %s has been converted into %s
UsBillingContactAsIncoiveRecipientIfExist=Utilitzeu el contacte / adreça amb el tipus 'contacte de facturació' en comptes de l'adreça de tercers com a destinatari de factures
ShowUnpaidAll=Mostrar tots els pendents
ShowUnpaidLateOnly=Mostrar els pendents en retard només
PaymentInvoiceRef=Pagament factura %s
-ValidateInvoice=Validar factura
+ValidateInvoice=Valida la factura
ValidateInvoices=Validació de factures
Cash=Efectiu
Reported=Ajornat
@@ -515,7 +515,7 @@ PDFCrevetteDescription=Plantilla Crevette per factures PDF. Una plantilla de fac
TerreNumRefModelDesc1=Retorna el nombre sota el format %syymm-nnnn per a les factures i %syymm-nnnn per als abonaments on yy és l'any, mm. el mes i nnnn un comptador seqüencial sense ruptura i sense permanència a 0
MarsNumRefModelDesc1=Retorna el nombre sota el format %syymm-nnnn per a les factures, %syymm-nnnn per a les factures rectificatives, %syymm-nnnn per a les factures de dipòsit i %syymm-nnnn pels abonaments on yy és l'any, mm el mes i nnnn un comptador seqüencial sense ruptura i sense retorn a 0
TerreNumRefModelError=Ja hi ha una factura amb $syymm i no és compatible amb aquest model de seqüència. Elimineu o renómbrela per poder activar aquest mòdul
-CactusNumRefModelDesc1=Retorna un numero amb format %syymm-nnnn per a factures estàndard, %syymm-nnnn per a notes de crèdit i %syymm-nnnn per a factures de dipòsits anticipats a on yy es l'any, mm és el mes i nnnn és una seqüència sense ruptura i sense retorn a 0
+CactusNumRefModelDesc1=Retorna un número amb format %syymm-nnnn per a factures estàndard, %syymm-nnnn per a devolucions i %syymm-nnnn per a factures de dipòsits anticipats on yy es l'any, mm és el mes i nnnn és una seqüència sense ruptura i sense retorn a 0
EarlyClosingReason=Motiu de tancament anticipat
EarlyClosingComment=Nota de tancament anticipat
##### Types de contacts #####
@@ -557,7 +557,7 @@ TotalSituationInvoice=Total situació
invoiceLineProgressError=El progrés de la línia de factura no pot ser igual o superior a la següent línia de factura
updatePriceNextInvoiceErrorUpdateline=Error : actualització de preu en línia de factura : %s
ToCreateARecurringInvoice=Per crear una factura recurrent d'aquest contracte, primer crea aquesta factura esborrany, després converteix-la en una plantilla de factura i defineix la freqüència per a la generació de factures futures.
-ToCreateARecurringInvoiceGene=Per generar futures factures regulars i manualment, només ves al menú %s - %s - %s.
+ToCreateARecurringInvoiceGene=Per a generar futures factures regularment i manualment, només cal que aneu al menú %s - %s - %s .
ToCreateARecurringInvoiceGeneAuto=Si necessites tenir cada factura generada automàticament, pregunta a l'administrador per habilitar i configurar el mòdul %s. Tingues en compte que ambdós mètodes (manual i automàtic) es poden utilitzar alhora sense risc de duplicats.
DeleteRepeatableInvoice=Elimina la factura recurrent
ConfirmDeleteRepeatableInvoice=Vols eliminar la plantilla de factura?
diff --git a/htdocs/langs/ca_ES/blockedlog.lang b/htdocs/langs/ca_ES/blockedlog.lang
index 5c380fdb581..dc38c2149c7 100644
--- a/htdocs/langs/ca_ES/blockedlog.lang
+++ b/htdocs/langs/ca_ES/blockedlog.lang
@@ -2,7 +2,7 @@ BlockedLog=Registres inalterables
Field=Camp
BlockedLogDesc=Aquest mòdul fa un seguiment d'alguns esdeveniments en un registre inalterable (que no es pot modificar una vegada registrat) en una cadena de blocs, en temps real. Aquest mòdul ofereix compatibilitat amb els requisits de les lleis d'alguns països (com França amb la llei Finances 2016 - Norma NF525).
Fingerprints=Esdeveniments arxivats i empremtes digitals
-FingerprintsDesc=Aquesta és l'eina per explorar o extreure els registres inalterables. Els registres inalterables es generen i es arxiven localment en una taula dedicada, en temps real quan es registra un esdeveniment empresarial. Podeu utilitzar aquesta eina per exportar aquest arxiu i desar-lo en un suport extern (alguns països, com França, demanen que ho feu cada any). Tingueu en compte que, no hi ha cap funció per purgar aquest registre i tots els canvis que s'hagin intentat fer directament en aquest registre (per exemple, un hacker) es comunicaran amb una empremta digital no vàlida. Si realment necessiteu purgar aquesta taula perquè heu utilitzat la vostra aplicació per a un propòsit de demostració / prova i voleu netejar les vostres dades per iniciar la vostra producció, podeu demanar al vostre distribuïdor o integrador que restableixi la vostra base de dades (totes les vostres dades seran eliminades).
+FingerprintsDesc=Aquesta és l'eina per a explorar o extreure els registres inalterables. Els registres inalterables es generen i s'arxiven localment en una taula dedicada, en temps real quan es registra un esdeveniment de negoci. Podeu utilitzar aquesta eina per a exportar aquest arxiu i desar-lo en un suport extern (alguns països, com França, demanen que ho feu cada any). Tingueu en compte que, no hi ha cap funció per a purgar aquest registre i tots els canvis que s'hagin intentat fer directament en aquest registre (per exemple, un hacker) es comunicaran amb una empremta digital no vàlida. Si realment necessiteu purgar aquesta taula perquè heu utilitzat la vostra aplicació per a un propòsit de demostració / prova i voleu netejar les vostres dades per a iniciar la vostra producció, podeu demanar al vostre distribuïdor o integrador que restableixi la vostra base de dades (totes les vostres dades seran eliminades).
CompanyInitialKey=Clau inicial de l'empresa (hash de bloc de gènesi)
BrowseBlockedLog=Registres inalterables
ShowAllFingerPrintsMightBeTooLong=Mostra tots els registres arxivats (pot ser llarg)
@@ -35,7 +35,7 @@ logDON_DELETE=Donació de l'eliminació lògica
logMEMBER_SUBSCRIPTION_CREATE=S'ha creat una subscripció de membre
logMEMBER_SUBSCRIPTION_MODIFY=S'ha modificat la subscripció de membre
logMEMBER_SUBSCRIPTION_DELETE=Supressió lògica de subscripció de membre
-logCASHCONTROL_VALIDATE=Gravació de tanques d'efectiu
+logCASHCONTROL_VALIDATE=Registre de tancament de caixa
BlockedLogBillDownload=Descarrega la factura del client
BlockedLogBillPreview=Previsualització de la factura del client
BlockedlogInfoDialog=Detalls del registre
@@ -45,10 +45,10 @@ DownloadLogCSV=Exporta els registres arxivats (CSV)
logDOC_PREVIEW=Vista prèvia d'un document validat per imprimir o descarregar
logDOC_DOWNLOAD=Descarregar un document validat per imprimir o enviar
DataOfArchivedEvent=Dades completes d'esdeveniments arxivats
-ImpossibleToReloadObject=Objecte original (tipus %s, id %s) no enllaçat (vegeu la columna "Dades complets" per obtenir dades guardades inalterables)
+ImpossibleToReloadObject=Objecte original (tipus %s, identificador %s) no enllaçat (vegeu la columna "Dades completes" per a obtenir dades desades inalterables)
BlockedLogAreRequiredByYourCountryLegislation=El mòdul de registres inalterables pot ser requerit per la legislació del vostre país. La desactivació d'aquest mòdul pot fer que qualsevol transacció futura sigui invàlida pel que fa a la llei i l'ús del programari legal, ja que no es pot validar mitjançant una auditoria fiscal.
BlockedLogActivatedBecauseRequiredByYourCountryLegislation=El mòdul de registres inalterables s'ha activat a causa de la legislació del vostre país. La desactivació d'aquest mòdul pot fer que qualsevol transacció futura sigui invàlida pel que fa a la llei i l'ús del programari legal, ja que no es pot validar mitjançant una auditoria fiscal.
BlockedLogDisableNotAllowedForCountry=Llista de països on l'ús d'aquest mòdul és obligatori (només per impedir que es desactivi el mòdul per error, si el vostre país està en aquesta llista, la desactivació del mòdul no és possible sense editar aquesta llista. Noteu també que habilitar / desactivar aquest mòdul seguiu una pista en el registre inalterable).
OnlyNonValid=No vàlid
TooManyRecordToScanRestrictFilters=Hi ha massa registres per escanejar / analitzar. Limiteu la llista amb filtres més restrictius.
-RestrictYearToExport=Restringiu el mes / any per exportar
+RestrictYearToExport=Restringeix el mes / any per a exportar
diff --git a/htdocs/langs/ca_ES/bookmarks.lang b/htdocs/langs/ca_ES/bookmarks.lang
index 8e406ad77d6..423f70a3814 100644
--- a/htdocs/langs/ca_ES/bookmarks.lang
+++ b/htdocs/langs/ca_ES/bookmarks.lang
@@ -4,15 +4,15 @@ Bookmark=Marcador
Bookmarks=Marcadors
ListOfBookmarks=Llista de marcadors
EditBookmarks=Llista/edita els marcadors
-NewBookmark=Nou marcador
+NewBookmark=Marcador nou
ShowBookmark=Mostra marcador
OpenANewWindow=Obriu una pestanya nova
ReplaceWindow=Reemplaça la pestanya actual
-BookmarkTargetNewWindowShort=Nova pestanya
+BookmarkTargetNewWindowShort=Pestanya nova
BookmarkTargetReplaceWindowShort=Pestanya actual
BookmarkTitle=Nom de marcatge
UrlOrLink=URL
-BehaviourOnClick=Comportament al fer clic a la URL
+BehaviourOnClick=Comportament quan se selecciona un URL de marcador
CreateBookmark=Crea marcador
SetHereATitleForLink=Estableix un nom per al marcador
UseAnExternalHttpLinkOrRelativeDolibarrLink=Utilitzeu un enllaç extern / absolut (https://URL) o un enllaç intern / relatiu (/DOLIBARR_ROOT/htdocs/...)
diff --git a/htdocs/langs/ca_ES/boxes.lang b/htdocs/langs/ca_ES/boxes.lang
index db7fab66a6b..6d7ac837c78 100644
--- a/htdocs/langs/ca_ES/boxes.lang
+++ b/htdocs/langs/ca_ES/boxes.lang
@@ -40,19 +40,22 @@ BoxTitleLastModifiedContacts=Adreces i contactes: últims %s modificats
BoxMyLastBookmarks=Adreces d'interès: últims %s
BoxOldestExpiredServices=Serveis antics expirats
BoxLastExpiredServices=Últims %s contactes amb serveis actius expirats
-BoxTitleLastActionsToDo=Últims %s events a realitzar
+BoxTitleLastActionsToDo=Últimes %s accions a fer
BoxTitleLastContracts=Últims %s contractes modificats
BoxTitleLastModifiedDonations=Últimes %s donacions modificades
BoxTitleLastModifiedExpenses=Últimes %s despeses modificades
BoxTitleLatestModifiedBoms=Últimes %s llistes de material modificades
BoxTitleLatestModifiedMos=Últimes %s ordres de fabricació modificades
+BoxTitleLastOutstandingBillReached=Clients que han superat el màxim pendent
BoxGlobalActivity=Activitat global
BoxGoodCustomers=Bons clients
BoxTitleGoodCustomers=% bons clients
+BoxScheduledJobs=Tasques programades
+BoxTitleFunnelOfProspection=Oportunitat embut
FailedToRefreshDataInfoNotUpToDate=No s'ha pogut actualitzar el flux RSS. Última data d'actualització amb èxit: %s
LastRefreshDate=Última data que es va refrescar
NoRecordedBookmarks=No hi ha marcadors personals.
-ClickToAdd=Faci clic aquí per afegir.
+ClickToAdd=Feu clic aquí per afegir.
NoRecordedCustomers=Cap client registrat
NoRecordedContacts=Cap contacte registrat
NoActionsToDo=Sense esdeveniments a realitzar
@@ -102,6 +105,7 @@ SuspenseAccountNotDefined=El compte de suspens no està definit
BoxLastCustomerShipments=Últims enviaments de clients
BoxTitleLastCustomerShipments=Últims %s enviaments de clients
NoRecordedShipments=Cap enviament de client registrat
+BoxCustomersOutstandingBillReached=Clients que superen el límit pendent
# Pages
AccountancyHome=Comptabilitat
ValidatedProjects=Projectes validats
diff --git a/htdocs/langs/ca_ES/cashdesk.lang b/htdocs/langs/ca_ES/cashdesk.lang
index c17e230f1ee..fbc87a00e27 100644
--- a/htdocs/langs/ca_ES/cashdesk.lang
+++ b/htdocs/langs/ca_ES/cashdesk.lang
@@ -11,10 +11,10 @@ CashDeskStock=Estoc
CashDeskOn=de
CashDeskThirdParty=Tercer
ShoppingCart=Cistella
-NewSell=Nova venda
+NewSell=Venda nova
AddThisArticle=Afegeix aquest article
RestartSelling=Reprendre la venda
-SellFinished=Venda acabada
+SellFinished=Venda completa
PrintTicket=Imprimir
SendTicket=Envia el tiquet
NoProductFound=Cap article trobat
@@ -49,7 +49,7 @@ Footer=Peu de pàgina
AmountAtEndOfPeriod=Import al final del període (dia, mes o any)
TheoricalAmount=Import teòric
RealAmount=Import real
-CashFence=Recompte d'efectiu
+CashFence=Tancament de caixa
CashFenceDone=Tancament de caixa realitzat pel període
NbOfInvoices=Nº de factures
Paymentnumpad=Tipus de pad per introduir el pagament
@@ -95,12 +95,13 @@ PrintMethod=Mètode d'impressió
ReceiptPrinterMethodDescription=Mètode potent amb molts paràmetres. Completament personalitzable amb plantilles. No es pot imprimir des del núvol.
ByTerminal=Per terminal
TakeposNumpadUsePaymentIcon=Utilitzeu la icona en lloc del text als botons de pagament del teclat numèric
-CashDeskRefNumberingModules=Mòdul de numeració per a vendes del Punt de Venda (POS)
-CashDeskGenericMaskCodes6 = l'etiqueta {TN} s'utilitza per afegir el numero de terminal
+CashDeskRefNumberingModules=Mòdul de numeració per a vendes des del TPV (Punt de Venda)
+CashDeskGenericMaskCodes6 = L'etiqueta {TN} s'utilitza per a afegir el número de terminal
TakeposGroupSameProduct=Agrupa les mateixes línies de productes
-StartAParallelSale=Inicia una nova venda paral·lela
-ControlCashOpening=Control de caixa en obrir el TPV
-CloseCashFence=Tanca el recompte d'efectiu
+StartAParallelSale=Comenceu una venda nova paral·lela
+SaleStartedAt=La venda va començar a %s
+ControlCashOpening=Finestra emergent de control de caixa en obrir el TPV
+CloseCashFence=Tanca el control de caixa
CashReport=Informe d'efectiu
MainPrinterToUse=Impressora principal a utilitzar
OrderPrinterToUse=Impressora de comandes a utilitzar
diff --git a/htdocs/langs/ca_ES/categories.lang b/htdocs/langs/ca_ES/categories.lang
index 900f42e763a..195fe0a4157 100644
--- a/htdocs/langs/ca_ES/categories.lang
+++ b/htdocs/langs/ca_ES/categories.lang
@@ -5,9 +5,9 @@ RubriquesTransactions=Etiquetes d'assentaments
categories=etiquetes
NoCategoryYet=No s'ha creat cap etiqueta d'aquest tipus
In=En
-AddIn=Afegir en
-modify=Modificar
-Classify=Classificar
+AddIn=Afegeix
+modify=Modifica
+Classify=Classifica
CategoriesArea=Àrea d'etiquetes
ProductsCategoriesArea=Àrea d'etiquetes de productes/serveis
SuppliersCategoriesArea=Àrea d'etiquetes de proveïdors
@@ -19,6 +19,7 @@ ProjectsCategoriesArea=Àrea d'etiquetes de projectes
UsersCategoriesArea=Àrea d'etiquetes d'usuaris
SubCats=Subcategories
CatList=Llistat d'etiquetes
+CatListAll=Llista d'etiquetes (tots els tipus)
NewCategory=Etiqueta nova
ModifCat=Modifica l'etiqueta
CatCreated=Etiqueta creada
@@ -65,16 +66,22 @@ UsersCategoriesShort=Etiquetes d'usuaris
StockCategoriesShort=Etiquetes / categories de magatzem
ThisCategoryHasNoItems=Aquesta categoria no conté cap element.
CategId=ID d'etiqueta
-CatSupList=Llistat d'etiquetes de proveïdors
-CatCusList=Llistat d'etiquetes de clients/clients potencials
+ParentCategory=Etiqueta mare
+ParentCategoryLabel=Descripció de l'etiqueta mare
+CatSupList=Llista d'etiquetes de proveïdors
+CatCusList=Llista d'etiquetes de clients/potencials
CatProdList=Llistat d'etiquetes de productes
CatMemberList=Llistat d'etiquetes de socis
-CatContactList=Llistat d'etiquetes de contactes
+CatContactList=Llista d’etiquetes de contactes
+CatProjectsList=Llista d’etiquetes de projectes
+CatUsersList=Llista d'etiquetes d'usuaris
CatSupLinks=Enllaços entre proveïdors i etiquetes
CatCusLinks=Enllaços entre clients/clients potencials i etiquetes
CatContactsLinks=Enllaços entre contactes / adreces i etiquetes / categories
CatProdLinks=Enllaços entre productes/serveis i etiquetes
-CatProJectLinks=Enllaços entre projectes i etiquetes
+CatMembersLinks=Enllaços entre socis i etiquetes
+CatProjectsLinks=Enllaços entre projectes i etiquetes
+CatUsersLinks=Enllaços entre usuaris i etiquetes
DeleteFromCat=Elimina de l'etiqueta
ExtraFieldsCategories=Atributs complementaris
CategoriesSetup=Configuració d'etiquetes
diff --git a/htdocs/langs/ca_ES/companies.lang b/htdocs/langs/ca_ES/companies.lang
index 1ed63965f27..be17f07426e 100644
--- a/htdocs/langs/ca_ES/companies.lang
+++ b/htdocs/langs/ca_ES/companies.lang
@@ -245,7 +245,7 @@ ProfId3TN=CNAE
ProfId4TN=CCC
ProfId5TN=-
ProfId6TN=-
-ProfId1US=Prof Id (FEIN) associat a l'Administració de taxes dels USA
+ProfId1US=FEIN
ProfId2US=-
ProfId3US=-
ProfId4US=-
@@ -349,7 +349,7 @@ NewContactAddress=Contacte/Adreça nova
MyContacts=Els meus contactes
Capital=Capital
CapitalOf=Capital de %s
-EditCompany=Modificar empresa
+EditCompany=Edita l'empresa
ThisUserIsNot=Aquest usuari no és client potencial, client o proveïdor
VATIntraCheck=Verificar
VATIntraCheckDesc=L'enllaç %s permet consultar el NIF intracomunitari al servei de control europeu. Es requereix accés a internet per a que el servei funcioni.
@@ -358,7 +358,7 @@ VATIntraCheckableOnEUSite=Verifica el NIF Intracomunitari a la web de la Comissi
VATIntraManualCheck=També podeu verificar-ho manualment al lloc web de la Comissió Europea %s
ErrorVATCheckMS_UNAVAILABLE=Comprovació impossible. El servei de comprovació no és prestat pel país membre (%s).
NorProspectNorCustomer=Ni client, ni client potencial
-JuridicalStatus=Tipus d'entitat legal
+JuridicalStatus=Tipus d'entitat empresarial
Workforce=Força de treball
Staff=Empleats
ProspectLevelShort=Potencial
diff --git a/htdocs/langs/ca_ES/compta.lang b/htdocs/langs/ca_ES/compta.lang
index 7cd6406d3ff..c4dbff76836 100644
--- a/htdocs/langs/ca_ES/compta.lang
+++ b/htdocs/langs/ca_ES/compta.lang
@@ -75,12 +75,12 @@ TypeContrib=Tipus d'aportació
MenuSpecialExpenses=Pagaments especials
MenuTaxAndDividends=Impostos i càrregues
MenuSocialContributions=Impostos varis
-MenuNewSocialContribution=Nou impost varis
-NewSocialContribution=Nou impost varis
+MenuNewSocialContribution=Impost varis nou
+NewSocialContribution=Impost varis nou
AddSocialContribution=Afegeix un impost varis
ContributionsToPay=Impostos varis a pagar
AccountancyTreasuryArea=Àrea de facturació i pagament
-NewPayment=Nou pagament
+NewPayment=Pagament nou
PaymentCustomerInvoice=Cobrament factura a client
PaymentSupplierInvoice=Pagament de la factura del proveïdor
PaymentSocialContribution=Pagament d'impost varis
@@ -88,16 +88,16 @@ PaymentVat=Pagament IVA
ListPayment=Llistat de pagaments
ListOfCustomerPayments=Llistat de cobraments de clients
ListOfSupplierPayments=Llista de pagaments a proveïdors
-DateStartPeriod=Data d'inici del periode
-DateEndPeriod=Data final del periode
-newLT1Payment=Nou pagament de RE
-newLT2Payment=Nou pagament IRPF
+DateStartPeriod=Data d'inici del període
+DateEndPeriod=Data final del període
+newLT1Payment=Pagament de RE nou
+newLT2Payment=Pagament d'IRPF nou
LT1Payment=Pagament RE
LT1Payments=Pagaments RE
LT2Payment=Pagament IRPF
LT2Payments=Pagaments IRPF
-newLT1PaymentES=Nou pagament de RE
-newLT2PaymentES=Nou pagament d'IRPF
+newLT1PaymentES=Pagament de RE nou
+newLT2PaymentES=Pagament d'IRPF nou
LT1PaymentES=Pagament de RE
LT1PaymentsES=Pagaments de RE
LT2PaymentES=Pagament IRPF
@@ -105,19 +105,19 @@ LT2PaymentsES=Pagaments IRPF
VATPayment=Pagament d'impost de vendes
VATPayments=Pagaments d'impost de vendes
VATRefund=Devolució IVA
-NewVATPayment=Nou pagament d'impostos a les vendes
-NewLocalTaxPayment=Nou pagament d'impostos %s
+NewVATPayment=Pagament nou de l'impost sobre les vendes
+NewLocalTaxPayment=Pagament nou d'impostos %s
Refund=Devolució
SocialContributionsPayments=Pagaments d'impostos varis
ShowVatPayment=Veure pagaments IVA
TotalToPay=Total a pagar
-BalanceVisibilityDependsOnSortAndFilters=El balanç es visible en aquest llistat només si la taula està ordenada de manera ascendent sobre %s i filtrada per 1 compte bancari
+BalanceVisibilityDependsOnSortAndFilters=El saldo només es pot veure en aquesta llista si la taula està ordenada amb %s i es filtra en 1 compte bancari (sense altres filtres)
CustomerAccountancyCode=Codi comptable del client
SupplierAccountancyCode=Codi de comptabilitat del venedor
CustomerAccountancyCodeShort=Codi compt. cli.
SupplierAccountancyCodeShort=Codi compt. prov.
AccountNumber=Número de compte
-NewAccountingAccount=Nou compte
+NewAccountingAccount=Compte nou
Turnover=Facturació facturada
TurnoverCollected=Facturació recopilada
SalesTurnoverMinimum=Facturació mínima
@@ -127,8 +127,8 @@ ByUserAuthorOfInvoice=Per autor de la factura
CheckReceipt=Ingrés de xec
CheckReceiptShort=Ingrés de xec
LastCheckReceiptShort=Últimes %s remeses de xec
-NewCheckReceipt=Nou descompte
-NewCheckDeposit=Nou ingrés
+NewCheckReceipt=Descompte nou
+NewCheckDeposit=Ingrés nou
NewCheckDepositOn=Crea remesa per ingressar al compte: %s
NoWaitingChecks=Sense xecs en espera de l'ingrés.
DateChequeReceived=Data recepció del xec
@@ -140,7 +140,7 @@ ConfirmDeleteSocialContribution=Esteu segur de voler eliminar el pagament d'aque
ExportDataset_tax_1=Impostos varis i pagaments
CalcModeVATDebt=Mode d'%sIVA sobre comptabilitat de compromís%s .
CalcModeVATEngagement=Mode d'%sIVA sobre ingressos-despeses%s.
-CalcModeDebt=Anàlisi de factures conegudes registrades, fins i tot si encara no estan comptabilitzades en el llibre major.
+CalcModeDebt=Anàlisi de documents registrats coneguts encara no comptabilitzats al llibre major.
CalcModeEngagement=Anàlisi dels pagaments registrats coneguts, fins i tot si encara no estan comptabilitzat en el Llibre Major.
CalcModeBookkeeping=Anàlisi de dades publicades a la taula de compilació de llibres.
CalcModeLT1= Metode %sRE factures a client - factures de proveïdor%s
@@ -154,9 +154,9 @@ AnnualSummaryInputOutputMode=Saldo d'ingressos i despeses, resum anual
AnnualByCompanies=Saldo d'ingressos i despeses, per grups de compte predefinits
AnnualByCompaniesDueDebtMode=Saldo d'ingressos i despeses, detall per grups predefinits, mode %sReclamacions-Deutes%s és a dir Comptabilitat de compromisos.
AnnualByCompaniesInputOutputMode=Saldo d'ingressos i despeses, detall per grups predefinits, mode %sIngresos-Despeses%s és a dir comptabilitat d'efectiu.
-SeeReportInInputOutputMode=Veure %sl'anàlisi de pagaments %s per a un càlcul dels pagaments realitzats fins i tot si encara no estan comptabilitzats en el Llibre Major.
-SeeReportInDueDebtMode=Veure l'informe %sanàlisi de factures%s per a un càlcul basat en factures registrades conegudes encara que encara no s'hagin comptabilitzat en el Llibre Major.
-SeeReportInBookkeepingMode=Veure %sl'informe%s per a un càlcul a Taula de Llibre Major
+SeeReportInInputOutputMode=Mostra%sl'anàlisi de pagaments%s per a obtenir un càlcul basat en pagaments registrats realitzats fins i tot si encara no estan comptabilitzats al llibre major
+SeeReportInDueDebtMode=Mostra l'%sanàlisi de documents registrats%s per a obtenir un càlcul basat en els documents registrats coneguts, fins i tot si encara no estan comptabilitzats al llibre major.
+SeeReportInBookkeepingMode=Mostra %sl'anàlisi de la taula de llibres comptables%s per a obtenir un informe basat en Taula de llibres comptables
RulesAmountWithTaxIncluded=- Els imports mostrats són amb tots els impostos inclosos.
RulesResultDue=- Inclou factures pendents, despeses, IVA, donacions tant si han estat pagades com si no. També inclou salaris pagats. - Es basa en la data de facturació de les factures i en la data de venciment per despeses o pagaments d’impostos. Per als salaris definits amb el mòdul Salari, s’utilitza la data de valor del pagament.
RulesResultInOut=- Inclou els pagaments reals realitzats en les factures, les despeses, l'IVA i els salaris. - Es basa en les dates de pagament de les factures, les despeses, l'IVA i els salaris. La data de la donació per a la donació.
@@ -231,7 +231,7 @@ ACCOUNTING_VAT_SOLD_ACCOUNT=Compte de comptabilitat per defecte per l'IVA en ven
ACCOUNTING_VAT_BUY_ACCOUNT=Compte de comptabilitat per defecte per l'IVA en les compres (s'utilitza si no es defineix en la configuració del diccionari d'IVA)
ACCOUNTING_VAT_PAY_ACCOUNT=Compte comptable per defecte per IVA pagat
ACCOUNTING_ACCOUNT_CUSTOMER=Accounting account used for customer third parties
-ACCOUNTING_ACCOUNT_CUSTOMER_Desc=El compte de comptabilitat dedicat definit a la targeta de tercers només s'utilitzarà per a la comptabilitat del Llibre Major. Aquest serà utilitzat per al Llibre Major i com a valor predeterminat de la comptabilitat de subcompte si el compte de comptabilitat de clients dedicat a tercers no està definit.
+ACCOUNTING_ACCOUNT_CUSTOMER_Desc=El compte comptable dedicat definit a la fitxa de tercer només s’utilitzarà per a la comptabilitat auxiliar. Aquest s'utilitzarà per al llibre major i com a valor per defecte de la comptabilitat auxiliar si no es defineix un compte comptable de client dedicat a tercers.
ACCOUNTING_ACCOUNT_SUPPLIER=Compte de comptabilitat utilitzat per tercers proveïdors
ACCOUNTING_ACCOUNT_SUPPLIER_Desc=El compte comptable dedicat definit a la fitxa de tercers només s'utilitzarà per al Llibre Major. Aquest serà utilitzat pel Llibre Major i com a valor predeterminat del subcompte si no es defineix un compte comptable a la fitxa del tercer.
ConfirmCloneTax=Confirma el clonat d'un impost social / fiscal
diff --git a/htdocs/langs/ca_ES/cron.lang b/htdocs/langs/ca_ES/cron.lang
index c2771dd9a03..80c0b738715 100644
--- a/htdocs/langs/ca_ES/cron.lang
+++ b/htdocs/langs/ca_ES/cron.lang
@@ -7,10 +7,10 @@ Permission23103 = Elimina la tasca programada
Permission23104 = Executa les tasques programades
# Admin
CronSetup=Pàgina de configuració del mòdul - Gestió de tasques planificades
-URLToLaunchCronJobs=URL per comprovar i posar en marxa les tasques automàtiques qualificades
-OrToLaunchASpecificJob=O per llançar una tasca específica
+URLToLaunchCronJobs=URL per comprovar i iniciar les tasques programades des d'un navegador
+OrToLaunchASpecificJob=O per comprovar i iniciar una tasca específica des d’un navegador
KeyForCronAccess=Codi de seguretat per a la URL de llançament de tasques automàtiques
-FileToLaunchCronJobs=Línia de comando per verificar i executar tasques cron qualificades
+FileToLaunchCronJobs=Línia d'ordres per a comprovar i iniciar les tasques cron qualificades
CronExplainHowToRunUnix=A entorns Unix s'ha d'utilitzar la següent entrada crontab per executar la comanda cada 5 minuts
CronExplainHowToRunWin=En l'entorn de Microsoft (tm) de Windows, podeu utilitzar les Eines de tasques programades per executar la línia de comandaments cada 5 minuts
CronMethodDoesNotExists=La classe %s no conté cap mètode %s
@@ -22,7 +22,7 @@ EnabledAndDisabled=Habilitat i deshabilitat
# Page list
CronLastOutput=Última sortida d'execució
CronLastResult=Últim codi retornat
-CronCommand=Comando
+CronCommand=Ordre
CronList=Tasques programades
CronDelete=Elimina les tasques programades
CronConfirmDelete=Vols eliminar aquests treballs programats?
@@ -43,13 +43,13 @@ CronModule=Mòdul
CronNoJobs=Sense treballs actualment
CronPriority=Prioritat
CronLabel=Etiqueta
-CronNbRun=Nº execucions
-CronMaxRun=Número màxim d'execucions
+CronNbRun=Nombre d'execucions
+CronMaxRun=Nombre màxim d'execucions
CronEach=Tota (s)
JobFinished=Tasques llançades i finalitzades
Scheduled=Programat
#Page card
-CronAdd= Afegir una tasca
+CronAdd= Afegeix tasques
CronEvery=Executa cada tasca
CronObject=Instància/Objecte a crear
CronArgs=Argument
@@ -68,14 +68,14 @@ CronClassFileHelp=La ruta relativa i el nom del fitxer a carregar (la ruta és r
CronObjectHelp=El nom de l'objecte a carregar. Per exemple, per cridar al mètode "fetch" de l'objecte Producte de Dolibarr /htdocs/product/class/product.class.php, el valor pel nom del fitxer de classe és Product
CronMethodHelp=El mètode d'objecte a cridar. Per exemple, per cridar al mètode "fetch" de l'objecte Producte de Dolibarr /htdocs/product/class/product.class.php, el valor pel mètode és fetch
CronArgsHelp=Els arguments del mètode. Per exemple, cridar al mètode "fetch" de l'objecte Producte de Dolibarr /htdocs/product/class/product.class.php, el valor dels paràmetres pot ser 0, ProductRef
-CronCommandHelp=El comando del sistema a executar
+CronCommandHelp=La línia d'ordres del sistema a executar.
CronCreateJob=Crear nova tasca programada
CronFrom=De
# Info
# Common
CronType=Tipus de tasca
CronType_method=Mètode per cridar una classe PHP
-CronType_command=Comando Shell
+CronType_command=Ordre Shell
CronCannotLoadClass=Impossible carregar el fitxer de la classe %s (per utilitzar la classe %s)
CronCannotLoadObject=El "class file" %s s'ha carregat, però l'objecte %s no s'ha trobat dins d'ell
UseMenuModuleToolsToAddCronJobs=Vés al menú "Inici - Eines d'administració: treballs programats" per veure i editar les tasques programades.
@@ -84,3 +84,8 @@ MakeLocalDatabaseDumpShort=Còpia de seguretat de la base de dades local
MakeLocalDatabaseDump=Crear un bolcat de la base de dades local. Els paràmetres són: compressió ('gz' o 'bz' o 'none'), tipus de còpia de seguretat ('mysql' o 'pgsql'), 1, 'auto' o nom de fitxer per a compilar, nombre de fitxers de còpia de seguretat per conservar
WarningCronDelayed=Attention, for performance purpose, whatever is next date of execution of enabled jobs, your jobs may be delayed to a maximum of %s hours, before being run.
DATAPOLICYJob=Netejador de dades i anonimitzador
+JobXMustBeEnabled=La tasca %s s'ha d'activar
+# Cron Boxes
+LastExecutedScheduledJob=Darrera tasca programada executada
+NextScheduledJobExecute=Propera tasca programada a executar
+NumberScheduledJobError=Nombre de tasques programades en error
diff --git a/htdocs/langs/ca_ES/dict.lang b/htdocs/langs/ca_ES/dict.lang
index 00988d0d397..1d0f708a3e0 100644
--- a/htdocs/langs/ca_ES/dict.lang
+++ b/htdocs/langs/ca_ES/dict.lang
@@ -166,7 +166,7 @@ CountryNR=Nauru
CountryNP=Nepal
CountryAN=Antilles Holandeses
CountryNC=Nova Caledònia
-CountryNZ=Nouvelle-Zélande
+CountryNZ=Nova Zelanda
CountryNI=Nicaragua
CountryNE=Níger
CountryNG=Nigèria
@@ -197,7 +197,7 @@ CountryPM=San Pedro i Miquelon
CountryVC=Saint Vincent i les Grenadines
CountryWS=Samoa
CountrySM=San Marino
-CountryST=São Tomé i Príncipe
+CountryST=Sao Tomé i Príncep
CountryRS=Serbia
CountrySC=Seychelles
CountrySL=Sierra Leone
@@ -223,7 +223,7 @@ CountryTO=Tonga
CountryTT=Trinité-et-Tobago
CountryTR=Turquia
CountryTM=Turkmenistan
-CountryTC=Illes turques i caicos
+CountryTC=Illes Turques i Caicos
CountryTV=Tuvalu
CountryUG=Uganda
CountryUA=Ucraïna
@@ -245,7 +245,7 @@ CountryGG=Guernesey
CountryIM=Ile de Man
CountryJE=Jersey
CountryME=Monténégro
-CountryBL=Saint-Barthélemy
+CountryBL=Sant Bartomeu
CountryMF=Saint-Martin
##### Civilities #####
@@ -353,7 +353,7 @@ ExpAuto10PCV=10 CV i més
ExpAuto11PCV=11 CV i més
ExpAuto12PCV=12 CV i més
ExpAuto13PCV=13 CV i més
-ExpCyclo=Capacitat inferior a 50cm3
+ExpCyclo=Capacitat inferior a 50 cm3
ExpMoto12CV=Moto 1 ó 2 CV
ExpMoto345CV=Moto 3, 4 ó 5 CV
ExpMoto5PCV=Moto 5 CV i més
diff --git a/htdocs/langs/ca_ES/ecm.lang b/htdocs/langs/ca_ES/ecm.lang
index f26824bcc38..fb39f111e08 100644
--- a/htdocs/langs/ca_ES/ecm.lang
+++ b/htdocs/langs/ca_ES/ecm.lang
@@ -7,15 +7,15 @@ ECMSectionsManual=Arbre manual
ECMSectionsAuto=Arbre automàtic
ECMSections=Carpetes
ECMRoot=Arrel del ECM
-ECMNewSection=Nova carpeta
-ECMAddSection=Afegir carpeta
+ECMNewSection=Carpeta nova
+ECMAddSection=Afegeix directori
ECMCreationDate=Data creació
ECMNbOfFilesInDir=Nombre d'arxius a la carpeta
-ECMNbOfSubDir=nombre de subcarpetes
+ECMNbOfSubDir=Nombre de subcarpetes
ECMNbOfFilesInSubDir=Nombre d'arxius en les subcarpetes
ECMCreationUser=Creador
ECMArea=Àrea SGD/GCE
-ECMAreaDesc=L'àrea SGD / GCE (Sistema de Gestió de Documents / Gestió de Continguts Electrònics) et permet desar, compartir i cercar ràpidament tot tipus de documents a Dolibarr.
+ECMAreaDesc=L’àrea SGD/GED (Sistema de Gestió de Documents / Gestió de Continguts Electrònics) us permet desar, compartir i cercar ràpidament tota mena de documents a Dolibarr.
ECMAreaDesc2=Podeu crear carpetes manuals i adjuntar els documents Les carpetes automàtiques són emplenades automàticament en l'addició d'un document en una fitxa.
ECMSectionWasRemoved=La carpeta %s ha estat eliminada
ECMSectionWasCreated=S'ha creat el directori %s.
diff --git a/htdocs/langs/ca_ES/errors.lang b/htdocs/langs/ca_ES/errors.lang
index 520515f844c..cb12fdd27c9 100644
--- a/htdocs/langs/ca_ES/errors.lang
+++ b/htdocs/langs/ca_ES/errors.lang
@@ -8,6 +8,7 @@ ErrorBadEMail=Correu electrònic %s és incorrecte
ErrorBadMXDomain=El correu electrònic %s sembla incorrecte (el domini no té cap registre MX vàlid)
ErrorBadUrl=Url %s invàlida
ErrorBadValueForParamNotAString=Valor incorrecte del paràmetre. Acostuma a passar quan falta la traducció.
+ErrorRefAlreadyExists=La referència %s ja existeix.
ErrorLoginAlreadyExists=El login %s ja existeix.
ErrorGroupAlreadyExists=El grup %s ja existeix.
ErrorRecordNotFound=Registre no trobat
@@ -49,6 +50,7 @@ ErrorFieldsRequired=No s'han indicat alguns camps obligatoris
ErrorSubjectIsRequired=The email topic is required
ErrorFailedToCreateDir=Error en la creació d'una carpeta. Comprovi que l'usuari del servidor web té drets d'escriptura en les carpetes de documents de Dolibarr. Si el paràmetre safe_mode està actiu en aquest PHP, Comproveu que els fitxers php dolibarr pertanyen a l'usuari del servidor web.
ErrorNoMailDefinedForThisUser=E-Mail no definit per a aquest usuari
+ErrorSetupOfEmailsNotComplete=La configuració dels correus electrònics no s'ha completat
ErrorFeatureNeedJavascript=Aquesta funcionalitat requereix javascript actiu per funcionar. Modifiqueu en configuració->entorn.
ErrorTopMenuMustHaveAParentWithId0=Un menú del tipus 'Superior' no pot tenir un menú pare. Poseu 0 al menú pare o trieu un menú del tipus 'Esquerra'.
ErrorLeftMenuMustHaveAParentId=Un menú del tipus 'Esquerra' ha de tenir un ID de pare
@@ -74,9 +76,9 @@ ErrorFieldMustHaveXChar=El camp %s ha de tenir com a mínim %s caràcte
ErrorNoAccountancyModuleLoaded=Mòdul de comptabilitat no activat
ErrorExportDuplicateProfil=El nom d'aquest perfil ja existeix per aquest conjunt d'exportació
ErrorLDAPSetupNotComplete=La configuració Dolibarr-LDAP és incompleta.
-ErrorLDAPMakeManualTest=S'ha creat un arxiu .ldif a la carpeta %s. Intenta carregar-lo manualment des de la línia de comandes per tenir més informació sobre l'error.
+ErrorLDAPMakeManualTest=S'ha generat un fitxer .ldif al directori %s. Proveu de carregar-lo manualment des de la línia de comandes per a obtenir més informació sobre els errors.
ErrorCantSaveADoneUserWithZeroPercentage=No es pot desar una acció amb "estat no iniciat" si el camp "fet per" també s'omple.
-ErrorRefAlreadyExists=La referència utilitzada per a la creació ja existeix
+ErrorRefAlreadyExists=La referència %s ja existeix.
ErrorPleaseTypeBankTransactionReportName=Si us plau, tecleja el nom del extracte bancari on s'informa del registre (format AAAAMM o AAAAMMDD)
ErrorRecordHasChildren=No s'ha pogut eliminar el registre, ja que té alguns registres fills.
ErrorRecordHasAtLeastOneChildOfType=L'objecte té almenys un fill de tipus %s
@@ -133,7 +135,7 @@ ErrorModuleFileRequired=Ha de seleccionar un arxiu del paquet del mòdul de Doli
ErrorPhpCurlNotInstalled=L'extensió PHP CURL no es troba instal·lada, és indispensable per dialogar amb Paypal.
ErrorFailedToAddToMailmanList=S'ha produït un error en intentar afegir un registre a la llista Mailman o base de dades SPIP
ErrorFailedToRemoveToMailmanList=Error en l'eliminació de %s de la llista Mailmain %s o base SPIP
-ErrorNewValueCantMatchOldValue=El Nou valor no pot ser igual al antic
+ErrorNewValueCantMatchOldValue=El valor nou no pot ser igual al valor antic
ErrorFailedToValidatePasswordReset=No s'ha pogut restablir la contrasenya. És possible que aquest enllaç ja s'hagi utilitzat (aquest enllaç només es pot utilitzar una vegada). Si no és el cas prova de reiniciar el procés de restabliment de contrasenya des del principi.
ErrorToConnectToMysqlCheckInstance=Error de connexió amb la base de dades. Comprovi que el servidor de la base de dades està funcionant (per exemple, amb mysql/mariadb, pot iniciar-lo amb el comandament 'sudo service mysql start')
ErrorFailedToAddContact=Error en l'addició del contacte
@@ -181,7 +183,7 @@ ErrorGlobalVariableUpdater5=Sense variable global seleccionada
ErrorFieldMustBeANumeric=El camp %s ha de ser un valor numèric
ErrorMandatoryParametersNotProvided=Paràmetre/s obligatori/s no definits
ErrorOppStatusRequiredIfAmount=Establiu una quantitat estimada d'aquest avantatge. Així que també heu d'introduir el seu estat.
-ErrorFailedToLoadModuleDescriptorForXXX=Failed to load module descriptor class for %s
+ErrorFailedToLoadModuleDescriptorForXXX=No s'ha pogut carregar la classe del descriptor del mòdul per %s
ErrorBadDefinitionOfMenuArrayInModuleDescriptor=Definició incorrecta del menú Array en el descriptor del mòdul (valor incorrecte per a la clau fk_menu)
ErrorSavingChanges=S'ha produït un error en desar els canvis
ErrorWarehouseRequiredIntoShipmentLine=El magatzem és obligatori en la línia a enviar
@@ -224,10 +226,10 @@ ErrorDuringChartLoad=S'ha produït un error en carregar el gràfic de comptes. S
ErrorBadSyntaxForParamKeyForContent=Sintaxi incorrecta per a la clau de contingut del paràmetre. Ha de tenir un valor que comenci per %s o %s
ErrorVariableKeyForContentMustBeSet=Error, s'ha d'establir la constant amb el nom %s (amb contingut de text per mostrar) o %s (amb url extern per mostrar).
ErrorURLMustStartWithHttp=L'URL %s ha de començar amb http: // o https: //
-ErrorNewRefIsAlreadyUsed=Error, la nova referència ja s’està utilitzant
+ErrorNewRefIsAlreadyUsed=Error, la referència nova ja s’està utilitzant
ErrorDeletePaymentLinkedToAClosedInvoiceNotPossible=Error, l’eliminació del pagament vinculat a una factura tancada no és possible.
ErrorSearchCriteriaTooSmall=Criteris de cerca massa petits.
-ErrorObjectMustHaveStatusActiveToBeDisabled=Per desactivar els objectes, han de tenir l'estat "Actiu"
+ErrorObjectMustHaveStatusActiveToBeDisabled=Per a desactivar els objectes, han de tenir l'estat "Actiu"
ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=Per ser activats, els objectes han de tenir l'estat "Esborrany" o "Desactivat"
ErrorNoFieldWithAttributeShowoncombobox=Cap camp té la propietat "showoncombobox" en la definició de l'objecte "%s". No es pot mostrar el llistat desplegable.
ErrorFieldRequiredForProduct=El camp "%s" és obligatori per al producte %s
@@ -246,6 +248,14 @@ ErrorProductDoesNotNeedBatchNumber=Error, el producte ' %s ' no accepta u
ErrorFailedToReadObject=Error, no s'ha pogut llegir l'objecte del tipus %s
ErrorParameterMustBeEnabledToAllwoThisFeature=Error, el paràmetre %s s'ha d'activar a conf/conf.php per permetre l'ús de la interfície de línia d'ordres pel programador de treball intern
ErrorLoginDateValidity=Error, aquest inici de sessió està fora de l'interval de dates de validesa
+ErrorValueLength=La longitud del camp ' %s ' ha de ser superior a ' %s '
+ErrorReservedKeyword=La paraula ' %s ' és una paraula clau reservada
+ErrorNotAvailableWithThisDistribution=No disponible amb aquesta distribució
+ErrorPublicInterfaceNotEnabled=La interfície pública no s'ha activat
+ErrorLanguageRequiredIfPageIsTranslationOfAnother=Cal definir l'idioma de la pàgina nova si es defineix com a traducció d'una altra pàgina
+ErrorLanguageMustNotBeSourceLanguageIfPageIsTranslationOfAnother=L'idioma de la pàgina nova no ha de ser l'idioma d'origen si s'estableix com a traducció d'una altra pàgina
+ErrorAParameterIsRequiredForThisOperation=Un paràmetre és obligatori per a aquesta operació
+
# Warnings
WarningParamUploadMaxFileSizeHigherThanPostMaxSize=El paràmetre PHP upload_max_filesize (%s) és superior al paràmetre PHP post_max_size (%s). No es tracta d’una configuració consistent.
WarningPasswordSetWithNoAccount=S'ha indicat una contrasenya per aquest soci. En canvi, no s'ha creat cap compte d'usuari, de manera que aquesta contrasenya s'ha desat però no pot ser utilitzada per entrar a Dolibarr. Es pot utilitzar per un mòdul/interfície extern, però si no cal definir cap usuari i contrasenya per un soci, pots deshabilitar la opció "Gestiona l'entrada per tots els socis" des de la configuració del mòdul Socis. Si necessites gestionar una entrada sense contrasenya, pots mantenir aquest camp buit i permetre aquest avís. Nota: El correu electrònic es pot utilitzar per entrar si el soci està enllaçat a un usuarí
@@ -276,3 +286,4 @@ WarningSomeBankTransactionByChequeWereRemovedAfter=Algunes transaccions bancàri
WarningFailedToAddFileIntoDatabaseIndex=Advertiment: no s'ha pogut afegir l'entrada de fitxer a la taula d'índex de la base de dades ECM
WarningTheHiddenOptionIsOn=Advertiment, l'opció oculta %s està activada.
WarningCreateSubAccounts=Atenció, no podeu crear directament un subcompte, heu de crear un tercer o un usuari i assignar-los un codi comptable per trobar-los en aquesta llista.
+WarningAvailableOnlyForHTTPSServers=Disponible només si s'utilitza una connexió segura HTTPS.
diff --git a/htdocs/langs/ca_ES/exports.lang b/htdocs/langs/ca_ES/exports.lang
index 5a0d95fcf7d..40abe119e07 100644
--- a/htdocs/langs/ca_ES/exports.lang
+++ b/htdocs/langs/ca_ES/exports.lang
@@ -1,8 +1,8 @@
# Dolibarr language file - Source file is en_US - exports
ExportsArea=Exportacions
ImportArea=Importació
-NewExport=Nova exportació
-NewImport=Nova importació
+NewExport=Exportació nova
+NewImport=Importació nova
ExportableDatas=Conjunt de dades exportables
ImportableDatas=Conjunt de dades importables
SelectExportDataSet=Trieu un conjunt predefinit de dades que voleu exportar ...
@@ -23,7 +23,7 @@ DatasetToImport=Lot de dades a importar
ChooseFieldsOrdersAndTitle=Trieu l'ordre dels camps ...
FieldsTitle=Títol camps
FieldTitle=Títol camp
-NowClickToGenerateToBuildExportFile=Ara, seleccioneu el format del fitxer al quadre combinat i feu clic a "Generar" per generar el fitxer d'exportació ...
+NowClickToGenerateToBuildExportFile=Ara, seleccioneu el format de fitxer al quadre combinat i feu clic a "Genera" per a crear el fitxer d'exportació...
AvailableFormats=Formats disponibles
LibraryShort=Llibreria
ExportCsvSeparator=Caràcter separador del CSV
@@ -35,7 +35,7 @@ FormatedImportDesc2=El primer pas és triar el tipus de dades que voleu importar
FormatedExport=Assistent d'exportació
FormatedExportDesc1=Aquestes eines permeten l'exportació de dades personalitzades mitjançant un assistent, per ajudar-vos en el procés sense necessitat de coneixements tècnics.
FormatedExportDesc2=El primer pas és triar un conjunt de dades predefinit, després els camps que voleu exportar i en quin ordre.
-FormatedExportDesc3=Quan se seleccionen les dades per exportar, podeu triar el format del fitxer de sortida.
+FormatedExportDesc3=Quan se seleccionen les dades per a exportar, podeu triar el format del fitxer de sortida.
Sheet=Fulla
NoImportableData=Sense taules de dades importables (cap mòdul amb les definicions dels perfils d'importació està actiu)
FileSuccessfullyBuilt=Fitxer generat
@@ -117,7 +117,7 @@ ImportFromLine=Importa començant des del número de línia
EndAtLineNb=Final en el número de línia
ImportFromToLine=Interval límit (Des de - Fins a). Per exemple per a ometre les línies de capçalera.
SetThisValueTo2ToExcludeFirstLine=Per exemple, estableixi aquest valor a 3 per excloure les 2 primeres línies. Si no s'ometen les línies de capçalera, això provocarà diversos errors en la simulació d'importació.
-KeepEmptyToGoToEndOfFile=Mantingueu aquest camp buit per processar totes les línies al final del fitxer.
+KeepEmptyToGoToEndOfFile=Mantingueu aquest camp buit per a processar totes les línies fins al final del fitxer.
SelectPrimaryColumnsForUpdateAttempt=Seleccioneu les columnes que s'utilitzaran com a clau principal per a una importació UPDATE
UpdateNotYetSupportedForThisImport=L'actualització no és compatible amb aquest tipus d'importació (només afegir)
NoUpdateAttempt=No s'ha realitzat cap intent d'actualització, només afegir
@@ -130,6 +130,7 @@ FilteredFieldsValues=Valors de filtres
FormatControlRule=Regla de control de format
## imports updates
KeysToUseForUpdates=Clau (columna) a utilitzar per actualització dades existents
-NbInsert=Número de línies afegides: %s
-NbUpdate=Número de línies actualizades: %s
+NbInsert=Nombre de línies afegides: %s
+NbUpdate=Nombre de línies actualitzades: %s
MultipleRecordFoundWithTheseFilters=S'han trobat múltiples registres amb aquests filtres: %s
+StocksWithBatch=Estocs i ubicacions (magatzem) de productes amb número de lot/sèrie
diff --git a/htdocs/langs/ca_ES/holiday.lang b/htdocs/langs/ca_ES/holiday.lang
index e1143a0ae38..699105808bb 100644
--- a/htdocs/langs/ca_ES/holiday.lang
+++ b/htdocs/langs/ca_ES/holiday.lang
@@ -3,7 +3,7 @@ HRM=RRHH
Holidays=Dies lliures
CPTitreMenu=Dies lliures
MenuReportMonth=Estat mensual
-MenuAddCP=Nova petició de dia lliure
+MenuAddCP=Sol·licitud nova de permís
NotActiveModCP=Ha d'activar el mòdul Dies lliures retribuïts per veure aquesta pàgina
AddCP=Realitzar una petició de dies lliures
DateDebCP=Data inici
@@ -15,7 +15,7 @@ CancelCP=Anul·lada
RefuseCP=Rebutjada
ValidatorCP=Validador
ListeCP=Llista de dies lliures
-Leave=Fitxa de dies lliures
+Leave=Sol·licitud de permís
LeaveId=Identificador de baixa
ReviewedByCP=Serà revisada per
UserID=ID d'usuari
@@ -33,7 +33,7 @@ ErrorSQLCreateCP=S'ha produït un error de SQL durant la creació:
ErrorIDFicheCP=S'ha produït un error, aquesta sol·licitud de dies lliures no existeix
ReturnCP=Tornar a la pàgina anterior
ErrorUserViewCP=No esta autoritzat a llegir aquesta petició de dies lliures.
-InfosWorkflowCP=Informació del workflow
+InfosWorkflowCP=Informació del flux de treball
RequestByCP=Comandada per
TitreRequestCP=Fitxa de dies lliures
TypeOfLeaveId=Tipus d'identificador de baixa
@@ -46,14 +46,14 @@ NbUseDaysCPShortInMonth=Dies consumits al mes
DayIsANonWorkingDay=%s és un dia no laborable
DateStartInMonth=Data d'inici al mes
DateEndInMonth=Data de finalització al mes
-EditCP=Modificar
+EditCP=Edita
DeleteCP=Eliminar
ActionRefuseCP=Rebutja
ActionCancelCP=Cancel·la
StatutCP=Estat
TitleDeleteCP=Eliminar la petició de dies lliures
ConfirmDeleteCP=Estàs segur de voler eliminar aquesta petició de dies lliures?
-ErrorCantDeleteCP=Error, no te permisos per eliminar aquesta petició de dies lliures
+ErrorCantDeleteCP=Error, no teniu permisos per a suprimir aquesta sol·licitud de permís.
CantCreateCP=Note permisos per realitzar peticions de dies lliures
InvalidValidatorCP=Ha d'indicar un validador per la seva petició de dies lliures
NoDateDebut=Ha d'indicar una data d'inici.
@@ -80,12 +80,12 @@ UserCP=Usuari
ErrorAddEventToUserCP=S'ha produït un error en l'assignació del permís excepcional.
AddEventToUserOkCP=S'ha afegit el permís excepcional.
MenuLogCP=Veure registre de canvis
-LogCP=Historial d'actualizacions de dies lliures
+LogCP=Registre d’actualitzacions dels dies de vacances disponibles
ActionByCP=Realitzat per
UserUpdateCP=Per a l'usuari
PrevSoldeCP=Saldo anterior
-NewSoldeCP=Nou saldo
-alreadyCPexist=Ha s'ha efectuat una petició de dies lliures per aquest periode
+NewSoldeCP=Saldo nou
+alreadyCPexist=En aquest període ja s’ha fet una sol·licitud de dia lliure.
FirstDayOfHoliday=Primer dia lliure
LastDayOfHoliday=Últim dia de vacances
BoxTitleLastLeaveRequests=Últimes %s peticions de dies lliures modificades
@@ -113,15 +113,15 @@ ErrorMailNotSend=S'ha produït un error en l'enviament del correu electrònic:
NoticePeriod=Preavís
#Messages
HolidaysToValidate=Dies lliures retribuïts a validar
-HolidaysToValidateBody=A continuació trobara una sol·licitud de dies lliures retribuïts per validar
+HolidaysToValidateBody=A continuació es mostra una sol·licitud de permís per a validar
HolidaysToValidateDelay=Aquesta sol·licitud de dies lliures retribuïts tindrà lloc en un termini de menys de %s dies.
HolidaysToValidateAlertSolde=L'usuari que ha realitzat la sol·licitud de dies lliures retribuïts no disposa de suficients dies disponibles
-HolidaysValidated=Dies lliures retribuïts valids
+HolidaysValidated=Sol·licituds de permís validats
HolidaysValidatedBody=La seva sol·licitud de dies lliures retribuïts des de el %s al %s ha sigut validada.
HolidaysRefused=Dies lliures retribuïts denegats
HolidaysRefusedBody=La seva sol·licitud de dies lliures retribuïts des de el %s al %s ha sigut denegada per el següent motiu:
HolidaysCanceled=Dies lliures retribuïts cancel·lats
-HolidaysCanceledBody=La seva solicitud de dies lliures retribuïts del %s al %s ha sigut cancel·lada.
+HolidaysCanceledBody=S'ha cancel·lat la vostra sol·licitud de permís del %s al %s.
FollowedByACounter=1: Aquest tipus de dia lliure necessita el seguiment d'un comptador. El comptador s'incrementa manualment o automàticament i quan hi ha una petició de dia lliure validada, el comptador es decrementa. 0: No seguit per un comptador.
NoLeaveWithCounterDefined=No s'han definit els tipus de dies lliures que son necessaris per poder seguir-los amb comptador
GoIntoDictionaryHolidayTypes=Ves a Inici - Configuració - Diccionaris - Tipus de dies lliures per configurar els diferents tipus de dies lliures
@@ -131,4 +131,4 @@ TemplatePDFHolidays=Plantilla de sol · licitud de dies lliures en PDF
FreeLegalTextOnHolidays=Text gratuït a PDF
WatermarkOnDraftHolidayCards=Marques d'aigua sobre esborranys de sol·licituds de dies lliures
HolidaysToApprove=Vacances per aprovar
-NobodyHasPermissionToValidateHolidays=Ningú té permís per validar vacances
+NobodyHasPermissionToValidateHolidays=Ningú no té permís per a validar les vacances
diff --git a/htdocs/langs/ca_ES/hrm.lang b/htdocs/langs/ca_ES/hrm.lang
index 2952d702637..cc584a4d291 100644
--- a/htdocs/langs/ca_ES/hrm.lang
+++ b/htdocs/langs/ca_ES/hrm.lang
@@ -1,6 +1,6 @@
# Dolibarr language file - en_US - hrm
# Admin
-HRM_EMAIL_EXTERNAL_SERVICE=Correu electrònic per prevenir serveis externs HRM
+HRM_EMAIL_EXTERNAL_SERVICE=Correu electrònic per a evitar el servei extern de HRM
Establishments=Establiments
Establishment=Establiment
NewEstablishment=Establiment nou
diff --git a/htdocs/langs/ca_ES/install.lang b/htdocs/langs/ca_ES/install.lang
index 98b6efbeb16..7fbc7a86898 100644
--- a/htdocs/langs/ca_ES/install.lang
+++ b/htdocs/langs/ca_ES/install.lang
@@ -42,7 +42,7 @@ WebPagesDirectory=Carpeta que conté les pàgines web
DocumentsDirectory=Carpeta que ha de contenir els documents generats (PDF, etc.)
URLRoot=URL Arrel
ForceHttps=Forçar connexions segures (https)
-CheckToForceHttps=Marqueu aquesta opció per forçar connexions segures (https). Per a això és necessari que el servidor web està configurat amb un certificat SSL.
+CheckToForceHttps=Marqueu aquesta opció per a forçar connexions segures (https). Això requereix que el servidor web estigui configurat amb un certificat SSL.
DolibarrDatabase=Base de dades Dolibarr
DatabaseType=Tipus de la base de dades
DriverType=Tipus del driver
@@ -92,18 +92,18 @@ LoginAlreadyExists=Ja existeix
DolibarrAdminLogin=Login de l'usuari administrador de Dolibarr
AdminLoginAlreadyExists=El compte d'administrador de Dolibarr ' %s ' ja existeix. Torneu enrere si voleu crear un altre.
FailedToCreateAdminLogin=No s'ha pogut crear el compte d'administrador de Dolibarr.
-WarningRemoveInstallDir=Avís, per motius de seguretat, un cop finalitzada la instal·lació o l'actualització, heu d'afegir un fitxer anomenat install.lock al directori del document Dolibarr per evitar l'ús accidental / maliciós de les eines d'instal·lació de nou.
+WarningRemoveInstallDir=Advertiment, per motius de seguretat, un cop finalitzada la instal·lació o actualització, heu d'afegir un fitxer anomenat install.lock al directori del document Dolibarr per a evitar l'ús accidental / malintencionat de les eines d'instal·lació.
FunctionNotAvailableInThisPHP=No està disponible en aquest PHP
ChoosedMigrateScript=Elecció de l'script de migració
DataMigration=Migració de la base de dades (dades)
DatabaseMigration=Migració de la base de dades (estructura + algunes dades)
ProcessMigrateScript=Execució del script
-ChooseYourSetupMode=Tria el teu mètode d'instal·lació i fes clic a "Començar"
+ChooseYourSetupMode=Trieu el mode de configuració i feu clic a "Comença"...
FreshInstall=Nova instal·lació
FreshInstallDesc=Utilitzeu aquest mode si aquesta és la vostra primera instal·lació. Si no, aquest mode pot reparar una instal·lació prèvia incompleta. Si voleu actualitzar la vostra versió, seleccioneu "Actualitzar".
Upgrade=Actualització
UpgradeDesc=Utilitzeu aquest mètode després d'haver actualitzat els fitxers d'una instal·lació Dolibarr antiga pels d'una versió més recent. Aquesta elecció permet posar al dia la base de dades i les seves dades per a aquesta nova versió.
-Start=Començar
+Start=Comença
InstallNotAllowed=Instal·lació no autoritzada per els permisos de l'arxiu conf.php
YouMustCreateWithPermission=Ha de crear un fitxer %s i donar-li els drets d'escriptura al servidor web durant el procés d'instal·lació.
CorrectProblemAndReloadPage=Corregiu el problema i premeu F5 per tornar a carregar la pàgina.
@@ -117,7 +117,7 @@ YouAskLoginCreationSoDolibarrNeedToConnect=Heu seleccionat crear un usuari de ba
BecauseConnectionFailedParametersMayBeWrong=La connexió a la base de dades ha fallat: els paràmetres de l'amfitrió o superusuari han de ser incorrectes.
OrphelinsPaymentsDetectedByMethod=Pagaments orfes detectats pel mètode %s
RemoveItManuallyAndPressF5ToContinue=Esborreu manualment i premeu F5 per continuar.
-FieldRenamed=Camp renombrat
+FieldRenamed=S'ha canviat el nom del camp
IfLoginDoesNotExistsCheckCreateUser=Si l'usuari encara no existeix, heu de marcar l'opció "Crear usuari"
ErrorConnection=El servidor " %s ", el nom de la base de dades " %s ", inici de sessió " %s " o la contrasenya de la base de dades pot ser incorrecte o la versió del client PHP pot ser massa antiga en comparació amb la versió de la base de dades.
InstallChoiceRecommanded=Opció recomanada per a instal·lar la versió %s sobre la seva actual versió %s
@@ -129,10 +129,10 @@ OpenBaseDir=Paràmetre php openbasedir
YouAskToCreateDatabaseSoRootRequired=Heu marcat el quadre "Crea una base de dades". Per això, heu de proporcionar el login / contrasenya del superusuari (part inferior del formulari).
YouAskToCreateDatabaseUserSoRootRequired=Heu marcat el quadre "Crea propietari de la base de dades". Per això, heu de proporcionar el login / contrasenya del superusuari (part inferior del formulari).
NextStepMightLastALongTime=El següent pas pot trigar diversos minuts. Després d'haver validat, li agraïm esperi a la completa visualització de la pàgina següent per continuar.
-MigrationCustomerOrderShipping=Actualització de les dades de expedicions de comandes de clients
-MigrationShippingDelivery=Actualització de les dades de expedicions
-MigrationShippingDelivery2=Actualització de les dades expedicions 2
-MigrationFinished=Acabada l'actualització
+MigrationCustomerOrderShipping=Migració de dades d'enviament de comandes de venda
+MigrationShippingDelivery=Actualització de les dades d'enviaments
+MigrationShippingDelivery2=Actualització de les dades d'enviaments 2
+MigrationFinished=S'ha acabat la migració
LastStepDesc= Darrer pas : definiu aquí l'inici de sessió i la contrasenya que voleu utilitzar per connectar-se a Dolibarr. No perdis això, ja que és el compte mestre per administrar tots els altres / comptes d'usuari addicionals.
ActivateModule=Activació del mòdul %s
ShowEditTechnicalParameters=Premi aquí per veure/editar els paràmetres tècnics (mode expert)
@@ -142,9 +142,9 @@ KeepDefaultValuesWamp=Heu utilitzat l'assistent de configuració Dolibarr de Dol
KeepDefaultValuesDeb=Heu utilitzat l'assistent de configuració Dolibarr des d'un paquet Linux (Ubuntu, Debian, Fedora ...), de manera que els valors proposats aquí ja estan optimitzats. Només s'ha d'introduir la contrasenya del propietari de la base de dades per crear. Canvieu altres paràmetres només si saps el que estàs fent.
KeepDefaultValuesMamp=Heu utilitzat l'assistent de configuració Dolibarr de DoliMamp, de manera que els valors proposats aquí ja estan optimitzats. Canvieu-los només si saps el que estàs fent.
KeepDefaultValuesProxmox=Heu utilitzat l'assistent de configuració de Dolibarr des d'un dispositiu virtual Proxmox, de manera que els valors proposats aquí ja estan optimitzats. Canvieu-los només si saps el que estàs fent.
-UpgradeExternalModule=Executeu el procés d'actualització dedicat del mòdul extern
+UpgradeExternalModule=Execució del procés d'actualització dedicat de mòdul extern
SetAtLeastOneOptionAsUrlParameter=Estableix com a mínim una opció com a paràmetre a l'URL. Per exemple: '... repair.php?standard=confirmed'
-NothingToDelete=Res per netejar / esborrar
+NothingToDelete=Res a netejar/esborrar
NothingToDo=No hi ha res a fer
#########
# upgrade
@@ -167,15 +167,15 @@ MigrationContractsNumberToUpdate=%s contracte(s) a actualitzar
MigrationContractsLineCreation=Crea una línia de contracte per referència del contracte %s
MigrationContractsNothingToUpdate=No hi ha més contractes (vinculats a un producte) sense línies de detalls que hagin de corregir.
MigrationContractsFieldDontExist=El camp fk_facture ja no existeix. Res a fer.
-MigrationContractsEmptyDatesUpdate=Actualització de les dades de contractes no indicades
+MigrationContractsEmptyDatesUpdate=Correcció de la data buida de contracte
MigrationContractsEmptyDatesUpdateSuccess=La correcció de la data buida del contracte s'ha realitzat correctament
MigrationContractsEmptyDatesNothingToUpdate=No hi ha data de contracte buida per corregir
MigrationContractsEmptyCreationDatesNothingToUpdate=No hi ha data de creació del contracte per corregir
-MigrationContractsInvalidDatesUpdate=Actualització dades contracte incorrectes (per contractes amb detall en servei)
+MigrationContractsInvalidDatesUpdate=Correcció del valor incorrecte de la data de contracte
MigrationContractsInvalidDateFix=Corregir contracte %s (data contracte=%s, Data posada en servei min=%s)
MigrationContractsInvalidDatesNumber=%s contractes modificats
MigrationContractsInvalidDatesNothingToUpdate=No hi ha més de contractes que hagin de corregir-se.
-MigrationContractsIncoherentCreationDateUpdate=Actualització de les dades de creació de contracte que tenen un valor incoherent
+MigrationContractsIncoherentCreationDateUpdate=Correcció del valor incorrecte de la data de creació del contracte
MigrationContractsIncoherentCreationDateUpdateSuccess=S'ha fet correctament la correcció del valor incorrecte en la data de creació de contracte
MigrationContractsIncoherentCreationDateNothingToUpdate=No hi ha més dades de contractes.
MigrationReopeningContracts=Reobertura dels contractes que tenen almenys un servei actiu no tancat
@@ -187,13 +187,13 @@ MigrationBankTransfertsNothingToUpdate=Cap vincle desfasat
MigrationShipmentOrderMatching=Actualitzar rebuts de lliurament
MigrationDeliveryOrderMatching=Actualitzar rebuts d'entrega
MigrationDeliveryDetail=Actualitzar recepcions
-MigrationStockDetail=Actualitzar valor en stock dels productes
+MigrationStockDetail=Actualitza el valor de l'estoc dels productes
MigrationMenusDetail=Actualització de la taula de menús dinàmics
MigrationDeliveryAddress=Actualització de les adreces d'enviament en les notes de lliurament
MigrationProjectTaskActors=Migració de dades per a la taula llx_projet_task_actors
MigrationProjectUserResp=Migració del camp fk_user_resp de llx_projet a llx_element_contact
MigrationProjectTaskTime=Actualitza el temps dedicat en segons
-MigrationActioncommElement=Actualització de les dades de accions sobre elements
+MigrationActioncommElement=Actualització de dades d'accions
MigrationPaymentMode=Migració de dades per tipus de pagament
MigrationCategorieAssociation=Actualització de les categories
MigrationEvents=Migració d'esdeveniments per afegir el propietari de l'esdeveniment a la taula d'assignacions
@@ -203,7 +203,7 @@ MigrationRemiseExceptEntity=Actualitza el valor del camp entity de llx_societe_r
MigrationUserRightsEntity=Actualitza el valor del camp de l'entitat llx_user_rights
MigrationUserGroupRightsEntity=Actualitza el valor del camp de l'entitat llx_usergroup_rights
MigrationUserPhotoPath=Migració de rutes per les fotos dels usuaris
-MigrationFieldsSocialNetworks=Migració de camps de xarxes socials de usuaris (%s)
+MigrationFieldsSocialNetworks=Migració de camps de xarxes socials d'usuaris (%s)
MigrationReloadModule=Recarrega el mòdul %s
MigrationResetBlockedLog=Restablir el mòdul BlockedLog per l'algoritme v7
ShowNotAvailableOptions=Mostra les opcions no disponibles
diff --git a/htdocs/langs/ca_ES/interventions.lang b/htdocs/langs/ca_ES/interventions.lang
index ec994e9dd8d..24cc1fd4acb 100644
--- a/htdocs/langs/ca_ES/interventions.lang
+++ b/htdocs/langs/ca_ES/interventions.lang
@@ -2,7 +2,7 @@
Intervention=Intervenció
Interventions=Intervencions
InterventionCard=Fitxa intervenció
-NewIntervention=Nova intervenció
+NewIntervention=Intervenció nova
AddIntervention=Crea intervenció
ChangeIntoRepeatableIntervention=Canvia-ho a intervenció repetible
ListOfInterventions=Llistat d'intervencions
@@ -18,14 +18,14 @@ DeleteInterventionLine=Eliminar línia d'intervenció
ConfirmDeleteIntervention=Vols eliminar aquesta intervenció?
ConfirmValidateIntervention=Vols validar aquesta intervenció amb nom %s?
ConfirmModifyIntervention=Vols modificar aquesta intervenció?
-ConfirmDeleteInterventionLine=Vols eliminar aquesta línia d'intervenció?
+ConfirmDeleteInterventionLine=Esteu segur que voleu suprimir aquesta línia d'intervenció?
ConfirmCloneIntervention=Estàs segur que vols clonar aquesta intervenció?
NameAndSignatureOfInternalContact=Nom i signatura del participant:
NameAndSignatureOfExternalContact=Nom i signatura del client:
DocumentModelStandard=Document model estàndard per a intervencions
InterventionCardsAndInterventionLines=Fitxes i línies d'intervenció
-InterventionClassifyBilled=Classificar "facturat"
-InterventionClassifyUnBilled=Classificar "no facturat"
+InterventionClassifyBilled=Classifica "Facturat"
+InterventionClassifyUnBilled=Classifica "No facturat"
InterventionClassifyDone=Classifica com a "Fet"
StatusInterInvoiced=Facturada
SendInterventionRef=Presentar intervenció %s
diff --git a/htdocs/langs/ca_ES/mails.lang b/htdocs/langs/ca_ES/mails.lang
index be984d41323..c0c06305804 100644
--- a/htdocs/langs/ca_ES/mails.lang
+++ b/htdocs/langs/ca_ES/mails.lang
@@ -14,7 +14,7 @@ MailTo=Destinatari(s)
MailToUsers=A l'usuari(s)
MailCC=Còpia a
MailToCCUsers=Còpia l'usuari(s)
-MailCCC=Adjuntar còpia a
+MailCCC=Còpia oculta a
MailTopic=Tema de correu electrònic
MailText=Missatge
MailFile=Fitxers adjunts
@@ -23,7 +23,7 @@ SubjectNotIn=No està subjecte
BodyNotIn=No en el cos
ShowEMailing=Mostrar E-Mailing
ListOfEMailings=Llistat de E-Mailings
-NewMailing=Nou E-Mailing
+NewMailing=E-Mailing nou
EditMailing=Editar E-Mailing
ResetMailing=Nou enviament
DeleteMailing=Elimina E-Mailing
@@ -57,7 +57,7 @@ NoRecipientEmail=No hi ha cap correu electrònic destinatari per a %s
RemoveRecipient=Eliminar destinatari
YouCanAddYourOwnPredefindedListHere=Per crear el seu mòdul de selecció e-mails, mireu htdocs /core/modules/mailings/README.
EMailTestSubstitutionReplacedByGenericValues=En mode prova, les variables de substitució són substituïdes per valors genèrics
-MailingAddFile=Adjuntar aquest arxiu
+MailingAddFile=Adjunta aquest fitxer
NoAttachedFiles=Sense fitxers adjunts
BadEMail=Valor incorrecte per correu electrònic
ConfirmCloneEMailing=Vols clonar aquest E-Mailing?
@@ -87,14 +87,15 @@ MailingModuleDescContactsWithThirdpartyFilter=Contacte amb filtres de client
MailingModuleDescContactsByCompanyCategory=Contactes per categoria de tercers
MailingModuleDescContactsByCategory=Contactes per categories
MailingModuleDescContactsByFunction=Contactes per càrrec
-MailingModuleDescEmailsFromFile=Correus electrònics desde fitxer
+MailingModuleDescEmailsFromFile=Correus electrònics des de fitxer
MailingModuleDescEmailsFromUser=Entrada de correus electrònics per usuari
MailingModuleDescDolibarrUsers=Usuaris amb correus electrònics
MailingModuleDescThirdPartiesByCategories=Tercers (per categories)
SendingFromWebInterfaceIsNotAllowed=L'enviament des de la interfície web no està permès.
+EmailCollectorFilterDesc=Tots els filtres han de coincidir perquè es reculli un correu electrònic
# Libelle des modules de liste de destinataires mailing
-LineInFile=Línea %s en archiu
+LineInFile=Línia %s al fitxer
RecipientSelectionModules=Mòduls de selecció dels destinataris
MailSelectedRecipients=Destinataris seleccionats
MailingArea=Àrea E-Mailings
@@ -105,10 +106,10 @@ MailNoChangePossible=Destinataris d'un E-Mailing validat no modificables
SearchAMailing=Cercar un E-Mailing
SendMailing=Envia e-mailing
SentBy=Enviat por
-MailingNeedCommand=L'enviament d'un emailing pot realitzar-se desde la línia de comandos. Solicita a l'administrador del servidor que executi el següent comando per enviar l'emailing a tots els destinataris:
+MailingNeedCommand=L’enviament de correus electrònics massius es pot realitzar des de la línia de comandes. Demaneu a l'administrador del servidor que iniciï la següent comanda per enviar els correus electrònics a tots els destinataris:
MailingNeedCommand2=Podeu enviar en línia afegint el paràmetre MAILING_LIMIT_SENDBYWEB amb un valor nombre que indica el màxim nombre d'e-mails enviats per sessió. Per això aneu a Inici - Configuració - Varis
-ConfirmSendingEmailing=Si desitja enviar emailing directament desde aquesta pantalla, confirme que està segur de voler enviar l'emailing ara desde el seu navegador
-LimitSendingEmailing=Nota: L'enviament de e-mailings des de l'interfície web es realitza en tandes per raons de seguretat i "timeouts", s'enviaran a %s destinataris per tanda
+ConfirmSendingEmailing=Si voleu enviar correus electrònics directament des d'aquesta pantalla, confirmeu que esteu segur que voleu enviar correus electrònics ara des del vostre navegador?
+LimitSendingEmailing=Nota: L'enviament de missatges massius de correu electrònic des de la interfície web es realitza diverses vegades per motius de seguretat i temps d'espera, %s als destinataris de cada sessió d'enviament.
TargetsReset=Buidar llista
ToClearAllRecipientsClickHere=Per buidar la llista dels destinataris d'aquest E-Mailing, feu clic al botó
ToAddRecipientsChooseHere=Per afegir destinataris, escolliu els que figuren en les llistes a continuació
@@ -125,22 +126,23 @@ TagMailtoEmail=Correu electrònic del destinatari (inclòs l'enllaç "mailto:" h
NoEmailSentBadSenderOrRecipientEmail=No s'ha enviat el correu electrònic. Enviador del correu incorrecte. Verifica el perfil d'usuari.
# Module Notifications
Notifications=Notificacions
-NoNotificationsWillBeSent=Cap notificació per e-mail està prevista per a aquest esdeveniment i empresa
-ANotificationsWillBeSent=1 notificació serà enviada per e-mail
-SomeNotificationsWillBeSent=%s notificacions seran enviades per e-mail
-AddNewNotification=Activar una de notificació per correu electrònic
-ListOfActiveNotifications=Llista tots els destinataris actius per notificacions de correu electrònic
-ListOfNotificationsDone=Llista de notificacions d'e-mails enviades
+NotificationsAuto=Notificacions automàtiques.
+NoNotificationsWillBeSent=No hi ha previstes notificacions automàtiques per correu electrònic per a aquest tipus d'esdeveniment ni per a aquesta empresa
+ANotificationsWillBeSent=S'enviarà 1 notificació automàtica per correu electrònic
+SomeNotificationsWillBeSent=S'enviaran %s notificacions automàtiques per correu electrònic
+AddNewNotification=Subscriviu-vos a una nova notificació automàtica per correu electrònic (destinatari/esdeveniment)
+ListOfActiveNotifications=Llista totes les subscripcions actives (destinataris/esdeveniments) per a notificacions automàtiques per correu electrònic
+ListOfNotificationsDone=Llista totes les notificacions automàtiques enviades per correu electrònic
MailSendSetupIs=La configuració d'enviament d'e-mail s'ha ajustat a '%s'. Aquest mètode no es pot utilitzar per enviar e-mails massius.
-MailSendSetupIs2=Abans tindrà que, amb un compte d'administrador, en el menú %sinici - Configuració - E-Mails%s, camviar el paràmetre '%s' per usar el mètode '%s'. Amb aquest metode pot configurar un servidor SMTP del seu proveïdor de serveis d'internet.
+MailSendSetupIs2=Primer heu d’anar, amb un compte d’administrador, al menú %sInici - Configuració - Correus electrònics%s per canviar el paràmetre '%s' per utilitzar el mode '%s'. Amb aquest mode, podeu introduir la configuració del servidor SMTP proporcionat pel vostre proveïdor de serveis d'Internet i utilitzar la funció de correu electrònic massiu.
MailSendSetupIs3=Si te preguntes de com configurar el seu servidor SMTP, pot contactar amb %s.
YouCanAlsoUseSupervisorKeyword=També pot afegir l'etiqueta __SUPERVISOREMAIL__ per tenir un e-mail enviat pel supervisor a l'usuari (només funciona si un e-mail és definit per aquest supervisor)
-NbOfTargetedContacts=Número actual de contactes destinataris d'e-mails
+NbOfTargetedContacts=Nombre actual de correus electrònics de contactes destinataris
UseFormatFileEmailToTarget=El fitxer importat ha de tenir el format email;nom;cognom;altre
UseFormatInputEmailToTarget=Entra una cadena amb el format email;nom;cognom;altre
MailAdvTargetRecipients=Destinataris (selecció avançada)
AdvTgtTitle=Ompliu els camps d'entrada per seleccionar prèviament els tercers o contactes / adreces a destinació
-AdvTgtSearchTextHelp=Utilitzeu %% com comodins. Per exemple, per trobar tots els elements com jean, joe, jim , podeu ingressar j%% , també podeu utilitzar; com a separador de valor i ús! per excepte aquest valor. Per exemple, jean; joe; jim%% ;; jimo ;; jima% tindrà com a objectiu tot Jean, joe, comença amb Jim però no Jimo i no tot el que comença amb Jima
+AdvTgtSearchTextHelp=Utilitzeu %% com a comodins. Per exemple, per trobar tots els elements com jean, joe, jim , podeu introduir j%% , també podeu utilitzar ; com a separador de valor i utilitzar ! per excepcions d'aquest valor. Per exemple, jean;joe;jim%%;!jimo;!jima%% tindrà com a objectiu tots els jean, joe, començant per jim però no jimo ni tot el que comenci amb jima
AdvTgtSearchIntHelp=Utilitza un interval per seleccionar un valor enter o decimal
AdvTgtMinVal=Valor mínim
AdvTgtMaxVal=Valor màxim
@@ -159,16 +161,17 @@ AdvTgtLoadFilter=Carrega filtre
AdvTgtDeleteFilter=Elimina filtre
AdvTgtSaveFilter=Desa filtre
AdvTgtCreateFilter=Crea filtre
-AdvTgtOrCreateNewFilter=Nom de nou filtre
+AdvTgtOrCreateNewFilter=Nom del filtre nou
NoContactWithCategoryFound=No s'han trobat contactes/adreces amb categoria
NoContactLinkedToThirdpartieWithCategoryFound=No s'han trobat contactes/adreces amb categoria
-OutGoingEmailSetup=Configuració de correus electrònics sortints
-InGoingEmailSetup=Configuració de correus electrònics entrants
-OutGoingEmailSetupForEmailing=Configuració del correu sortint (per al mòdul %s)
-DefaultOutgoingEmailSetup=Configuració per defecte del correu electrònic sortint
+OutGoingEmailSetup=Correus electrònics de sortida
+InGoingEmailSetup=Correus electrònics entrants
+OutGoingEmailSetupForEmailing=Correu electrònic de sortida (per al mòdul %s)
+DefaultOutgoingEmailSetup=La mateixa configuració que el correu electrònic de sortida global
Information=Informació
ContactsWithThirdpartyFilter=Contactes amb filtre de tercers
-Unanswered=Unanswered
+Unanswered=Sense resposta
Answered=Respost
-IsNotAnAnswer=Is not answer (initial email)
-IsAnAnswer=Is an answer of an initial email
+IsNotAnAnswer=No és resposta (correu electrònic inicial)
+IsAnAnswer=És la resposta d’un correu electrònic inicial
+RecordCreatedByEmailCollector=Registre creat pel Receptor de correus electrònics %s des del correu electrònic %s
diff --git a/htdocs/langs/ca_ES/main.lang b/htdocs/langs/ca_ES/main.lang
index c970c1697f3..88880d9e53b 100644
--- a/htdocs/langs/ca_ES/main.lang
+++ b/htdocs/langs/ca_ES/main.lang
@@ -28,7 +28,9 @@ NoTemplateDefined=No hi ha cap plantilla disponible per a aquest tipus de correu
AvailableVariables=Variables de substitució disponibles
NoTranslation=Sense traducció
Translation=Traducció
+CurrentTimeZone=Fus horari PHP (Servidor)
EmptySearchString=Introdueix criteris de cerca no buits
+EnterADateCriteria=Introduïu un criteri de data
NoRecordFound=No s'han trobat registres
NoRecordDeleted=Sense registres eliminats
NotEnoughDataYet=Dades insuficients
@@ -52,7 +54,7 @@ ErrorFileNotUploaded=El fitxer no s'ha pogut transferir
ErrorInternalErrorDetected=Error detectat
ErrorWrongHostParameter=Paràmetre Servidor invàlid
ErrorYourCountryIsNotDefined=El teu país no està definit. Ves a Inici-Configuració-Empresa-Edita i omple de nou el formulari
-ErrorRecordIsUsedByChild=Impossible de suprimir aquest registre. Es sent utilitzat com a pare per almenys un registre fill.
+ErrorRecordIsUsedByChild=No s'ha pogut suprimir aquest registre. Aquest registre l’utilitza almenys un registre fill.
ErrorWrongValue=Valor incorrecte
ErrorWrongValueForParameterX=Valor incorrecte del paràmetre %s
ErrorNoRequestInError=Cap petició en error
@@ -75,7 +77,7 @@ ClickHere=Fes clic aquí
Here=Aquí
Apply=Aplicar
BackgroundColorByDefault=Color de fons
-FileRenamed=L'arxiu s'ha renombrat correctament
+FileRenamed=El fitxer s’ha reanomenat correctament
FileGenerated=L'arxiu ha estat generat correctament
FileSaved=El fitxer s'ha desat correctament
FileUploaded=L'arxiu s'ha carregat correctament
@@ -85,6 +87,8 @@ FileWasNotUploaded=Un arxiu ha estat seleccionat per adjuntar, però encara no h
NbOfEntries=Nº d'entrades
GoToWikiHelpPage=Llegiu l'ajuda en línia (cal tenir accés a Internet)
GoToHelpPage=Consultar l'ajuda
+DedicatedPageAvailable=Hi ha una pàgina d’ajuda dedicada relacionada amb la pantalla actual
+HomePage=Pàgina d'inici
RecordSaved=Registre guardat
RecordDeleted=Registre eliminat
RecordGenerated=Registre generat
@@ -149,11 +153,11 @@ Enable=Activar
Deprecated=Obsolet
Disable=Desactivar
Disabled=Desactivat
-Add=Afegir
+Add=Afegeix
AddLink=Enllaçar
RemoveLink=Elimina enllaç
AddToDraft=Afegeix a esborrany
-Update=Modificar
+Update=Actualitza
Close=Tancar
CloseAs=Indica l'estat
CloseBox=Elimina el panell de la taula de control
@@ -163,10 +167,10 @@ Delete=Elimina
Remove=Retirar
Resiliate=Dona de baixa
Cancel=Cancel·la
-Modify=Modificar
+Modify=Modifica
Edit=Editar
-Validate=Validar
-ValidateAndApprove=Validar i aprovar
+Validate=Valida
+ValidateAndApprove=Valida i aprova
ToValidate=A validar
NotValidated=No validat
Save=Desa
@@ -174,10 +178,10 @@ SaveAs=Desa com
SaveAndStay=Desa i continua
SaveAndNew=Desa i nou
TestConnection=Provar la connexió
-ToClone=Copiar
+ToClone=Clona
ConfirmCloneAsk=Esteu segur que voleu clonar l'objecte %s ?
ConfirmClone=Trieu les dades que voleu clonar:
-NoCloneOptionsSpecified=no hi ha dades definits per copiar
+NoCloneOptionsSpecified=No s'ha definit cap dada per a clonar.
Of=de
Go=Anar
Run=llançar
@@ -329,7 +333,7 @@ HourShort=H
MinuteShort=Minut
Rate=Tipus
CurrencyRate=Tarifa de conversió de moneda
-UseLocalTax=Incloure taxes
+UseLocalTax=Inclou impostos
Bytes=Bytes
KiloBytes=Kilobytes
MegaBytes=Megabytes
@@ -343,7 +347,7 @@ Mb=Mb
Gb=Gb
Tb=Tb
Cut=Tallar
-Copy=Copiar
+Copy=Copia
Paste=Pegar
Default=Defecte
DefaultValue=Valor per defecte
@@ -433,6 +437,7 @@ RemainToPay=Queda per pagar
Module=Mòdul/Aplicació
Modules=Mòduls/Aplicacions
Option=Opció
+Filters=Filtres
List=Llistat
FullList=Llista completa
FullConversation=Conversa completa
@@ -484,7 +489,7 @@ TotalDuration=Duració total
Summary=Resum
DolibarrStateBoard=Estadístiques de base de dades
DolibarrWorkBoard=Elements oberts
-NoOpenedElementToProcess=No hi ha elements oberts per processar
+NoOpenedElementToProcess=No hi ha elements oberts per a processar
Available=Disponible
NotYetAvailable=Encara no disponible
NotAvailable=No disponible
@@ -501,7 +506,7 @@ and=i
or=o
Other=Altres
Others=Altres
-OtherInformations=Altra informació
+OtherInformations=Una altra informació
Quantity=Quantitat
Qty=Qt.
ChangedBy=Modificat per
@@ -525,7 +530,7 @@ New=Nou
Discount=Descompte
Unknown=Desconegut
General=General
-Size=Tamany
+Size=Mida
OriginalSize=Mida original
Received=Rebut
Paid=Pagat
@@ -546,7 +551,7 @@ LateDesc=L'element es defineix com Retardat segons la configuració del sistema
NoItemLate=No hi ha cap element tardà
Photo=Foto
Photos=Fotos
-AddPhoto=Afegir foto
+AddPhoto=Afegeix una imatge
DeletePicture=Elimina la imatge
ConfirmDeletePicture=Confirmes l'eliminació de la imatge?
Login=Login
@@ -716,7 +721,7 @@ MenuAWStats=AWStats
MenuMembers=Socis
MenuAgendaGoogle=Agenda Google
MenuTaxesAndSpecialExpenses=Impostos | Despeses especials
-ThisLimitIsDefinedInSetup=Límit Dolibarr (Menú inici-configuració-seguretat): %s Kb, PHP limit: %s Kb
+ThisLimitIsDefinedInSetup=Límit Dolibarr (Menú inici-configuració-seguretat): %s Kb, límit PHP: %s Kb
NoFileFound=No hi ha documents guardats en aquesta carpeta
CurrentUserLanguage=Idioma actual
CurrentTheme=Tema actual
@@ -737,7 +742,7 @@ Informations=Informació
Page=Pàgina
Notes=Notes
AddNewLine=Afegeix una línia nova
-AddFile=Afegir arxiu
+AddFile=Afegeix un fitxer
FreeZone=Producte de text lliure
FreeLineOfType=Element de text lliure, escriviu:
CloneMainAttributes=Clonar l'objecte amb aquests atributs principals
@@ -749,7 +754,7 @@ PrintContentArea=Mostrar pàgina d'impressió de la zona central
MenuManager=Gestor de menú
WarningYouAreInMaintenanceMode=Advertència, esteu en mode de manteniment: només podeu iniciar sessió %s per utilitzar l'aplicació en aquest mode.
CoreErrorTitle=Error del sistema
-CoreErrorMessage=Ho sentim, hi ha un error. Contacti amb el seu administrador del sistema per a comprovar els "logs" o des-habilita $dolibarr_main_prod=1 per a obtenir més informació.
+CoreErrorMessage=Ho sentim, s'ha produït un error. Poseu-vos en contacte amb l'administrador del sistema per a comprovar els registres o desactiva $dolibarr_main_prod=1 per a obtenir més informació.
CreditCard=Targeta de crèdit
ValidatePayment=Validar aquest pagament
CreditOrDebitCard=Tarja de crèdit o dèbit
@@ -822,8 +827,8 @@ toward=cap a
Access=Accés
SelectAction=Selecciona acció
SelectTargetUser=Selecciona l'usuari/empleat de destí
-HelpCopyToClipboard=Utilitzeu Ctrl+C per copiar al portapapers
-SaveUploadedFileWithMask=Desa el fitxer al servidor amb el nom "%s" (del contrari "%s")
+HelpCopyToClipboard=Utilitzeu Ctrl+C per a copiar al porta-retalls
+SaveUploadedFileWithMask=Desa el fitxer al servidor amb el nom " %s " (en cas contrari "%s")
OriginFileName=Nom original de l'arxiu
SetDemandReason=Indica l'origen
SetBankAccount=Definir el compte bancari
@@ -858,7 +863,7 @@ ConfirmDeleteObject=Esteu segur que voleu suprimir aquest objecte?
DeleteLine=Elimina la línia
ConfirmDeleteLine=Esteu segur que voleu suprimir aquesta línia?
ErrorPDFTkOutputFileNotFound=Error: el fitxer no s'ha generat. Comproveu que la comanda "pdftk" estigui instal·lada en un directori inclòs a la variable d'entorn $ PATH (només linux / unix) o poseu-vos en contacte amb l'administrador del vostre sistema.
-NoPDFAvailableForDocGenAmongChecked=No hi havia PDF disponibles per a la generació de document entre els registre comprovats
+NoPDFAvailableForDocGenAmongChecked=No hi havia PDF disponible per a la generació de document amb el registre comprovat
TooManyRecordForMassAction=S'ha seleccionat massa registres per a l'acció massiva. L'acció està restringida a una llista de %s registres.
NoRecordSelected=No s'han seleccionat registres
MassFilesArea=Àrea de fitxers generats per accions massives
@@ -866,8 +871,8 @@ ShowTempMassFilesArea=Mostra l'àrea de fitxers generats per accions massives
ConfirmMassDeletion=Confirmació d'esborrament massiu
ConfirmMassDeletionQuestion=Esteu segur que voleu suprimir els (s) registre (s) %s?
RelatedObjects=Objectes relacionats
-ClassifyBilled=Classificar facturat
-ClassifyUnbilled=Classificar no facturat
+ClassifyBilled=Classifica facturat
+ClassifyUnbilled=Classifica no facturat
Progress=Progrés
ProgressShort=Progr.
FrontOffice=Front office
@@ -1093,7 +1098,7 @@ AmountMustBePositive=L'import ha de ser positiu
ByStatus=Per estat
InformationMessage=Informació
Used=Usat
-ASAP=El més aviat possible
+ASAP=Tan aviat com sigui possible
CREATEInDolibarr=Registre %s creat
MODIFYInDolibarr=Registre %s modificat
DELETEInDolibarr=Registre %s eliminat
@@ -1107,3 +1112,8 @@ UpToDate=Actualitzat
OutOfDate=Obsolet
EventReminder=Recordatori d'esdeveniments
UpdateForAllLines=Actualització per a totes les línies
+OnHold=Fora de servei
+AffectTag=Affect Tag
+ConfirmAffectTag=Bulk Tag Affect
+ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected record(s)?
+CategTypeNotFound=No tag type found for type of records
diff --git a/htdocs/langs/ca_ES/modulebuilder.lang b/htdocs/langs/ca_ES/modulebuilder.lang
index 59936812c4a..089377fa6bf 100644
--- a/htdocs/langs/ca_ES/modulebuilder.lang
+++ b/htdocs/langs/ca_ES/modulebuilder.lang
@@ -5,18 +5,18 @@ EnterNameOfObjectDesc=Introduïu el nom de l'objecte que voleu crear sense espai
ModuleBuilderDesc2=Camí on es generen / editen els mòduls (primer directori per als mòduls externs definits en %s): %s
ModuleBuilderDesc3=S'han trobat mòduls generats/editables: %s
ModuleBuilderDesc4=Es detecta un mòdul com "editable" quan el fitxer %s existeix al directori arrel del mòdul
-NewModule=Nou mòdul
-NewObjectInModulebuilder=Nou objecte
+NewModule=Mòdul nou
+NewObjectInModulebuilder=Objecte nou
ModuleKey=Clau del mòdul
ObjectKey=Clau de l'objecte
ModuleInitialized=Mòdul inicialitzat
-FilesForObjectInitialized=S'han inicialitzat els fitxers per al nou objecte '%s'
+FilesForObjectInitialized=S'han inicialitzat els fitxers per al objecte nou '%s'
FilesForObjectUpdated=Fitxers de l'objecte '%s' actualitzat (fitxers .sql i fitxer .class.php)
ModuleBuilderDescdescription=Introduïu aquí tota la informació general que descrigui el vostre mòdul.
ModuleBuilderDescspecifications=Podeu introduir aquí una descripció detallada de les especificacions del mòdul que encara no està estructurada en altres pestanyes. Així que teniu a la vostra disposició totes les normes que es desenvolupin. També aquest contingut de text s'inclourà a la documentació generada (veure l'última pestanya). Podeu utilitzar el format de Markdown, però es recomana utilitzar el format Asciidoc (comparació entre .md i .asciidoc: http://asciidoctor.org/docs/user-manual/#compared-to-markdown).
ModuleBuilderDescobjects=Definiu aquí els objectes que voleu gestionar amb el mòdul. Es crearà una classe CRUD DAO, fitxers SQL, una pàgina per llistar el registre d'objectes, per crear/editar/veure un registre i es generarà una API.
ModuleBuilderDescmenus=Aquesta pestanya està dedicada a definir les entrades de menú proporcionades pel teu mòdul.
-ModuleBuilderDescpermissions=Aquesta pestanya està dedicada a definir els nous permisos que vols proporcionar amb el teu mòdul.
+ModuleBuilderDescpermissions=Aquesta pestanya està dedicada a definir els permisos nous que voleu proporcionar amb el vostre mòdul.
ModuleBuilderDesctriggers=Aquesta és la vista dels disparadors proporcionats pel teu mòdul. Per incloure el codi executat quan es posa en marxa un esdeveniment de negoci desencadenat, edita aquest fitxer.
ModuleBuilderDeschooks=Aquesta pestanya està dedicada als ganxos (hooks)
ModuleBuilderDescwidgets=Aquesta pestanya està dedicada per crear/gestionar ginys
@@ -40,6 +40,7 @@ PageForCreateEditView=Pàgina PHP per crear/editar/veure un registre
PageForAgendaTab=Pàgina de PHP per a la pestanya d'esdeveniments
PageForDocumentTab=Pàgina de PHP per a la pestanya de documents
PageForNoteTab=Pàgina de PHP per a la pestanya de notes
+PageForContactTab=PHP page for contact tab
PathToModulePackage=Ruta al zip del paquet del mòdul/aplicació
PathToModuleDocumentation=Camí al fitxer de la documentació del mòdul / aplicació (%s)
SpaceOrSpecialCharAreNotAllowed=Els espais o caràcters especials no estan permesos.
@@ -82,11 +83,11 @@ ListOfMenusEntries=Llista d'entrades de menú
ListOfDictionariesEntries=Llista d'entrades de diccionaris
ListOfPermissionsDefined=Llista de permisos definits
SeeExamples=Mira exemples aquí
-EnabledDesc=Condició per tenir activat aquest camp (Exemples: 1 ó $conf->global->MYMODULE_MYOPTION)
+EnabledDesc=Condició per a tenir aquest camp actiu (Exemples: 1 ó $conf->global->MYMODULE_MYOPTION)
VisibleDesc=És visible el camp ? (Exemples: 0=Mai visible, 1=Visible als llistats i als formularis crear/modificar/veure, 2=Visible només als llistats, 3=Visible només als formularis crear/modificar/veure (no als llistats), 4=Visible als llistats i només als formularis modificar/veure (no al de crear), 5=Visible als llistats i només al formulari de veure (però no als formularis de crear i modificar).
Utilitzant un valor negatiu implicarà que el camp no es mostrarà per defecte als llistats però podrà ser escollit per veure's).
pot ser una expressió, per exemple: preg_match('/public/', $_SERVER['PHP_SELF'])?0:1 ($user->rights->holiday->define_holiday ? 1 : 0)
DisplayOnPdfDesc=Mostra aquest camp en documents PDF compatibles. Podeu gestionar la posició amb el camp "Posició". Actualment, els models PDF compatibles coneguts són: eratosthene (comanda), espadon (enviament), sponge (factures), cyan (propal / pressupost), cornas (comanda del proveïdor)
Per al document : 0 = no es mostra 1 = mostra 2 = només si no està buit
Per a les línies de documents: 0 = no es veuen les 1 = mostra en una columna = 3 = mostra a la columna de descripció de línia després de la descripció 4 = mostra a la columna de descripció després de la descripció només si no està buida
DisplayOnPdf=Visualització en PDF
-IsAMeasureDesc=Es pot acumular el valor del camp per obtenir un total en la llista? (Exemples: 1 o 0)
+IsAMeasureDesc=Es pot acumular el valor del camp per a obtenir un total a la llista? (Exemples: 1 o 0)
SearchAllDesc=El camp utilitzat per realitzar una cerca des de l'eina de cerca ràpida? (Exemples: 1 o 0)
SpecDefDesc=Introduïu aquí tota la documentació que voleu proporcionar amb el vostre mòdul que encara no està definit per altres pestanyes. Podeu utilitzar .md o millor, la sintaxi enriquida .asciidoc.
LanguageDefDesc=Introduïu a aquests fitxers, totes les claus i les traduccions per a cada fitxer d'idioma.
@@ -126,7 +127,6 @@ UseSpecificEditorURL = Utilitzeu editor específic URL
UseSpecificFamily = Utilitzeu una família específica
UseSpecificAuthor = Utilitzeu un autor específic
UseSpecificVersion = Utilitzeu una versió inicial específica
-ModuleMustBeEnabled=El mòdul / aplicació s'ha d’habilitar primer
IncludeRefGeneration=La referència de l’objecte s’ha de generar automàticament
IncludeRefGenerationHelp=Marca-ho si vols incloure codi per gestionar la generació automàtica de la referència
IncludeDocGeneration=Vull generar alguns documents des de l'objecte
@@ -140,3 +140,4 @@ TypeOfFieldsHelp=Tipus de camps: varchar(99), double (24,8), real, text, ht
AsciiToHtmlConverter=Convertidor Ascii a HTML
AsciiToPdfConverter=Convertidor Ascii a PDF
TableNotEmptyDropCanceled=La taula no està buida. S'ha cancel·lat l'eliminació.
+ModuleBuilderNotAllowed=The module builder is available but not allowed to your user.
diff --git a/htdocs/langs/ca_ES/mrp.lang b/htdocs/langs/ca_ES/mrp.lang
index 32ad23c0c3a..29171a2eef4 100644
--- a/htdocs/langs/ca_ES/mrp.lang
+++ b/htdocs/langs/ca_ES/mrp.lang
@@ -37,7 +37,7 @@ NewMO=Ordre de fabricació nova
QtyToProduce=Quantitat per produir
DateStartPlannedMo=Data d’inici prevista
DateEndPlannedMo=Data prevista de finalització
-KeepEmptyForAsap=Buit significa "el més aviat possible"
+KeepEmptyForAsap=Buit significa "Tan aviat com sigui possible"
EstimatedDuration=Durada estimada
EstimatedDurationDesc=Durada estimada per fabricar aquest producte mitjançant aquesta llista de material
ConfirmValidateBom=Segur que voleu validar la llista de material amb la referència %s (podreu utilitzar-lo per crear noves Ordres de Fabricació)
diff --git a/htdocs/langs/ca_ES/oauth.lang b/htdocs/langs/ca_ES/oauth.lang
index 62daa92dadc..ef6edf0d30a 100644
--- a/htdocs/langs/ca_ES/oauth.lang
+++ b/htdocs/langs/ca_ES/oauth.lang
@@ -7,13 +7,13 @@ IsTokenGenerated=S'ha generat el token?
NoAccessToken=No es pot accedir al token desat en la base de dades local
HasAccessToken=S'ha generat un token i s'ha desat en la base de dades local
NewTokenStored=Token rebut i desat
-ToCheckDeleteTokenOnProvider=Fes clic aqui per comprovar/eliminar l'autorització desada pel proveïdor OAuth %s
+ToCheckDeleteTokenOnProvider=Feu clic aquí per comprovar/eliminar l'autorització desada pel proveïdor OAuth %s
TokenDeleted=Token eliminat
RequestAccess=Clica aquí per demanar/renovar l'accés i rebre un nou token per desar
-DeleteAccess=Faci clic aquí per eliminar token
+DeleteAccess=Feu clic aquí per a suprimir el testimoni
UseTheFollowingUrlAsRedirectURI=Utilitzeu l'URL següent com a URI de redirecció quan creeu les vostres credencials amb el vostre proveïdor de OAuth:
ListOfSupportedOauthProviders=Introduïu les credencials proporcionades pel vostre proveïdor OAuth2. Només es mostren aquí els proveïdors compatibles OAuth2. Aquests serveis poden ser utilitzats per altres mòduls que necessiten autenticació OAuth2.
-OAuthSetupForLogin=Pàgina per generar un token OAuth
+OAuthSetupForLogin=Pàgina per a generar un token OAuth
SeePreviousTab=Veure la pestanya anterior
OAuthIDSecret=OAuth ID i Secret
TOKEN_REFRESH=Refresc present de token
@@ -27,6 +27,6 @@ OAUTH_GOOGLE_DESC=Aneu a a aquesta pàgina i després "Registra una nova aplicació" per crear credencials d'OAuth.
+OAUTH_GITHUB_DESC=Aneu aaquesta pàgina i després a "Registra una aplicació nova" per a crear les credencials d'OAuth
OAUTH_STRIPE_TEST_NAME=OAuth Stripe Test
OAUTH_STRIPE_LIVE_NAME=OAuth Stripe Live
diff --git a/htdocs/langs/ca_ES/opensurvey.lang b/htdocs/langs/ca_ES/opensurvey.lang
index a2a57bd1d8f..a4d79dfc95d 100644
--- a/htdocs/langs/ca_ES/opensurvey.lang
+++ b/htdocs/langs/ca_ES/opensurvey.lang
@@ -5,12 +5,12 @@ OrganizeYourMeetingEasily=Organitza fàcilment les teves reunions i enquestes. P
NewSurvey=Enquesta nova
OpenSurveyArea=Àrea enquestes
AddACommentForPoll=Pot afegir un comentari a l'enquesta...
-AddComment=Afegir comentari
+AddComment=Afegeix un comentari
CreatePoll=Crear enquesta
PollTitle=Títol de l'enquesta
ToReceiveEMailForEachVote=Rebre un correu electrònic per cada vot
TypeDate=Tipus de data
-TypeClassic=Tipus estándar
+TypeClassic=Tipus estàndard
OpenSurveyStep2=Selecciona les dates entre els dies lliures (gris). Els dies seleccionats són verds. Pots anul·lar la selecció d'un dia prèviament seleccionat fent clic de nou en ell
RemoveAllDays=Eliminar tots els dies
CopyHoursOfFirstDay=Copia hores del primer dia
@@ -30,11 +30,11 @@ CreateSurveyStandard=Crear una enquesta estàndard
CheckBox=Casella de selecció simple
YesNoList=Llista (buit/sí/no)
PourContreList=Llista (buit/a favor/en contra)
-AddNewColumn=Afegir nova columna
+AddNewColumn=Afegeix una columna nova
TitleChoice=Títol de l'opció
ExportSpreadsheet=Exportar resultats a un full de càlcul
ExpireDate=Data límit
-NbOfSurveys=Número d'enquestes
+NbOfSurveys=Nombre d'enquestes
NbOfVoters=Nº de votants
SurveyResults=Resultats
PollAdminDesc=Està autoritzat per canviar totes les línies de l'enquesta amb el botó "Editar". Pot, també, eliminar una columna o una línia amb %s. També podeu afegir una nova columna amb %s.
@@ -42,9 +42,9 @@ PollAdminDesc=Està autoritzat per canviar totes les línies de l'enquesta amb e
Against=En contra
YouAreInivitedToVote=Està convidat a votar en aquesta enquesta
VoteNameAlreadyExists=Aquest nom ja havia estat usat per a aquesta enquesta
-AddADate=Afegir una data
-AddStartHour=Afegir hora d'inici
-AddEndHour=Afegir hora de fi
+AddADate=Afegeix una data
+AddStartHour=Afegeix l’hora d’inici
+AddEndHour=Afegeix l'hora final
votes=vot(s)
NoCommentYet=Cap comentari ha estat publicat per a aquesta enquesta
CanComment=Els votants poden comentar a l'enquesta
diff --git a/htdocs/langs/ca_ES/orders.lang b/htdocs/langs/ca_ES/orders.lang
index ff1877a88a0..7e4434c3a27 100644
--- a/htdocs/langs/ca_ES/orders.lang
+++ b/htdocs/langs/ca_ES/orders.lang
@@ -10,8 +10,8 @@ OrderLine=Línia de comanda
OrderDate=Data comanda
OrderDateShort=Data comanda
OrderToProcess=Comanda a processar
-NewOrder=Nova comanda
-NewOrderSupplier=Nova comanda de compra
+NewOrder=Comanda nova
+NewOrderSupplier=Comanda de compra nova
ToOrder=Realitzar comanda
MakeOrder=Realitzar comanda
SupplierOrder=Comanda de compra
@@ -24,7 +24,7 @@ CustomersOrdersAndOrdersLines=Ordres de venda i detalls de la comanda
OrdersDeliveredToBill=Comandes de venda lliurats a la factura
OrdersToBill=Ordres de venda lliurades
OrdersInProcess=Ordres de venda en procés
-OrdersToProcess=Ordres de venda per processar
+OrdersToProcess=Comandes de venda a processar
SuppliersOrdersToProcess=Comandes de compra a processar
SuppliersOrdersAwaitingReception=Comandes de compra en espera de recepció
AwaitingReception=Esperant recepció
@@ -97,7 +97,7 @@ ConfirmUnvalidateOrder=Vols restaurar la comanda %s a l'estat esborrany?
ConfirmCancelOrder=Vols anul·lar aquesta comanda?
ConfirmMakeOrder=Vols confirmar la creació d'aquesta comanda a data de %s?
GenerateBill=Facturar
-ClassifyShipped=Classificar enviat
+ClassifyShipped=Classifica enviada
DraftOrders=Esborranys de comandes
DraftSuppliersOrders=Esborrany de comandes de compra
OnProcessOrders=Comandes en procés
@@ -107,7 +107,7 @@ RefOrderSupplier=Ref. comanda pel proveïdor
RefOrderSupplierShort=Ref. comanda proveïdor
SendOrderByMail=Envia comanda per e-mail
ActionsOnOrder=Esdeveniments sobre la comanda
-NoArticleOfTypeProduct=No hi ha articles de tipus 'producte' i per tant enviables en aquesta comanda
+NoArticleOfTypeProduct=No hi ha cap article del tipus "producte", de manera que no es pot enviar cap article per a aquesta comanda
OrderMode=Mètode de comanda
AuthorRequest=Autor/Sol·licitant
UserWithApproveOrderGrant=Usuaris habilitats per aprovar les comandes
@@ -148,14 +148,14 @@ PDFProformaDescription=Una plantilla completa de factura Proforma
CreateInvoiceForThisCustomer=Facturar comandes
CreateInvoiceForThisSupplier=Facturar comandes
NoOrdersToInvoice=Sense comandes facturables
-CloseProcessedOrdersAutomatically=Classificar automàticament com "Processades" les comandes seleccionades.
+CloseProcessedOrdersAutomatically=Classifica com a "Processades" totes les comandes seleccionades.
OrderCreation=Creació comanda
Ordered=Comandat
OrderCreated=Les vostres comandes s'han creat
OrderFail=S'ha produït un error durant la creació de les seves comandes
CreateOrders=Crear comandes
ToBillSeveralOrderSelectCustomer=Per crear una factura per nombroses comandes, faci primer clic sobre el client i després esculli "%s".
-OptionToSetOrderBilledNotEnabled=Està desactivada l'opció del mòdul Workflow per canviar automàticament l'estat de la comanda com a "Facturada" quan la factura es valida, així que haurà d'establir manualment l'estat de la comanda com a "Facturada".
+OptionToSetOrderBilledNotEnabled=L'opció del mòdul Flux de treball, per establir la comanda com a "Facturada" automàticament quan es valida la factura, no està habilitada, de manera que haureu d'establir l'estat de les comandes a "Facturada" manualment després de generar la factura.
IfValidateInvoiceIsNoOrderStayUnbilled=Si la validació de la factura és "No", l'ordre romandrà a l'estat "No facturat" fins que es validi la factura.
CloseReceivedSupplierOrdersAutomatically=Tanqueu l'ordre d'estat "%s" automàticament si es reben tots els productes.
SetShippingMode=Indica el tipus d'enviament
diff --git a/htdocs/langs/ca_ES/other.lang b/htdocs/langs/ca_ES/other.lang
index acae89147c1..a5e732c9647 100644
--- a/htdocs/langs/ca_ES/other.lang
+++ b/htdocs/langs/ca_ES/other.lang
@@ -23,7 +23,7 @@ MessageForm=Missatge al formulari de pagament en línia
MessageOK=Missatge a la pàgina de devolució d'un pagament validat
MessageKO=Missatge a la pàgina de devolució d'un pagament cancel·lat
ContentOfDirectoryIsNotEmpty=El contingut d'aquest directori no és buit.
-DeleteAlsoContentRecursively=Marqueu per eliminar tot el contingut recursivament
+DeleteAlsoContentRecursively=Marqueu per a suprimir tot el contingut recursivament
PoweredBy=Impulsat per
YearOfInvoice=Any de la data de factura
PreviousYearOfInvoice=Any anterior de la data de la factura
@@ -81,8 +81,8 @@ Notify_HOLIDAY_APPROVE=Deixa la sol · licitud aprovada
SeeModuleSetup=Vegi la configuració del mòdul %s
NbOfAttachedFiles=Número arxius/documents adjunts
TotalSizeOfAttachedFiles=Mida total dels arxius/documents adjunts
-MaxSize=Tamany màxim
-AttachANewFile=Adjuntar nou arxiu/document
+MaxSize=Mida màxima
+AttachANewFile=Adjunta un fitxer/document nou
LinkedObject=Objecte adjuntat
NbOfActiveNotifications=Nombre de notificacions (número de correus electrònics del destinatari)
PredefinedMailTest=__(Hola)__\nAquest és un missatge de prova enviat a __EMAIL__.\nLes línies estan separades per una tornada de carro.\n\n__USER_SIGNATURE__
@@ -100,7 +100,7 @@ PredefinedMailContentSendFichInter=__(Hola)__\n\nTrobeu la intervenció __REF__
PredefinedMailContentLink=Podeu fer clic a l'enllaç següent per fer el pagament si encara no està fet.\n\n%s\n\n
PredefinedMailContentGeneric=__(Hello)__\n\n\n__ (Sincerely) __\n\n__USER_SIGNATURE__
PredefinedMailContentSendActionComm=Recordatori d'esdeveniments "__EVENT_LABEL__" el dia __EVENT_DATE__ a les __EVENT_TIME__
Aquest és un missatge automàtic, no respongueu.
-DemoDesc=Dolibarr és un ERP/CRM per a la gestió de negocis (professionals o associacions), compost de mòduls funcionals independents i opcionals. Una demostració que incloga tots aquests mòduls no té sentit perquè no utilitzarà tots els mòduls al mateix temps. Per això, hi han disponibles diferents tipus de perfils de demostració.
+DemoDesc=Dolibarr és un ERP/CRM compacte que admet diversos mòduls empresarials. Una demostració que mostri tots els mòduls no té cap sentit, ja que aquest escenari no es produeix mai (diversos centenars disponibles). Per tant, hi ha disponibles diversos perfils de demostració.
ChooseYourDemoProfil=Selecciona el perfil de demo que cobreixi millor les teves necessitats...
ChooseYourDemoProfilMore=o construeix el teu perfil (selecció de mòduls manual)
DemoFundation=Gestió de socis d'una entitat
@@ -136,7 +136,7 @@ Bottom=Inferior
Left=Esquerra
Right=Dreta
CalculatedWeight=Pes calculat
-CalculatedVolume=Volume calculat
+CalculatedVolume=Volum calculat
Weight=Pes
WeightUnitton=tona
WeightUnitkg=kg
@@ -177,23 +177,23 @@ BugTracker=Incidències
SendNewPasswordDesc=Aquest formulari et permet sol·licitar una nova contrasenya. S'enviarà a la teva adreça de correu electrònic. El canvi es farà efectiu una vegada facis clic a l'enllaç de confirmació del correu electrònic. Comprova la teva safata d'entrada.
BackToLoginPage=Tornar a la pàgina de connexió
AuthenticationDoesNotAllowSendNewPassword=El mode d'autenticació de Dolibarr està configurat com "%s". En aquest mode Dolibarr no pot conèixer ni modificar la seva contrasenya Contacti amb l'administrador per conèixer les modalitats de canvi.
-EnableGDLibraryDesc=Instala o habilita la llibreria GD en la teva instal·lació PHP per poder utilitzar aquesta opció.
+EnableGDLibraryDesc=Instal·leu o activeu la biblioteca GD a la instal·lació de PHP per a utilitzar aquesta opció.
ProfIdShortDesc=Prof Id %s és una informació que depèn del país del tercer. Per exemple, per al país %s, és el codi %s.
DolibarrDemo=Demo de Dolibarr ERP/CRM
StatsByNumberOfUnits=Estadístiques de suma quantitat de productes/serveis
StatsByNumberOfEntities=Estadístiques en nombre d'entitats referents (número de factura o ordre ...)
-NumberOfProposals=Número de pressupostos
+NumberOfProposals=Nombre de pressupostos
NumberOfCustomerOrders=Nombre de comandes de venda
-NumberOfCustomerInvoices=Número de factures de client
-NumberOfSupplierProposals=Nombre de propostes de venedor
+NumberOfCustomerInvoices=Nombre de factures de client
+NumberOfSupplierProposals=Nombre de pressupostos de proveïdor
NumberOfSupplierOrders=Nombre de comandes de compra
NumberOfSupplierInvoices=Nombre de factures de venedor
NumberOfContracts=Nombre de contractes
NumberOfMos=Nombre d'ordres de fabricació
-NumberOfUnitsProposals=Número d'unitats en pressupostos
+NumberOfUnitsProposals=Nombre d'unitats en pressupostos
NumberOfUnitsCustomerOrders=Nombre d'unitats per comandes de venda
-NumberOfUnitsCustomerInvoices=Número d'unitats en factures de client
-NumberOfUnitsSupplierProposals=Nombre d'unitats en propostes de venedor
+NumberOfUnitsCustomerInvoices=Nombre d'unitats en factures de client
+NumberOfUnitsSupplierProposals=Nombre d'unitats en pressupostos de proveïdor
NumberOfUnitsSupplierOrders=Nombre d'unitats en comandes de compra
NumberOfUnitsSupplierInvoices=Nombre d'unitats a les factures del venedor
NumberOfUnitsContracts=Nombre d’unitats en contractes
@@ -218,9 +218,9 @@ EMailTextHolidayApproved=S'ha aprovat la sol licitud %s.
ImportedWithSet=Lot d'importació (import key)
DolibarrNotification=Notificació automàtica
ResizeDesc=Introduïu l'ample O la nova alçada. La relació es conserva en canviar la mida...
-NewLength=Nou ample
-NewHeight=Nova alçada
-NewSizeAfterCropping=Noves dimensions després de retallar
+NewLength=Amplada nova
+NewHeight=Alçada nova
+NewSizeAfterCropping=Mida nova després de retallar
DefineNewAreaToPick=Indiqueu la zona d'imatge a conservar (Clic sobre la imatge i arrossegueu fins a la cantonada oposada)
CurrentInformationOnImage=Aquesta eina va ser dissenyada per ajudar-vos a canviar la mida o retallar una imatge. Aquesta és la informació de la imatge editada actual
ImageEditor=Editor d'imatge
@@ -230,18 +230,18 @@ ThisIsListOfModules=Li mostrem un llistat de mòduls preseleccionats per a aques
UseAdvancedPerms=Usar els drets avançats en els permisos dels mòduls
FileFormat=Format d'arxiu
SelectAColor=Tria un color
-AddFiles=Afegir arxius
+AddFiles=Afegeix arxius
StartUpload=Transferir
CancelUpload=Cancel·lar transferència
FileIsTooBig=L'arxiu és massa gran
PleaseBePatient=Preguem esperi uns instants...
-NewPassword=Nova contrasenya
+NewPassword=Contrasenya nova
ResetPassword=Restablir la contrasenya
RequestToResetPasswordReceived=S'ha rebut una sol·licitud per canviar la teva contrasenya.
NewKeyIs=Aquesta és la nova contrasenya per iniciar sessió
NewKeyWillBe=La seva nova contrasenya per iniciar sessió en el software serà
ClickHereToGoTo=Clica aquí per anar a %s
-YouMustClickToChange=però, primer ha de fer clic en el següent enllaç per validar aquest canvi de contrasenya
+YouMustClickToChange=De totes formes, primer heu de fer clic al següent enllaç per a validar aquest canvi de contrasenya
ForgetIfNothing=Si vostè no ha sol·licitat aquest canvi, simplement ignori aquest e-mail. Les seves credencials són guardades de forma segura
IfAmountHigherThan=si l'import es major que %s
SourcesRepository=Repositori de fonts
@@ -259,6 +259,7 @@ ContactCreatedByEmailCollector=Contacte / adreça creada pel recollidor de corre
ProjectCreatedByEmailCollector=Projecte creat pel recollidor de correus electrònics MSGID %s
TicketCreatedByEmailCollector=Tiquet creat pel recollidor de correus electrònics MSGID %s
OpeningHoursFormatDesc=Utilitzeu a - per separar l’horari d’obertura i tancament. Utilitzeu un espai per introduir diferents intervals. Exemple: 8-12 14-18
+PrefixSession=Prefix for session ID
##### Export #####
ExportsArea=Àrea d'exportacions
diff --git a/htdocs/langs/ca_ES/productbatch.lang b/htdocs/langs/ca_ES/productbatch.lang
index 8ca82527e6c..798e4d56cbb 100644
--- a/htdocs/langs/ca_ES/productbatch.lang
+++ b/htdocs/langs/ca_ES/productbatch.lang
@@ -1,17 +1,17 @@
# ProductBATCH language file - en_US - ProductBATCH
-ManageLotSerial=Utilitzar numeració per lots/series
-ProductStatusOnBatch=Si (es necessita lot/serie)
-ProductStatusNotOnBatch=No (no s'utilitza lot/serie)
+ManageLotSerial=Utilitza el número de lot/sèrie
+ProductStatusOnBatch=Sí (es requereix un lot/sèrie)
+ProductStatusNotOnBatch=No (lot/sèrie no utilitzat)
ProductStatusOnBatchShort=Si
ProductStatusNotOnBatchShort=No
-Batch=Lot/Serie
-atleast1batchfield=Data de caducitat o Data de venda o Lot/Numero de Serie
-batch_number=Número de Lot/Serie
-BatchNumberShort=Lot/Serie
+Batch=Lot/Sèrie
+atleast1batchfield=Data de caducitat o data de venda o número de lot/sèrie
+batch_number=Número de lot/sèrie
+BatchNumberShort=Lot/Sèrie
EatByDate=Data de caducitat
SellByDate=Data límit de venda
-DetailBatchNumber=Detalls del lot/serie
-printBatch=Lot/Serie %s
+DetailBatchNumber=Detalls del lot/sèrie
+printBatch=Lot/Sèrie: %s
printEatby=Caducitat: %s
printSellby=Límit venda: %s
printQty=Quant.: %d
@@ -21,4 +21,4 @@ ProductDoesNotUseBatchSerial=Aquest producte no utilitza lot/número de sèrie
ProductLotSetup=Configuració del mòdul lot/sèries
ShowCurrentStockOfLot=Mostra l'estoc actual de la parella producte/lot
ShowLogOfMovementIfLot=Mostra el registre de moviments de la parella producte/lot
-StockDetailPerBatch=Detalls del stock per lot
+StockDetailPerBatch=Detall d’estoc per lot
diff --git a/htdocs/langs/ca_ES/products.lang b/htdocs/langs/ca_ES/products.lang
index 49bfe4daa99..1bd732c8479 100644
--- a/htdocs/langs/ca_ES/products.lang
+++ b/htdocs/langs/ca_ES/products.lang
@@ -15,12 +15,12 @@ Service=Servei
ProductId=ID producte/servei
Create=Crear
Reference=Referència
-NewProduct=Nou producte
-NewService=Nou servei
+NewProduct=Producte nou
+NewService=Servei nou
ProductVatMassChange=Actualització d'Impostos Global
ProductVatMassChangeDesc=Aquesta eina actualitza el tipus d'IVA establert a TOTS els productes i serveis!
MassBarcodeInit=Inicialització massiu de codis de barres
-MassBarcodeInitDesc=Pot utilitzar aquesta pàgina per inicialitzar el codi de barres en els objectes que no tenen un codi de barres definit. Comprovi abans que el mòdul de codis de barres estar ben configurat
+MassBarcodeInitDesc=Aquesta pàgina es pot utilitzar per a inicialitzar un codi de barres en els objectes que no tenen un codi de barres definit. Comproveu abans que la configuració del mòdul de codi de barres està completada.
ProductAccountancyBuyCode=Codi comptable (compra)
ProductAccountancyBuyIntraCode=Codi comptable (compra intracomunitària)
ProductAccountancyBuyExportCode=Codi comptable (compra d'importació)
@@ -48,7 +48,7 @@ LastRecordedProducts=Últims %s productes registrats
LastRecordedServices=Últims %s serveis registrats
CardProduct0=Producte
CardProduct1=Servei
-Stock=Stock
+Stock=Estoc
MenuStocks=Estocs
Stocks=Estocs i ubicació (magatzem) de productes
Movements=Moviments
@@ -77,7 +77,7 @@ CostPriceDescription=Aquest camp de preus (sense IVA) es pot utilitzar per emmag
CostPriceUsage=Aquest valor pot utilitzar-se per al càlcul de marges
SoldAmount=Import venut
PurchasedAmount=Import comprat
-NewPrice=Nou preu
+NewPrice=Preu nou
MinPrice=Min. preu de venda
EditSellingPriceLabel=Edita l'etiqueta de preu de venda
CantBeLessThanMinPrice=El preu de venda no ha de ser inferior al mínim per a aquest producte (%s sense IVA). Aquest missatge pot estar causat per un descompte molt gran.
@@ -93,7 +93,7 @@ ShowService=Mostrar servei
ProductsAndServicesArea=Àrea productes i serveis
ProductsArea=Àrea Productes
ServicesArea=Àrea Serveis
-ListOfStockMovements=Llistat de moviments de stock
+ListOfStockMovements=Llista de moviments d’estoc
BuyingPrice=Preu de compra
PriceForEachProduct=Productes amb preus específics
SupplierCard=Targeta venedor
@@ -106,12 +106,13 @@ NoteNotVisibleOnBill=Nota (no visible en les factures, pressupostos, etc.)
ServiceLimitedDuration=Si el servei és de durada limitada:
FillWithLastServiceDates=Emplena les dates de l'última línia de servei
MultiPricesAbility=Segments de preus múltiples per producte / servei (cada client està en un segment de preus)
-MultiPricesNumPrices=Nº de preus
+MultiPricesNumPrices=Nombre de preus
DefaultPriceType=Base de preus per defecte (contra impostos) en afegir preus de venda nous
-AssociatedProductsAbility=Activa els kits (productes virtuals)
+AssociatedProductsAbility=Activa els kits (conjunt d'altres productes)
+VariantsAbility=Activa les variants (variacions de productes, per exemple, color, mida)
AssociatedProducts=Kits
-AssociatedProductsNumber=Número de productes que componen aquest kit
-ParentProductsNumber=Nº de productes que aquest compon
+AssociatedProductsNumber=Nombre de productes que componen aquest kit
+ParentProductsNumber=Nombre de productes on està inclòs
ParentProducts=Productes pare
IfZeroItIsNotAVirtualProduct=Si és 0, aquest producte no és un kit
IfZeroItIsNotUsedByVirtualProduct=Si és 0, aquest producte no s'utilitza en cap kit
@@ -131,7 +132,7 @@ ExportDataset_service_1=Serveis
ImportDataset_produit_1=Productes
ImportDataset_service_1=Serveis
DeleteProductLine=Eliminar línia de producte
-ConfirmDeleteProductLine=Esteu segur de voler eliminar aquesta línia de producte?
+ConfirmDeleteProductLine=Esteu segur que voleu suprimir aquesta línia de producte?
ProductSpecial=Especial
QtyMin=Min. quantitat de compra
PriceQtyMin=Preu mínim
@@ -161,14 +162,16 @@ CloneCategoriesProduct=Etiquetes i categories de clons enllaçades
CloneCompositionProduct=Clonar virtualment un producte/servei
CloneCombinationsProduct=Clonar variants de producte
ProductIsUsed=Aquest producte és utilitzat
-NewRefForClone=Ref. del nou producte/servei
+NewRefForClone=Ref. del producte/servei nou
SellingPrices=Preus de venda
BuyingPrices=Preus de compra
CustomerPrices=Preus de client
SuppliersPrices=Preus del proveïdor
SuppliersPricesOfProductsOrServices=Preus del venedor (de productes o serveis)
-CustomCode=Duana / mercaderia / codi HS
+CustomCode=Duanes | Productes bàsics | Codi HS
CountryOrigin=País d'origen
+RegionStateOrigin=Regió d'origen
+StateOrigin=Estat | Província d'origen
Nature=Naturalesa del producte (material/acabat)
NatureOfProductShort=Naturalesa del producte
NatureOfProductDesc=Matèria primera o producte acabat
@@ -216,7 +219,7 @@ unitDM=dm
unitCM=cm
unitMM=mm
unitFT=peu
-unitIN=pulzada
+unitIN=polzada
unitM2=Metre quadrat
unitDM2=dm²
unitCM2=cm²
@@ -239,7 +242,7 @@ AlwaysUseFixedPrice=Utilitzar el preu fixat
PriceByQuantity=Preus diferents per quantitat
DisablePriceByQty=Desactivar els preus per quantitat
PriceByQuantityRange=Rang de quantitats
-MultipriceRules=Regles de nivell de preu
+MultipriceRules=Preus automàtics per segment
UseMultipriceRules=Utilitzeu les regles del segment de preus (definides a la configuració del mòdul de producte) per calcular automàticament els preus de tots els altres segments segons el primer segment
PercentVariationOver=%% variació sobre %s
PercentDiscountOver=%% descompte sobre %s
@@ -258,7 +261,7 @@ Quarter3=3º trimestre
Quarter4=4º trimestre
BarCodePrintsheet=Imprimeix codi de barres
PageToGenerateBarCodeSheets=Amb aquesta eina, podeu imprimir fulls adhesius de codis de barres. Trieu el format de la vostra pàgina d'etiqueta, tipus de codi de barres i valor del codi de barres, i feu clic al botó %s .
-NumberOfStickers=Nùmero d'etiquetes per imprimir a la pàgina
+NumberOfStickers=Nombre d'adhesius per imprimir a la pàgina
PrintsheetForOneBarCode=Imprimir varies etiquetes per codi de barres
BuildPageToPrint=Generar pàgines a imprimir
FillBarCodeTypeAndValueManually=Emplenar tipus i valor del codi de barres manualment
@@ -276,10 +279,10 @@ AddCustomerPrice=Afegir preus per client
ForceUpdateChildPriceSoc=Indica el mateix preu a les filials dels clients
PriceByCustomerLog=Registre de preus de clients anteriors
MinimumPriceLimit=El preu mínim no pot ser inferior a %s
-MinimumRecommendedPrice=El preu mínim recomenat es: %s
+MinimumRecommendedPrice=El preu mínim recomanat és: %s
PriceExpressionEditor=Editor d'expressions de preus
PriceExpressionSelected=Expressió de preus seleccionat
-PriceExpressionEditorHelp1="price = 2 + 2" o "2 + 2" per configurar un preu. Utilitzi ; per separar expresions
+PriceExpressionEditorHelp1="price = 2 + 2" o "2 + 2" per definir el preu. Utilitzeu ; per separar expressions
PriceExpressionEditorHelp2=Pots accedir als atributs complementaris amb variables com #extrafield_myextrafieldkey# i variables globals amb #global_mycode#
PriceExpressionEditorHelp3=En productes/serveis i preus de proveïdor, hi ha disponibles les següents variables #tva_tx# #localtax1_tx# #localtax2_tx# #weight# #length# #surface# #price_min#
PriceExpressionEditorHelp4=Només en els preus de productes/serveis: #supplier_min_price# Només en els preus dels proveïdors: #supplier_quantity# i #supplier_tva_tx#
@@ -328,7 +331,7 @@ WidthUnits=Unitat d’amplada
LengthUnits=Unitat de longitud
HeightUnits=Unitat d'alçada
SurfaceUnits=Unitat de superfície
-SizeUnits=Unitat de tamany
+SizeUnits=Unitat de mida
DeleteProductBuyPrice=Elimina preu de compra
ConfirmDeleteProductBuyPrice=Esteu segur de voler eliminar aquest preu de compra?
SubProduct=Subproducte
@@ -356,9 +359,9 @@ ProductCombinations=Variants
PropagateVariant=Propaga variants
HideProductCombinations=Ocultar les variants en el selector de productes
ProductCombination=Variant
-NewProductCombination=Nova variant
+NewProductCombination=Variant nova
EditProductCombination=Editant variant
-NewProductCombinations=Nous variants
+NewProductCombinations=Variants noves
EditProductCombinations=Editant variants
SelectCombination=Selecciona la combinació
ProductCombinationGenerator=Generador de variants
@@ -368,11 +371,11 @@ ImpactOnPriceLevel=Impacte en el nivell de preus %s
ApplyToAllPriceImpactLevel= Aplica a tots els nivells
ApplyToAllPriceImpactLevelHelp=En fer clic aquí, establireu el mateix impacte de preu en tots els nivells
WeightImpact=Impacte en el pes
-NewProductAttribute=Nou atribut
-NewProductAttributeValue=Nou valor de l'atribut
-ErrorCreatingProductAttributeValue=Ha ocorregut un error al crear el valor de l'atribut. Això pot ser perque ja no existeixca un valor amb aquesta referència
+NewProductAttribute=Atribut nou
+NewProductAttributeValue=Valor d'atribut nou
+ErrorCreatingProductAttributeValue=S'ha produït un error en crear el valor de l'atribut. Podria ser perquè ja hi ha un valor existent amb aquesta referència
ProductCombinationGeneratorWarning=Si continua, abans de generar noves variants, totes les anteriors seran ELIMINADES. Les ja existents s'actualitzaran amb els nous valors
-TooMuchCombinationsWarning=Generar una gran quantitat de variants pot donar lloc a un ús de CPU alta, ús de memòria i que Dolibarr no siga capaç de crearles. Habilitar l'opció "%s" pot ajudar a reduir l'ús de memòria.
+TooMuchCombinationsWarning=La generació de moltes variants pot provocar un elevat consum de la CPU i ús de memòria i Dolibarr no les podrà crear. Habilitant l'opció "%s" pot ajudar a reduir l'ús de memòria.
DoNotRemovePreviousCombinations=No elimineu les variants anteriors
UsePercentageVariations=Utilitzar variants percentuals
PercentageVariation=Variant percentual
diff --git a/htdocs/langs/ca_ES/projects.lang b/htdocs/langs/ca_ES/projects.lang
index d7b36bb013a..dfc378b36f0 100644
--- a/htdocs/langs/ca_ES/projects.lang
+++ b/htdocs/langs/ca_ES/projects.lang
@@ -7,7 +7,7 @@ ProjectsArea=Àrea de projectes
ProjectStatus=Estat el projecte
SharedProject=Projecte compartit
PrivateProject=Contactes del projecte
-ProjectsImContactFor=Projectes on sóc explícitament un contacte
+ProjectsImContactFor=Projectes dels qui en soc explícitament un contacte
AllAllowedProjects=Tots els projectes que puc llegir (meu + públic)
AllProjects=Tots els projectes
MyProjectsDesc=Aquesta vista mostra aquells projectes dels quals sou un contacte.
@@ -20,12 +20,12 @@ MyTasksDesc=Aquesta vista es limita als projectes o a les tasques als quals sou
OnlyOpenedProject=Només visibles els projectes oberts (els projectes en estat d'esborrany o tancats no són visibles)
ClosedProjectsAreHidden=Els projectes tancats no són visibles.
TasksPublicDesc=Aquesta vista mostra tots els projectes i tasques en els que vostè té dret a tenir visibilitat.
-TasksDesc=Aquesta vista mostra tots els projectes i tasques (les sevas autoritzacions li ofereixen una visió completa).
+TasksDesc=Aquesta vista presenta tots els projectes i tasques (els permisos d'usuari us concedeixen permís per veure-ho tot).
AllTaskVisibleButEditIfYouAreAssigned=Totes les tasques per a projectes qualificats són visibles, però podeu ingressar només el temps per a la tasca assignada a l'usuari seleccionat. Assigneu la tasca si necessiteu introduir-hi el temps.
OnlyYourTaskAreVisible=Només són visibles les tasques que tens assignades. Assigna't tasques si no són visibles i vols afegir-hi les hores.
ImportDatasetTasks=Tasques de projectes
ProjectCategories=Etiquetes de projecte
-NewProject=Nou projecte
+NewProject=Projecte nou
AddProject=Crear projecte
DeleteAProject=Eliminar un projecte
DeleteATask=Eliminar una tasca
@@ -65,10 +65,10 @@ Task=Tasca
TaskDateStart=Data d'inici
TaskDateEnd=Data de finalització
TaskDescription=Descripció de tasca
-NewTask=Nova tasca
+NewTask=Tasca nova
AddTask=Crear tasca
AddTimeSpent=Crea temps dedicat
-AddHereTimeSpentForDay=Afegeix aqui el temps dedicat per aquest dia/tasca
+AddHereTimeSpentForDay=Afegiu aquí el temps dedicat a aquest dia/tasca
AddHereTimeSpentForWeek=Afegeix aquí el temps dedicat per aquesta setmana/tasca
Activity=Activitat
Activities=Tasques/activitats
@@ -120,7 +120,7 @@ ValidateProject=Validar projecte
ConfirmValidateProject=Vols validar aquest projecte?
CloseAProject=Tancar projecte
ConfirmCloseAProject=Vols tancar aquest projecte?
-AlsoCloseAProject=Tancar també el projecte (mantindre obert si encara necessita seguir les tasques de producció en ell)
+AlsoCloseAProject=Tanqueu el projecte també (manteniu-lo obert si encara heu de seguir les tasques de producció)
ReOpenAProject=Reobrir projecte
ConfirmReOpenAProject=Vols reobrir aquest projecte?
ProjectContact=Contactes del projecte
@@ -139,7 +139,7 @@ LinkedToAnotherCompany=Enllaçat a una altra empresa
TaskIsNotAssignedToUser=Tasca no assignada a l'usuari. Utilitza el botó '%s' per assignar una tasca ara.
ErrorTimeSpentIsEmpty=El temps dedicat està buit
ThisWillAlsoRemoveTasks=Aquesta operació també destruirà les tasques del projecte (%s tasques en aquest moment) i tots els seus temps dedicats.
-IfNeedToUseOtherObjectKeepEmpty=Si els elements (factura, comanda, ...) pertanyen a un tercer que no és el seleccionat, havent aquests estar lligats al projecte a crear, deixeu buit per permetre el projecte a multi-tercers.
+IfNeedToUseOtherObjectKeepEmpty=Si alguns objectes (factura, comanda...), pertanyents a un altre tercer, han d'estar vinculats al projecte a crear, manteniu-los buits perquè el projecte sigui multitercers.
CloneTasks=Clonar les tasques
CloneContacts=Clonar els contactes
CloneNotes=Clonar les notes
@@ -254,7 +254,7 @@ TimeSpentForInvoice=Temps dedicat
OneLinePerUser=Una línia per usuari
ServiceToUseOnLines=Servei d'ús a les línies
InvoiceGeneratedFromTimeSpent=La factura %s s'ha generat a partir del temps dedicat al projecte
-ProjectBillTimeDescription=Comproveu si heu introduït el full de temps en les tasques del projecte I teniu previst generar factures des del full de temps per facturar al client del projecte (no comproveu si voleu crear la factura que no es basa en els fulls de temps introduïts). Nota: Per generarla factura, aneu a la pestanya "Temps introduït" del projecte i seleccioneu les línies que cal incloure.
+ProjectBillTimeDescription=Comproveu si heu introduït el full de temps en les tasques del projecte I teniu previst generar factures des del full de temps per a facturar al client del projecte (no comproveu si voleu crear la factura que no es basa en els fulls de temps introduïts). Nota: Per a generar la factura, aneu a la pestanya "Temps introduït" del projecte i seleccioneu les línies que cal incloure.
ProjectFollowOpportunity=Segueix l’oportunitat
ProjectFollowTasks=Seguir les tasques o el temps dedicat
Usage=Ús
@@ -262,7 +262,7 @@ UsageOpportunity=Ús: Oportunitat
UsageTasks=Ús: Tasques
UsageBillTimeShort=Ús: temps de facturació
InvoiceToUse=Esborrany de factura a utilitzar
-NewInvoice=Nova factura
+NewInvoice=Factura nova
OneLinePerTask=Una línia per tasca
OneLinePerPeriod=Una línia per període
RefTaskParent=Ref. Tasca pare
diff --git a/htdocs/langs/ca_ES/receiptprinter.lang b/htdocs/langs/ca_ES/receiptprinter.lang
index d0aa69ce402..32fce852506 100644
--- a/htdocs/langs/ca_ES/receiptprinter.lang
+++ b/htdocs/langs/ca_ES/receiptprinter.lang
@@ -5,28 +5,28 @@ PrinterUpdated=Impressora %s actualitzada
PrinterDeleted=Impressora %s esborrada
TestSentToPrinter=Prova enviada a la impressora %s
ReceiptPrinter=Impressores de tiquets
-ReceiptPrinterDesc=Configuració d'impresora de tiquets
+ReceiptPrinterDesc=Configuració d'impressores de tiquets
ReceiptPrinterTemplateDesc=Configuració de plantilles
-ReceiptPrinterTypeDesc=Descripció del tipus d'impresora de tiquets
-ReceiptPrinterProfileDesc=Descripció del perfil d'impresora de tiquets
+ReceiptPrinterTypeDesc=Descripció del tipus d'impressora de tiquets
+ReceiptPrinterProfileDesc=Descripció del perfil de la impressora de tiquets
ListPrinters=Llista d'impressores
SetupReceiptTemplate=Configuració de plantilla
CONNECTOR_DUMMY=Impressora de proves
-CONNECTOR_NETWORK_PRINT=Impresora en xarxa
+CONNECTOR_NETWORK_PRINT=Impressora de xarxa
CONNECTOR_FILE_PRINT=Impressora local
CONNECTOR_WINDOWS_PRINT=Impressora local en Windows
CONNECTOR_CUPS_PRINT=Impressora CUPS
-CONNECTOR_DUMMY_HELP=Impresora de proves, no fa res
+CONNECTOR_DUMMY_HELP=Impressora falsa per provar, no fa res
CONNECTOR_NETWORK_PRINT_HELP=10.x.x.x:9100
CONNECTOR_FILE_PRINT_HELP=/dev/usb/lp0, /dev/usb/lp1
CONNECTOR_WINDOWS_PRINT_HELP=LPT1, COM1, smb://FooUser:secret@computername/workgroup/Receipt Printer
CONNECTOR_CUPS_PRINT_HELP=Nom de la impressora CUPS, exemple: HPRT_TP805L
PROFILE_DEFAULT=Perfil per defecte
-PROFILE_SIMPLE=Perfil simpre
+PROFILE_SIMPLE=Perfil simple
PROFILE_EPOSTEP=Perfil Epos Tep
PROFILE_P822D=Perfil P822D
PROFILE_STAR=Perfil Star
-PROFILE_DEFAULT_HELP=Perfil per defecte per a les impresores Epson
+PROFILE_DEFAULT_HELP=Perfil predeterminat adequat per a impressores Epson
PROFILE_SIMPLE_HELP=Perfil simple sense gràfics
PROFILE_EPOSTEP_HELP=Perfil Epos Tep
PROFILE_P822D_HELP=Perfil P822D sense gràfics
diff --git a/htdocs/langs/ca_ES/recruitment.lang b/htdocs/langs/ca_ES/recruitment.lang
index 538b7c54ea1..a9a64d93e3f 100644
--- a/htdocs/langs/ca_ES/recruitment.lang
+++ b/htdocs/langs/ca_ES/recruitment.lang
@@ -20,7 +20,7 @@
# Module label 'ModuleRecruitmentName'
ModuleRecruitmentName = Contractació
# Module description 'ModuleRecruitmentDesc'
-ModuleRecruitmentDesc = Gestiona i segueix les campanyes de contractació de nous llocs de treball
+ModuleRecruitmentDesc = Gestiona i segueix les campanyes de contractació de llocs de treball nous
#
# Admin page
@@ -73,3 +73,4 @@ JobClosedTextCandidateFound=L’oferta de feina està tancada. El lloc s'ha cobe
JobClosedTextCanceled=L’oferta de feina està tancada.
ExtrafieldsJobPosition=Atributs complementaris (llocs de treball)
ExtrafieldsCandidatures=Atributs complementaris (sol·licituds de feina)
+MakeOffer=Feu una oferta
diff --git a/htdocs/langs/ca_ES/resource.lang b/htdocs/langs/ca_ES/resource.lang
index f4b0d69ddf6..a608f69d929 100644
--- a/htdocs/langs/ca_ES/resource.lang
+++ b/htdocs/langs/ca_ES/resource.lang
@@ -1,6 +1,6 @@
# Dolibarr language file - Source file is en_US - resource
MenuResourceIndex=Recursos
-MenuResourceAdd=Nou recurs
+MenuResourceAdd=Recurs nou
DeleteResource=Elimina recurs
ConfirmDeleteResourceElement=Estàs segur de voler eliminar el recurs d'aquest element?
NoResourceInDatabase=Sense recursos a la base de dades.
@@ -31,7 +31,7 @@ DictionaryResourceType=Tipus de recurs
SelectResource=Seleccionar recurs
IdResource=Id de recurs
-AssetNumber=Número de serie
+AssetNumber=Número de sèrie
ResourceTypeCode=Codi de tipus de recurs
ImportDataset_resource_1=Recursos
diff --git a/htdocs/langs/ca_ES/salaries.lang b/htdocs/langs/ca_ES/salaries.lang
index f4567d2fd49..de594952360 100644
--- a/htdocs/langs/ca_ES/salaries.lang
+++ b/htdocs/langs/ca_ES/salaries.lang
@@ -1,18 +1,18 @@
# Dolibarr language file - Source file is en_US - salaries
SALARIES_ACCOUNTING_ACCOUNT_PAYMENT=Compte comptable utilitzat per usuaris tercers
-SALARIES_ACCOUNTING_ACCOUNT_PAYMENT_Desc=S'utilitzarà un compte comptable dedicat definit en la fitxa d'usuari per a omplir el Llibre Major, o com valor predeterminar de la comptabilitat del Llibre Major si no es defineix un compte comptable en la fitxa d'usuari.
+SALARIES_ACCOUNTING_ACCOUNT_PAYMENT_Desc=El compte comptable dedicat definit a la fitxa d'usuari només s’utilitzarà per a la comptabilitat auxiliar. Aquest s'utilitzarà per al llibre major i com a valor per defecte de la comptabilitat auxiliar si no es defineix un compte comptable d'usuari dedicat.
SALARIES_ACCOUNTING_ACCOUNT_CHARGE=Compte comptable per defecte per als pagaments salarials
Salary=Sou
Salaries=Sous
-NewSalaryPayment=Nou pagament de sous
+NewSalaryPayment=Pagament de salari nou
AddSalaryPayment=Afegeix pagament de sou
SalaryPayment=Pagament de sous
SalariesPayments=Pagaments de sous
ShowSalaryPayment=Veure pagament de sous
THM=Tarifa per hora mitjana
-TJM=Tarifa diaria mitjana
+TJM=Tarifa mitjana diària
CurrentSalary=Salari actual
-THMDescription=Aquest valor es pot utilitzar per calcular el cost del temps consumit en un projecte introduït pels usuaris si s'utilitza el projecte de mòdul
+THMDescription=Aquest valor es pot utilitzar per a calcular el cost del temps consumit en un projecte introduït pels usuaris si s'utilitza el mòdul de projecte
TJMDescription=Aquest valor només és informatiu i no s'utilitza en cap càlcul
LastSalaries=Últims %s pagaments de salari
AllSalaries=Tots els pagaments de salari
diff --git a/htdocs/langs/ca_ES/sendings.lang b/htdocs/langs/ca_ES/sendings.lang
index 421112e34da..a973ace4aee 100644
--- a/htdocs/langs/ca_ES/sendings.lang
+++ b/htdocs/langs/ca_ES/sendings.lang
@@ -15,7 +15,7 @@ StatisticsOfSendings=Estadístiques d'enviaments
NbOfSendings=Nombre d'enviaments
NumberOfShipmentsByMonth=Nombre d'enviaments per mes
SendingCard=Fitxa d'enviament
-NewSending=Nou enviament
+NewSending=Enviament nou
CreateShipment=Crear enviament
QtyShipped=Qt. enviada
QtyShippedShort=Quant. env.
@@ -30,16 +30,17 @@ OtherSendingsForSameOrder=Altres enviaments d'aquesta comanda
SendingsAndReceivingForSameOrder=Enviaments i recepcions per aquesta comanda
SendingsToValidate=Enviaments a validar
StatusSendingCanceled=Anul·lada
+StatusSendingCanceledShort=Cancel·lat
StatusSendingDraft=Esborrany
StatusSendingValidated=Validat (productes a enviar o enviats)
StatusSendingProcessed=Processat
StatusSendingDraftShort=Esborrany
StatusSendingValidatedShort=Validat
StatusSendingProcessedShort=Processat
-SendingSheet=Nota d'entrga
+SendingSheet=Full d’enviament
ConfirmDeleteSending=Estàs segur que vols eliminar aquest enviament?
ConfirmValidateSending=Estàs segur que vols validar aquest enviament amb referència %s?
-ConfirmCancelSending=Estàs segur que vols cancelar aquest enviament?
+ConfirmCancelSending=Esteu segur que voleu cancel·lar aquest enviament?
DocumentModelMerou=Model Merou A5
WarningNoQtyLeftToSend=Alerta, cap producte en espera d'enviament.
StatsOnShipmentsOnlyValidated=Estadístiques realitzades únicament sobre les expedicions validades
@@ -50,7 +51,7 @@ DateReceived=Data real de recepció
ClassifyReception=Marca rebut
SendShippingByEMail=Envia expedició per e-mail
SendShippingRef=Enviament de l'expedició %s
-ActionsOnShipping=Events sobre l'expedició
+ActionsOnShipping=Esdeveniments en l'enviament
LinkToTrackYourPackage=Enllaç per al seguiment del seu paquet
ShipmentCreationIsDoneFromOrder=De moment, la creació d'una nova expedició es realitza des de la fitxa de comanda.
ShipmentLine=Línia d'expedició
diff --git a/htdocs/langs/ca_ES/stocks.lang b/htdocs/langs/ca_ES/stocks.lang
index a567ac331f0..fbda84602e8 100644
--- a/htdocs/langs/ca_ES/stocks.lang
+++ b/htdocs/langs/ca_ES/stocks.lang
@@ -3,13 +3,13 @@ WarehouseCard=Fitxa magatzem
Warehouse=Magatzem
Warehouses=Magatzems
ParentWarehouse=Magatzem pare
-NewWarehouse=Nou magatzem o zona d'emmagatzematge
+NewWarehouse=Magatzem / Ubicació d'estoc nova
WarehouseEdit=Edició magatzem
-MenuNewWarehouse=Nou magatzem
+MenuNewWarehouse=Magatzem nou
WarehouseSource=Magatzem origen
WarehouseSourceNotDefined=Sense magatzems definits,
AddWarehouse=Crea un magatzem
-AddOne=Afegir un
+AddOne=Afegeix-ne un
DefaultWarehouse=Magatzem predeterminat
WarehouseTarget=Magatzem destinació
ValidateSending=Elimina l'enviament
@@ -17,8 +17,8 @@ CancelSending=Cancel·la l'enviament
DeleteSending=Elimina l'enviament
Stock=Estoc
Stocks=Estocs
-MissingStocks=Estoc que falta
-StockAtDate=Existències en data
+MissingStocks=Estocs que falten
+StockAtDate=Estocs en data
StockAtDateInPast=Data passada
StockAtDateInFuture=Data en el futur
StocksByLotSerial=Estocs per lot/sèrie
@@ -27,7 +27,7 @@ LotSerialList=Llista de lots/sèries
Movements=Moviments
ErrorWarehouseRefRequired=El nom de referència del magatzem és obligatori
ListOfWarehouses=Llistat de magatzems
-ListOfStockMovements=Llistat de moviments de estoc
+ListOfStockMovements=Llistat de moviments d'estoc
ListOfInventories=Llista d'inventaris
MovementId=ID del moviment
StockMovementForId=ID de moviment %d
@@ -46,7 +46,7 @@ Units=Unitats
Unit=Unitat
StockCorrection=Regularització d'estoc
CorrectStock=Regularització d'estoc
-StockTransfer=Transferencia d'estoc
+StockTransfer=Transferència d’estoc
TransferStock=Transferència d'estoc
MassStockTransferShort=Transferència d'estoc massiu
StockMovement=Moviment d'estoc
@@ -102,9 +102,9 @@ IdWarehouse=Id. magatzem
DescWareHouse=Descripció magatzem
LieuWareHouse=Localització magatzem
WarehousesAndProducts=Magatzems i productes
-WarehousesAndProductsBatchDetail=Magatzems i productes (amb detalls per lot/serie)
+WarehousesAndProductsBatchDetail=Magatzems i productes (amb detall per lot/sèrie)
AverageUnitPricePMPShort=Preu mitjà ponderat
-AverageUnitPricePMPDesc=El preu unitari mitjà d’entrada que hem de pagar als proveïdors per incorporar el producte a les nostres existències.
+AverageUnitPricePMPDesc=El preu unitari mitjà d’entrada que hem hagut de pagar als proveïdors per incorporar el producte al nostre estoc.
SellPriceMin=Preu de venda unitari
EstimatedStockValueSellShort=Valor per vendre
EstimatedStockValueSell=Valor per vendre
@@ -112,7 +112,7 @@ EstimatedStockValueShort=Valor compra (PMP)
EstimatedStockValue=Valor de compra (PMP)
DeleteAWarehouse=Eliminar un magatzem
ConfirmDeleteWarehouse=Vols eliminar el magatzem %s?
-PersonalStock=Stoc personal %s
+PersonalStock=Estoc personal %s
ThisWarehouseIsPersonalStock=Aquest magatzem representa l'estoc personal de %s %s
SelectWarehouseForStockDecrease=Tria el magatzem a utilitzar en el decrement d'estoc
SelectWarehouseForStockIncrease=Tria el magatzem a utilitzar en l'increment d'estoc
@@ -127,13 +127,13 @@ UseRealStockByDefault=Utilitza estoc real, en lloc d’estoc virtual, per a la f
ReplenishmentCalculation=La quantitat a demanar serà (quantitat desitjada - estoc real) en lloc de (quantitat desitjada - estoc virtual)
UseVirtualStock=Utilitza estoc virtual
UsePhysicalStock=Utilitzar estoc físic
-CurentSelectionMode=Mode de sel·leció actual
+CurentSelectionMode=Mètode de selecció actual
CurentlyUsingVirtualStock=Estoc virtual
CurentlyUsingPhysicalStock=Estoc físic
RuleForStockReplenishment=Regla pels reaprovisionaments d'estoc
SelectProductWithNotNullQty=Seleccioneu com a mínim un producte amb un valor no nul i un proveïdor
AlertOnly= Només alertes
-IncludeProductWithUndefinedAlerts = Incloure també estocs negatius per als productes sense la quantitat desitjada definida, per restaurar-los a 0
+IncludeProductWithUndefinedAlerts = Incloure també estoc negatiu per als productes sense la quantitat desitjada definida, per restaurar-los a 0
WarehouseForStockDecrease=Per la disminució d'estoc s'utilitzara el magatzem %s
WarehouseForStockIncrease=Pe l'increment d'estoc s'utilitzara el magatzem %s
ForThisWarehouse=Per aquest magatzem
@@ -141,10 +141,10 @@ ReplenishmentStatusDesc=Aquesta és una llista de tots els productes amb un esto
ReplenishmentStatusDescPerWarehouse=Si voleu una reposició basada en la quantitat desitjada definida per magatzem, heu d’afegir un filtre al magatzem.
ReplenishmentOrdersDesc=Aquesta és una llista de totes les comandes de compra oberta incloent productes predefinits. Només s'obren ordres amb productes predefinits, de manera que les comandes que poden afectar les existències, són visibles aquí.
Replenishments=reaprovisionament
-NbOfProductBeforePeriod=Quantitat del producte %s en estoc abans del periode seleccionat (< %s)
+NbOfProductBeforePeriod=Quantitat del producte %s en estoc abans del període seleccionat (< %s)
NbOfProductAfterPeriod=Quantitat de producte %s en estoc després del període seleccionat (> %s)
MassMovement=Moviments en massa
-SelectProductInAndOutWareHouse=Seleccioneu un magatzem d'origen i un magatzem destí, un producte i una quantitat i feu clic a "%s". Un cop fet això per a tots els moviments necessaris, feu clic a "%s".
+SelectProductInAndOutWareHouse=Seleccioneu un magatzem d'origen i un magatzem de destí, un producte i una quantitat i feu clic a "%s". Un cop fet això per a tots els moviments necessaris, feu clic a "%s".
RecordMovement=Registre de transferència
ReceivingForSameOrder=Recepcions d'aquesta comanda
StockMovementRecorded=Moviments d'estoc registrat
@@ -165,7 +165,7 @@ MovementCorrectStock=Ajustament d'estoc del producte %s
MovementTransferStock=Transferència d'estoc de producte %s a un altre magatzem
InventoryCodeShort=Codi Inv./Mov.
NoPendingReceptionOnSupplierOrder=No hi ha cap recepció pendent deguda a l'ordre de compra obert
-ThisSerialAlreadyExistWithDifferentDate=Aquest número de lot/serie () ja existeix, però amb una data de caducitat o venda diferent (trobat %s però ha introduït %s).
+ThisSerialAlreadyExistWithDifferentDate=Aquest número de lot/sèrie ( %s ) ja existeix però amb diferent data de caducitat o venda (s'ha trobat %s però heu introduït %s ).
OpenAll=Actiu per a totes les accions
OpenInternal=Actiu sols per accions internes
UseDispatchStatus=Utilitzeu un estat d'enviament (aprovació / rebuig) per a les línies de productes en la recepció de l'ordre de compra
@@ -176,9 +176,9 @@ ProductStockWarehouseDeleted=S'ha eliminat correctament el límit d'estoc per al
AddNewProductStockWarehouse=Posar nou estoc límit per alertar i nou estoc òptim desitjat
AddStockLocationLine=Decrementa quantitat i a continuació fes clic per afegir un altre magatzem per aquest producte
InventoryDate=Data d'inventari
-NewInventory=Nou inventari
+NewInventory=Inventari nou
inventorySetup = Configuració de l'inventari
-inventoryCreatePermission=Crea un nou inventari
+inventoryCreatePermission=Crea un inventari nou
inventoryReadPermission=Veure inventaris
inventoryWritePermission=Actualitza els inventaris
inventoryValidatePermission=Valida l'inventari
@@ -186,7 +186,7 @@ inventoryTitle=Inventari
inventoryListTitle=Inventaris
inventoryListEmpty=Cap inventari en progrés
inventoryCreateDelete=Crea/elimina l'inventari
-inventoryCreate=Crea nou
+inventoryCreate=Crea un nou
inventoryEdit=Edita
inventoryValidate=Validat
inventoryDraft=En servei
@@ -201,7 +201,7 @@ SelectFournisseur=Categoria del proveïdor
inventoryOnDate=Inventari
INVENTORY_USE_INVENTORY_DATE_FOR_DATE_OF_MVT=Els moviments d’estoc tindran la data de l'inventari (en lloc de la data de validació de l'inventari)
inventoryChangePMPPermission=Permet canviar el valor PMP d'un producte
-ColumnNewPMP=Nova unitat PMP
+ColumnNewPMP=Unitat PMP nova
OnlyProdsInStock=No afegeixis producte sense estoc
TheoricalQty=Qtat. teòrica
TheoricalValue=Qtat. teòrica
@@ -233,10 +233,11 @@ InventoryForASpecificProduct=Inventari d’un producte específic
StockIsRequiredToChooseWhichLotToUse=Es requereix estoc per a triar quin lot utilitzar
ForceTo=Obligar a
AlwaysShowFullArbo=Mostra l'arbre complet de magatzems a la finestra emergent dels enllaços de magatzem (Advertència: pot disminuir el rendiment de manera espectacular)
-StockAtDatePastDesc=Podeu veure aquí el valor (accions reals) en una data determinada en el passat
-StockAtDateFutureDesc=Podeu veure aquí l'estoc (accions virtuals) en una data determinada en endavant
+StockAtDatePastDesc=Aquí podeu veure l'estoc (estoc real) en una data determinada del passat
+StockAtDateFutureDesc=Aquí podeu veure l'estoc (estoc virtual) en una data determinada en el futur
CurrentStock=Estoc actual
InventoryRealQtyHelp=Estableix el valor a 0 per restablir qty Mantenir el camp buit o suprimir la línia per mantenir-la sense canvis
UpdateByScaning=Actualitza per escaneig
UpdateByScaningProductBarcode=Actualització per escaneig (codi de barres de producte)
UpdateByScaningLot=Actualització per escaneig (codi de barres lot|sèrie)
+DisableStockChangeOfSubProduct=Desactiva el canvi d'estoc de tots els subproductes d'aquest kit durant aquest moviment.
diff --git a/htdocs/langs/ca_ES/stripe.lang b/htdocs/langs/ca_ES/stripe.lang
index 70f55a466e2..436808a0af2 100644
--- a/htdocs/langs/ca_ES/stripe.lang
+++ b/htdocs/langs/ca_ES/stripe.lang
@@ -1,6 +1,6 @@
# Dolibarr language file - Source file is en_US - stripe
StripeSetup=Configuració del mòdul Stripe
-StripeDesc=Ofereix als clients una pàgina de pagament en línia de Stripe per als pagaments amb targetes credit / cebit a través de Stripe . Això es pot utilitzar per permetre als vostres clients fer pagaments ad-hoc o pagaments relacionats amb un objecte particular de Dolibarr (factura, comanda ...)
+StripeDesc=Ofereix als clients una pàgina de pagaments en línia de Stripe per als pagaments amb targetes de crèdit/dèbit mitjançant Stripe. Es pot utilitzar per a permetre als clients fer pagaments ad-hoc o per a pagaments relacionats amb un objecte Dolibarr concret (factura, comanda, ...)
StripeOrCBDoPayment=Pagar amb targeta de crèdit o Stripe
FollowingUrlAreAvailableToMakePayments=Les següents URL estan disponibles per a permetre a un client fer un cobrament en objectes de Dolibarr
PaymentForm=Formulari de pagament
@@ -22,24 +22,24 @@ ToOfferALinkForOnlinePaymentOnContractLine=URL per oferir una pàgina de pagamen
ToOfferALinkForOnlinePaymentOnFreeAmount=URL per oferir una pàgina de pagament en línia %s de qualsevol quantitat sense cap objecte associat
ToOfferALinkForOnlinePaymentOnMemberSubscription=URL per oferir una pàgina de pagament en línia %s per a una subscripció per membres
ToOfferALinkForOnlinePaymentOnDonation=URL per oferir una pàgina de pagament en línia %s per al pagament d’una donació
-YouCanAddTagOnUrl=També podeu afegir el paràmetre URL &tag= valor a qualsevol d'aquestes URLs (obligatori només per al pagament no vinculat a cap objecte) per afegir la vostra pròpia etiqueta de comentari de pagament. Per a la URL de pagaments no vinculta a cap objecte existent, també podeu afegir el paràmetre &noidempotency=1 de manera que el mateix enllaç amb una mateixa etiqueta es pot utilitzar diverses vegades (alguns modes de pagament poden limitar els intents de pagament a 1 per a cada enllaç si no s'utilitza aquest paràmetre)
+YouCanAddTagOnUrl=També podeu afegir el paràmetre URL &tag=valor a qualsevol d’aquests URL (obligatori només per al pagament que no estigui vinculat a un objecte) per a afegir la vostra pròpia etiqueta de comentari de pagament. Per a l'URL de pagaments sense objecte existent, també podeu afegir el paràmetre &noidempotency=1 , de manera que es pot utilitzar el mateix enllaç amb la mateixa etiqueta diverses vegades (alguns modes de pagament poden limitar el pagament a 1 per a cada enllaç diferent sense aquest paràmetre)
SetupStripeToHavePaymentCreatedAutomatically=Configureu el vostre Stripe amb l'URL %s per fer que el pagament es creï automàticament quan es valide mitjançant Stripe.
AccountParameter=Paràmetres del compte
UsageParameter=Paràmetres d'ús
InformationToFindParameters=Informació per trobar la seva configuració de compte %s
STRIPE_CGI_URL_V2=URL CGI del mòdul Stripe per al pagament
CSSUrlForPaymentForm=Url del full d'estil CSS per al formulari de pagament
-NewStripePaymentReceived=S'ha rebut un nou pagament de Stripe
-NewStripePaymentFailed=S'ha intentat el pagament de Stripe però, ha fallat
+NewStripePaymentReceived=S'ha rebut un pagament nou de Stripe
+NewStripePaymentFailed=S'ha intentat el pagament nou de Stripe, però ha fallat
FailedToChargeCard=No s'ha pogut fer el càrrec a la targeta
STRIPE_TEST_SECRET_KEY=Clau secreta de test
STRIPE_TEST_PUBLISHABLE_KEY=Clau de test publicable
STRIPE_TEST_WEBHOOK_KEY=Clau de prova de Webhook
STRIPE_LIVE_SECRET_KEY=Clau secreta
-STRIPE_LIVE_PUBLISHABLE_KEY=Clau pubicable
+STRIPE_LIVE_PUBLISHABLE_KEY=Clau publicable
STRIPE_LIVE_WEBHOOK_KEY=Webhook clau en directe
ONLINE_PAYMENT_WAREHOUSE=Les existències per utilitzar per disminuir les existències quan es fa el pagament en línia (Pendent de fer Quan es fa una opció per reduir l'estoc en una acció a la factura i es genera la factura el pagament en línia?)
-StripeLiveEnabled=Stripe live activat (del contrari en mode test/sandbox)
+StripeLiveEnabled=Stripe live activat (en cas contrari, mode de prova/sandbox)
StripeImportPayment=Importar pagaments per Stripe
ExampleOfTestCreditCard=Exemple de targeta de crèdit per a la prova: %s => vàlid, %s => error CVC, %s => caducat, %s => falla la càrrega
StripeGateways=Passarel·les Stripe
diff --git a/htdocs/langs/ca_ES/supplier_proposal.lang b/htdocs/langs/ca_ES/supplier_proposal.lang
index b7f9c5a4ba4..5a6546a4e81 100644
--- a/htdocs/langs/ca_ES/supplier_proposal.lang
+++ b/htdocs/langs/ca_ES/supplier_proposal.lang
@@ -1,7 +1,7 @@
# Dolibarr language file - Source file is en_US - supplier_proposal
SupplierProposal=Pressupostos de proveïdor
supplier_proposalDESC=Gestiona les peticions de preu de proveïdors
-SupplierProposalNew=Nova petició de preu
+SupplierProposalNew=Sol·licitud de preu nova
CommRequest=Petició de preu
CommRequests=Peticions de preu
SearchRequest=Busca una petició
@@ -13,12 +13,13 @@ SupplierProposalArea=Àrea de pressupostos de proveïdor
SupplierProposalShort=Pressupost de proveïdor
SupplierProposals=Pressupostos de proveïdor
SupplierProposalsShort=Pressupostos de proveïdor
-NewAskPrice=Nova petició de preu
+AskPrice=Petició de preu
+NewAskPrice=Sol·licitud de preu nova
ShowSupplierProposal=Mostra una petició de preu
AddSupplierProposal=Crea una petició de preu
SupplierProposalRefFourn=Ref. proveïdor
SupplierProposalDate=Data de lliurament
-SupplierProposalRefFournNotice=Abans de tancar-ho com a "Acceptat", pensa en captar les referències del proveïdor.
+SupplierProposalRefFournNotice=Abans de tancar-ho com a "Acceptat", penseu a captar les referències dels proveïdors.
ConfirmValidateAsk=Estàs segur que vols validar aquest preu de sol·licitud sota el nom %s?
DeleteAsk=Elimina la petició
ValidateAsk=Validar petició
@@ -48,7 +49,7 @@ DefaultModelSupplierProposalToBill=Model per defecte en tancar una petició de p
DefaultModelSupplierProposalClosed=Model per defecte en tancar una petició de preu (rebutjada)
ListOfSupplierProposals=Llista de sol·licituds de pressupostos a proveïdor
ListSupplierProposalsAssociatedProject=Llista de pressupostos de proveïdor associats al projecte
-SupplierProposalsToClose=Pressupostos de proveïdor per tancar
+SupplierProposalsToClose=Pressupostos de proveïdor per a tancar
SupplierProposalsToProcess=Pressupostos de proveïdor a processar
LastSupplierProposals=Últims %s preus de sol·licitud
AllPriceRequests=Totes les peticions
diff --git a/htdocs/langs/ca_ES/ticket.lang b/htdocs/langs/ca_ES/ticket.lang
index ee5f34745e3..8c4a695766a 100644
--- a/htdocs/langs/ca_ES/ticket.lang
+++ b/htdocs/langs/ca_ES/ticket.lang
@@ -58,7 +58,6 @@ OriginEmail=Origen de correu electrònic
Notify_TICKET_SENTBYMAIL=Envia el missatge del tiquet per correu electrònic
# Status
-NotRead=No llegit
Read=Llegit
Assigned=Assignat
InProgress=En progrés
@@ -107,7 +106,7 @@ TicketPublicInterfaceTextHelpMessageHelpAdmin=Aquest text apareixerà a sobre de
ExtraFieldsTicket=Extra atributs
TicketCkEditorEmailNotActivated=L'editor HTML no està activat. Poseu FCKEDITOR_ENABLE_MAIL contingut a 1 per obtenir-lo.
TicketsDisableEmail=No enviïs missatges de correu electrònic per a la creació de bitllets o la gravació de missatges
-TicketsDisableEmailHelp=De manera predeterminada, s'envien correus electrònics quan es creen nous tiquets o missatges. Activeu aquesta opció per desactivar totes les *all* notificacions per correu electrònic
+TicketsDisableEmailHelp=De manera predeterminada, s'envien correus electrònics quan es creen nous tiquets o missatges. Activeu aquesta opció per a desactivar *totes* les notificacions per correu electrònic
TicketsLogEnableEmail=Activa el 'log' (registre d'activitat) per correu electrònic
TicketsLogEnableEmailHelp=En cada canvi, s'enviarà un correu ** a cada contacte ** associat al tiquet.
TicketParams=Paràmetres
@@ -124,12 +123,13 @@ TicketsActivatePublicInterfaceHelp=La interfície pública permet qualsevol visi
TicketsAutoAssignTicket=Assigna automàticament l'usuari que va crear el tiquet
TicketsAutoAssignTicketHelp=Quan es crea un tiquet, l'usuari pot assignar-se automàticament al tiquet.
TicketNumberingModules=Mòdul de numeració de tiquets
+TicketsModelModule=Plantilles de document per a tiquets
TicketNotifyTiersAtCreation=Notifica la creació de tercers
TicketsDisableCustomerEmail=Desactiveu sempre els correus electrònics quan es crea un tiquet des de la interfície pública
-TicketsPublicNotificationNewMessage=Enviar correu(s) electonic(s) quan s'afegeix un nou missatge
-TicketsPublicNotificationNewMessageHelp=Enviar correu(s) electrònic(s) quan un nou missatge s'afegeix des d'una interfície pública (cap a l'usuari assignat o la notificació del correu electrònic cap a (actualitzar) i/o les notificacions del correu electrònic cap a)
+TicketsPublicNotificationNewMessage=Envia correus electrònics quan s'afegeixi un missatge nou
+TicketsPublicNotificationNewMessageHelp=Envia correus electrònics quan s'afegeixi un missatge nou des de la interfície pública (a l'usuari assignat o al correu electrònic de notificacions a (actualitzar) i/o al correu electrònic de notificacions)
TicketPublicNotificationNewMessageDefaultEmail=Notificar correu electrònic cap a (actualitzar)
-TicketPublicNotificationNewMessageDefaultEmailHelp=Enviar un correu nou missatge de notificació cap a aquesta adreça si el tiquet no te usuari assignat o l'usuari no te correu electrònic.
+TicketPublicNotificationNewMessageDefaultEmailHelp=Envia notificacions de missatges nous per correu electrònic a aquesta adreça si el tiquet no té assignat cap usuari o l’usuari no en té cap.
#
# Index & list page
#
@@ -155,7 +155,7 @@ CreateTicket=Crea un tiquet
EditTicket=Editar el tiquet
TicketsManagement=Gestió de tiquets
CreatedBy=Creat per
-NewTicket=Nou tiquet
+NewTicket=Tiquet nou
SubjectAnswerToTicket=Resposta de tiquet
TicketTypeRequest=Tipus de sol·licitud
TicketCategory=Grup
@@ -192,7 +192,7 @@ TicketDurationAuto=Durada calculada
TicketDurationAutoInfos=Durada calculada automàticament a partir de la intervenció relacionada
TicketUpdated=Tiquet actualitzat
SendMessageByEmail=Envia un missatge per correu electrònic
-TicketNewMessage=Mou missatge
+TicketNewMessage=Missatge nou
ErrorMailRecipientIsEmptyForSendTicketMessage=El destinatari està buit. Email no enviat
TicketGoIntoContactTab=Aneu a la pestanya "Contactes" per seleccionar-los
TicketMessageMailIntro=Introducció
@@ -225,13 +225,12 @@ UnableToCreateInterIfNoSocid=No es pot crear una intervenció quan no s'hagi def
TicketMailExchanges=Intercanvis de correus
TicketInitialMessageModified=Missatge inicial modificat
TicketMessageSuccesfullyUpdated=Missatge actualitzat amb èxit
-TicketChangeStatus=Canvi de estatus
-TicketConfirmChangeStatus=Confirmar el canvi d'estatus : %s ?
-TicketLogStatusChanged=Estatus canviat : %s a %s
+TicketChangeStatus=Canvia l'estat
+TicketConfirmChangeStatus=Confirmeu el canvi d'estat: %s?
+TicketLogStatusChanged=Estat canviat: %s a %s
TicketNotNotifyTiersAtCreate=No es notifica a l'empresa a crear
Unread=No llegit
TicketNotCreatedFromPublicInterface=No disponible El tiquet no s'ha creat des de la interfície pública.
-PublicInterfaceNotEnabled=La interfície pública no s'ha activat
ErrorTicketRefRequired=El nom de referència del tiquet és obligatori
#
@@ -242,7 +241,7 @@ NoLogForThisTicket=Encara no hi ha 'log' per aquest tiquet
TicketLogAssignedTo=Tiquet %s assignat a %s
TicketLogPropertyChanged=Tiquet %s modificat: classificació de %s a %s
TicketLogClosedBy=Tiquet %s tancat per %s
-TicketLogReopen=El tiquet %s s'ha re-obert
+TicketLogReopen=El tiquet %s s'ha reobert
#
# Public pages
@@ -252,14 +251,14 @@ ShowListTicketWithTrackId=Mostra la llista d'entrades a partir de l'identificado
ShowTicketWithTrackId=Mostra tiquets de l'identificador de traça
TicketPublicDesc=Podeu crear un tiquet d'assistència o consultar des d'una identificació (ID) existent.
YourTicketSuccessfullySaved=S'ha desat el tiquet amb èxit!
-MesgInfosPublicTicketCreatedWithTrackId=S'ha creat un nou tiquet amb l'ID %s i la ref. %s.
+MesgInfosPublicTicketCreatedWithTrackId=S'ha creat un tiquet nou amb l'ID %s i la ref. %s.
PleaseRememberThisId=Guardeu el número de traça que us podríem demanar més tard.
TicketNewEmailSubject=Confirmació de la creació de tiquet - Ref %s (ID de l’entrada pública %s)
-TicketNewEmailSubjectCustomer=Nou tiquet de suport
+TicketNewEmailSubjectCustomer=Tiquet de suport nou
TicketNewEmailBody=Aquest és un correu electrònic automàtic per confirmar que heu registrat un nou tiquet.
TicketNewEmailBodyCustomer=Aquest és un correu electrònic automàtic per confirmar que un nou tiquet acaba de ser creat al vostre compte.
TicketNewEmailBodyInfosTicket=Informació per al seguiment del tiquet
-TicketNewEmailBodyInfosTrackId=Traça de tiquet numero: %s
+TicketNewEmailBodyInfosTrackId=Número de seguiment de tiquet: %s
TicketNewEmailBodyInfosTrackUrl=Podeu veure el progrés del tiquet fent clic a l'enllaç de dalt.
TicketNewEmailBodyInfosTrackUrlCustomer=Podeu veure el progrés del tiquet a la interfície específica fent clic al següent enllaç
TicketEmailPleaseDoNotReplyToThisEmail=No respongueu directament a aquest correu electrònic. Utilitzeu l'enllaç per respondre des de la mateixa interfície.
@@ -273,13 +272,13 @@ Subject=Assumpte
ViewTicket=Vista del tiquet
ViewMyTicketList=Veure la meva llista de tiquets
ErrorEmailMustExistToCreateTicket=Error: adreça de correu electrònic no trobada a la nostra base de dades
-TicketNewEmailSubjectAdmin=S'ha creat un nou tiquet: Ref %s (ID d'entrada pública %s)
+TicketNewEmailSubjectAdmin=S'ha creat un tiquet nou - Ref %s (ID de tiquet públic %s)
TicketNewEmailBodyAdmin=
S'ha creat una entrada amb ID #%s, veure informació :
SeeThisTicketIntomanagementInterface=Consulteu el tiquet a la interfície de gestió
TicketPublicInterfaceForbidden=La interfície pública de les entrades no estava habilitada
ErrorEmailOrTrackingInvalid=Valor incorrecte per a identificació de seguiment o correu electrònic
OldUser=Usuari antic
-NewUser=Nou usuari
+NewUser=Usuari nou
NumberOfTicketsByMonth=Nombre d’entrades mensuals
NbOfTickets=Nombre d’entrades
# notifications
diff --git a/htdocs/langs/ca_ES/trips.lang b/htdocs/langs/ca_ES/trips.lang
index 04c987be86f..4fb800249a6 100644
--- a/htdocs/langs/ca_ES/trips.lang
+++ b/htdocs/langs/ca_ES/trips.lang
@@ -6,20 +6,20 @@ TripsAndExpensesStatistics=Estadístiques de l'informe de despeses
TripCard=Informe de despesa de targeta
AddTrip=Crear informe de despeses
ListOfTrips=Llistat de informes de despeses
-ListOfFees=Llistat notes de honoraris
+ListOfFees=Llista de taxes
TypeFees=Tipus de despeses
ShowTrip=Mostra l'informe de despeses
-NewTrip=Nou informe de despeses
+NewTrip=Informe de despeses nou
LastExpenseReports=Últims %s informes de despeses
AllExpenseReports=Tots els informes de despeses
CompanyVisited=Empresa/organització visitada
FeesKilometersOrAmout=Import o quilòmetres
-DeleteTrip=Eliminar informe de despeses
+DeleteTrip=Suprimeix l'informe de despeses
ConfirmDeleteTrip=Estàs segur que vols eliminar aquest informe de despeses?
ListTripsAndExpenses=Llistat d'informes de despeses
ListToApprove=Pendent d'aprovació
ExpensesArea=Àrea d'informes de despeses
-ClassifyRefunded=Classificar 'Retornat'
+ClassifyRefunded=Classifica "Retornat"
ExpenseReportWaitingForApproval=S'ha generat un nou informe de vendes per aprovació
ExpenseReportWaitingForApprovalMessage=S'ha enviat un nou informe de despeses i està pendent d'aprovació. - Usuari: %s - Període: %s Cliqueu aquí per validar: %s
ExpenseReportWaitingForReApproval=S'ha generat un informe de despeses per a re-aprovació
@@ -27,16 +27,16 @@ ExpenseReportWaitingForReApprovalMessage=S'ha enviat un informe de despeses i es
ExpenseReportApproved=S'ha aprovat un informe de despeses
ExpenseReportApprovedMessage=S'ha aprovat l'informe de despeses %s. - Usuari: %s - Aprovat per: %s Feu clic aquí per veure l'informe de despeses: %s
ExpenseReportRefused=S'ha rebutjat un informe de despeses
-ExpenseReportRefusedMessage=El informe de despeses %s s'ha denegat. - Usuari: %s - Rebutjada per: %s - Motiu de denegació: %s Cliqueu aquí per veure l'informe de despeses: %s
+ExpenseReportRefusedMessage=L'informe de despeses %s s'ha denegat. - Usuari: %s - Rebutjat per: %s - Motiu de denegació: %s Cliqueu aquí per a veure l'informe de despeses: %s
ExpenseReportCanceled=S'ha cancel·lat un informe de despeses
ExpenseReportCanceledMessage=L'informe de despeses %s s'ha cancel·lat. - Usuari: %s - Cancel·lat per: %s - Motiu de cancel·lació: %s Cliqueu aquí per veure l'informe de despeses: %s
ExpenseReportPaid=S'ha pagat un informe de despeses
-ExpenseReportPaidMessage=El informe de despeses %s s'ha pagat. - Usuari: %s - Pagat per: %s Feu clic aquí per veure l'informe de despeses: %s
+ExpenseReportPaidMessage=L'informe de despeses %s s'ha pagat. - Usuari: %s - Pagat per: %s Feu clic aquí per a veure l'informe de despeses: %s
TripId=Id d'informe de despeses
AnyOtherInThisListCanValidate=Persona a informar per a validar
TripSociete=Informació de l'empresa
TripNDF=Informacions de l'informe de despeses
-PDFStandardExpenseReports=Plantilla estàndard per generar un document PDF per l'informe de despeses
+PDFStandardExpenseReports=Plantilla estàndard per a generar un document PDF per a l'informe de despeses
ExpenseReportLine=Línia de l'informe de despeses
TF_OTHER=Altres
TF_TRIP=Transport
@@ -73,7 +73,7 @@ EX_PAR_VP=PV d'aparcament
EX_CAM_VP=PV de manteniment i reparació
DefaultCategoryCar=Mode de transport per defecte
DefaultRangeNumber=Número de rang per defecte
-UploadANewFileNow=Carrega ara un nou document
+UploadANewFileNow=Carrega ara un document nou
Error_EXPENSEREPORT_ADDON_NotDefined=Error, la regla per a la numeració d'informes de despeses no es va definir a la configuració del mòdul "Informe de despeses"
ErrorDoubleDeclaration=Has declarat un altre informe de despeses en un altre rang de dates semblant
AucuneLigne=Encara no hi ha informe de despeses declarat
@@ -88,24 +88,24 @@ MOTIF_REFUS=Raó
MOTIF_CANCEL=Raó
DATE_REFUS=Data de denegació
DATE_SAVE=Data de validació
-DATE_CANCEL=Data de cancelació
+DATE_CANCEL=Data de cancel·lació
DATE_PAIEMENT=Data de pagament
BROUILLONNER=Reobrir
ExpenseReportRef=Ref. de l'informe de despeses
ValidateAndSubmit=Validar i sotmetre a aprovació
ValidatedWaitingApproval=Validat (pendent d'aprovació)
-NOT_AUTHOR=No ets l'autor d'aquest informe de despeses. L'operació s'ha cancelat.
+NOT_AUTHOR=No sou l’autor d’aquest informe de despeses. Operació cancel·lada.
ConfirmRefuseTrip=Estàs segur que vols denegar aquest informe de despeses?
ValideTrip=Aprova l'informe de despeses
ConfirmValideTrip=Estàs segur que vols aprovar aquest informe de despeses?
PaidTrip=Pagar un informe de despeses
-ConfirmPaidTrip=Estàs segur que vols canviar l'estatus d'aquest informe de despeses a "Pagat"?
+ConfirmPaidTrip=Esteu segur que voleu canviar l'estat d'aquest informe de despeses a "Pagat"?
ConfirmCancelTrip=Estàs segur que vols cancel·lar aquest informe de despeses?
BrouillonnerTrip=Tornar l'informe de despeses a l'estat "Esborrany"
-ConfirmBrouillonnerTrip=Estàs segur que vols moure aquest informe de despeses al estatus de "Esborrany"?
+ConfirmBrouillonnerTrip=Esteu segur que voleu traslladar aquest informe de despeses a l'estat "Esborrany"?
SaveTrip=Valida l'informe de despeses
ConfirmSaveTrip=Estàs segur que vols validar aquest informe de despeses?
-NoTripsToExportCSV=No hi ha informe de despeses per exportar en aquest període
+NoTripsToExportCSV=No hi ha cap informe de despeses per a exportar en aquest període.
ExpenseReportPayment=Informe de despeses pagades
ExpenseReportsToApprove=Informes de despeses per aprovar
ExpenseReportsToPay=Informes de despeses a pagar
@@ -113,7 +113,7 @@ ConfirmCloneExpenseReport=Estàs segur de voler clonar aquest informe de despese
ExpenseReportsIk=Configuració de les despeses de quilometratge
ExpenseReportsRules=Normes d'informe de despeses
ExpenseReportIkDesc=Podeu modificar el càlcul de les despeses de quilometratge per categoria i abast, els quals s'han definit anteriorment. d és la distància en quilòmetres
-ExpenseReportRulesDesc=Podeu crear o actualitzar les regles del càlcul. Aquesta part s'utilitzarà quan l'usuari crei un nou informe de despeses
+ExpenseReportRulesDesc=Podeu crear o actualitzar qualsevol regla de càlcul. Aquesta part s'utilitzarà quan l'usuari crei un informe de despeses nou
expenseReportOffset=Decàleg
expenseReportCoef=Coeficient
expenseReportTotalForFive=Exemple amb d = 5
@@ -124,13 +124,13 @@ expenseReportCatDisabled=Categoria deshabilitada: consulteu el diccionari c_exp_
expenseReportRangeDisabled=S'ha desactivat el rang: consulteu el diccionari c_exp_tax_range
expenseReportPrintExample=offset + (d x coef) = %s
ExpenseReportApplyTo=Aplicar a
-ExpenseReportDomain=Domini al que aplicar
+ExpenseReportDomain=Domini a aplicar
ExpenseReportLimitOn=Limitar a
ExpenseReportDateStart=Data inici
ExpenseReportDateEnd=Data fi
ExpenseReportLimitAmount=Import límit
ExpenseReportRestrictive=Restrictiu
-AllExpenseReport=Tot tipus d'informe de despeses
+AllExpenseReport=Tots els tipus d’informe de despeses
OnExpense=Línia de despesa
ExpenseReportRuleSave=S'ha desat la regla de l'informe de despeses
ExpenseReportRuleErrorOnSave=Error: %s
diff --git a/htdocs/langs/ca_ES/users.lang b/htdocs/langs/ca_ES/users.lang
index 8ec96cdf243..efd250617cd 100644
--- a/htdocs/langs/ca_ES/users.lang
+++ b/htdocs/langs/ca_ES/users.lang
@@ -6,7 +6,7 @@ Permission=Permís
Permissions=Permisos
EditPassword=Canviar contrasenya
SendNewPassword=Enviar una contrasenya nova
-SendNewPasswordLink=Envia enllaç per reiniciar la contrasenya
+SendNewPasswordLink=Envia restabliment de contrasenya
ReinitPassword=Generar una contrasenya nova
PasswordChangedTo=Contrasenya modificada en: %s
SubjectNewPassword=La teva nova paraula de pas per a %s
@@ -26,7 +26,7 @@ ConfirmDeleteGroup=Vols eliminar el grup %s?
ConfirmEnableUser=Vols habilitar l'usuari %s?
ConfirmReinitPassword=Vols generar una nova contrasenya per a l'usuari %s?
ConfirmSendNewPassword=Vols generar i enviar una nova contrasenya per a l'usuari %s?
-NewUser=Nou usuari
+NewUser=Usuari nou
CreateUser=Crear usuari
LoginNotDefined=L'usuari no està definit
NameNotDefined=El nom no està definit
@@ -40,7 +40,7 @@ DolibarrUsers=Usuaris Dolibarr
LastName=Cognoms
FirstName=Nom
ListOfGroups=Llistat de grups
-NewGroup=Nou grup
+NewGroup=Grup nou
CreateGroup=Crear el grup
RemoveFromGroup=Eliminar del grup
PasswordChangedAndSentTo=Contrasenya canviada i enviada a %s.
@@ -81,7 +81,7 @@ UserWillBeExternalUser=L'usuari creat serà un usuari extern (ja que està lliga
IdPhoneCaller=ID trucant (telèfon)
NewUserCreated=usuari %s creat
NewUserPassword=Contrasenya canviada per a %s
-NewPasswordValidated=La vostra nova contrasenya s’ha validat i s’ha d’utilitzar ara per iniciar la sessió.
+NewPasswordValidated=La vostra contrasenya nova s'ha validat i s'ha d'utilitzar ara per a iniciar la sessió.
EventUserModified=Usuari %s modificat
UserDisabled=Usuari %s deshabilitat
UserEnabled=Usuari %s activat
diff --git a/htdocs/langs/ca_ES/website.lang b/htdocs/langs/ca_ES/website.lang
index 7adb65909be..0995b6233bd 100644
--- a/htdocs/langs/ca_ES/website.lang
+++ b/htdocs/langs/ca_ES/website.lang
@@ -30,7 +30,6 @@ EditInLine=Editar en línia
AddWebsite=Afegir lloc web
Webpage=Pàgina/contenidor web
AddPage=Afegeix pàgina/contenidor
-HomePage=Pàgina d'inici
PageContainer=Pàgina
PreviewOfSiteNotYetAvailable=Vista prèvia del seu lloc web %s encara no està disponible. Primer ha de 'Importar plantilla web' o sols 'Afegir pàgina/contenidor'.
RequestedPageHasNoContentYet=La pàgina sol·licitada amb l'identificador %s encara no té contingut, o el fitxer de memòria cau .tpl.php s'ha eliminat. Edita el contingut de la pàgina per solucionar-ho.
@@ -101,7 +100,7 @@ EmptyPage=Pàgina buida
ExternalURLMustStartWithHttp=L'URL externa ha de començar amb http:// o https://
ZipOfWebsitePackageToImport=Carregueu el fitxer Zip del paquet de plantilles del lloc web
ZipOfWebsitePackageToLoad=o trieu un paquet de plantilles de lloc web incrustat disponible
-ShowSubcontainers=Inclou contingut dinàmic
+ShowSubcontainers=Mostra contingut dinàmic
InternalURLOfPage=URL interna de la pàgina
ThisPageIsTranslationOf=Aquesta pàgina/contenidor és una traducció de
ThisPageHasTranslationPages=Aquesta pàgina/contenidor té traducció
@@ -115,7 +114,7 @@ DeleteAlsoMedias=Voleu suprimir també tots els fitxers de mitjans específics d
MyWebsitePages=Les meves pàgines web
SearchReplaceInto=Cercar | Substituïu-lo a
ReplaceString=Cadena nova
-CSSContentTooltipHelp=Introduïu aquí contingut CSS. Per evitar qualsevol conflicte amb el CSS de l’aplicació, assegureu-vos que preposeu tota declaració amb la classe .bodywebsite. Per exemple:
#mycssselector, input.myclass: hover {...} ha de ser .bodywebsite #mycssselector, .bodywebsite input.myclass: hover {...}
Nota: Si teniu un fitxer gran sense aquest prefix, podeu fer servir 'lessc' per convertir-lo per afegir el prefix .bodywebs site arreu.
+CSSContentTooltipHelp=Introduïu aquí contingut CSS. Per a evitar qualsevol conflicte amb el CSS de l’aplicació, assegureu-vos que preposeu tota declaració amb la classe .bodywebsite. Per exemple:
#mycssselector, input.myclass: hover {...} ha de ser .bodywebsite #mycssselector, .bodywebsite input.myclass: hover {...}
Nota: Si teniu un fitxer gran sense aquest prefix, podeu fer servir 'lessc' per a convertir-lo per a afegir el prefix .bodywebsite arreu.
LinkAndScriptsHereAreNotLoadedInEditor=Avís: aquest contingut només es produeix quan s'accedeix al lloc des d'un servidor. No s'utilitza en mode Edit, de manera que si necessiteu carregar fitxers Javascript també en mode d'edició, només heu d'afegir la vostra etiqueta 'script src = ...' a la pàgina.
Dynamiccontent=Exemple d’una pàgina amb contingut dinàmic
ImportSite=Importa la plantilla del lloc web
@@ -137,3 +136,4 @@ RSSFeedDesc=Podeu obtenir un feed RSS dels darrers articles amb el tipus "blogpo
PagesRegenerated=%s pàgina (es) / contenidor (s) regenerada
RegenerateWebsiteContent=Regenera els fitxers de memòria cau del lloc web
AllowedInFrames=Es permet en marcs
+DefineListOfAltLanguagesInWebsiteProperties=Definiu la llista de tots els idiomes disponibles a les propietats del lloc web.
diff --git a/htdocs/langs/ca_ES/withdrawals.lang b/htdocs/langs/ca_ES/withdrawals.lang
index 6d70774d3ac..4f984f852ca 100644
--- a/htdocs/langs/ca_ES/withdrawals.lang
+++ b/htdocs/langs/ca_ES/withdrawals.lang
@@ -3,8 +3,8 @@ CustomersStandingOrdersArea=Cobraments per ordres de domiciliació bancària
SuppliersStandingOrdersArea=Pagaments per transferència bancària
StandingOrdersPayment=Ordres de cobrament per domiciliació
StandingOrderPayment=Ordre de cobrament per domiciliació
-NewStandingOrder=Nova ordre de domiciliació bancària
-NewPaymentByBankTransfer=Nou pagament mitjançant transferència bancària
+NewStandingOrder=Domiciliació nova
+NewPaymentByBankTransfer=Pagament nou per transferència bancària
StandingOrderToProcess=A processar
PaymentByBankTransferReceipts=Ordres de transferència bancària
PaymentByBankTransferLines=Línies d'ordres de transferència bancària
@@ -39,12 +39,13 @@ WithdrawStatistics=Estadístiques del pagament mitjançant domiciliació bancàr
CreditTransferStatistics=Estadístiques de transferència bancària
Rejects=Devolucions
LastWithdrawalReceipt=Últims %s rebuts domiciliats
-MakeWithdrawRequest=Fer una petició de pagament per domiciliació bancària
-MakeBankTransferOrder=Fes una petició de transferència bancària
+MakeWithdrawRequest=Fes una sol·licitud de domiciliació
+MakeBankTransferOrder=Fes una sol·licitud de transferència
WithdrawRequestsDone=%s domiciliacions registrades
+BankTransferRequestsDone=%s credit transfer requests recorded
ThirdPartyBankCode=Codi bancari de tercers
NoInvoiceCouldBeWithdrawed=Cap factura s'ha carregat amb èxit. Comproveu que els tercers de les factures tenen un IBAN vàlid i que IBAN té un RUM (Referència de mandat exclusiva) amb mode %s.
-ClassCredited=Classificar com "Abonada"
+ClassCredited=Classifica com "Abonada"
ClassCreditedConfirm=Esteu segur de voler classificar aquesta domiciliació com abonada al seu compte bancari?
TransData=Data enviament
TransMetod=Mètode enviament
@@ -92,21 +93,21 @@ WithBankUsingBANBIC=Per als comptes bancaris que utilitzen el codi BAN/BIC/SWIFT
BankToReceiveWithdraw=Recepció del compte bancari
BankToPayCreditTransfer=Compte bancari utilitzat com a font de pagaments
CreditDate=Abonada el
-WithdrawalFileNotCapable=No és possible generar el fitxer bancari de domiciliació pel país %s (El país no esta suportat)
+WithdrawalFileNotCapable=No es pot generar el fitxer de rebut de domiciliació del vostre país %s (El vostre país no és compatible)
ShowWithdraw=Mostra l'ordre de domiciliació
IfInvoiceNeedOnWithdrawPaymentWontBeClosed=Tanmateix, si la factura té com a mínim una ordre de pagament de domiciliació bancària que encara no ha estat processada, no es definirà com a pagament per permetre la gestió prèvia de la retirada.
-DoStandingOrdersBeforePayments=Aquesta pestanya et permet sol·licitar una ordre de domiciliació. Un cop fet, ves al menú Banc->Cobrament per domiciliació per generar i gestionar l’ordre de domiciliació. Quan es tanqui l’ordre de domiciliació, es registrarà automàticament el cobrament de les factures i es tancaran les factures si no queda cobrament pendent.
-DoCreditTransferBeforePayments=Aquesta pestanya et permet sol·licitar una ordre de transferència bancària. Un cop fet, ves al menú Banc->Pagament per transferència bancària per generar i gestionar l’ordre de transferència bancària. Quan es tanqui l’ordre de transferència bancària, es registrarà automàticament el pagament de les factures i es tancaran les factures si no queda pagament pendent.
+DoStandingOrdersBeforePayments=Aquesta pestanya us permet sol·licitar una ordre de pagament per domiciliació bancària. Un cop fet això, aneu al menú Banc-> Pagament mitjançant domiciliació bancària per a generar i gestionar l’ordre de domiciliació bancària. Quan es tanca la comanda de domiciliació bancària, el pagament de les factures es registrarà automàticament i es tancaran les factures si la resta de pagament és nul·la.
+DoCreditTransferBeforePayments=Aquesta pestanya et permet sol·licitar una ordre de transferència bancària. Un cop feta, ves al menú Banc->Pagament per transferència bancària per agenerar i gestionar l’ordre de transferència bancària. Quan es tanqui l’ordre de transferència bancària, es registrarà automàticament el pagament de les factures i es tancaran les factures si no queda cap pagament pendent.
WithdrawalFile=Fitxer de comanda de dèbit
CreditTransferFile=Fitxer de transferència de crèdit
-SetToStatusSent=Classificar com "Arxiu enviat"
+SetToStatusSent=Estableix l'estat "Fitxer enviat"
ThisWillAlsoAddPaymentOnInvoice=També registrarà els pagaments en les factures i els classificarà com a "Pagats" si resten a pagar és nul
StatisticsByLineStatus=Estadístiques per estats de línies
RUM=UMR
DateRUM=Data de signatura del mandat
RUMLong=Referència de mandat única (UMR)
RUMWillBeGenerated=Si està buit, es generarà una UMR (Referència de mandat únic) una vegada que es guardi la informació del compte bancari.
-WithdrawMode=Modo de domiciliació bancària (FRST o RECUR)
+WithdrawMode=Mode de domiciliació bancària (FRST o RECUR)
WithdrawRequestAmount=Import de la domiciliació
BankTransferAmount=Import de la petició de transferència bancària:
WithdrawRequestErrorNilAmount=No és possible crear una domiciliació sense import
@@ -131,7 +132,8 @@ SEPARCUR=SEPA CUR
SEPAFRST=SEPA FRST
ExecutionDate=Data d'execució
CreateForSepa=Crea un fitxer de domiciliació bancària
-ICS=Identificador de creditor CI
+ICS=Identificador de creditor CI per domiciliació bancària
+ICSTransfer=Creditor Identifier CI for bank transfer
END_TO_END=Etiqueta XML "EndToEndId" de SEPA - Id. Única assignada per transacció
USTRD=Etiqueta XML de la SEPA "no estructurada"
ADDDAYS=Afegiu dies a la data d'execució
@@ -146,3 +148,4 @@ InfoRejectSubject=Rebut de domiciliació bancària rebutjat
InfoRejectMessage=Hola,
el rebut domiciliat de la factura %s relacionada amb la companyia %s, amb un import de %s ha estat rebutjada pel banc.
-- %s
ModeWarning=No s'ha establert l'opció de treball en real, ens aturarem després d'aquesta simulació
ErrorCompanyHasDuplicateDefaultBAN=L’empresa amb l’identificador %s té més d’un compte bancari per defecte. No hi ha manera de saber quin utilitzar.
+ErrorICSmissing=Missing ICS in Bank account %s
diff --git a/htdocs/langs/ca_ES/workflow.lang b/htdocs/langs/ca_ES/workflow.lang
index 0cbac959060..4b1de45aba8 100644
--- a/htdocs/langs/ca_ES/workflow.lang
+++ b/htdocs/langs/ca_ES/workflow.lang
@@ -1,9 +1,9 @@
# Dolibarr language file - Source file is en_US - workflow
-WorkflowSetup=Configuració del mòdul workflow
+WorkflowSetup=Configuració del mòdul de flux de treball
WorkflowDesc=Aquest mòdul ofereix algunes accions automàtiques. Per defecte, el flux de treball està obert (podeu fer les coses en l'ordre que vulgueu), però aquí podeu activar algunes accions automàtiques.
-ThereIsNoWorkflowToModify=No hi ha modificacions disponibles del fluxe de treball amb els mòduls activats.
+ThereIsNoWorkflowToModify=No hi ha disponibles modificacions del flux de treball amb els mòduls activats.
# Autocreate
-descWORKFLOW_PROPAL_AUTOCREATE_ORDER=Crea automàticament una comanda de client després de signar un pressupost (la nova comanda tindrà el mateix import que el pressupost)
+descWORKFLOW_PROPAL_AUTOCREATE_ORDER=Crea automàticament una comanda de client després de signar un pressupost (la comanda nova tindrà el mateix import que el pressupost)
descWORKFLOW_PROPAL_AUTOCREATE_INVOICE=Crea automàticament una factura del client després de signar un pressupost (la nova factura tindrà el mateix import que el pressupost)
descWORKFLOW_CONTRACT_AUTOCREATE_INVOICE=Crear automàticament una factura a client després de validar un contracte
descWORKFLOW_ORDER_AUTOCREATE_INVOICE=Crea automàticament una factura de client després de tancar una comanda de client (la nova factura tindrà el mateix import que la comanda)
diff --git a/htdocs/langs/cs_CZ/accountancy.lang b/htdocs/langs/cs_CZ/accountancy.lang
index cc61eeb86f0..6ec2d245f88 100644
--- a/htdocs/langs/cs_CZ/accountancy.lang
+++ b/htdocs/langs/cs_CZ/accountancy.lang
@@ -48,6 +48,7 @@ CountriesExceptMe=Všechny země kromě %s
AccountantFiles=Export source documents
ExportAccountingSourceDocHelp=With this tool, you can export the source events (list and PDFs) that were used to generate your accountancy. To export your journals, use the menu entry %s - %s.
VueByAccountAccounting=View by accounting account
+VueBySubAccountAccounting=View by accounting subaccount
MainAccountForCustomersNotDefined=Hlavní účetní účetnictví pro zákazníky, které nejsou definovány v nastavení
MainAccountForSuppliersNotDefined=Hlavní účty účetnictví pro dodavatele, které nejsou definovány v nastavení
@@ -144,7 +145,7 @@ NotVentilatedinAccount=Neprověřeno v účetním účtu
XLineSuccessfullyBinded=%s Produkty / služby úspěšně spojené s účtem účetnictví
XLineFailedToBeBinded=%s produkty / služby nebyly vázány na žádný účetní účet
-ACCOUNTING_LIMIT_LIST_VENTILATION=Počet prvků pro vazbu zobrazených na stránce (maximální doporučeno: 50)
+ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50)
ACCOUNTING_LIST_SORT_VENTILATION_TODO=Začněte třídění stránky "Vazba na pověření" pomocí nejnovějších prvků
ACCOUNTING_LIST_SORT_VENTILATION_DONE=Zahájit třídění na stránce „Prověření hotovo“ od nejnovějších prvků
@@ -198,7 +199,8 @@ Docdate=Datum
Docref=Reference
LabelAccount=Štítek účtu
LabelOperation=Operace štítků
-Sens=Sens
+Sens=Direction
+AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received For an accounting account of a supplier, use Debit to record a payment you make
LetteringCode=Písmenový kód
Lettering=Nápis
Codejournal=Deník
@@ -206,7 +208,8 @@ JournalLabel=Označení časopisu
NumPiece=počet kusů
TransactionNumShort=Num. transakce
AccountingCategory=Personalizované skupiny
-GroupByAccountAccounting=Seskupte účetní účet
+GroupByAccountAccounting=Group by general ledger account
+GroupBySubAccountAccounting=Group by subledger account
AccountingAccountGroupsDesc=Zde můžete definovat některé skupiny účetních účtů. Budou se používat pro personalizované účetní výkazy.
ByAccounts=Podle účtů
ByPredefinedAccountGroups=Podle předdefinovaných skupin
@@ -248,7 +251,7 @@ PaymentsNotLinkedToProduct=Platba není spojena s žádným produktem / službou
OpeningBalance=Počáteční zůstatek
ShowOpeningBalance=Zobrazit počáteční zůstatek
HideOpeningBalance=Skrýt počáteční zůstatek
-ShowSubtotalByGroup=Zobrazit mezisoučet podle skupiny
+ShowSubtotalByGroup=Show subtotal by level
Pcgtype=Skupina účtů
PcgtypeDesc=Skupina účtů se používá jako předdefinovaná kritéria pro filtrování a seskupování pro některé účetní výkazy. Například „PŘÍJMY“ nebo „VÝDAJE“ se používají jako skupiny pro účetní účty produktů k sestavení výkazu nákladů / výnosů.
@@ -271,11 +274,13 @@ DescVentilExpenseReport=Zde si přečtěte seznam výkazů výdajů vázaných (
DescVentilExpenseReportMore=Pokud nastavíte účetní účet na řádcích výkazu druhů výdajů, aplikace bude schopna provést veškerou vazbu mezi řádky výkazu výdajů a účetním účtem vašeho účtovacího schématu, a to jedním kliknutím tlačítkem "%s" . Pokud účet nebyl nastaven na slovník poplatků nebo máte stále nějaké řádky, které nejsou vázány na žádný účet, budete muset provést ruční vazbu z nabídky " %s ".
DescVentilDoneExpenseReport=Poraďte se zde seznam v souladu se zprávami výdajů a jejich poplatků účtování účtu
+Closure=Annual closure
DescClosure=Zde se podívejte na počet pohybů za měsíc, kteří nejsou validováni a fiskální roky již otevřeny
OverviewOfMovementsNotValidated=Krok 1 / Přehled pohybů neověřených. (Nezbytné uzavřít fiskální rok)
+AllMovementsWereRecordedAsValidated=All movements were recorded as validated
+NotAllMovementsCouldBeRecordedAsValidated=Not all movements could be recorded as validated
ValidateMovements=Ověřte pohyby
DescValidateMovements=Jakékoli úpravy nebo vymazání písem, nápisů a vymazání budou zakázány. Všechny přihlášky na cvičení musí být validovány, jinak nebude možné uzavřít
-SelectMonthAndValidate=Vyberte měsíc a potvrďte pohyby
ValidateHistory=Ověřit automaticky
AutomaticBindingDone=Automatické vázání provedeno
@@ -293,6 +298,7 @@ Accounted=Účtováno v knize
NotYetAccounted=Zatím nebyl zaznamenán v knize
ShowTutorial=Zobrazit výuku
NotReconciled=Nesladěno
+WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view
## Admin
BindingOptions=Binding options
@@ -337,6 +343,7 @@ Modelcsv_LDCompta10=Export pro LD Compta (v10 a vyšší)
Modelcsv_openconcerto=Export pro OpenConcerto (Test)
Modelcsv_configurable=Export CSV konfigurovatelný
Modelcsv_FEC=Export FEC
+Modelcsv_FEC2=Export FEC (With dates generation writing / document reversed)
Modelcsv_Sage50_Swiss=Export pro Sage 50 Švýcarsko
Modelcsv_winfic=Exportovat Winfic - eWinfic - WinSis Compta
Modelcsv_Gestinumv3=Export for Gestinum (v3)
diff --git a/htdocs/langs/cs_CZ/admin.lang b/htdocs/langs/cs_CZ/admin.lang
index 4a4c07061e4..1026908d2b1 100644
--- a/htdocs/langs/cs_CZ/admin.lang
+++ b/htdocs/langs/cs_CZ/admin.lang
@@ -56,6 +56,8 @@ GUISetup=Zobrazení
SetupArea=Nastavení
UploadNewTemplate=Nahrát novou šablonu(y)
FormToTestFileUploadForm=Formulář pro testování uploadu souborů (dle nastavení)
+ModuleMustBeEnabled=The module/application %s must be enabled
+ModuleIsEnabled=The module/application %s has been enabled
IfModuleEnabled=Poznámka: Ano má efekt pouze tehdy, pokud je aktivní modul %s
RemoveLock=Odebrat / přejmenovat soubor %s , pokud existuje, povolit použití nástroje Update / Install.
RestoreLock=Obnovte soubor %s, pouze s opravněním ke čtení, chcete-li zakázat jakékoliv použití aktualizačního nástroje.
@@ -85,7 +87,6 @@ ShowPreview=Zobrazit náhled
ShowHideDetails=Show-Hide details
PreviewNotAvailable=Náhled není k dispozici
ThemeCurrentlyActive=Téma aktivní
-CurrentTimeZone=Časové pásmo PHP (server)
MySQLTimeZone=TimeZone MySql (database)
TZHasNoEffect=Data jsou uložena a vrácena databázovým serverem, jako kdyby byly uchovávány jako předložený řetězec. Časová zóna je účinná pouze při použití funkce UNIX_TIMESTAMP (která by Dolibarr neměla používat, takže databáze TZ by neměla mít žádný vliv, i když byla změněna po zadání dat).
Space=Mezera
@@ -153,8 +154,8 @@ SystemToolsAreaDesc=Tato oblast poskytuje uživatelských funkcí. Pomocí nabí
Purge=Očistit
PurgeAreaDesc=Tato stránka umožňuje odstranit všechny soubory generované nebo uložené v Dolibarr (dočasné soubory nebo všechny soubory v adresáři %s ). Použití této funkce není obvykle nutné. Je poskytována jako řešení pro uživatele, jejichž Dolibarr hostuje poskytovatel, který nenabízí oprávnění k odstranění souborů generovaných webovým serverem.
PurgeDeleteLogFile=Odstranit soubory protokolu, včetně %s definované pro modul Syslog (bez rizika ztráty dat)
-PurgeDeleteTemporaryFiles=Odstraňte všechny dočasné soubory (bez rizika ztráty dat). Poznámka: Odstranění se provede pouze v případě, že dočasný adresář byl vytvořen před 24 hodinami.
-PurgeDeleteTemporaryFilesShort=Odstranit dočasné soubory
+PurgeDeleteTemporaryFiles=Delete all log and temporary files (no risk of losing data). Note: Deletion of temporary files is done only if the temp directory was created more than 24 hours ago.
+PurgeDeleteTemporaryFilesShort=Delete log and temporary files
PurgeDeleteAllFilesInDocumentsDir=Odstranit všechny soubory v adresáři: %s . Tímto odstraníte všechny generované dokumenty související s prvky (subjekty, faktury atd.), Soubory nahrané do modulu ECM, zálohování databází a dočasné soubory.
PurgeRunNow=Vyčistit nyní
PurgeNothingToDelete=Žádný adresář nebo soubor k odstranění
@@ -256,6 +257,7 @@ ReferencedPreferredPartners=Preferovaní partneři
OtherResources=jiné zdroje
ExternalResources=Externí zdroje
SocialNetworks=Sociální sítě
+SocialNetworkId=Social Network ID
ForDocumentationSeeWiki=Pro uživatelskou nebo vývojářskou dokumentaci (Doc, FAQs ...) navštivte Dolibarr Wiki: %s
ForAnswersSeeForum=V případě jakýchkoliv dalších dotazů nebo nápovědy použijte fórum Dolibarr: %s
HelpCenterDesc1=Tato oblast slouží k získání nápovědy a podpory systému Dolibarr.
@@ -375,7 +377,7 @@ ExamplesWithCurrentSetup=Příklady s aktuální konfigurací
ListOfDirectories=Seznam adresářů šablon OpenDocument
ListOfDirectoriesForModelGenODT=Seznam adresářů obsahující soubory šablon s formátem OpenDocument.
Zde vložte úplnou cestu adresářů. Přidejte návrat vozíku mezi adresářem eah. Chcete-li přidat adresář modulu GED, přidejte zde DOL_DATA_ROOT / ecm / yourdirectoryname .
Soubory v těchto adresářích musí končit .odt nebo .ods .
NumberOfModelFilesFound=Počet souborů šablon ODT / ODS nalezených v těchto adresářích
-ExampleOfDirectoriesForModelGen=Příklady syntaxe: c: \\ mydir / Home / mydir DOL_DATA_ROOT / ECM / ecmdir
+ExampleOfDirectoriesForModelGen=Examples of syntax: c:\\myapp\\mydocumentdir\\mysubdir /home/myapp/mydocumentdir/mysubdir DOL_DATA_ROOT/ecm/ecmdir
FollowingSubstitutionKeysCanBeUsed= Chcete-li vědět, jak vytvořit své ODT šablony dokumentů před jejich uložením do těchto adresářů, přečtěte si wiki dokumentace:
FullListOnOnlineDocumentation=http://wiki.dolibarr.org/index.php/Create_an_ODT_document_template
FirstnameNamePosition=Pozice Jméno / Příjmení
@@ -406,7 +408,7 @@ UrlGenerationParameters=Parametry k zajištění URL
SecurityTokenIsUnique=Pro každou adresu URL použijte jedinečný bezpečnostní parametr
EnterRefToBuildUrl=Zadejte odkaz na objekt %s
GetSecuredUrl=Získejte vypočtenou URL
-ButtonHideUnauthorized=Skrýt tlačítka pro uživatele, kteří nejsou administrátory, pro neoprávněné akce namísto zobrazování šedých vypnutých tlačítek
+ButtonHideUnauthorized=Hide unauthorized action buttons also for internal users (just greyed otherwise)
OldVATRates=Staré Sazba DPH
NewVATRates=Nová sazba DPH
PriceBaseTypeToChange=Změňte ceny podle základní referenční hodnoty definované na
@@ -1689,7 +1691,7 @@ NotTopTreeMenuPersonalized=Personalizované nabídky, které nejsou propojeny s
NewMenu=Nová nabídka
MenuHandler=Ovládání nabídek
MenuModule=Zdrojový modul
-HideUnauthorizedMenu= Skrýt neautorizovaná menu (šedá)
+HideUnauthorizedMenu=Hide unauthorized menus also for internal users (just greyed otherwise)
DetailId=Id nabídka
DetailMenuHandler=Ovládání nabídek, kde se má zobrazit nové menu
DetailMenuModule=Název modulu, pokud položky nabídky pocházejí z modulu
@@ -1983,11 +1985,12 @@ EMailHost=Hostitel poštovního IMAP serveru
MailboxSourceDirectory=Adresář zdrojové schránky
MailboxTargetDirectory=Adresář cílové schránky
EmailcollectorOperations=Operace prováděné sběratelem
+EmailcollectorOperationsDesc=Operations are executed from top to bottom order
MaxEmailCollectPerCollect=Maximální počet e-mailů shromážděných za sběr
CollectNow=Sbírat nyní
ConfirmCloneEmailCollector=Opravdu chcete klonovat sběratel e-mailů %s?
-DateLastCollectResult=Datum poslední vyzvednutí vyzkoušeno
-DateLastcollectResultOk=Datum poslední sbírat úspěšně
+DateLastCollectResult=Date of latest collect try
+DateLastcollectResultOk=Date of latest collect success
LastResult=Poslední výsledek
EmailCollectorConfirmCollectTitle=Potvrzení sběru e-mailu
EmailCollectorConfirmCollect=Chcete nyní spustit kolekci tohoto sběratele?
@@ -2005,7 +2008,7 @@ WithDolTrackingID=Message from a conversation initiated by a first email sent fr
WithoutDolTrackingID=Message from a conversation initiated by a first email NOT sent from Dolibarr
WithDolTrackingIDInMsgId=Message sent from Dolibarr
WithoutDolTrackingIDInMsgId=Message NOT sent from Dolibarr
-CreateCandidature=Create candidature
+CreateCandidature=Create job application
FormatZip=Zip
MainMenuCode=Vstupní kód nabídky (hlavní menu)
ECMAutoTree=Zobrazit automatický strom ECM
@@ -2083,3 +2086,7 @@ CountryIfSpecificToOneCountry=Country (if specific to a given country)
YouMayFindSecurityAdviceHere=You may find security advisory here
ModuleActivatedMayExposeInformation=This module may expose sensitive data. If you don't need it, disable it.
ModuleActivatedDoNotUseInProduction=A module designed for the development has been enabled. Do not enable it on a production environment.
+CombinationsSeparator=Separator character for product combinations
+SeeLinkToOnlineDocumentation=See link to online documention on top menu for examples
+SHOW_SUBPRODUCT_REF_IN_PDF=If the feature "%s" of module %s is used, show details of subproducts of a kit on PDF.
+AskThisIDToYourBank=Contact your bank to get this ID
diff --git a/htdocs/langs/cs_CZ/banks.lang b/htdocs/langs/cs_CZ/banks.lang
index 5dea684e67a..30f81d62472 100644
--- a/htdocs/langs/cs_CZ/banks.lang
+++ b/htdocs/langs/cs_CZ/banks.lang
@@ -173,8 +173,8 @@ SEPAMandate=Mandát SEPA
YourSEPAMandate=Váš mandát SEPA
FindYourSEPAMandate=Toto je vaše mandát SEPA, který autorizuje naši společnost, aby inkasovala inkasní příkaz k vaší bance. Vraťte jej podepsanou (skenování podepsaného dokumentu) nebo pošlete jej poštou
AutoReportLastAccountStatement=Automaticky vyplňte pole "číslo bankovního výpisu" s posledním číslem výpisu při odsouhlasení
-CashControl=POS peněžní oplocení
-NewCashFence=Nový peněžní plot
+CashControl=POS cash desk control
+NewCashFence=New cash desk closing
BankColorizeMovement=Zbarvujte pohyby
BankColorizeMovementDesc=Pokud je tato funkce povolena, můžete vybrat konkrétní barvu pozadí pro pohyby debetů nebo kreditů
BankColorizeMovementName1=Barva pozadí pro debetní pohyb
diff --git a/htdocs/langs/cs_CZ/blockedlog.lang b/htdocs/langs/cs_CZ/blockedlog.lang
index bb64468a731..2637c5675ae 100644
--- a/htdocs/langs/cs_CZ/blockedlog.lang
+++ b/htdocs/langs/cs_CZ/blockedlog.lang
@@ -35,7 +35,7 @@ logDON_DELETE=Donace logické odstranění
logMEMBER_SUBSCRIPTION_CREATE=Členové odběry byly vytvořeny
logMEMBER_SUBSCRIPTION_MODIFY=Členský odběr byl změněn
logMEMBER_SUBSCRIPTION_DELETE=Členská logická smazání odběru
-logCASHCONTROL_VALIDATE=Zaznamenávání peněžních plotů
+logCASHCONTROL_VALIDATE=Cash desk closing recording
BlockedLogBillDownload=Stažení faktury od zákazníka
BlockedLogBillPreview=Zobrazení náhledu zákaznické faktury
BlockedlogInfoDialog=Podrobnosti o protokolu
diff --git a/htdocs/langs/cs_CZ/boxes.lang b/htdocs/langs/cs_CZ/boxes.lang
index b7104985e78..cf4e76d8b8e 100644
--- a/htdocs/langs/cs_CZ/boxes.lang
+++ b/htdocs/langs/cs_CZ/boxes.lang
@@ -46,9 +46,12 @@ BoxTitleLastModifiedDonations=Nejnovější %s upravené dary
BoxTitleLastModifiedExpenses=Nejnovější %s upravené výkazy výdajů
BoxTitleLatestModifiedBoms=Poslední %s upravené kusovníky
BoxTitleLatestModifiedMos=Poslední upravené výrobní zakázky %s
+BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded
BoxGlobalActivity=Globální aktivita (faktury, návrhy, objednávky)
BoxGoodCustomers=Dobří zákazníci
BoxTitleGoodCustomers=%s Dobří zákazníci
+BoxScheduledJobs=Naplánované úlohy
+BoxTitleFunnelOfProspection=Lead funnel
FailedToRefreshDataInfoNotUpToDate=Nepodařilo se obnovit RSS zdroj. Poslední úspěšné datum obnovení: %s
LastRefreshDate=Nejnovější datum obnovení
NoRecordedBookmarks=Nejsou definované žádné záložky.
@@ -102,5 +105,7 @@ SuspenseAccountNotDefined=Účet pozastavení není definován
BoxLastCustomerShipments=Poslední zásilky zákazníků
BoxTitleLastCustomerShipments=Nejnovější %s zásilky zákazníků
NoRecordedShipments=Žádná zaznamenaná zásilka zákazníka
+BoxCustomersOutstandingBillReached=Customers with oustanding limit reached
# Pages
AccountancyHome=Účetnictví
+ValidatedProjects=Validated projects
diff --git a/htdocs/langs/cs_CZ/cashdesk.lang b/htdocs/langs/cs_CZ/cashdesk.lang
index e83a9e313de..58ca4072acb 100644
--- a/htdocs/langs/cs_CZ/cashdesk.lang
+++ b/htdocs/langs/cs_CZ/cashdesk.lang
@@ -49,8 +49,8 @@ Footer=Zápatí
AmountAtEndOfPeriod=Částka na konci období (den, měsíc nebo rok)
TheoricalAmount=Teoretická částka
RealAmount=Skutečná částka
-CashFence=Hotovostní plot
-CashFenceDone=Peněžní oplatek za období
+CashFence=Cash desk closing
+CashFenceDone=Cash desk closing done for the period
NbOfInvoices=Některé z faktur
Paymentnumpad=Zadejte Pad pro vložení platby
Numberspad=Numbers Pad
@@ -99,8 +99,9 @@ CashDeskRefNumberingModules=Modul číslování pro prodej POS
CashDeskGenericMaskCodes6 = {TN} se používá k přidání čísla terminálu
TakeposGroupSameProduct=Seskupte stejné produktové řady
StartAParallelSale=Zahajte nový paralelní prodej
-ControlCashOpening=Control cash box at opening POS
-CloseCashFence=Zavřete hotovostní plot
+SaleStartedAt=Sale started at %s
+ControlCashOpening=Control cash popup at opening POS
+CloseCashFence=Close cash desk control
CashReport=Hotovostní zpráva
MainPrinterToUse=Hlavní tiskárna k použití
OrderPrinterToUse=Objednejte tiskárnu k použití
@@ -122,3 +123,4 @@ GiftReceipt=Gift receipt
ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled first
AllowDelayedPayment=Allow delayed payment
PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts
+WeighingScale=Weighing scale
diff --git a/htdocs/langs/cs_CZ/categories.lang b/htdocs/langs/cs_CZ/categories.lang
index 53d6caa3877..fc7d27f5efa 100644
--- a/htdocs/langs/cs_CZ/categories.lang
+++ b/htdocs/langs/cs_CZ/categories.lang
@@ -19,6 +19,7 @@ ProjectsCategoriesArea=Oblast projektů značek/kategorií
UsersCategoriesArea=Kategorie značek/kategorií uživatelů
SubCats=Podkategorie
CatList=Výpis tagů/kategorií
+CatListAll=List of tags/categories (all types)
NewCategory=Nový tag/kategorie
ModifCat=Upravit tag/kategorii
CatCreated=Tag/kategorie byla vytvořená
@@ -65,16 +66,22 @@ UsersCategoriesShort=Uživatelské značky/kategorie
StockCategoriesShort=Značky/kategorie skladů
ThisCategoryHasNoItems=Tato kategorie neobsahuje žádné položky.
CategId=ID tagu/kategorie
-CatSupList=Seznam tagů/kategorií dodavatelů
-CatCusList=Seznam tagů/kategorií zákazníků/cílů
+ParentCategory=Parent tag/category
+ParentCategoryLabel=Label of parent tag/category
+CatSupList=List of vendors tags/categories
+CatCusList=List of customers/prospects tags/categories
CatProdList=Seznam tagů/kategorií produktů
CatMemberList=Seznam tagů/kategorií uživatelů
-CatContactList=Seznam kontaktů tagů/kategorií
-CatSupLinks=Spojení mezi dodavateli a tagy/kategoriemi
+CatContactList=List of contacts tags/categories
+CatProjectsList=List of projects tags/categories
+CatUsersList=List of users tags/categories
+CatSupLinks=Links between vendors and tags/categories
CatCusLinks=Spojení mezi zákazníky/cíly a tagy/kategoriemi
CatContactsLinks=Odkazy mezi kontakty/adresami a značkami/kategoriemi
CatProdLinks=Spojení mezi produkty/službami a tagy/kategoriemi
-CatProJectLinks=Links between projects and tags/categories
+CatMembersLinks=Spojení mezi uživateli a tagy/kategoriemi
+CatProjectsLinks=Links between projects and tags/categories
+CatUsersLinks=Links between users and tags/categories
DeleteFromCat=Odebrat z tagů/kategorií
ExtraFieldsCategories=Doplňkové atributy
CategoriesSetup=Nastavení tagů/kategorií
diff --git a/htdocs/langs/cs_CZ/companies.lang b/htdocs/langs/cs_CZ/companies.lang
index 19b9513ae7c..7f16ddead5c 100644
--- a/htdocs/langs/cs_CZ/companies.lang
+++ b/htdocs/langs/cs_CZ/companies.lang
@@ -358,7 +358,7 @@ VATIntraCheckableOnEUSite=Zkontrolujte ID DPH uvnitř Společenství na webovýc
VATIntraManualCheck=Můžete také zkontrolovat ručně na evropských stránkách %s
ErrorVATCheckMS_UNAVAILABLE=Kontrola není možná. Služba není členským státem poskytována (%s).
NorProspectNorCustomer=Ani cíl, ani zákazník
-JuridicalStatus=Typ právnické osoby
+JuridicalStatus=Business entity type
Workforce=Workforce
Staff=Zaměstnanci
ProspectLevelShort=Potenciální
diff --git a/htdocs/langs/cs_CZ/compta.lang b/htdocs/langs/cs_CZ/compta.lang
index 9e64b689ff2..b725f1ab696 100644
--- a/htdocs/langs/cs_CZ/compta.lang
+++ b/htdocs/langs/cs_CZ/compta.lang
@@ -111,7 +111,7 @@ Refund=Vrácení
SocialContributionsPayments=Sociální / platby daně za
ShowVatPayment=Zobrazit platbu DPH
TotalToPay=Celkem k zaplacení
-BalanceVisibilityDependsOnSortAndFilters=pouze tehdy, pokud je řazen tabulka vzestupně na %s a filtrován 1 bankovního účtu je vidět v tomto seznamu Balance
+BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted on %s and filtered on 1 bank account (with no other filters)
CustomerAccountancyCode=Zákaznický účetní kód
SupplierAccountancyCode=dodavatelský účetní kód
CustomerAccountancyCodeShort=Cust. účet. kód
@@ -140,7 +140,7 @@ ConfirmDeleteSocialContribution=Opravdu chcete vymazat tuto sociální / daňovo
ExportDataset_tax_1=Sociální a fiskální daně a platby
CalcModeVATDebt=Režim %sDPH zápočtu na závazky%s.
CalcModeVATEngagement=Režim %sDPH z rozšířených příjmů%s.
-CalcModeDebt=Analýza známých zaznamenaných faktur, a to i v případě, že ještě nejsou účtovány v účetní evidenci.
+CalcModeDebt=Analysis of known recorded documents even if they are not yet accounted in ledger.
CalcModeEngagement=Analýza známých zaznamenaných plateb, i když ještě nejsou účtovány v Ledgeru.
CalcModeBookkeeping=Analýza údajů publikovaných v tabulce Účetnictví účetnictví.
CalcModeLT1= Mod %sRE na zákaznické faktury - dodavatelské faktury%s
@@ -154,9 +154,9 @@ AnnualSummaryInputOutputMode=Bilance příjmů a výdajů, roční shrnutí
AnnualByCompanies=Bilance příjmů a výdajů podle předem definovaných skupin účtů
AnnualByCompaniesDueDebtMode=Bilance výnosů a nákladů, podrobnosti podle předdefinovaných skupin, režim %sClaims-Debts%s uvedl Účtování závazků .
AnnualByCompaniesInputOutputMode=Bilance výnosů a nákladů, podrobnosti podle předdefinovaných skupin, režim %sInvestice-Výdaje%s uvedl hotovostní účetnictví .
-SeeReportInInputOutputMode=Viz %sanalýza plateb %spro výpočet skutečných plateb, i když ještě nejsou účtovány v Ledgeru.
-SeeReportInDueDebtMode=Viz %sanalýza faktur %s pro výpočet založený na známých zaznamenaných fakturách, i když ještě nejsou účtovány v Ledgeru.
-SeeReportInBookkeepingMode=Viz část %sKontrola report %s pro výpočet na Tabulce účtů účetnictví
+SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation based on recorded payments made even if they are not yet accounted in Ledger
+SeeReportInDueDebtMode=See %sanalysis of recorded documents%s for a calculation based on known recorded documents even if they are not yet accounted in Ledger
+SeeReportInBookkeepingMode=See %sanalysis of bookeeping ledger table%s for a report based on Bookkeeping Ledger table
RulesAmountWithTaxIncluded=- Uvedené částky jsou se všemi daněmi
RulesResultDue=- Zahrnuje nezaplacené faktury, výdaje, DPH, dary, ať už jsou či nejsou zaplaceny. Zahrnuje také placené platy. - Je založen na fakturačním datu faktur a na datu splatnosti pro výdaje nebo platby daní. U platů definovaných modulem Plat se použije datum platby.
RulesResultInOut=- To zahrnuje skutečné platby na fakturách, nákladů, DPH a platů. - Je založen na datech plateb faktur, náklady, DPH a platů. Datum daru pro dárcovství.
@@ -169,12 +169,15 @@ RulesResultBookkeepingPersonalized=Zobrazuje záznam ve vašem účtu s účetn
SeePageForSetup=Viz menu %s pro nastavení
DepositsAreNotIncluded=- Zálohové faktury nejsou zahrnuty
DepositsAreIncluded=- Zálohové faktury jsou zahrnuty
+LT1ReportByMonth=Tax 2 report by month
+LT2ReportByMonth=Tax 3 report by month
LT1ReportByCustomers=Nahlásit daň 2 subjektu
LT2ReportByCustomers=Oznámte daň 3 subjektu
LT1ReportByCustomersES=Zpráva třetí strany RE
LT2ReportByCustomersES=Zpráva o třetí straně IRPF
VATReport=Zpráva o dani z prodeje
VATReportByPeriods=Zpráva o dani z prodeje podle období
+VATReportByMonth=Sale tax report by month
VATReportByRates=Zpráva o dani z prodeje podle sazeb
VATReportByThirdParties=Zpráva o dani z prodeje subjekty
VATReportByCustomers=Zpráva o dani z prodeje zákazníkem
diff --git a/htdocs/langs/cs_CZ/cron.lang b/htdocs/langs/cs_CZ/cron.lang
index b2b351ec4e2..2301936582d 100644
--- a/htdocs/langs/cs_CZ/cron.lang
+++ b/htdocs/langs/cs_CZ/cron.lang
@@ -7,13 +7,14 @@ Permission23103 = Smazat naplánovanou úlohu
Permission23104 = Provést naplánovanou úlohu
# Admin
CronSetup=Nastavení naplánovaných úloh
-URLToLaunchCronJobs=URL ke kontrole a spuštění úlohy v případě potřeby
-OrToLaunchASpecificJob=Nebo zkontrolovat a zahájit konkrétní práci
+URLToLaunchCronJobs=URL to check and launch qualified cron jobs from a browser
+OrToLaunchASpecificJob=Or to check and launch a specific job from a browser
KeyForCronAccess=Bezpečnostní klíč URL spuštění úlohy
FileToLaunchCronJobs=Příkazový řádek pro kontrolu a spuštění kvalifikovaných úloh v cronu
CronExplainHowToRunUnix=Na Unixových systémech by jste měli použít následující položku crontab ke spuštění příkazového řádku každých 5 minut
CronExplainHowToRunWin=V prostředí Microsoft Windows můžete pomocí nástrojů Naplánované úlohy spustit příkazový řádek každých 5 minut
CronMethodDoesNotExists=Třída %s neobsahuje žádné metody %s
+CronMethodNotAllowed=Method %s of class %s is in blacklist of forbidden methods
CronJobDefDesc=Profily úloh Cron jsou definovány do souboru deskriptoru modulu. Když je modul aktivován, jsou načteny a dostupné, takže můžete spravovat úlohy z nabídky nástrojů admin %s.
CronJobProfiles=Seznam předdefinovaných úloh profilu cron
# Menu
@@ -46,6 +47,7 @@ CronNbRun=Počet spuštění
CronMaxRun=Maximální počet spuštění
CronEach=Každý
JobFinished=Práce zahájena a dokončena
+Scheduled=Scheduled
#Page card
CronAdd= Přidat práci
CronEvery=Vykonat práci každý
@@ -56,7 +58,7 @@ CronNote=Komentář
CronFieldMandatory=Pole %s je povinné
CronErrEndDateStartDt=Datum ukončení nemůže být před datem zahájení
StatusAtInstall=Stav při instalaci modulu
-CronStatusActiveBtn=Umožnit
+CronStatusActiveBtn=Schedule
CronStatusInactiveBtn=Zakázat
CronTaskInactive=Tato úloha je zakázána
CronId=Id
@@ -82,3 +84,8 @@ MakeLocalDatabaseDumpShort=Záloha lokální databáze
MakeLocalDatabaseDump=Vytvoření výpisu místní databáze. Parametry jsou: komprese ('gz' nebo 'bz' nebo 'none'), zálohovací typ ('mysql', 'pgsql', 'auto'),
WarningCronDelayed=Pozor, pokud jde o výkonnost, bez ohledu na to, co je příštím datem provedení povolených úloh, mohou být vaše úlohy zpožděny maximálně do %s hodin, než budou spuštěny.
DATAPOLICYJob=Čistič dat a anonymizér
+JobXMustBeEnabled=Job %s must be enabled
+# Cron Boxes
+LastExecutedScheduledJob=Last executed scheduled job
+NextScheduledJobExecute=Next scheduled job to execute
+NumberScheduledJobError=Number of scheduled jobs in error
diff --git a/htdocs/langs/cs_CZ/errors.lang b/htdocs/langs/cs_CZ/errors.lang
index a9028d01278..0be889628dc 100644
--- a/htdocs/langs/cs_CZ/errors.lang
+++ b/htdocs/langs/cs_CZ/errors.lang
@@ -5,8 +5,10 @@ NoErrorCommitIsDone=Žádná chyba, jsme se nedopustili
# Errors
ErrorButCommitIsDone=Byly nalezeny chyby, ale přesto jsme provedli ověření. Snad to pojede ....
ErrorBadEMail=E-mail %s je špatný
+ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record)
ErrorBadUrl=Url %s je špatně
ErrorBadValueForParamNotAString=Špatná hodnota parametru. Připojí se obecně, když chybí překlad.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorLoginAlreadyExists=Přihlášení %s již existuje.
ErrorGroupAlreadyExists=Skupina %s již existuje.
ErrorRecordNotFound=Záznam není nalezen.
@@ -48,6 +50,7 @@ ErrorFieldsRequired=Některá povinná pole nebyla vyplněna. Neflákejte to !!
ErrorSubjectIsRequired=Předmět e-mailu je povinný
ErrorFailedToCreateDir=Nepodařilo se vytvořit adresář. Zkontrolujte, zda má uživatel webového serveru oprávnění zapisovat do adresáře dokumentů Dolibarr. Pokud je v tomto PHP aktivován parametr safe_mode, zkontrolujte, zda jsou soubory Dolibarr php vlastní uživateli (nebo skupinou) webového serveru.
ErrorNoMailDefinedForThisUser=Pro tohoto uživatele není definován žádný e-mail
+ErrorSetupOfEmailsNotComplete=Setup of emails is not complete
ErrorFeatureNeedJavascript=Tato funkce vyžaduje zapnutí javascriptu pro práci. Změňte nastavení v zobrazení nastavení.
ErrorTopMenuMustHaveAParentWithId0=Nabídka typu "Top" nemůže mít nadřazenou nabídku. Vložte 0 do rodičovského menu nebo zvolte nabídku typu "Vlevo".
ErrorLeftMenuMustHaveAParentId=Nabídka typu "Left" musí mít nadřazený identifikátor.
@@ -75,7 +78,7 @@ ErrorExportDuplicateProfil=Toto jméno profilu již existuje pro tuto exportní
ErrorLDAPSetupNotComplete=Dolibarr-LDAP shoda není dokončena.
ErrorLDAPMakeManualTest=Soubor .ldif byl vygenerován v adresáři %s. Pokuste se jej z příkazového řádku ručně načíst a získat další informace o chybách.
ErrorCantSaveADoneUserWithZeroPercentage=Nelze uložit akci s "stav nebyl spuštěn", pokud je vyplněn také pole "provedeno".
-ErrorRefAlreadyExists=Ref používané pro vytváření již existuje.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorPleaseTypeBankTransactionReportName=Zadejte prosím název výpisu banky, na kterém má být záznam zaznamenán (formát YYYYMM nebo YYYYMMDD)
ErrorRecordHasChildren=Záznam se nepodařilo smazat, protože má některé podřízené záznamy.
ErrorRecordHasAtLeastOneChildOfType=Objekt má alespoň jeden podřízený záznam typu %s
@@ -216,7 +219,7 @@ ErrorChooseBetweenFreeEntryOrPredefinedProduct=Musíte zvolit, zda je článek p
ErrorDiscountLargerThanRemainToPaySplitItBefore=Sleva, kterou se pokoušíte použít, je větší než platba. Rozdělte slevu ve 2 menších slevách dříve. A moc to nepřehánějte ....
ErrorFileNotFoundWithSharedLink=Soubor nebyl nalezen. Může být změněn klíč sdílení nebo nedávno odstraněn soubor.
ErrorProductBarCodeAlreadyExists=Výrobní čárový kód %s již existuje u jiného odkazu na produkt.
-ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Všimněte si také, že použití virtuálního produktu k automatickému zvýšení / snížení podprogramů není možné, pokud alespoň jeden subprodukt (nebo subprodukt subproduktů) potřebuje číslo seriálu / šarže.
+ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using kits to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number.
ErrorDescRequiredForFreeProductLines=Popis je povinný pro linky s volným produktem
ErrorAPageWithThisNameOrAliasAlreadyExists=Stránka / kontejner %s má stejný název nebo jiný alias, než ten, který se pokoušíte použít
ErrorDuringChartLoad=Při načtení tabulky účtů došlo k chybě. Pokud nebylo načteno několik účtů, můžete je zadat ručně.
@@ -243,6 +246,16 @@ ErrorReplaceStringEmpty=Chyba, řetězec, který chcete nahradit, je prázdný
ErrorProductNeedBatchNumber=Error, product '%s' need a lot/serial number
ErrorProductDoesNotNeedBatchNumber=Error, product '%s' does not accept a lot/serial number
ErrorFailedToReadObject=Error, failed to read object of type %s
+ErrorParameterMustBeEnabledToAllwoThisFeature=Error, parameter %s must be enabled into conf/conf.php to allow use of Command Line Interface by the internal job scheduler
+ErrorLoginDateValidity=Error, this login is outside the validity date range
+ErrorValueLength=Length of field '%s' must be higher than '%s'
+ErrorReservedKeyword=The word '%s' is a reserved keyword
+ErrorNotAvailableWithThisDistribution=Not available with this distribution
+ErrorPublicInterfaceNotEnabled=Veřejné rozhraní nebylo povoleno
+ErrorLanguageRequiredIfPageIsTranslationOfAnother=The language of new page must be defined if it is set as a translation of another page
+ErrorLanguageMustNotBeSourceLanguageIfPageIsTranslationOfAnother=The language of new page must not be the source language if it is set as a translation of another page
+ErrorAParameterIsRequiredForThisOperation=A parameter is mandatory for this operation
+
# Warnings
WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Váš parametr PHP upload_max_filesize (%s) je vyšší než parametr PHP post_max_size (%s). Toto není konzistentní nastavení.
WarningPasswordSetWithNoAccount=Pro tohoto člena bylo nastaveno heslo. Nebyl však vytvořen žádný uživatelský účet. Toto heslo je uloženo, ale nemůže být použito pro přihlášení k Dolibarr. Může být použito externím modulem / rozhraním, ale pokud nemáte pro člena definováno žádné přihlašovací jméno ani heslo, můžete vypnout možnost "Správa přihlášení pro každého člena" z nastavení modulu člena. Pokud potřebujete spravovat přihlašovací údaje, ale nepotřebujete žádné heslo, můžete toto pole ponechat prázdné, abyste se tomuto varování vyhnuli. Poznámka: E-mail může být také použit jako přihlašovací jméno, pokud je člen připojen k uživateli.
@@ -267,6 +280,10 @@ WarningYourLoginWasModifiedPleaseLogin=Vaše přihlašovací údaje byly změně
WarningAnEntryAlreadyExistForTransKey=Položka již existuje pro překladatelské klíč pro tento jazyk
WarningNumberOfRecipientIsRestrictedInMassAction=Upozornění: počet různých příjemců je omezen na %s při použití hromadných akcí v seznamech
WarningDateOfLineMustBeInExpenseReportRange=Upozornění: datum řádku není v rozsahu výkazu výdajů
+WarningProjectDraft=Project is still in draft mode. Don't forget to validate it if you plan to use tasks.
WarningProjectClosed=Projekt je uzavřen. Nejprve je musíte znovu otevřít.
WarningSomeBankTransactionByChequeWereRemovedAfter=Některé bankovní transakce byly odstraněny poté, co byly vygenerovány potvrzení včetně těchto. Počet kontrol a celkový příjem se tedy může lišit od počtu a celkového počtu v seznamu. Špek pro případnou kontrolu !!
-WarningFailedToAddFileIntoDatabaseIndex=Výstraha: Nepodařilo se přidat položku souboru do indexové tabulky databáze ECM
+WarningFailedToAddFileIntoDatabaseIndex=Warning, failed to add file entry into ECM database index table
+WarningTheHiddenOptionIsOn=Warning, the hidden option %s is on.
+WarningCreateSubAccounts=Warning, you can't create directly a sub account, you must create a third party or an user and assign them an accounting code to find them in this list
+WarningAvailableOnlyForHTTPSServers=Available only if using HTTPS secured connection.
diff --git a/htdocs/langs/cs_CZ/exports.lang b/htdocs/langs/cs_CZ/exports.lang
index 85d98be9e68..34c0d9b41d6 100644
--- a/htdocs/langs/cs_CZ/exports.lang
+++ b/htdocs/langs/cs_CZ/exports.lang
@@ -133,3 +133,4 @@ KeysToUseForUpdates=Klíč (sloupec), který chcete použít pro aktualizaci
NbInsert=Počet vložených řádků: %s
NbUpdate=Počet aktualizovaných řádků: %s
MultipleRecordFoundWithTheseFilters=Bylo nalezeno více záznamů s těmito filtry: %s
+StocksWithBatch=Stocks and location (warehouse) of products with batch/serial number
diff --git a/htdocs/langs/cs_CZ/mails.lang b/htdocs/langs/cs_CZ/mails.lang
index aad25597cf4..34643b05d34 100644
--- a/htdocs/langs/cs_CZ/mails.lang
+++ b/htdocs/langs/cs_CZ/mails.lang
@@ -92,6 +92,7 @@ MailingModuleDescEmailsFromUser=Emaily zadávané uživatelem
MailingModuleDescDolibarrUsers=Uživatelé s e-maily
MailingModuleDescThirdPartiesByCategories=Subjekty (podle kategorií)
SendingFromWebInterfaceIsNotAllowed=Odesílání z webového rozhraní není povoleno.
+EmailCollectorFilterDesc=All filters must match to have an email being collected
# Libelle des modules de liste de destinataires mailing
LineInFile=Řádek %s v souboru
@@ -125,12 +126,13 @@ TagMailtoEmail=E-mail příjemce (včetně html odkazu "mailto:")
NoEmailSentBadSenderOrRecipientEmail=Žádný e-mail nebyl odeslán. Špatný e-mail odesílatele nebo příjemce. Ověřte profil uživatele.
# Module Notifications
Notifications=Upozornění
-NoNotificationsWillBeSent=Nejsou plánovány žádná e-mailová oznámení pro tuto událost nebo společnost
-ANotificationsWillBeSent=1 notifikace bude zaslána e-mailem
-SomeNotificationsWillBeSent=%s oznámení bude zasláno e-mailem
-AddNewNotification=Aktivace cíle pro nové e-mailové upozornění
-ListOfActiveNotifications=Seznam všech aktivních cílů / událostí pro oznámení emailem
-ListOfNotificationsDone=Vypsat všechny odeslané e.mailové oznámení
+NotificationsAuto=Notifications Auto.
+NoNotificationsWillBeSent=No automatic email notifications are planned for this event type and company
+ANotificationsWillBeSent=1 automatic notification will be sent by email
+SomeNotificationsWillBeSent=%s automatic notifications will be sent by email
+AddNewNotification=Subscribe to a new automatic email notification (target/event)
+ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification
+ListOfNotificationsDone=List all automatic email notifications sent
MailSendSetupIs=Konfigurace odesílání e-maiů byla nastavena tak, aby '%s'. Tento režim nelze použít k odesílání hromadných e-mailů.
MailSendSetupIs2=Nejprve je nutné jít s admin účtem, do nabídky%sHome - Nastavení - e-maily%s pro změnu parametru "%s" do režimu použít "%s". V tomto režimu, můžete zadat nastavení serveru SMTP vašeho poskytovatele služeb internetu a používat hromadnou e-mailovou funkci.
MailSendSetupIs3=Pokud máte nějaké otázky o tom, jak nastavit SMTP server, můžete se zeptat na%s, nebo si prostudujte dokumentaci vašeho poskytovatele. \nPoznámka: V současné době bohužel většina serverů nasazuje služby pro filtrování nevyžádané pošty a různé způsoby ověřování odesilatele. Bez detailnějších znalostí a nastavení vašeho SMTP serveru se vám bude vracet většina zpráv jako nedoručené.
@@ -140,7 +142,7 @@ UseFormatFileEmailToTarget=Importovaný soubor musí mít formát e-mai
UseFormatInputEmailToTarget=Zadejte řetězec s formátem e-mail; jméno; první jméno; další
MailAdvTargetRecipients=Příjemci (rozšířený výběr)
AdvTgtTitle=Vyplňte vstupní pole, chcete-li předvolit subjekty nebo kontakty / adresy, na které chcete cílit
-AdvTgtSearchTextHelp=Jako zástupné znaky použijte %%. Chcete-li například najít všechny položky jako jean, joe, jim, můžete zadat j%%, můžete také použít; jako oddělovač pro hodnotu a použití pro tuto hodnotu. Napříkladjim%%; jimo; jima% bude zaměřen na všechny jean, joe, začít s jim, ale ne jimo a ne všechno, co začíná jima
+AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima%% will target all jean, joe, start with jim but not jimo and not everything that starts with jima
AdvTgtSearchIntHelp=Pomocí intervalu vyberte hodnotu int nebo float
AdvTgtMinVal=Minimální hodnota
AdvTgtMaxVal=Maximální hodnota
@@ -162,13 +164,14 @@ AdvTgtCreateFilter=Vytvořte filtr
AdvTgtOrCreateNewFilter=Název nového filtru
NoContactWithCategoryFound=Žádný kontakt / adresa s nalezenou kategorií
NoContactLinkedToThirdpartieWithCategoryFound=Žádný kontakt / adresa s nalezenou kategorií
-OutGoingEmailSetup=Nastavení odchozí pošty
-InGoingEmailSetup=Příchozí nastavení e-mailu
-OutGoingEmailSetupForEmailing=Nastavení odchozí pošty (pro modul %s)
-DefaultOutgoingEmailSetup=Výchozí nastavení odchozí pošty
+OutGoingEmailSetup=Outgoing emails
+InGoingEmailSetup=Incoming emails
+OutGoingEmailSetupForEmailing=Outgoing emails (for module %s)
+DefaultOutgoingEmailSetup=Same configuration than the global Outgoing email setup
Information=Informace
ContactsWithThirdpartyFilter=Kontakty s filtrem subjektu
Unanswered=Unanswered
Answered=Odpovězeno
IsNotAnAnswer=Is not answer (initial email)
IsAnAnswer=Is an answer of an initial email
+RecordCreatedByEmailCollector=Record created by the Email Collector %s from email %s
diff --git a/htdocs/langs/cs_CZ/main.lang b/htdocs/langs/cs_CZ/main.lang
index b2fcda76ae4..b499c548007 100644
--- a/htdocs/langs/cs_CZ/main.lang
+++ b/htdocs/langs/cs_CZ/main.lang
@@ -28,7 +28,9 @@ NoTemplateDefined=Pro tento typ e-mailu není k dispozici žádná šablona
AvailableVariables=K dispozici substituční proměnné
NoTranslation=Překlad není
Translation=Překlad
+CurrentTimeZone=Časové pásmo PHP (server)
EmptySearchString=Zadejte neprázdná kritéria vyhledávání
+EnterADateCriteria=Enter a date criteria
NoRecordFound=Nebyl nalezen žádný záznam
NoRecordDeleted=Žádný záznam nebyl smazán
NotEnoughDataYet=Nedostatek dat
@@ -85,6 +87,8 @@ FileWasNotUploaded=Soubor vybrán pro připojení, ale ještě nebyl nahrán. Kl
NbOfEntries=Počet vstupů
GoToWikiHelpPage=Přečtěte si online nápovědu (přístup k internetu je potřeba)
GoToHelpPage=Přečíst nápovědu
+DedicatedPageAvailable=There is a dedicated help page related to your current screen
+HomePage=Domovská stránka
RecordSaved=Záznam uložen
RecordDeleted=Záznam smazán
RecordGenerated=Záznam byl vygenerován
@@ -433,6 +437,7 @@ RemainToPay=Zbývá platit
Module=Modul/aplikace
Modules=Moduly/aplikace
Option=Volba
+Filters=Filters
List=Seznam
FullList=Plný seznam
FullConversation=Plná konverzace
@@ -671,7 +676,7 @@ SendMail=Odeslat e-mail
Email=E-mail
NoEMail=Žádný e-mail
AlreadyRead=Již jste si přečetli
-NotRead=Nepřečetl
+NotRead=Nepřečtený
NoMobilePhone=Žádné telefonní číslo
Owner=Majitel
FollowingConstantsWillBeSubstituted=Následující konstanty budou nahrazeny odpovídající hodnotou.
@@ -1107,3 +1112,8 @@ UpToDate=Up-to-date
OutOfDate=Out-of-date
EventReminder=Event Reminder
UpdateForAllLines=Update for all lines
+OnHold=Pozdržen
+AffectTag=Affect Tag
+ConfirmAffectTag=Bulk Tag Affect
+ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected record(s)?
+CategTypeNotFound=No tag type found for type of records
diff --git a/htdocs/langs/cs_CZ/modulebuilder.lang b/htdocs/langs/cs_CZ/modulebuilder.lang
index 51093a410ec..325c3fe3b52 100644
--- a/htdocs/langs/cs_CZ/modulebuilder.lang
+++ b/htdocs/langs/cs_CZ/modulebuilder.lang
@@ -40,6 +40,7 @@ PageForCreateEditView=PHP stránku pro vytvoření / úpravu / prohlížení zá
PageForAgendaTab=Stránka PHP pro kartu události
PageForDocumentTab=Stránka PHP pro kartu dokumentu
PageForNoteTab=Stránka PHP pro kartu poznámky
+PageForContactTab=PHP page for contact tab
PathToModulePackage=Cesta k zip modulu / aplikačního balíčku
PathToModuleDocumentation=Cesta k souboru dokumentace modulu/aplikace (%s)
SpaceOrSpecialCharAreNotAllowed=Mezery nebo speciální znaky nejsou povoleny.
@@ -77,7 +78,7 @@ IsAMeasure=Je to opatření
DirScanned=Adresář naskenován
NoTrigger=Žádný spouštěč
NoWidget=Žádný widget
-GoToApiExplorer=Přejděte na prohlížeč rozhraní API
+GoToApiExplorer=API explorer
ListOfMenusEntries=Seznam položek menu
ListOfDictionariesEntries=Seznam položek slovníků
ListOfPermissionsDefined=Seznam definovaných oprávnění
@@ -105,7 +106,7 @@ TryToUseTheModuleBuilder=Pokud máte znalosti o SQL a PHP, můžete použít pr
SeeTopRightMenu=Viz v pravé horní nabídce
AddLanguageFile=Přidat jazyk
YouCanUseTranslationKey=Zde můžete použít klíč, který je překladatelským klíčem nalezeným v jazykovém souboru (viz záložka "Jazyky")
-DropTableIfEmpty=(Vymazat tabulku, pokud je prázdná)
+DropTableIfEmpty=(Destroy table if empty)
TableDoesNotExists=Tabulka %s neexistuje
TableDropped=Tabulka %s byla smazána
InitStructureFromExistingTable=Vytvořte řetězec struktury pole existující tabulky
@@ -126,7 +127,6 @@ UseSpecificEditorURL = Použijte specifickou adresu URL editoru
UseSpecificFamily = Použijte konkrétní rodinu
UseSpecificAuthor = Použijte specifického autora
UseSpecificVersion = Použijte specifickou počáteční verzi
-ModuleMustBeEnabled=Nejprve musí být aktivován modul / aplikace
IncludeRefGeneration=Odkaz na objekt musí být generován automaticky
IncludeRefGenerationHelp=Zaškrtněte toto, pokud chcete zahrnout kód pro automatické generování reference
IncludeDocGeneration=Chci z objektu vygenerovat nějaké dokumenty
@@ -140,3 +140,4 @@ TypeOfFieldsHelp=Typ polí: varchar (99), dvojitý (24,8), reálný, text,
AsciiToHtmlConverter=Převodník ASCII na HTML
AsciiToPdfConverter=Převodník ASCII na PDF
TableNotEmptyDropCanceled=Tabulka není prázdná. Odstranění tabulky bylo zrušeno.
+ModuleBuilderNotAllowed=The module builder is available but not allowed to your user.
diff --git a/htdocs/langs/cs_CZ/other.lang b/htdocs/langs/cs_CZ/other.lang
index ba0a69321c7..03a2397864f 100644
--- a/htdocs/langs/cs_CZ/other.lang
+++ b/htdocs/langs/cs_CZ/other.lang
@@ -5,8 +5,6 @@ Tools=Nástroje
TMenuTools=Nástroje
ToolsDesc=Všechny nástroje, které nejsou zahrnuty v jiných položkách nabídky, jsou zde seskupeny. Všechny nástroje jsou přístupné v levém menu.
Birthday=Narozeniny
-BirthdayDate=datum narozenin
-DateToBirth=Datum narození
BirthdayAlertOn=Připomenutí narozenin aktivní
BirthdayAlertOff=Připomenutí narozenin neaktivní
TransKey=Překlad klíčů TransKey
@@ -16,6 +14,8 @@ PreviousMonthOfInvoice=Předchozí měsíc (číslo 1-12) data faktury
TextPreviousMonthOfInvoice=Předchozí měsíc (text) data faktury
NextMonthOfInvoice=Následující měsíc (číslo 1-12) data faktury
TextNextMonthOfInvoice=Následující měsíc (text) data faktury
+PreviousMonth=Previous month
+CurrentMonth=Current month
ZipFileGeneratedInto=Zip soubor generovaný do %s .
DocFileGeneratedInto=Soubor Doc generován do %s .
JumpToLogin=Odpojeno. Přejít na přihlašovací stránku ...
@@ -99,6 +99,7 @@ PredefinedMailContentSendShipping=__(Ahoj)__\n\nNajděte prosím dodací lhůtu
PredefinedMailContentSendFichInter=__(Ahoj)__\n\nNajděte zásah __REF__\n\n\n__(S pozdravem)__\n\n__USER_SIGNATURE__
PredefinedMailContentLink=Klepnutím na níže uvedený odkaz proveďte platbu, pokud ještě není hotovo.\n\n%s\n\n
PredefinedMailContentGeneric=__(Ahoj)__\n\n\n__(S pozdravem)__\n\n__USER_SIGNATURE__
+PredefinedMailContentSendActionComm=Event reminder "__EVENT_LABEL__" on __EVENT_DATE__ at __EVENT_TIME__
This is an automatic message, please do not reply.
DemoDesc=Dolibarr je kompaktní ERP/CRM systém, který se skládá z více funkčních modulů. Demo, které obsahuje všechny moduly vám nepředstaví všechny možnosti, protože v reálné situaci všechny moduly najednou používat nebudete. Pro lepší a snadnější seznámení s celým systémem máte k dispozici několik demo profilů lépe vystihujících vaše požadavky.
ChooseYourDemoProfil=Vyberte demo profil, který nejlépe odpovídá vaší činnosti, nebo zaměření ...
ChooseYourDemoProfilMore=... nebo vytvořit vlastní profil (manuální výběr požadovaných modulů)
@@ -137,7 +138,7 @@ Right=Pravý
CalculatedWeight=Vypočtená hmotnost
CalculatedVolume=Vypočtený objem
Weight=Hmotnost
-WeightUnitton=tuna
+WeightUnitton=tón
WeightUnitkg=kg
WeightUnitg=g
WeightUnitmg=mg
@@ -258,6 +259,7 @@ ContactCreatedByEmailCollector=Kontakt/adresa vytvořená sběratelem e-mailů z
ProjectCreatedByEmailCollector=Projekt vytvořený sběratelem e-mailů z e-mailu MSGID %s
TicketCreatedByEmailCollector=Lístek vytvořený sběratelem e-mailů z e-mailu MSGID %s
OpeningHoursFormatDesc=Pomocí a - oddělte otevírací a zavírací dobu. Pomocí mezery zadejte různé rozsahy. Příklad: 8-12 14-18
+PrefixSession=Prefix for session ID
##### Export #####
ExportsArea=Exportní plocha
diff --git a/htdocs/langs/cs_CZ/products.lang b/htdocs/langs/cs_CZ/products.lang
index 239f764a81b..ea05be2a28b 100644
--- a/htdocs/langs/cs_CZ/products.lang
+++ b/htdocs/langs/cs_CZ/products.lang
@@ -108,7 +108,8 @@ FillWithLastServiceDates=Fill with last service line dates
MultiPricesAbility=Více cenových segmentů na produkt / službu (každý zákazník je v jednom cenovém segmentu)
MultiPricesNumPrices=Počet cen
DefaultPriceType=Základ cen za prodlení (s versus bez daně) při přidávání nových prodejních cen
-AssociatedProductsAbility=Activate kits (virtual products)
+AssociatedProductsAbility=Enable Kits (set of other products)
+VariantsAbility=Enable Variants (variations of products, for example color, size)
AssociatedProducts=Kits
AssociatedProductsNumber=Number of products composing this kit
ParentProductsNumber=Počet výchozích balení výrobku
@@ -167,8 +168,10 @@ BuyingPrices=Nákupní ceny
CustomerPrices=Zákaznické ceny
SuppliersPrices=Ceny prodejců
SuppliersPricesOfProductsOrServices=Ceny prodejců (produktů nebo služeb)
-CustomCode=Kód cla / komodity / HS
+CustomCode=Customs|Commodity|HS code
CountryOrigin=Země původu
+RegionStateOrigin=Region origin
+StateOrigin=State|Province origin
Nature=Druh produktu (materiál / hotový)
NatureOfProductShort=Druh produktu
NatureOfProductDesc=Surovina nebo hotový produkt
@@ -239,7 +242,7 @@ AlwaysUseFixedPrice=Použijte pevnou cenu
PriceByQuantity=Různé ceny podle množství
DisablePriceByQty=Zakázat ceny podle množství
PriceByQuantityRange=Množstevní rozsah
-MultipriceRules=Pravidla segmentu cen
+MultipriceRules=Automatic prices for segment
UseMultipriceRules=Použijte pravidla segmentu cen (definovaná v nastavení modulu produktu) pro automatické výpočty cen všech ostatních segmentů podle prvního segmentu
PercentVariationOver=%% variace přes %s
PercentDiscountOver=%% sleva na %s
diff --git a/htdocs/langs/cs_CZ/recruitment.lang b/htdocs/langs/cs_CZ/recruitment.lang
index e8f2b878873..e60db728965 100644
--- a/htdocs/langs/cs_CZ/recruitment.lang
+++ b/htdocs/langs/cs_CZ/recruitment.lang
@@ -73,3 +73,4 @@ JobClosedTextCandidateFound=The job position is closed. The position has been fi
JobClosedTextCanceled=The job position is closed.
ExtrafieldsJobPosition=Complementary attributes (job positions)
ExtrafieldsCandidatures=Complementary attributes (job applications)
+MakeOffer=Make an offer
diff --git a/htdocs/langs/cs_CZ/sendings.lang b/htdocs/langs/cs_CZ/sendings.lang
index 94d137ed4a6..61d599a95a7 100644
--- a/htdocs/langs/cs_CZ/sendings.lang
+++ b/htdocs/langs/cs_CZ/sendings.lang
@@ -30,6 +30,7 @@ OtherSendingsForSameOrder=Další zásilky pro tuto objednávku
SendingsAndReceivingForSameOrder=Zásilky a potvrzení o této objednávce
SendingsToValidate=Zásilky se ověřují
StatusSendingCanceled=Zrušený
+StatusSendingCanceledShort=Zrušený
StatusSendingDraft=Návrh
StatusSendingValidated=Ověřené (výrobky pro dodávku nebo již dodány)
StatusSendingProcessed=Zpracované
@@ -65,6 +66,7 @@ ValidateOrderFirstBeforeShipment=Nejprve musíte potvrdit objednávku před tím
# Sending methods
# ModelDocument
DocumentModelTyphon=Více kompletních modelů dokumentů pro potvrzení o doručení (logo. ..)
+DocumentModelStorm=More complete document model for delivery receipts and extrafields compatibility (logo...)
Error_EXPEDITION_ADDON_NUMBER_NotDefined=Konstanta EXPEDITION_ADDON_NUMBER není definována
SumOfProductVolumes=Součet objemu produktů
SumOfProductWeights=Součet hmotnosti produktů
diff --git a/htdocs/langs/cs_CZ/stocks.lang b/htdocs/langs/cs_CZ/stocks.lang
index 25558173d1a..be798ca0ade 100644
--- a/htdocs/langs/cs_CZ/stocks.lang
+++ b/htdocs/langs/cs_CZ/stocks.lang
@@ -240,3 +240,4 @@ InventoryRealQtyHelp=Set value to 0 to reset qty Keep field empty, or remove
UpdateByScaning=Update by scaning
UpdateByScaningProductBarcode=Update by scan (product barcode)
UpdateByScaningLot=Update by scan (lot|serial barcode)
+DisableStockChangeOfSubProduct=Deactivate the stock change for all the subproducts of this Kit during this movement.
diff --git a/htdocs/langs/cs_CZ/ticket.lang b/htdocs/langs/cs_CZ/ticket.lang
index 83a4e3cd4e6..268ab00719c 100644
--- a/htdocs/langs/cs_CZ/ticket.lang
+++ b/htdocs/langs/cs_CZ/ticket.lang
@@ -31,10 +31,8 @@ TicketDictType=Vstupenka - Typy
TicketDictCategory=Vstupenka - skupiny
TicketDictSeverity=Vstupenka - závažnosti
TicketDictResolution=Vstupenka - rozlišení
-TicketTypeShortBUGSOFT=Logika Dysfonctionnement
-TicketTypeShortBUGHARD=Dysfonctionnement matériel -nějaký mišmaš ???
-TicketTypeShortCOM=Obchodní otázka
+TicketTypeShortCOM=Obchodní otázka
TicketTypeShortHELP=Žádost o funkční pomoc
TicketTypeShortISSUE=Problém, chyba nebo problém
TicketTypeShortREQUEST=Žádost o změnu nebo vylepšení
@@ -44,7 +42,7 @@ TicketTypeShortOTHER=Jiný
TicketSeverityShortLOW=Nízký
TicketSeverityShortNORMAL=Normální
TicketSeverityShortHIGH=Vysoký
-TicketSeverityShortBLOCKING=Kritické / Blokování
+TicketSeverityShortBLOCKING=Critical, Blocking
ErrorBadEmailAddress=Pole '%s' nesprávné
MenuTicketMyAssign=Moje jízdenky
@@ -60,7 +58,6 @@ OriginEmail=Zdroj e-mailu
Notify_TICKET_SENTBYMAIL=Odeslat e-mailem zprávu o lince
# Status
-NotRead=Nepřečetl
Read=Číst
Assigned=Přidělené
InProgress=probíhá
@@ -126,6 +123,7 @@ TicketsActivatePublicInterfaceHelp=Veřejné rozhraní umožňuje všem návšt
TicketsAutoAssignTicket=Automaticky přiřadit uživateli, který vytvořil lístek
TicketsAutoAssignTicketHelp=Při tvorbě vstupenky může být uživateli automaticky přiřazen lístek.
TicketNumberingModules=Modul číslování vstupenek
+TicketsModelModule=Document templates for tickets
TicketNotifyTiersAtCreation=Upozornit subjekt na vytvoření
TicketsDisableCustomerEmail=Pokud je lístek vytvořen z veřejného rozhraní, vždy zakažte e-maily
TicketsPublicNotificationNewMessage=Po přidání nové zprávy odešlete e-mail(y)
@@ -233,7 +231,6 @@ TicketLogStatusChanged=Stav změněn: %s až %s
TicketNotNotifyTiersAtCreate=Neinformovat společnost na vytvoření
Unread=Nepřečtený
TicketNotCreatedFromPublicInterface=Není dostupný. Vstupenka nebyla vytvořena z veřejného rozhraní.
-PublicInterfaceNotEnabled=Veřejné rozhraní nebylo povoleno
ErrorTicketRefRequired=Je vyžadován referenční název vstupenky
#
diff --git a/htdocs/langs/cs_CZ/website.lang b/htdocs/langs/cs_CZ/website.lang
index cf30e5bd64d..1fb8d39059e 100644
--- a/htdocs/langs/cs_CZ/website.lang
+++ b/htdocs/langs/cs_CZ/website.lang
@@ -30,7 +30,6 @@ EditInLine=Úpravy v řádku
AddWebsite=Přidat webovou stránku
Webpage=Webová stránka / kontejner
AddPage=Přidat stránku / kontejner
-HomePage=Domovská stránka
PageContainer=Strana
PreviewOfSiteNotYetAvailable=Náhled vašeho webu %s zatím není k dispozici. Nejprve musíte ' Importovat celou šablonu webových stránek ' nebo jen ' Přidat stránku / kontejner '.
RequestedPageHasNoContentYet=Požadovaná stránka s ID %s nemá dosud žádný obsah nebo byl odstraněn soubor cache .tpl.php. Upravte obsah stránky pro vyřešení tohoto problému.
@@ -101,7 +100,7 @@ EmptyPage=Prázdná stránka
ExternalURLMustStartWithHttp=Externí adresa URL musí začít s http: // nebo https: //
ZipOfWebsitePackageToImport=Nahrajte soubor ZIP balíčku šablony webové stránky
ZipOfWebsitePackageToLoad=nebo Vyberte dostupný balíček integrovaných webových stránek
-ShowSubcontainers=Zahrnout dynamický obsah
+ShowSubcontainers=Show dynamic content
InternalURLOfPage=Interní adresa URL stránky
ThisPageIsTranslationOf=Tato stránka / kontejner je překladem
ThisPageHasTranslationPages=Tato stránka / kontejner obsahuje překlad
@@ -137,3 +136,4 @@ RSSFeedDesc=Pomocí této adresy URL můžete získat RSS kanál nejnovějších
PagesRegenerated=%s regenerováno stránky / kontejnery
RegenerateWebsiteContent=Regenerate web site cache files
AllowedInFrames=Allowed in Frames
+DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languages into web site properties.
diff --git a/htdocs/langs/cs_CZ/withdrawals.lang b/htdocs/langs/cs_CZ/withdrawals.lang
index 1d5f1bb8ada..cb303de282d 100644
--- a/htdocs/langs/cs_CZ/withdrawals.lang
+++ b/htdocs/langs/cs_CZ/withdrawals.lang
@@ -42,6 +42,7 @@ LastWithdrawalReceipt=Poslední %s přímého inkasa debetní
MakeWithdrawRequest=Zadejte žádost o platbu inkasem
MakeBankTransferOrder=Proveďte žádost o převod
WithdrawRequestsDone=%s zaznamenané žádosti o inkaso
+BankTransferRequestsDone=%s credit transfer requests recorded
ThirdPartyBankCode=Kód banky subjektu
NoInvoiceCouldBeWithdrawed=Žádná faktura nebyla odepsána úspěšně. Zkontrolujte, zda jsou faktury u společností s platným IBAN a zda má IBAN UMR (Unique Mandate Reference) s režimem %s .
ClassCredited=Označit přidání kreditu
@@ -131,7 +132,8 @@ SEPARCUR=SEPA CUR
SEPAFRST=SEPA FRST
ExecutionDate=Datum provedení
CreateForSepa=Vytvořte soubor s inkasem
-ICS=Identifikátor věřitele CI
+ICS=Creditor Identifier CI for direct debit
+ICSTransfer=Creditor Identifier CI for bank transfer
END_TO_END="EndToEndId" SEPA XML tag - jedinečný identifikátor přiřazený ke každé transakci
USTRD="Nestrukturovaná" značka SEPA XML
ADDDAYS=Přidání dnů do data provedení
@@ -146,3 +148,4 @@ InfoRejectSubject=Příkaz k inkasu odmítnut
InfoRejectMessage=Dobrý den,
příkaz k inkasu faktury %s týkající se společnosti %s, částkou %s, byla bankou odmítnuta.
- %s
ModeWarning=Volba pro reálný režim nebyl nastaven, můžeme zastavit tuto simulaci
ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know wich one to use.
+ErrorICSmissing=Missing ICS in Bank account %s
diff --git a/htdocs/langs/da_DK/accountancy.lang b/htdocs/langs/da_DK/accountancy.lang
index 3af2cf33fbc..addd2c719d7 100644
--- a/htdocs/langs/da_DK/accountancy.lang
+++ b/htdocs/langs/da_DK/accountancy.lang
@@ -48,6 +48,7 @@ CountriesExceptMe=Alle lande undtagen %s
AccountantFiles=Eksporter kildedokumenter
ExportAccountingSourceDocHelp=Med dette værktøj kan du eksportere de kildehændelser (liste og PDF-filer), der blev brugt til at generere din regnskab. For at eksportere dine tidsskrifter skal du bruge menuindgangen %s - %s.
VueByAccountAccounting=Vis efter regnskabskonto
+VueBySubAccountAccounting=Vis efter regnskabsmæssig underkonto
MainAccountForCustomersNotDefined=Standardkonto for kunder, der ikke er defineret i opsætningen
MainAccountForSuppliersNotDefined=Hoved kontokort for leverandører, der ikke er defineret i opsætningen
@@ -144,7 +145,7 @@ NotVentilatedinAccount=Ikke bundet til regnskabskontoen
XLineSuccessfullyBinded=%s varer/ydelser blev bundet til en regnskabskonto
XLineFailedToBeBinded=%s varer/ydelser blev ikke bundet til en regnskabskonto
-ACCOUNTING_LIMIT_LIST_VENTILATION=Antal elementer, der skal bindes vist efter side (maks. Anbefalet: 50)
+ACCOUNTING_LIMIT_LIST_VENTILATION=Maksimalt antal linjer på listen og bind siden (anbefales: 50)
ACCOUNTING_LIST_SORT_VENTILATION_TODO=Vis siden "Ikke bogførte linjer" med de nyeste poster først
ACCOUNTING_LIST_SORT_VENTILATION_DONE=Vis siden "Ikke bogførte linjer" med de nyeste poster først
@@ -198,7 +199,8 @@ Docdate=Dato
Docref=Reference
LabelAccount=Kontonavn
LabelOperation=Bilagstekst
-Sens=Sens
+Sens=Retning
+AccountingDirectionHelp=For en kundes regnskabskonto skal du bruge kredit til at registrere en betaling, du har modtaget . For en leverandørs regnskabskonto skal du bruge Debet til at registrere en betaling, du foretager
LetteringCode=Bogstaver kode
Lettering=Skrift
Codejournal=Kladde
@@ -206,7 +208,8 @@ JournalLabel=Journalmærke
NumPiece=Partsnummer
TransactionNumShort=Transaktionsnr.
AccountingCategory=Regnskabskontogrupper
-GroupByAccountAccounting=Gruppér efter regnskabskonto
+GroupByAccountAccounting=Gruppér efter hovedkontokonto
+GroupBySubAccountAccounting=Gruppér efter underkonto konto
AccountingAccountGroupsDesc=Du kan definere her nogle grupper af regnskabskonto. De vil blive brugt til personlige regnskabsrapporter.
ByAccounts=Konti
ByPredefinedAccountGroups=Efter foruddefinerede grupper
@@ -248,7 +251,7 @@ PaymentsNotLinkedToProduct=Betaling er ikke knyttet til noget produkt / tjeneste
OpeningBalance=Åbnings balance
ShowOpeningBalance=Vis åbningsbalance
HideOpeningBalance=Skjul åbningsbalancen
-ShowSubtotalByGroup=Vis subtotal efter grupper
+ShowSubtotalByGroup=Vis subtotal efter niveau
Pcgtype=Kontoens gruppe
PcgtypeDesc=Kontogruppe bruges som foruddefinerede 'filter' og 'gruppering' kriterier for nogle regnskabsrapporter. For eksempel bruges 'INKOMST' eller 'UDGIFT' som grupper til regnskabsmæssige regnskaber for produkter til at oprette omkostnings- / indkomstrapporten.
@@ -271,11 +274,13 @@ DescVentilExpenseReport=Her vises listen over udgiftsrapporter linjer bundet (el
DescVentilExpenseReportMore=Hvis du opsætter regnskabskonto på typen af udgiftsrapporter, vil applikationen kunne foretage hele bindingen mellem dine udgiftsrapporter og kontoen for dit kontoplan, kun med et klik med knappen "%s" . Hvis kontoen ikke var angivet i gebyrordbog, eller hvis du stadig har nogle linjer, der ikke er bundet til nogen konto, skal du lave en manuel binding fra menuen " %s".
DescVentilDoneExpenseReport=Her vises listen over linjerne for udgiftsrapporter og deres gebyrkonto
+Closure=Årlig lukning
DescClosure=Se her antallet af bevægelser pr. Måned, der ikke er valideret og regnskabsår, der allerede er åbent
OverviewOfMovementsNotValidated=Trin 1 / Oversigt over bevægelser, der ikke er valideret. (Nødvendigt at lukke et regnskabsår)
+AllMovementsWereRecordedAsValidated=Alle bevægelser blev registreret som godkendt
+NotAllMovementsCouldBeRecordedAsValidated=Ikke alle bevægelser kunne registreres som godkendt
ValidateMovements=Valider bevægelser
DescValidateMovements=Enhver ændring eller sletning af skrivning, bogstaver og sletning er forbudt. Alle poster til en øvelse skal valideres, ellers er lukning ikke mulig
-SelectMonthAndValidate=Vælg måned og valider bevægelser
ValidateHistory=Automatisk Bogføring
AutomaticBindingDone=Automatisk Bogføring
@@ -293,6 +298,7 @@ Accounted=Regnskab i hovedbog
NotYetAccounted=Endnu ikke indregnet i hovedbog
ShowTutorial=Vis selvstudie
NotReconciled=Ikke afstemt
+WarningRecordWithoutSubledgerAreExcluded=Advarsel, alle handlinger uden underskrevet konto defineret filtreres og udelukkes fra denne visning
## Admin
BindingOptions=Bindende muligheder
@@ -337,6 +343,7 @@ Modelcsv_LDCompta10=Eksport til LD Compta (v10 og nyere)
Modelcsv_openconcerto=Eksport til OpenConcerto (Test)
Modelcsv_configurable=Eksporter CSV Konfigurerbar
Modelcsv_FEC=Eksport FEC
+Modelcsv_FEC2=Eksport FEC (med datagenereringsskrivning / omvendt dokument)
Modelcsv_Sage50_Swiss=Eksport til Sage 50 Schweiz
Modelcsv_winfic=Eksport Winfic - eWinfic - WinSis Compta
Modelcsv_Gestinumv3=Eksport til Gestinum (v3)
diff --git a/htdocs/langs/da_DK/admin.lang b/htdocs/langs/da_DK/admin.lang
index d7714c0c1df..78572942536 100644
--- a/htdocs/langs/da_DK/admin.lang
+++ b/htdocs/langs/da_DK/admin.lang
@@ -56,6 +56,8 @@ GUISetup=Udseende
SetupArea=Indstillinger
UploadNewTemplate=Upload nye skabelon(er)
FormToTestFileUploadForm=Formular til test af fil upload (ifølge opsætning)
+ModuleMustBeEnabled=Modulet / applikationen %s skal være aktiveret
+ModuleIsEnabled=Modulet / applikationen %s er blevet aktiveret
IfModuleEnabled=Note: ja er kun effektivt, hvis modul %s er aktiveret
RemoveLock=Fjern/omdøbe fil %s hvis den eksisterer, for at tillade brug af Update/Install værktøjet.
RestoreLock=Gendan filen %s , kun med tilladelse for "læsning", for at deaktivere yderligere brug af Update/Install-værktøjet.
@@ -85,7 +87,6 @@ ShowPreview=Vis forhåndsvisning
ShowHideDetails=Vis skjul detaljer
PreviewNotAvailable=Preview ikke tilgængeligt
ThemeCurrentlyActive=Tema aktuelt aktive
-CurrentTimeZone=Aktuelle tidszone
MySQLTimeZone=Tidszone MySql (database)
TZHasNoEffect=Datoer gemmes og returneres af databaseserveren som om de blev holdt som sendt streng. Tidszonen har kun virkning, når du bruger UNIX_TIMESTAMP-funktionen (som ikke skal bruges af Dolibarr, så databasen TZ skal ikke have nogen effekt, selvom den er ændret efter indtastning af data).
Space=Mellemrum
@@ -153,8 +154,8 @@ SystemToolsAreaDesc=Dette område giver administrationsfunktioner. Brug menuen t
Purge=Ryd
PurgeAreaDesc=På denne side kan du slette alle filer, der er genereret eller gemt af Dolibarr (midlertidige filer eller alle filer i %s bibliotek). Brug af denne funktion er normalt ikke nødvendig. Den leveres som en løsning for brugere, hvis Dolibarr er vært for en udbyder, der ikke tilbyder tilladelser til at slette filer genereret af webserveren.
PurgeDeleteLogFile=Slet log-filer, herunder %s oprettet til Syslog-modul (ingen risiko for at miste data)
-PurgeDeleteTemporaryFiles=Slet alle midlertidige filer (ingen risiko for at miste data). Bemærk: Sletning udføres kun, hvis "temp" biblioteket blev oprettet for 24 timer siden.
-PurgeDeleteTemporaryFilesShort=Slet midlertidige filer
+PurgeDeleteTemporaryFiles=Slet alle logfiler og midlertidige filer (ingen risiko for at miste data). Bemærk: Sletning af midlertidige filer udføres kun, hvis temp-biblioteket blev oprettet for mere end 24 timer siden.
+PurgeDeleteTemporaryFilesShort=Slet logfiler og midlertidige filer
PurgeDeleteAllFilesInDocumentsDir=Slet alle filer i mappen: %s . Dette vil slette alle genererede dokumenter relateret til elementer (tredjeparter, fakturaer osv. ..), filer uploadet til ECM modulet, database backup dumps og midlertidige filer.
PurgeRunNow=Rensningsanordningen nu
PurgeNothingToDelete=Ingen mappe eller filer, der skal slettes.
@@ -256,6 +257,7 @@ ReferencedPreferredPartners=Foretrukne partnere
OtherResources=Andre ressourcer
ExternalResources=Eksterne ressourcer
SocialNetworks=Sociale netværk
+SocialNetworkId=Socialt netværk ID
ForDocumentationSeeWiki=For brugerens eller bygherren dokumentation (doc, FAQs ...), tage et kig på Dolibarr Wiki: %s
ForAnswersSeeForum=For alle andre spørgsmål / hjælpe, kan du bruge Dolibarr forum: %s
HelpCenterDesc1=Her er nogle ressourcer til at få hjælp og support med Dolibarr.
@@ -375,7 +377,7 @@ ExamplesWithCurrentSetup=Eksempler med den nuværende konfiguration
ListOfDirectories=Liste over OpenDocument-skabeloner mapper
ListOfDirectoriesForModelGenODT=Liste over mapper, som indeholder skabeloner filer med OpenDocument format.
her fulde sti til mapper. Føjer vognretur mellem eah mappe. for At tilføje en mappe af GED modul, tilføje her DOL_DATA_ROOT/ecm/yourdirectoryname.
Filer i disse mapper skal ende med .odt eller .ods.
NumberOfModelFilesFound=Antal ODT / ODS-template filer, der findes i disse mapper
-ExampleOfDirectoriesForModelGen=Eksempler på syntaks: c: \\ mydir / Home / mydir DOL_DATA_ROOT / ECM / ecmdir
+ExampleOfDirectoriesForModelGen=Eksempler på syntaks: c: \\ myapp \\ mydocumentdir \\ mysubdir / home / myapp / mydocumentdir / mysubdir DOL_DATA_ROOT / ecm / ecmdir
FollowingSubstitutionKeysCanBeUsed= At vide hvordan du opretter dine odt dokumentskabeloner, før gemme dem i disse mapper, skal du læse wiki dokumentation:
FullListOnOnlineDocumentation=http://wiki.dolibarr.org/index.php/Create_an_ODT_document_template
FirstnameNamePosition=Placering af fornavn / navn
@@ -406,7 +408,7 @@ UrlGenerationParameters=Parametre for at sikre URL'er
SecurityTokenIsUnique=Brug en unik securekey parameter for hver enkelt webadresse
EnterRefToBuildUrl=Indtast reference for objekter %s
GetSecuredUrl=Få beregnet URL
-ButtonHideUnauthorized=Skjul knapper til brugere uden for administrasjon for uautoriserede handlinger i stedet for at vise gråaktiverede knapper
+ButtonHideUnauthorized=Skjul uautoriserede handlingsknapper også for interne brugere (bare ellers gråtonet)
OldVATRates=Gammel momssats
NewVATRates=Ny momssats
PriceBaseTypeToChange=Rediger priser med basisreferenceværdi defineret på
@@ -1689,7 +1691,7 @@ NotTopTreeMenuPersonalized=Personlige menuer, der ikke er knyttet til en topmenu
NewMenu=Ny menu
MenuHandler=Menu handling
MenuModule=Kilde modul
-HideUnauthorizedMenu= Skjul uautoriserede menuer (grå)
+HideUnauthorizedMenu=Skjul uautoriserede menuer også for interne brugere (bare gråtonet ellers)
DetailId=Id menuen
DetailMenuHandler=Menu handling, hvor der viser ny menu
DetailMenuModule=Modul navn, hvis menuen indrejse kommer fra et modul
@@ -1983,11 +1985,12 @@ EMailHost=Vært af e-mail-IMAP-server
MailboxSourceDirectory=Postkasse kilde bibliotek
MailboxTargetDirectory=Postkasse målkatalog
EmailcollectorOperations=Operationer at gøre af samleren
+EmailcollectorOperationsDesc=Opgaver udføres fra øverste til nederste ordre
MaxEmailCollectPerCollect=Maks antal Emails indsamlet pr. Samling
CollectNow=Indsamle nu
ConfirmCloneEmailCollector=Er du sikker på, at du vil klone Email samleren %s?
-DateLastCollectResult=Dato seneste indsamlet prøvet
-DateLastcollectResultOk=Dato seneste indsamling succesfuld
+DateLastCollectResult=Dato for seneste indsamlingsforsøg
+DateLastcollectResultOk=Dato for seneste succes med indsamling
LastResult=Seneste resultat
EmailCollectorConfirmCollectTitle=Email samle bekræftelse
EmailCollectorConfirmCollect=Vil du køre kollektionen for denne samler nu?
@@ -2005,7 +2008,7 @@ WithDolTrackingID=Besked fra en samtale startet af en første e-mail sendt fra D
WithoutDolTrackingID=Besked fra en samtale startet af en første e-mail, der IKKE blev sendt fra Dolibarr
WithDolTrackingIDInMsgId=Besked sendt fra Dolibarr
WithoutDolTrackingIDInMsgId=Besked IKKE sendt fra Dolibarr
-CreateCandidature=Opret kandidatur
+CreateCandidature=Opret jobansøgning
FormatZip=Postnummer
MainMenuCode=Menu indtastningskode (hovedmenu)
ECMAutoTree=Vis automatisk ECM-træ
@@ -2083,3 +2086,7 @@ CountryIfSpecificToOneCountry=Land (hvis det er specifikt for et givet land)
YouMayFindSecurityAdviceHere=Du kan finde sikkerhedsrådgivning her
ModuleActivatedMayExposeInformation=Dette modul kan udsætte følsomme data. Hvis du ikke har brug for det, skal du deaktivere det.
ModuleActivatedDoNotUseInProduction=Et modul designet til udviklingen er blevet aktiveret. Aktivér det ikke i et produktionsmiljø.
+CombinationsSeparator=Separatorkarakter til produktkombinationer
+SeeLinkToOnlineDocumentation=Se link til online dokumentation i topmenuen for eksempler
+SHOW_SUBPRODUCT_REF_IN_PDF=Hvis funktionen "%s" i modul %s bruges, skal du vise detaljer om delprodukter af et sæt på PDF.
+AskThisIDToYourBank=Kontakt din bank for at få dette ID
diff --git a/htdocs/langs/da_DK/banks.lang b/htdocs/langs/da_DK/banks.lang
index add4d042a86..ecd8b55b8e2 100644
--- a/htdocs/langs/da_DK/banks.lang
+++ b/htdocs/langs/da_DK/banks.lang
@@ -173,8 +173,8 @@ SEPAMandate=SEPA mandat
YourSEPAMandate=Dit SEPA mandat
FindYourSEPAMandate=Dette er dit SEPA-mandat til at give vores firma tilladelse til at foretage en direkte debitering til din bank. Ret det underskrevet (scan af det underskrevne dokument) eller send det pr. Mail til
AutoReportLastAccountStatement=Udfyld automatisk feltet 'antal kontoudtog' med det sidste erklæringsnummer, når du foretager afstemning
-CashControl=POS kontant terminal
-NewCashFence=Nyt kontanthegn
+CashControl=POS kasse apparats kontrol
+NewCashFence=Ny kasse apparat lukker
BankColorizeMovement=Farvelæg bevægelser
BankColorizeMovementDesc=Hvis denne funktion er aktiveret, kan du vælge specifik baggrundsfarve til debet- eller kreditbevægelser
BankColorizeMovementName1=Baggrundsfarve til debetbevægelse
diff --git a/htdocs/langs/da_DK/bills.lang b/htdocs/langs/da_DK/bills.lang
index a996f7a199a..07502e953de 100644
--- a/htdocs/langs/da_DK/bills.lang
+++ b/htdocs/langs/da_DK/bills.lang
@@ -207,7 +207,7 @@ UnvalidateBill=Fjern godkendelse af faktura
NumberOfBills=Antal fakturaer
NumberOfBillsByMonth=Antal fakturaer pr. Måned
AmountOfBills=Mængden af fakturaer
-AmountOfBillsHT=Fakturabeløb (ekskl. Skat)
+AmountOfBillsHT=Fakturabeløb (ekskl. moms)
AmountOfBillsByMonthHT=Mængden af fakturaer efter måned (ekskl. moms)
UseSituationInvoices=Tillad midlertidig faktura
UseSituationInvoicesCreditNote=Tillad midlertidig faktura kreditnota
@@ -531,6 +531,7 @@ TypeContact_invoice_supplier_external_SERVICE=Leverandørens kontakt
InvoiceFirstSituationAsk=Første faktura
InvoiceFirstSituationDesc= Situationsfakturaerne er bundet til situationer, der er relateret til en progression, for eksempel fremdriften af en konstruktion. Hver situation er bundet til en faktura.
InvoiceSituation=Kontoudtog
+PDFInvoiceSituation=Kontoudtog
InvoiceSituationAsk=Faktura efter kontoudtog
InvoiceSituationDesc=Opret en ny situation efter en allerede eksisterende
SituationAmount=Kontoudtog beløb (netto)
@@ -575,3 +576,7 @@ BILL_SUPPLIER_DELETEInDolibarr=Leverandørfaktura slettet
UnitPriceXQtyLessDiscount=Enhedspris x Antal - Rabat
CustomersInvoicesArea=Kunde fakturerings område
SupplierInvoicesArea=Leverandør fakturerings område
+FacParentLine=Faktura Line Parent
+SituationTotalRayToRest=Resten til at betale uden skat
+PDFSituationTitle=Situation nr. %d
+SituationTotalProgress=Samlet fremskridt %d %%
diff --git a/htdocs/langs/da_DK/blockedlog.lang b/htdocs/langs/da_DK/blockedlog.lang
index 186fadbf852..cc7298bf441 100644
--- a/htdocs/langs/da_DK/blockedlog.lang
+++ b/htdocs/langs/da_DK/blockedlog.lang
@@ -35,7 +35,7 @@ logDON_DELETE=Donation logisk sletning
logMEMBER_SUBSCRIPTION_CREATE=Medlem abonnement oprettet
logMEMBER_SUBSCRIPTION_MODIFY=Medlems abonnement ændret
logMEMBER_SUBSCRIPTION_DELETE=Medlems abonnement logisk sletning
-logCASHCONTROL_VALIDATE=Registrering af kontanthegn
+logCASHCONTROL_VALIDATE=Optagelse ved lukning af kasse apparatet
BlockedLogBillDownload=Kundefaktura download
BlockedLogBillPreview=Kunde faktura preview
BlockedlogInfoDialog=Log detaljer
diff --git a/htdocs/langs/da_DK/boxes.lang b/htdocs/langs/da_DK/boxes.lang
index 1481c03b97f..9e51ea3a7b0 100644
--- a/htdocs/langs/da_DK/boxes.lang
+++ b/htdocs/langs/da_DK/boxes.lang
@@ -46,9 +46,12 @@ BoxTitleLastModifiedDonations=Latest %s modified donations
BoxTitleLastModifiedExpenses=Latest %s modified expense reports
BoxTitleLatestModifiedBoms=Nyeste %s modificerede styklister
BoxTitleLatestModifiedMos=Seneste %s ændrede produktionsordrer
+BoxTitleLastOutstandingBillReached=Kunder med maksimalt udestående overskredet
BoxGlobalActivity=Global activity (invoices, proposals, orders)
BoxGoodCustomers=Good customers
BoxTitleGoodCustomers=%s Good customers
+BoxScheduledJobs=Scheduled jobs
+BoxTitleFunnelOfProspection=Blytragt
FailedToRefreshDataInfoNotUpToDate=Kunne ikke opdatere RSS-flux. Seneste succesfulde opdateringsdato: %s
LastRefreshDate=Latest refresh date
NoRecordedBookmarks=Ingen bogmærker defineret.
@@ -83,8 +86,8 @@ BoxTitleLatestModifiedSupplierOrders=Leverandør Ordrer: senest %s ændret
BoxTitleLastModifiedCustomerBills=Kundefakturaer: sidst %s ændret
BoxTitleLastModifiedCustomerOrders=Salgsordrer: sidst %s ændret
BoxTitleLastModifiedPropals=Seneste %s tilrettede tilbud
-BoxTitleLatestModifiedJobPositions=Latest %s modified jobs
-BoxTitleLatestModifiedCandidatures=Latest %s modified candidatures
+BoxTitleLatestModifiedJobPositions=Seneste %s ændrede job
+BoxTitleLatestModifiedCandidatures=Seneste %s ændrede kandidaturer
ForCustomersInvoices=Kundernes fakturaer
ForCustomersOrders=Customers orders
ForProposals=Tilbud
@@ -102,5 +105,7 @@ SuspenseAccountNotDefined=Midlertidig konto er ikke defineret
BoxLastCustomerShipments=Sidste kunde forsendelser
BoxTitleLastCustomerShipments=Nyeste %s forsendelser kunde
NoRecordedShipments=Ingen registreret kundeforsendelse
+BoxCustomersOutstandingBillReached=Kunder med en udestående grænse nået
# Pages
AccountancyHome=Bogføring
+ValidatedProjects=Validerede projekter
diff --git a/htdocs/langs/da_DK/cashdesk.lang b/htdocs/langs/da_DK/cashdesk.lang
index bcba80e2087..9f5abd81617 100644
--- a/htdocs/langs/da_DK/cashdesk.lang
+++ b/htdocs/langs/da_DK/cashdesk.lang
@@ -49,8 +49,8 @@ Footer=Sidefod
AmountAtEndOfPeriod=Beløb ved udgangen af perioden (dag, måned eller år)
TheoricalAmount=Teoretisk mængde
RealAmount=Reelt beløb
-CashFence=Kontant begrænsning
-CashFenceDone=Cash fence gjort for perioden
+CashFence=Lukning af kasseapperat
+CashFenceDone=Lukning af kasseapparat udført for perioden
NbOfInvoices=Antal fakturaer
Paymentnumpad=numerisk tastatur til at indtaste betaling
Numberspad=Numerisk tastatur
@@ -77,7 +77,7 @@ POSModule=POS Modulet
BasicPhoneLayout=Brug grundlæggende layout til telefoner
SetupOfTerminalNotComplete=Opsætning af terminal %s er ikke afsluttet
DirectPayment=Direkte betaling
-DirectPaymentButton=Add a "Direct cash payment" button
+DirectPaymentButton=Tilføj en "Direkte kontant betaling" -knap
InvoiceIsAlreadyValidated=Fakturaen er allerede valideret
NoLinesToBill=Ingen linjer til fakturering
CustomReceipt=Tilpasset kvittering
@@ -94,13 +94,14 @@ TakeposConnectorMethodDescription=Eksternt modul med ekstra funktioner. Mulighed
PrintMethod=Udskrivningsmetode
ReceiptPrinterMethodDescription=Kraftig metode med en masse parametre. Fuld tilpasning med skabeloner. Kan ikke udskrive fra cloud.
ByTerminal=Med terminal
-TakeposNumpadUsePaymentIcon=Use icon instead of text on payment buttons of numpad
+TakeposNumpadUsePaymentIcon=Brug ikonet i stedet for tekst på betalingsknapperne på numpad
CashDeskRefNumberingModules=Nummereringsmodul til POS-salg
CashDeskGenericMaskCodes6 = {TN} tag bruges til at tilføje terminal nummere
TakeposGroupSameProduct=Grupper sammen produktlinjer
StartAParallelSale=Start et nyt parallelt salg
-ControlCashOpening=Control cash box at opening POS
-CloseCashFence=Luk kontantindhold
+SaleStartedAt=Salget startede den %s
+ControlCashOpening=Kontroller kontant beholdning ved åbning af POS
+CloseCashFence=Luk kontrol af kasseapparatet
CashReport=Kontantrapport
MainPrinterToUse=Fortrukket printer til brug
OrderPrinterToUse=Bestil printer, der skal bruges
@@ -117,8 +118,9 @@ HideCategoryImages=Skjul Kategori billeder
HideProductImages=Skjul produktbilleder
NumberOfLinesToShow=Antal linjer af billeder, der skal vises
DefineTablePlan=Definer tabeller planlægger
-GiftReceiptButton=Add a "Gift receipt" button
-GiftReceipt=Gift receipt
-ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled first
-AllowDelayedPayment=Allow delayed payment
-PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts
+GiftReceiptButton=Tilføj en "gavekvittering" -knap
+GiftReceipt=Gavekvittering
+ModuleReceiptPrinterMustBeEnabled=Modul kvitterings printer skal først være aktiveret
+AllowDelayedPayment=Tillad forsinket betaling
+PrintPaymentMethodOnReceipts=Udskriv betalingsmetode på billetter | kvitteringer
+WeighingScale=Vægt skala
diff --git a/htdocs/langs/da_DK/categories.lang b/htdocs/langs/da_DK/categories.lang
index 18b12b53318..881d4fe22c6 100644
--- a/htdocs/langs/da_DK/categories.lang
+++ b/htdocs/langs/da_DK/categories.lang
@@ -19,6 +19,7 @@ ProjectsCategoriesArea=Projekter tags/kategorier område
UsersCategoriesArea=Brugere tags / kategorier område
SubCats=Sub-kategorier
CatList=Liste over tags/kategorier
+CatListAll=Liste over tags / kategorier (alle typer)
NewCategory=Nyt tag/kategori
ModifCat=Rediger tag/kategori
CatCreated=Tag/kategori oprettet
@@ -65,16 +66,22 @@ UsersCategoriesShort=Brugere tags / kategorier
StockCategoriesShort=Lagermærker / kategorier
ThisCategoryHasNoItems=Denne kategori indeholder ikke nogen produkter.
CategId=Tag/kategori id
-CatSupList=Liste over leverandør tags / kategorier
-CatCusList=Liste over kunde/potentiel kunde tags/kategorier
+ParentCategory=Overordnet tag / kategori
+ParentCategoryLabel=Mærke for overordnet tag / kategori
+CatSupList=Liste over leverandørmærker / kategorier
+CatCusList=Liste over kunder / potentielle tags / kategorier
CatProdList=Liste over tags/kategorier for varer
CatMemberList=Liste over medlemmer tags/kategorier
-CatContactList=Liste over kontaktmærker/kategorier
-CatSupLinks=Links mellem leverandører og tags/kategorier
+CatContactList=Liste over kontaktkoder / kategorier
+CatProjectsList=Liste over projekter tags / kategorier
+CatUsersList=Liste over brugers tags / kategorier
+CatSupLinks=Links mellem leverandører og tags / kategorier
CatCusLinks=Links mellem kunder/potentielle kunder og tags/kategorier
CatContactsLinks=Links mellem kontakter / adresser og tags / kategorier
CatProdLinks=Links mellem varer/ydelser og tags/kategorier
-CatProJectLinks=Links mellem projekter og tags/kategorier
+CatMembersLinks=Links mellem medlemmer og tags / kategorier
+CatProjectsLinks=Links mellem projekter og tags/kategorier
+CatUsersLinks=Links mellem brugere og tags / kategorier
DeleteFromCat=Fjern fra tags/kategori
ExtraFieldsCategories=Supplerende attributter
CategoriesSetup=Tags/kategorier opsætning
diff --git a/htdocs/langs/da_DK/companies.lang b/htdocs/langs/da_DK/companies.lang
index 76b286db769..c01f19fef89 100644
--- a/htdocs/langs/da_DK/companies.lang
+++ b/htdocs/langs/da_DK/companies.lang
@@ -358,7 +358,7 @@ VATIntraCheckableOnEUSite=Kontroller moms nummer på EU webside
VATIntraManualCheck=Du kan også tjekke manuelt på Europa-Kommissionens websted %s
ErrorVATCheckMS_UNAVAILABLE=Kontrol er ikke muligt. Denne service leveres ikke af medlemsstaten (%s).
NorProspectNorCustomer=Ikke mulighedder eller kunde
-JuridicalStatus=Juridisk enhedstype
+JuridicalStatus=Forretningsenhedstype
Workforce=Arbejdskraft
Staff=Medarbejdere
ProspectLevelShort=Potentiale
diff --git a/htdocs/langs/da_DK/compta.lang b/htdocs/langs/da_DK/compta.lang
index 22641410445..67d0f186df3 100644
--- a/htdocs/langs/da_DK/compta.lang
+++ b/htdocs/langs/da_DK/compta.lang
@@ -111,7 +111,7 @@ Refund=Tilbagebetaling
SocialContributionsPayments=Betalinger af skat/afgift
ShowVatPayment=Vis momsbetaling
TotalToPay=At betale i alt
-BalanceVisibilityDependsOnSortAndFilters=Balancen er kun synlig i denne liste, hvis tabellen sorteres stigende på %s og filtreret til 1 bankkonto
+BalanceVisibilityDependsOnSortAndFilters=Saldo er kun synlig på denne liste, hvis tabellen er sorteret på %s og filtreret på 1 bankkonto (uden andre filtre)
CustomerAccountancyCode=Regnskabskode for kunde
SupplierAccountancyCode=Sælgers regnskabskode
CustomerAccountancyCodeShort=Cust. konto. kode
@@ -140,7 +140,7 @@ ConfirmDeleteSocialContribution=Er du sikker på, at du vil slette denne betalin
ExportDataset_tax_1=Betalinger af skatter/afgifter
CalcModeVATDebt=Indstilling %sMoms på forpligtelseskonto%s .
CalcModeVATEngagement=Mode %sVAT på indkomst-udgifter%s b>.
-CalcModeDebt=Analyse af kendte registrerede fakturaer, selvom de endnu ikke er bogført i hovedbogen.
+CalcModeDebt=Analyse af kendte registrerede dokumenter, selvom de endnu ikke er bogført i hovedbogen.
CalcModeEngagement=Analyse af kendte registrerede betalinger, selvom de endnu ikke er indregnet i hovedbogen.
CalcModeBookkeeping=Analyse af data journaliseret i bogførings tabelen.
CalcModeLT1= Mode %sRE på kundefakturaer - leverandører invoices%s
@@ -154,10 +154,10 @@ AnnualSummaryInputOutputMode=Balance mellem indtægter og udgifter, årligt samm
AnnualByCompanies=Indkomst- og udgiftsbalance, pr. Foruddefinerede regnskabet
AnnualByCompaniesDueDebtMode=Indkomst- og udgiftsbalance, detaljer ved foruddefinerede grupper, tilstand %sClaims-Debts%s sagde Forpligtelsesregnskab .
AnnualByCompaniesInputOutputMode=Indkomst- og udgiftsbalance, detaljer ved foruddefinerede grupper, tilstand %sIncomes-Expenses%s sagde kontantregnskab .
-SeeReportInInputOutputMode=Se %sanalyse af betaling%s for en beregning af faktiske betalinger foretaget, selvom de endnu ikke er opført i hovedbogen.
-SeeReportInDueDebtMode=Se %sanalyse af faktura%s for en beregning baseret på kendte registrerede fakturaer, selvom de endnu ikke er opført i hovedbogen.
-SeeReportInBookkeepingMode=Se %skassekladde report%s til en beregning på kasssekladdens tabelen
-RulesAmountWithTaxIncluded=- De viste beløb er med alle inkl. moms
+SeeReportInInputOutputMode=Se %sanalyse af betalinger%s for en beregning baseret på registrerede betalinger foretaget, selvom de endnu ikke er registreret i Ledger
+SeeReportInDueDebtMode=Se %sanalyse af registrerede dokumenter%s for en beregning baseret på kendt registrerede dokumenter selvom de endnu ikke er registreret
+SeeReportInBookkeepingMode=Se %sanalyse af bogholderibillede table%s for en rapport baseret på Bogholderibord
+RulesAmountWithTaxIncluded=- De viste beløb er inkl. moms og afgifter
RulesResultDue=- Det inkluderer udestående fakturaer, udgifter, moms, donationer, uanset om de er betalt eller ej. Indeholder også betalte lønninger. - Det er baseret på faktureringens fakturadato og på forfaldsdato for udgifter eller skattebetalinger. For lønninger, der er defineret med lønningsmodulet, bruges betalingsdato.
RulesResultInOut=- Den omfatter de reelle betalinger foretaget på fakturaer, udgifter, moms og løn. - Det er baseret på betalingsdatoer for fakturaer, udgifter, moms og løn. Donationsdatoen for donation.
RulesCADue=- Det inkluderer kundens forfaldne fakturaer, uanset om de er betalt eller ej. - Det er baseret på faktureringsdatoen for disse fakturaer.
@@ -169,12 +169,15 @@ RulesResultBookkeepingPersonalized=Det viser kontoer i din hovedbog med regnskab
SeePageForSetup=Se menuen %s til opsætning
DepositsAreNotIncluded=- Betalingsfakturaer er ikke inkluderet
DepositsAreIncluded=- Fakturaer med forudbetaling er inkluderet
+LT1ReportByMonth=Skat 2-rapport efter måned
+LT2ReportByMonth=Skat 3-rapport efter måned
LT1ReportByCustomers=Indberette skat 2 af tredjepart
LT2ReportByCustomers=Indberette skat 3 af tredjepart
LT1ReportByCustomersES=Rapport fra tredjemand RE
LT2ReportByCustomersES=Rapport fra tredjepart IRPF
VATReport=Salgsskat rapport
VATReportByPeriods=Salgsskat rapport efter periode
+VATReportByMonth=Salgsmoms rapport efter måned
VATReportByRates=Salgsskat rapport med satser
VATReportByThirdParties=Salgsskatterapport fra tredjepart
VATReportByCustomers=Salgsskat rapport af kunde
diff --git a/htdocs/langs/da_DK/cron.lang b/htdocs/langs/da_DK/cron.lang
index af3f09161a9..ed3fbc88478 100644
--- a/htdocs/langs/da_DK/cron.lang
+++ b/htdocs/langs/da_DK/cron.lang
@@ -7,13 +7,14 @@ Permission23103 = Delete Scheduled job
Permission23104 = Execute Scheduled job
# Admin
CronSetup=Planlagt opsætning af jobstyring
-URLToLaunchCronJobs=URL to check and launch qualified cron jobs
-OrToLaunchASpecificJob=Or to check and launch a specific job
+URLToLaunchCronJobs=URL til at kontrollere og starte kvalificerede cron-job fra en browser
+OrToLaunchASpecificJob=Eller for at kontrollere og starte et bestemt job fra en browser
KeyForCronAccess=Security key for URL to launch cron jobs
FileToLaunchCronJobs=Kommandolinje for at kontrollere og starte kvalificerede cron-job
CronExplainHowToRunUnix=On Unix environment you should use the following crontab entry to run the command line each 5 minutes
CronExplainHowToRunWin=På Microsoft (tm) Windows-miljø kan du bruge Scheduled Task-værktøjer til at køre kommandolinjen hvert 5. minut
CronMethodDoesNotExists=Class %s does not contains any method %s
+CronMethodNotAllowed=Metode %s af klasse %s er i sortliste over forbudte metoder
CronJobDefDesc=Cron-jobprofiler er defineret i modulbeskrivelsesfilen. Når modulet er aktiveret, er de indlæst og tilgængeligt, så du kan administrere jobene fra adminværktøjsmenuen %s.
CronJobProfiles=Liste over forud definerede cron jobprofiler
# Menu
@@ -46,6 +47,7 @@ CronNbRun=Antal lanceringer
CronMaxRun=Maksimalt antal lanceringer
CronEach=Every
JobFinished=Job startet og gennemført
+Scheduled=Planlagt
#Page card
CronAdd= Add jobs
CronEvery=Execute job each
@@ -56,7 +58,7 @@ CronNote=Kommentar
CronFieldMandatory=Fields %s is mandatory
CronErrEndDateStartDt=End date cannot be before start date
StatusAtInstall=Status ved modul installation
-CronStatusActiveBtn=Enable
+CronStatusActiveBtn=Tidsplan
CronStatusInactiveBtn=Deaktivere
CronTaskInactive=This job is disabled
CronId=Id
@@ -82,3 +84,8 @@ MakeLocalDatabaseDumpShort=Local database backup
MakeLocalDatabaseDump=Opret en lokal database dump. Parametre er: komprimering ('gz' eller 'bz' eller 'ingen'), backup type ('mysql', 'pgsql', 'auto'), 1, 'auto' eller filnavn til opbygning, antal backupfiler
WarningCronDelayed=Attention, for performance purpose, whatever is next date of execution of enabled jobs, your jobs may be delayed to a maximum of %s hours, before being run.
DATAPOLICYJob=Datarenser og anonymizer
+JobXMustBeEnabled=Job %s skal være aktiveret
+# Cron Boxes
+LastExecutedScheduledJob=Sidste udførte planlagte job
+NextScheduledJobExecute=Næste planlagte job, der skal udføres
+NumberScheduledJobError=Antal planlagte job med fejl
diff --git a/htdocs/langs/da_DK/errors.lang b/htdocs/langs/da_DK/errors.lang
index 9306acbcee1..96148c9c1a8 100644
--- a/htdocs/langs/da_DK/errors.lang
+++ b/htdocs/langs/da_DK/errors.lang
@@ -1,12 +1,14 @@
# Dolibarr language file - Source file is en_US - errors
# No errors
-NoErrorCommitIsDone=No error, we commit
+NoErrorCommitIsDone=Ingen fejl, vi begår
# Errors
ErrorButCommitIsDone=Errors found but we validate despite this
ErrorBadEMail=E-mail%s er forkert
+ErrorBadMXDomain=E-mail %s virker forkert (domæne har ingen gyldig MX-post)
ErrorBadUrl=Url %s er forkert
ErrorBadValueForParamNotAString=Bad value for your parameter. It appends generally when translation is missing.
+ErrorRefAlreadyExists=Reference %s findes allerede.
ErrorLoginAlreadyExists=Log ind %s eksisterer allerede.
ErrorGroupAlreadyExists=Gruppe %s eksisterer allerede.
ErrorRecordNotFound=Optag ikke fundet.
@@ -48,6 +50,7 @@ ErrorFieldsRequired=Nogle krævede felter ikke var fyldt.
ErrorSubjectIsRequired=Emne er påkrævet
ErrorFailedToCreateDir=Det lykkedes ikke at oprette en mappe. Kontroller, at web-serveren bruger har tilladelse til at skrive i Dolibarr dokumenter bibliotek. Hvis parameter safe_mode er aktiveret på dette PHP, kontrollere, at Dolibarr php filer ejer til web-serveren bruger (eller gruppe).
ErrorNoMailDefinedForThisUser=Ingen e-mail defineret for denne bruger
+ErrorSetupOfEmailsNotComplete=Opsætningen af e-mails er ikke afsluttet
ErrorFeatureNeedJavascript=Denne funktion kræver, at javascript aktiveres for at fungere. Skift dette i setup - display.
ErrorTopMenuMustHaveAParentWithId0=En menu af type 'Top' kan ikke have en forælder menuen. Sæt 0 i moderselskabet menu eller vælge en menu af typen »Venstre«.
ErrorLeftMenuMustHaveAParentId=En menu af typen »Venstre« skal have en forælder id.
@@ -75,7 +78,7 @@ ErrorExportDuplicateProfil=This profile name already exists for this export set.
ErrorLDAPSetupNotComplete=Dolibarr-LDAP matchende er ikke komplet.
ErrorLDAPMakeManualTest=A. LDIF-fil er blevet genereret i mappen %s. Prøv at indlæse den manuelt fra kommandolinjen for at få flere informationer om fejl.
ErrorCantSaveADoneUserWithZeroPercentage=Kan ikke gemme en handling med "status ikke startet", hvis feltet "udført af" også er udfyldt.
-ErrorRefAlreadyExists=Ref bruges til oprettelse eksisterer allerede.
+ErrorRefAlreadyExists=Reference %s findes allerede.
ErrorPleaseTypeBankTransactionReportName=Indtast venligst kontoudskriftsnavnet, hvor indgangen skal rapporteres (Format YYYYMM eller YYYYMMDD)
ErrorRecordHasChildren=Kunne ikke slette rekord, da det har nogle børneposter.
ErrorRecordHasAtLeastOneChildOfType=Objektet har mindst et under objekt af type %s
@@ -216,7 +219,7 @@ ErrorChooseBetweenFreeEntryOrPredefinedProduct=Du skal vælge, om artiklen er en
ErrorDiscountLargerThanRemainToPaySplitItBefore=Den rabat, du forsøger at anvende, er større end det der forblive at betale. Opdel rabatten i 2 mindre rabatter før.
ErrorFileNotFoundWithSharedLink=Filen blev ikke fundet. Det kan være, at dele nøglen blev ændret eller filen blev fjernet for nylig.
ErrorProductBarCodeAlreadyExists=Produktets stregkode %s eksisterer allerede på en anden produktreference.
-ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Bemærk også, at brug af virtuelt produkt med automatisk forøgelse / nedsættelse af underprodukter ikke er mulig, når mindst et underprodukt (eller underprodukt af underprodukter) har brug for et serienummer / parti nummer.
+ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Bemærk også, at det ikke er muligt at bruge sæt til automatisk forøgelse / formindskelse af underprodukter, når mindst et underprodukt (eller underprodukt af underprodukter) har brug for et serienummer / lotnummer.
ErrorDescRequiredForFreeProductLines=Beskrivelse er obligatorisk for linjer med gratis produkt
ErrorAPageWithThisNameOrAliasAlreadyExists=Siden / beholderen %s strong> har samme navn eller alternativt alias som den, du forsøger at bruge
ErrorDuringChartLoad=Fejl ved indlæsning af kontoplan. Hvis nogle konti ikke blev indlæst, kan du stadig indtaste dem manuelt.
@@ -240,9 +243,19 @@ ErrorBatchNoFoundEnoughQuantityForProductInWarehouse=Ikke tilstrækkelig mængde
ErrorOnlyOneFieldForGroupByIsPossible=Kun 1 felt for 'Group by' er muligt (andre kasseres)
ErrorTooManyDifferentValueForSelectedGroupBy=Fundet for mange forskellig værdi (mere end %s) til feltet '%s', så vi ikke kan bruge det som en 'gruppe af' for grafik. Feltet 'Gruppe Af' er blevet fjernet. Kan være du ønskede at bruge det som en X-akse?
ErrorReplaceStringEmpty=Fejl, strengen, der skal erstattes til, er tom
-ErrorProductNeedBatchNumber=Error, product '%s' need a lot/serial number
-ErrorProductDoesNotNeedBatchNumber=Error, product '%s' does not accept a lot/serial number
-ErrorFailedToReadObject=Error, failed to read object of type %s
+ErrorProductNeedBatchNumber=Fejl, produkt ' %s ' har brug for meget / serienummer
+ErrorProductDoesNotNeedBatchNumber=Fejl, produkt ' %s ' accepterer ikke meget / serienummer
+ErrorFailedToReadObject=Fejl, objektet af typen kunne ikke læses %s
+ErrorParameterMustBeEnabledToAllwoThisFeature=Fejl, parameter %s skal aktiveres i conf / conf.php for at tillade brug af kommandolinjegrænsefladen af den interne jobplanlægning
+ErrorLoginDateValidity=Fejl, dette login er uden for gyldighedsdatointervallet
+ErrorValueLength=Feltets længde ' %s ' skal være højere end ' %s '
+ErrorReservedKeyword=Ordet ' %s ' er et forbeholdt nøgleord
+ErrorNotAvailableWithThisDistribution=Ikke tilgængelig med denne distribution
+ErrorPublicInterfaceNotEnabled=Offentlig grænseflade var ikke aktiveret
+ErrorLanguageRequiredIfPageIsTranslationOfAnother=Sprog for den nye side skal defineres, hvis det er indstillet som en oversættelse af en anden side
+ErrorLanguageMustNotBeSourceLanguageIfPageIsTranslationOfAnother=Sprog på den nye side må ikke være kildesproget, hvis det er indstillet som en oversættelse af en anden side
+ErrorAParameterIsRequiredForThisOperation=En parameter er obligatorisk for denne handling
+
# Warnings
WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Din PHP-parameter upload_max_filesize (%s) er højere end PHP-parameter post_max_size (%s). Dette er ikke en ensartet opsætning.
WarningPasswordSetWithNoAccount=A password was set for this member. However, no user account was created. So this password is stored but can't be used to login to Dolibarr. It may be used by an external module/interface but if you don't need to define any login nor password for a member, you can disable option "Manage a login for each member" from Member module setup. If you need to manage a login but don't need any password, you can keep this field empty to avoid this warning. Note: Email can also be used as a login if the member is linked to a user.
@@ -267,6 +280,10 @@ WarningYourLoginWasModifiedPleaseLogin=Your login was modified. For security pur
WarningAnEntryAlreadyExistForTransKey=An entry already exists for the translation key for this language
WarningNumberOfRecipientIsRestrictedInMassAction=Advarsel, antallet af forskellige modtagere er begrænset til %s b>, når du bruger massehandlingerne på lister
WarningDateOfLineMustBeInExpenseReportRange=Advarsel, datoen for linjen ligger ikke inden for udgiftsrapporten
+WarningProjectDraft=Projektet er stadig i kladdetilstand. Glem ikke at validere det, hvis du planlægger at bruge opgaver.
WarningProjectClosed=Projektet er lukket. Du skal genåbne det først.
WarningSomeBankTransactionByChequeWereRemovedAfter=Nogle banktransaktioner blev fjernet, efter at kvitteringen inklusive dem blev genereret. Så nb af kontroller og det samlede antal modtagelser kan afvige fra antal og total på listen.
-WarningFailedToAddFileIntoDatabaseIndex=Advarsel, kunne ikke tilføje filpost i ECM-databasens indekstabel
+WarningFailedToAddFileIntoDatabaseIndex=Advarsel! Kunne ikke tilføje filindtastning i ECM-databaseindekstabellen
+WarningTheHiddenOptionIsOn=Advarsel, den skjulte mulighed %s er aktiveret.
+WarningCreateSubAccounts=Advarsel, du kan ikke oprette en underkonto direkte, du skal oprette en tredjepart eller en bruger og tildele dem en regnskabskode for at finde dem på denne liste
+WarningAvailableOnlyForHTTPSServers=Kun tilgængelig, hvis du bruger HTTPS-sikret forbindelse.
diff --git a/htdocs/langs/da_DK/exports.lang b/htdocs/langs/da_DK/exports.lang
index 5f05261b9c9..3b1b4072def 100644
--- a/htdocs/langs/da_DK/exports.lang
+++ b/htdocs/langs/da_DK/exports.lang
@@ -133,3 +133,4 @@ KeysToUseForUpdates=Nøgle (kolonne), der skal bruges til opdatering b> e
NbInsert=Number of inserted lines: %s
NbUpdate=Number of updated lines: %s
MultipleRecordFoundWithTheseFilters=Multiple records have been found with these filters: %s
+StocksWithBatch=Lager og placering (lager) af produkter med batch / serienummer
diff --git a/htdocs/langs/da_DK/mailmanspip.lang b/htdocs/langs/da_DK/mailmanspip.lang
index bab4b3576b4..b0f19f96de9 100644
--- a/htdocs/langs/da_DK/mailmanspip.lang
+++ b/htdocs/langs/da_DK/mailmanspip.lang
@@ -1,27 +1,27 @@
# Dolibarr language file - Source file is en_US - mailmanspip
-MailmanSpipSetup=Mailman and SPIP module Setup
-MailmanTitle=Mailman mailing list system
-TestSubscribe=To test subscription to Mailman lists
-TestUnSubscribe=To test unsubscribe from Mailman lists
-MailmanCreationSuccess=Subscription test was executed successfully
-MailmanDeletionSuccess=Unsubscription test was executed successfully
-SynchroMailManEnabled=A Mailman update will be performed
-SynchroSpipEnabled=A Spip update will be performed
-DescADHERENT_MAILMAN_ADMINPW=Mailman administrator password
-DescADHERENT_MAILMAN_URL=URL for Mailman subscriptions
-DescADHERENT_MAILMAN_UNSUB_URL=URL for Mailman unsubscriptions
-DescADHERENT_MAILMAN_LISTS=List(s) for automatic inscription of new members (separated by a comma)
+MailmanSpipSetup=Mailman og SPIP-modul Sætop
+MailmanTitle=Mailman post list system
+TestSubscribe=At teste abonnement på Mailman lister
+TestUnSubscribe=For at afprøve afmeldingen fra Mailman lister
+MailmanCreationSuccess=Abonnements testen blev udført med succes
+MailmanDeletionSuccess=Unsubscription test blev udført med succes
+SynchroMailManEnabled=En Mailman opdatering vil blive udført
+SynchroSpipEnabled=En Spip opdatering vil blive udført
+DescADHERENT_MAILMAN_ADMINPW=Mailman administrator adgangskode
+DescADHERENT_MAILMAN_URL=URL til Mailman abonnementer
+DescADHERENT_MAILMAN_UNSUB_URL=URL til Mailman abonnementer
+DescADHERENT_MAILMAN_LISTS=Liste (r) til automatisk registrering af nye medlemmer (adskilt af komma)
SPIPTitle=SPIP Content Management System
DescADHERENT_SPIP_SERVEUR=SPIP Server
-DescADHERENT_SPIP_DB=SPIP database name
+DescADHERENT_SPIP_DB=SPIP database navn
DescADHERENT_SPIP_USER=SPIP database login
-DescADHERENT_SPIP_PASS=SPIP database password
-AddIntoSpip=Add into SPIP
-AddIntoSpipConfirmation=Are you sure you want to add this member into SPIP?
-AddIntoSpipError=Failed to add the user in SPIP
-DeleteIntoSpip=Remove from SPIP
-DeleteIntoSpipConfirmation=Are you sure you want to remove this member from SPIP?
-DeleteIntoSpipError=Failed to suppress the user from SPIP
-SPIPConnectionFailed=Failed to connect to SPIP
-SuccessToAddToMailmanList=%s successfully added to mailman list %s or SPIP database
-SuccessToRemoveToMailmanList=%s successfully removed from mailman list %s or SPIP database
+DescADHERENT_SPIP_PASS=SPIP database kodeord
+AddIntoSpip=Tilføj til SPIP
+AddIntoSpipConfirmation=Er du sikker på, at du vil tilføje denne medlem til SPIP?
+AddIntoSpipError=Kunne ikke tilføje brugeren i SPIP
+DeleteIntoSpip=Fjern fra SPIP
+DeleteIntoSpipConfirmation=Er du sikker på, at du vil fjerne denne medlem fra SPIP?
+DeleteIntoSpipError=Kunne ikke undertrykke brugeren fra SPIP
+SPIPConnectionFailed=Kunne ikke oprette forbindelse til SPIP
+SuccessToAddToMailmanList=%s med succes tilføjet mailman liste %s eller SPIP database
+SuccessToRemoveToMailmanList=%s med succes fjernet fra mailman liste %s eller SPIP database
diff --git a/htdocs/langs/da_DK/mails.lang b/htdocs/langs/da_DK/mails.lang
index bfd9b1dd5ea..4f1a2f02d3d 100644
--- a/htdocs/langs/da_DK/mails.lang
+++ b/htdocs/langs/da_DK/mails.lang
@@ -92,6 +92,7 @@ MailingModuleDescEmailsFromUser=Emails indlæst af brugeren
MailingModuleDescDolibarrUsers=Brugere med e-mails
MailingModuleDescThirdPartiesByCategories=Tredjeparter (efter kategorier)
SendingFromWebInterfaceIsNotAllowed=Afsendelse fra webgrænseflade er ikke tilladt.
+EmailCollectorFilterDesc=Alle filtre skal matche for at en e-mail bliver indsamlet
# Libelle des modules de liste de destinataires mailing
LineInFile=Line %s filtjenester
@@ -125,12 +126,13 @@ TagMailtoEmail=Modtager E-mail (herunder html "mailto:" link)
NoEmailSentBadSenderOrRecipientEmail=No email sent. Bad sender or recipient email. Verify user profile.
# Module Notifications
Notifications=Adviséringer
-NoNotificationsWillBeSent=Ingen e-mail-meddelelser er planlagt for denne begivenhed, og firmaet
-ANotificationsWillBeSent=1 anmeldelse vil blive sendt via email
-SomeNotificationsWillBeSent=%s meddelelser vil blive sendt via email
-AddNewNotification=Activate a new email notification target
-ListOfActiveNotifications=List all active targets for email notification
-ListOfNotificationsDone=List alle e-mail meddelelser
+NotificationsAuto=Underretninger Auto.
+NoNotificationsWillBeSent=Ingen automatiske e-mail-underretninger er planlagt for denne begivenhedstype og virksomhed
+ANotificationsWillBeSent=1 automatisk underretning sendes via e-mail
+SomeNotificationsWillBeSent=%s automatiske meddelelser sendes via e-mail
+AddNewNotification=Abonner på en ny automatisk e-mail-underretning (mål / begivenhed)
+ListOfActiveNotifications=Liste over alle aktive abonnementer (mål / begivenheder) til automatisk e-mail-underretning
+ListOfNotificationsDone=Liste over alle sendte automatiske e-mail-meddelelser
MailSendSetupIs=Configuration of email sending has been setup to '%s'. This mode can't be used to send mass emailing.
MailSendSetupIs2=You must first go, with an admin account, into menu %sHome - Setup - EMails%s to change parameter '%s' to use mode '%s'. With this mode, you can enter setup of the SMTP server provided by your Internet Service Provider and use Mass emailing feature.
MailSendSetupIs3=If you have any questions on how to setup your SMTP server, you can ask to %s.
@@ -140,7 +142,7 @@ UseFormatFileEmailToTarget=Imported file must have format email;name;fir
UseFormatInputEmailToTarget=Enter a string with format email;name;firstname;other
MailAdvTargetRecipients=Recipients (advanced selection)
AdvTgtTitle=Udfyld indtastningsfelter for at vælge tredjeparter eller kontaktpersoner / adresser, der skal målrettes
-AdvTgtSearchTextHelp=Brug %% som jokertegn. For eksempel for at finde alle emner som jean, joe, jim b>, kan du indtaste j%% b>, du kan også bruge; som separator for værdi og brug! for undtagen denne værdi. For eksempel jean; joe; jim%%;! Jimo;! Jima% b> vil målrette alle jean, joe, start med jim men ikke jimo og ikke alt der starter med jima
+AdvTgtSearchTextHelp=Brug %% som wildcards. For eksempel for at finde alle varer som jean, joe, jim , kan du indtaste j%% , du kan også bruge; som separator for værdi, og brug! for undtagen denne værdi. For eksempel jean; joe; jim%%;! Jimo;! Jima%% vil målrette mod alle jean, joe, start med jim, men ikke jimo og ikke alt, der starter med jima
AdvTgtSearchIntHelp=Use interval to select int or float value
AdvTgtMinVal=Minimum value
AdvTgtMaxVal=Maximum value
@@ -162,13 +164,14 @@ AdvTgtCreateFilter=Create filter
AdvTgtOrCreateNewFilter=Name of new filter
NoContactWithCategoryFound=No contact/address with a category found
NoContactLinkedToThirdpartieWithCategoryFound=No contact/address with a category found
-OutGoingEmailSetup=Udgående e-mail opsætning
-InGoingEmailSetup=Indgående e-mail opsætning
-OutGoingEmailSetupForEmailing=Udgående e-mail opsætning (til modul%s)
-DefaultOutgoingEmailSetup=Standard udgående e-mail opsætning
+OutGoingEmailSetup=Udgående e-mails
+InGoingEmailSetup=Indgående e-mails
+OutGoingEmailSetupForEmailing=Udgående e-mails (for modul %s)
+DefaultOutgoingEmailSetup=Samme konfiguration end den globale opsætning af udgående e-mail
Information=Information
ContactsWithThirdpartyFilter=Kontakter med tredjepart filter
-Unanswered=Unanswered
+Unanswered=Ubesvaret
Answered=Besvaret
-IsNotAnAnswer=Is not answer (initial email)
-IsAnAnswer=Is an answer of an initial email
+IsNotAnAnswer=Er ikke svar (indledende e-mail)
+IsAnAnswer=Er et svar på en indledende e-mail
+RecordCreatedByEmailCollector=Post oprettet af Email Collector %s fra e-mail %s
diff --git a/htdocs/langs/da_DK/main.lang b/htdocs/langs/da_DK/main.lang
index b388aeabcdd..dddf212c95d 100644
--- a/htdocs/langs/da_DK/main.lang
+++ b/htdocs/langs/da_DK/main.lang
@@ -24,11 +24,13 @@ FormatDateHourSecShort=%m/%d/%Y %I:%M:%S %p
FormatDateHourTextShort=%d %b %Y %H:%M
FormatDateHourText=%d %B %Y %H:%M
DatabaseConnection=Database forbindelse
-NoTemplateDefined=Ingen skabelon til rådighed for denne Email-type
+NoTemplateDefined=Ingen skabelon til rådighed for denne e-mail-type
AvailableVariables=Tilgængelige erstatnings variabler
NoTranslation=Ingen oversættelse
Translation=Oversættelse
+CurrentTimeZone=Aktuelle tidszone
EmptySearchString=Indtast ikke tomme søgekriterier
+EnterADateCriteria=Indtast et datokriterium
NoRecordFound=Ingen poster fundet
NoRecordDeleted=Ingen post slettet
NotEnoughDataYet=Ikke nok data
@@ -47,7 +49,7 @@ ErrorSQL=SQL Fejl
ErrorLogoFileNotFound=Logo fil '%s' blev ikke fundet
ErrorGoToGlobalSetup=Gå til 'Firma/Organisation' opsætning for at rette dette
ErrorGoToModuleSetup=Gå til modulopsætning for at rette dette
-ErrorFailedToSendMail=Det lykkedes ikke at sende Email (sender=%s, receiver= %s)
+ErrorFailedToSendMail=Det lykkedes ikke at sende e-mail (afsender=%s, modtager= %s)
ErrorFileNotUploaded=Filen blev ikke uploadet. Kontroller, at størrelse ikke overstiger det maksimalt tilladte, at den frie plads der er til rådighed på disken, og at der ikke allerede en fil med samme navn i denne mappe.
ErrorInternalErrorDetected=Fejl opdaget
ErrorWrongHostParameter=Forkert vært parameter
@@ -85,6 +87,8 @@ FileWasNotUploaded=En fil er valgt som vedhæng, men endnu ikke uploadet. Klik p
NbOfEntries=Antal indgange
GoToWikiHelpPage=Læs online hjælp (Adgang til Internettet er nødvendig)
GoToHelpPage=Læs hjælp
+DedicatedPageAvailable=Der er en dedikeret hjælpeside, der er relateret til din aktuelle skærm
+HomePage=Hjemmeside
RecordSaved=Data gemt
RecordDeleted=Post slettet
RecordGenerated=Data genereret
@@ -236,7 +240,7 @@ Designation=Beskrivelse
DescriptionOfLine=Beskrivelse af linje
DateOfLine=Dato for linje
DurationOfLine=Linjens varighed
-Model=Dokumenter skabeloner
+Model=Skabelon
DefaultModel=Standard dokument skabelon
Action=Begivenhed
About=Om
@@ -248,7 +252,7 @@ Limit=Grænseværdi
Limits=Grænseværdier
Logout=Log ud
NoLogoutProcessWithAuthMode=Ingen applikations afbrydelses funktion med autentificeringstilstand %s
-Connection=Logind
+Connection=Log ind
Setup=Opsætning
Alert=Alarm
MenuWarnings=Indberetninger
@@ -355,25 +359,25 @@ UnitPriceHT=Enhedspris (ekskl.)
UnitPriceHTCurrency=Enhedspris (ekskl.) (Valuta)
UnitPriceTTC=Enhedspris
PriceU=Salgspris
-PriceUHT=Salgspris (netto)
+PriceUHT=Pris (netto)
PriceUHTCurrency=Salgspris (Valuta)
-PriceUTTC=Brutto(Inkl.Moms)
+PriceUTTC=Brutto (inkl. moms)
Amount=Beløb
AmountInvoice=Fakturabeløbet
AmountInvoiced=Beløb faktureres
AmountInvoicedHT=Faktureret beløb (ekskl. Moms)
-AmountInvoicedTTC=Faktureret beløb (inkl. Moms)
+AmountInvoicedTTC=Faktureret beløb (inkl. moms)
AmountPayment=Indbetalingsbeløb
AmountHTShort=Beløb (ekskl.)
AmountTTCShort=Beløb (inkl. moms)
-AmountHT=Beløb (ekskl. Skat)
+AmountHT=Beløb (ekskl. moms)
AmountTTC=Beløb (inkl. moms)
AmountVAT=Momsbeløb
MulticurrencyAlreadyPaid=Allerede betalt, original valuta
MulticurrencyRemainderToPay=Manglene betaling , original valuta
MulticurrencyPaymentAmount=Betalingsbeløb, oprindelig valuta
-MulticurrencyAmountHT=Beløb (ekskl. Skat), original valuta
-MulticurrencyAmountTTC=Beløb (inkl. Moms), oprindelig valuta
+MulticurrencyAmountHT=Beløb (ekskl. moms), original valuta
+MulticurrencyAmountTTC=Beløb (inkl. moms), oprindelig valuta
MulticurrencyAmountVAT=Momsbeløb, oprindelige valuta
MulticurrencySubPrice=Beløb subpris multi valuta
AmountLT1=Momsbeløb 2
@@ -387,15 +391,15 @@ PriceQtyMinHTCurrency=Prismængde min. (ekskl. skat) (valuta)
Percentage=Procent
Total=I alt
SubTotal=Sum
-TotalHTShort=I alt (ekskl.)
+TotalHTShort=I alt (u/moms)
TotalHT100Short=I alt 100%% (ekskl.)
-TotalHTShortCurrency=I alt (ekskl. I valuta)
-TotalTTCShort=I alt (Inkl. moms)
-TotalHT=I alt (ekskl. Skat)
-TotalHTforthispage=I alt (ekskl. Skat) for denne side
+TotalHTShortCurrency=I alt (ekskl. i valuta)
+TotalTTCShort=I alt (m/moms)
+TotalHT=I alt (u/moms)
+TotalHTforthispage=I alt (ekskl. moms) for denne side
Totalforthispage=I alt for denne side
-TotalTTC=I alt (Inkl. Moms)
-TotalTTCToYourCredit=I alt (Inkl. Moms) til din kredit
+TotalTTC=I alt (m/moms)
+TotalTTCToYourCredit=I alt (inkl. moms) til din kredit
TotalVAT=Moms i alt
TotalVATIN=IGST i alt
TotalLT1=Total Moms 2
@@ -404,10 +408,10 @@ TotalLT1ES=RE i alt
TotalLT2ES=IRPF i alt
TotalLT1IN=I alt CGST
TotalLT2IN=I alt SGST
-HT=Ekskl. skat
-TTC=Inkl. Moms
-INCVATONLY=Inkl. Moms
-INCT=Inkl. Alle skatter
+HT=Ekskl. moms
+TTC=Inkl. moms
+INCVATONLY=Inkl. moms
+INCT=Inkl. moms og afgifter
VAT=Moms
VATIN=IGST
VATs=Salgs Moms
@@ -433,6 +437,7 @@ RemainToPay=Manglende betaling
Module=Modul/Applikation
Modules=Moduler/Applikationer
Option=Valgmulighed
+Filters=Filtre
List=Liste
FullList=Fuldstændig liste
FullConversation=Fuld samtale
@@ -503,7 +508,7 @@ Other=Anden
Others=Andre
OtherInformations=Anden information
Quantity=Antal
-Qty=Qty
+Qty=Antal
ChangedBy=Ændret af
ApprovedBy=Godkendt af
ApprovedBy2=Godkendt af (sekundær)
@@ -550,10 +555,10 @@ AddPhoto=Tilføj billede
DeletePicture=Billede slette
ConfirmDeletePicture=Bekræft billed sletning?
Login=Login
-LoginEmail=Logind (email)
-LoginOrEmail=Logind eller Email
+LoginEmail=Login (e-mail)
+LoginOrEmail=Login eller e-mail
CurrentLogin=Nuværende login
-EnterLoginDetail=Indtast logind oplysninger
+EnterLoginDetail=Indtast login-oplysninger
January=Januar
February=Februar
March=Marts
@@ -662,16 +667,16 @@ FeatureNotYetSupported=Funktion endnu ikke understøttet
CloseWindow=Luk vindue
Response=Responds
Priority=Prioritet
-SendByMail=Send via email
-MailSentBy=Email sendt fra
+SendByMail=Send via e-mail
+MailSentBy=E-mail sendt af
NotSent=Ikke sendt
TextUsedInTheMessageBody=Email indhold
SendAcknowledgementByMail=Send bekræftelses Email
-SendMail=Send Email
-Email=EMail
+SendMail=Send e-mail
+Email=E-mail
NoEMail=Ingen Email
AlreadyRead=Har allerede læst
-NotRead=Ikke læst
+NotRead=Ulæst
NoMobilePhone=Ingen mobil telefon
Owner=Ejer
FollowingConstantsWillBeSubstituted=Følgende konstanterne skal erstatte med tilsvarende værdi.
@@ -1107,3 +1112,8 @@ UpToDate=Opdateret
OutOfDate=Umoderne
EventReminder=Påmindelse om begivenhed
UpdateForAllLines=Opdatering til alle linjer
+OnHold=I venteposition
+AffectTag=Påvirke tags
+ConfirmAffectTag=Bulk Tags påvirker
+ConfirmAffectTagQuestion=Er du sikker på, at du vil påvirke tags til den %s valgte post (er)?
+CategTypeNotFound=Ingen tag-type fundet for typen af poster
diff --git a/htdocs/langs/da_DK/modulebuilder.lang b/htdocs/langs/da_DK/modulebuilder.lang
index d576de3f2db..7d0df081858 100644
--- a/htdocs/langs/da_DK/modulebuilder.lang
+++ b/htdocs/langs/da_DK/modulebuilder.lang
@@ -40,6 +40,7 @@ PageForCreateEditView=PHP side til at oprette / redigere / se en post
PageForAgendaTab=PHP side for fanen begivenhed
PageForDocumentTab=PHP-side for dokumentfanen
PageForNoteTab=PHP side til notatfane
+PageForContactTab=PHP-side til kontaktfanen
PathToModulePackage=Sti til zip af modul / applikationspakke
PathToModuleDocumentation=Sti til fil af modul / applikationsdokumentation (%s)
SpaceOrSpecialCharAreNotAllowed=Mellemrum eller specialtegn er ikke tilladt.
@@ -77,7 +78,7 @@ IsAMeasure=Er en foranstaltning
DirScanned=Directory scannet
NoTrigger=Ingen udløser
NoWidget=Ingen widget
-GoToApiExplorer=Gå til API Explorer
+GoToApiExplorer=API udforske
ListOfMenusEntries=Liste over menupunkter
ListOfDictionariesEntries=Liste over poster i ordbøger
ListOfPermissionsDefined=Liste over definerede tilladelser
@@ -105,7 +106,7 @@ TryToUseTheModuleBuilder=Hvis du har kendskab til SQL og PHP, kan du bruge guide
SeeTopRightMenu=Se i øverste højre menu
AddLanguageFile=Tilføj sprogfil
YouCanUseTranslationKey=Du kan her bruge en nøgle, der er oversættelsessnøglen fundet i sprogfilen (se fanen "Sprog").
-DropTableIfEmpty=(Slet tabel hvis tom)
+DropTableIfEmpty=(Ødelæg tabel, hvis det er tomt)
TableDoesNotExists=Tabellen %s findes ikke
TableDropped=Tabel %s slettet
InitStructureFromExistingTable=Byg strukturen array streng af en eksisterende tabel
@@ -126,7 +127,6 @@ UseSpecificEditorURL = Brug en bestemt editor webadresse
UseSpecificFamily = Brug en bestemt familie
UseSpecificAuthor = Brug en bestemt forfatter
UseSpecificVersion = Brug en bestemt initial version
-ModuleMustBeEnabled=Modulet / applikationen skal være aktiveret først
IncludeRefGeneration=Reference til objekt skal genereres automatisk
IncludeRefGenerationHelp=Kontroller dette, hvis du vil inkludere kode til at styre genereringen af referencen automatisk
IncludeDocGeneration=Jeg vil generere nogle dokumenter fra objektet
@@ -140,3 +140,4 @@ TypeOfFieldsHelp=Felttype: varchar (99), dobbelt (24,8), reel, tekst, html,
AsciiToHtmlConverter=Ascii til HTML-konverter
AsciiToPdfConverter=Ascii til PDF konverter
TableNotEmptyDropCanceled=Tabellen er ikke tom. Drop er annulleret.
+ModuleBuilderNotAllowed=Modulbyggeren er tilgængelig, men ikke tilladt for din bruger.
diff --git a/htdocs/langs/da_DK/orders.lang b/htdocs/langs/da_DK/orders.lang
index 42464a28ed3..11b4d53dfbd 100644
--- a/htdocs/langs/da_DK/orders.lang
+++ b/htdocs/langs/da_DK/orders.lang
@@ -55,7 +55,7 @@ StatusOrderRefused=Afvist
StatusOrderReceivedPartially=Delvist modtaget
StatusOrderReceivedAll=Alle varer modtaget
ShippingExist=En forsendelse findes
-QtyOrdered=Qty bestilt
+QtyOrdered=Antal bestilt
ProductQtyInDraft=Produkt mængde i udkast ordrer
ProductQtyInDraftOrWaitingApproved=Produkt mængde i udkast eller godkendte ordrer, endnu ikke bestilt
MenuOrdersToBill=Ordrer leveret
@@ -137,7 +137,7 @@ Error_OrderNotChecked=Ingen ordrer til faktura valgt
# Order modes (how we receive order). Not the "why" are keys stored into dict.lang
OrderByMail=Mail
OrderByFax=Fax
-OrderByEMail=EMail
+OrderByEMail=E-mail
OrderByWWW=Online
OrderByPhone=Telefon
# Documents models
diff --git a/htdocs/langs/da_DK/other.lang b/htdocs/langs/da_DK/other.lang
index 31fb1453cd4..e4e1c879704 100644
--- a/htdocs/langs/da_DK/other.lang
+++ b/htdocs/langs/da_DK/other.lang
@@ -5,8 +5,6 @@ Tools=Værktøj
TMenuTools=Værktøjer
ToolsDesc=Alle værktøjer, der ikke er inkluderet i andre menupunkter, er grupperet her. Alle værktøjerne er tilgængelige via menuen til venstre.
Birthday=Fødselsdag
-BirthdayDate=Fødselsdato
-DateToBirth=Fødselsdato
BirthdayAlertOn=fødselsdag alarm aktive
BirthdayAlertOff=fødselsdag alarm inaktive
TransKey=Oversættelse af nøgle TransKey
@@ -16,6 +14,8 @@ PreviousMonthOfInvoice=Forrige måned (nummer 1-12) på faktura dato
TextPreviousMonthOfInvoice=Forrige måned (tekst) af faktura dato
NextMonthOfInvoice=Følgende måned (nummer 1-12) på faktura dato
TextNextMonthOfInvoice=Følgende måned (tekst) af faktura dato
+PreviousMonth=Forrige måned
+CurrentMonth=Indeværende måned
ZipFileGeneratedInto=Zip-fil genereret til %s b>.
DocFileGeneratedInto=Doc-fil genereret til %s b>.
JumpToLogin=Afbrudt. Gå til login side ...
@@ -99,6 +99,7 @@ PredefinedMailContentSendShipping=__(Hello)__\n\nFind forsendelse __REF__ vedhæ
PredefinedMailContentSendFichInter=__(Hello)__\n\nFind intervention __REF__ vedhæftet\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
PredefinedMailContentLink=Du kan klikke på linket herunder for at foretage din betaling, hvis den ikke allerede er færdig.\n\n%s\n\n
PredefinedMailContentGeneric=__(Hej)__\n\n\n__ (Sincerely) __\n\n__USER_SIGNATURE__
+PredefinedMailContentSendActionComm=Begivenhedspåmindelse "__EVENT_LABEL__" den __EVENT_DATE__ kl. __EVENT_TIME__
Dette er en automatisk besked, bedes du ikke svare.
DemoDesc=Dolibarr er en kompakt ERP / CRM, der understøtter flere forretningsmoduler. En demo, der viser alle moduler, giver ingen mening, da dette scenario aldrig forekommer (flere hundrede tilgængelige). Så flere demo profiler er tilgængelige.
ChooseYourDemoProfil=Vælg den demoprofil, der passer bedst til dine behov ...
ChooseYourDemoProfilMore=... eller bygg din egen profil (manuel modulvalg)
@@ -258,6 +259,7 @@ ContactCreatedByEmailCollector=Kontakt / adresse skabt via e-mail indsamler fra
ProjectCreatedByEmailCollector=Projekt skabt via e-mail indsamler fra mail MSGID %s
TicketCreatedByEmailCollector=Billet skabt via e-mail indsamler fra mail MSGID %s
OpeningHoursFormatDesc=Brug et - til separat åbning og lukning timer. brug en mellemrum"Space" til at indtaste forskellige område. Eksempel: 8-12 14-18
+PrefixSession=Præfiks til session-id
##### Export #####
ExportsArea=Eksport område
@@ -278,9 +280,9 @@ LinesToImport=Linjer at importere
MemoryUsage=Brug af hukommelse
RequestDuration=Anmodningens varighed
-ProductsPerPopularity=Products/Services by popularity
+ProductsPerPopularity=Produkter / Ydelser efter popularitet
PopuProp=Produkter/tjenester efter popularitet i forslag
PopuCom=Produkter/tjenester efter popularitet i ordrer
ProductStatistics=Produkter / services statistik
NbOfQtyInOrders=Antal i ordrer
-SelectTheTypeOfObjectToAnalyze=Select the type of object to analyze...
+SelectTheTypeOfObjectToAnalyze=Vælg den type objekt, der skal analyseres ...
diff --git a/htdocs/langs/da_DK/products.lang b/htdocs/langs/da_DK/products.lang
index d266cdfa657..2524c84be6f 100644
--- a/htdocs/langs/da_DK/products.lang
+++ b/htdocs/langs/da_DK/products.lang
@@ -70,7 +70,7 @@ UpdateDefaultPrice=Opdater standardpris
UpdateLevelPrices=Opdater priser for hvert niveau
AppliedPricesFrom=Anvendt fra
SellingPrice=Salgspris
-SellingPriceHT=Salgspris (ekskl. Skat)
+SellingPriceHT=Salgspris (ekskl. moms)
SellingPriceTTC=Salgspris (inkl. moms)
SellingMinPriceTTC=Minimumssalgspris (inkl. Skat)
CostPriceDescription=Dette prisfelt (ekskl. Skat) kan bruges til at gemme det gennemsnitlige beløb, dette produkt koster for din virksomhed. Det kan være enhver pris, du selv beregner, for eksempel ud fra den gennemsnitlige købspris plus gennemsnitlige produktions- og distributionsomkostninger.
@@ -104,24 +104,25 @@ SetDefaultBarcodeType=Vælg stregkodetype
BarcodeValue=Stregkodeværdi
NoteNotVisibleOnBill=Note (ikke synlig på fakturaer, tilbud ...)
ServiceLimitedDuration=Hvis varen er en ydelse med begrænset varighed:
-FillWithLastServiceDates=Fill with last service line dates
+FillWithLastServiceDates=Udfyld med sidste servicelinjedatoer
MultiPricesAbility=Flere prissegmenter pr. Produkt / service (hver kunde er i et prissegment)
MultiPricesNumPrices=Antal priser
DefaultPriceType=Prisgrundlag pr. Standard (med eller uden skat) ved tilføjelse af nye salgspriser
-AssociatedProductsAbility=Activate kits (virtual products)
-AssociatedProducts=Kits
-AssociatedProductsNumber=Number of products composing this kit
+AssociatedProductsAbility=Aktivér sæt (sæt andre produkter)
+VariantsAbility=Aktiver varianter (variationer af produkter, f.eks. Farve, størrelse)
+AssociatedProducts=Sæt
+AssociatedProductsNumber=Antal produkter, der udgør dette sæt
ParentProductsNumber=Antal forældrevarer
ParentProducts=Moderselskaber
-IfZeroItIsNotAVirtualProduct=If 0, this product is not a kit
-IfZeroItIsNotUsedByVirtualProduct=If 0, this product is not used by any kit
+IfZeroItIsNotAVirtualProduct=Hvis 0, er dette produkt ikke et sæt
+IfZeroItIsNotUsedByVirtualProduct=Hvis 0, bruges dette produkt ikke af noget sæt
KeywordFilter=Keyword filter
CategoryFilter=Kategori filter
ProductToAddSearch=Søg produkt for at tilføje
NoMatchFound=Ingen match fundet
ListOfProductsServices=Liste over produkter / tjenester
-ProductAssociationList=List of products/services that are component(s) of this kit
-ProductParentList=List of kits with this product as a component
+ProductAssociationList=Liste over produkter / tjenester, der er komponent (er) i dette sæt
+ProductParentList=Liste over sæt med dette produkt som en komponent
ErrorAssociationIsFatherOfThis=En af valgte produkt er moderselskab med aktuelle produkt
DeleteProduct=Slet en vare/ydelse
ConfirmDeleteProduct=Er du sikker på du vil slette denne vare/ydelse?
@@ -167,8 +168,10 @@ BuyingPrices=Købspriser
CustomerPrices=Kundepriser
SuppliersPrices=Leverandørpriser
SuppliersPricesOfProductsOrServices=Sælgerpriser (af produkter eller tjenester)
-CustomCode=Told / vare / HS-kode
+CustomCode=Told | Råvare | HS-kode
CountryOrigin=Oprindelsesland
+RegionStateOrigin=Region oprindelse
+StateOrigin=Stat | provinsens oprindelse
Nature=Produktets art (materiale / færdig)
NatureOfProductShort=Produktets art
NatureOfProductDesc=Råmateriale eller færdigt produkt
@@ -239,7 +242,7 @@ AlwaysUseFixedPrice=Brug den faste pris
PriceByQuantity=Forskellige priser efter mængde
DisablePriceByQty=Deaktiver priserne efter antal
PriceByQuantityRange=Mængdeområde
-MultipriceRules=Prissegmentregler
+MultipriceRules=Automatiske priser for segment
UseMultipriceRules=Brug prissegmentregler (defineret i opsætning af produktmodul) til automatisk beregning af priser for alle andre segmenter i henhold til første segment
PercentVariationOver=%% variation over %s
PercentDiscountOver=%% rabat over %s
@@ -287,7 +290,7 @@ PriceExpressionEditorHelp5=Tilgængelige globale værdier:
PriceMode=Pris-tilstand
PriceNumeric=Numero
DefaultPrice=Standard pris
-DefaultPriceLog=Log of previous default prices
+DefaultPriceLog=Log over tidligere standardpriser
ComposedProductIncDecStock=Forøg / sænk lagerbeholdning ved forældreændring
ComposedProduct=Børneprodukter
MinSupplierPrice=Min købskurs
@@ -340,7 +343,7 @@ UseProductFournDesc=Tilføj en funktion til at definere beskrivelser af produkte
ProductSupplierDescription=Leverandørbeskrivelse for produktet
UseProductSupplierPackaging=Brug emballage til leverandørpriser (genberegn mængder i henhold til emballage, der er angivet på leverandørpris, når du tilføjer / opdaterer linje i leverandørdokumenter)
PackagingForThisProduct=Emballage
-PackagingForThisProductDesc=On supplier order, you will automaticly order this quantity (or a multiple of this quantity). Cannot be less than minimum buying quantity
+PackagingForThisProductDesc=Ved leverandørbestilling bestiller du automatisk denne mængde (eller et multiplum af denne mængde). Må ikke være mindre end det mindste købsmængde
QtyRecalculatedWithPackaging=Mængden af linjen blev beregnet om efter leverandøremballage
#Attributes
@@ -364,9 +367,9 @@ SelectCombination=Vælg kombination
ProductCombinationGenerator=Varianter generator
Features=Funktioner
PriceImpact=Prispåvirkning
-ImpactOnPriceLevel=Impact on price level %s
-ApplyToAllPriceImpactLevel= Apply to all levels
-ApplyToAllPriceImpactLevelHelp=By clicking here you set the same price impact on all levels
+ImpactOnPriceLevel=Effekt på prisniveau %s
+ApplyToAllPriceImpactLevel= Anvend på alle niveauer
+ApplyToAllPriceImpactLevelHelp=Ved at klikke her indstiller du den samme prispåvirkning på alle niveauer
WeightImpact=Vægtpåvirkning
NewProductAttribute=Ny attribut
NewProductAttributeValue=Ny attributværdi
diff --git a/htdocs/langs/da_DK/propal.lang b/htdocs/langs/da_DK/propal.lang
index d742aaccad7..01e676de7d8 100644
--- a/htdocs/langs/da_DK/propal.lang
+++ b/htdocs/langs/da_DK/propal.lang
@@ -47,7 +47,6 @@ SendPropalByMail=Send tilbud med posten
DatePropal=Dato for tilbud
DateEndPropal=Gyldighed udløber
ValidityDuration=Gyldighedstid
-CloseAs=Sæt status til
SetAcceptedRefused=Sæt accepteret/afvist
ErrorPropalNotFound=Propal %s blev ikke fundet
AddToDraftProposals=Tilføj skabelon
@@ -57,7 +56,7 @@ CreateEmptyPropal=Opret tomt kommercielt forslag eller fra listen over produkter
DefaultProposalDurationValidity=Standard gyldighedstid for tilbud (i dage)
UseCustomerContactAsPropalRecipientIfExist=Brug kontakt/adresse med type 'Kontakt opfølgnings forslag', hvis det er defineret i stedet for tredjepartsadresse som forslag modtageradresse
ConfirmClonePropal=Er du sikker på, du vil klone tilbuddet %s?
-ConfirmReOpenProp=Er du sikker på du vil genåbne tilbuddet %s?
+ConfirmReOpenProp=Er du sikker på, at du vil åbne det tilbud igen %s ?
ProposalsAndProposalsLines=Tilbud og linjer
ProposalLine=Tilbudslinje
AvailabilityPeriod=Tilgængelighed forsinkelse
@@ -85,3 +84,8 @@ ProposalCustomerSignature=Skriftlig accept, firmastempel, dato og underskrift
ProposalsStatisticsSuppliers=Forhandler forslagsstatistik
CaseFollowedBy=Sag efterfulgt af
SignedOnly=Kun underskrevet
+IdProposal=Forslags-id
+IdProduct=Produkt-id
+PrParentLine=Forslagsforældrelinje
+LineBuyPriceHT=Købspris Beløb fratrukket skat for linje
+
diff --git a/htdocs/langs/da_DK/recruitment.lang b/htdocs/langs/da_DK/recruitment.lang
index 3895222dc56..a747076bfdd 100644
--- a/htdocs/langs/da_DK/recruitment.lang
+++ b/htdocs/langs/da_DK/recruitment.lang
@@ -27,10 +27,10 @@ ModuleRecruitmentDesc = Administrer og følg rekrutteringskampagner til nye stil
#
RecruitmentSetup = Rekrutteringsopsætning
Settings = Indstillinger
-RecruitmentSetupPage = Enter here the setup of main options for the recruitment module
+RecruitmentSetupPage = Indtast her opsætningen af de vigtigste muligheder for rekrutteringsmodulet
RecruitmentArea=Rekrutteringsområde
-PublicInterfaceRecruitmentDesc=Public pages of jobs are public URLs to show and answer to open jobs. There is one different link for each open job, found on each job record.
-EnablePublicRecruitmentPages=Enable public pages of open jobs
+PublicInterfaceRecruitmentDesc=Offentlige sider med job er offentlige webadresser, der skal vises og besvares ved åbne job. Der er et andet link til hvert åbent job, der findes på hver jobjournal.
+EnablePublicRecruitmentPages=Aktivér offentlige sider med åbne job
#
# About page
@@ -46,30 +46,31 @@ FutureManager=Fremtidig leder
ResponsibleOfRecruitement=Ansættelsesansvarlig
IfJobIsLocatedAtAPartner=Hvis jobbet er placeret på en partner sted
PositionToBeFilled=Stilling
-PositionsToBeFilled=Job positions
-ListOfPositionsToBeFilled=List of job positions
-NewPositionToBeFilled=New job positions
+PositionsToBeFilled=Jobstillinger
+ListOfPositionsToBeFilled=Liste over jobstillinger
+NewPositionToBeFilled=Nye jobstillinger
-JobOfferToBeFilled=Job position to be filled
-ThisIsInformationOnJobPosition=Information of the job position to be filled
-ContactForRecruitment=Contact for recruitment
-EmailRecruiter=Email recruiter
-ToUseAGenericEmail=To use a generic email. If not defined, the email of the responsible of recruitment will be used
-NewCandidature=New application
-ListOfCandidatures=List of applications
-RequestedRemuneration=Requested remuneration
-ProposedRemuneration=Proposed remuneration
-ContractProposed=Contract proposed
-ContractSigned=Contract signed
-ContractRefused=Contract refused
-RecruitmentCandidature=Application
-JobPositions=Job positions
-RecruitmentCandidatures=Applications
-InterviewToDo=Interview to do
-AnswerCandidature=Application answer
-YourCandidature=Your application
-YourCandidatureAnswerMessage=Thanks you for your application. ...
-JobClosedTextCandidateFound=The job position is closed. The position has been filled.
-JobClosedTextCanceled=The job position is closed.
-ExtrafieldsJobPosition=Complementary attributes (job positions)
-ExtrafieldsCandidatures=Complementary attributes (job applications)
+JobOfferToBeFilled=Jobposition, der skal besættes
+ThisIsInformationOnJobPosition=Oplysninger om den stilling, der skal besættes
+ContactForRecruitment=Kontakt for rekruttering
+EmailRecruiter=E-mail-rekrutterer
+ToUseAGenericEmail=At bruge en generisk e-mail. Hvis det ikke er defineret, vil e-mailen til den ansvarlige for rekrutteringen blive brugt
+NewCandidature=Ny applikation
+ListOfCandidatures=Liste over applikationer
+RequestedRemuneration=Anmodet vederlag
+ProposedRemuneration=Foreslået vederlag
+ContractProposed=Foreslået kontrakt
+ContractSigned=Kontrakt underskrevet
+ContractRefused=Kontrakten blev afvist
+RecruitmentCandidature=Ansøgning
+JobPositions=Jobstillinger
+RecruitmentCandidatures=Ansøgninger
+InterviewToDo=Interview at gøre
+AnswerCandidature=Ansøgning svar
+YourCandidature=Din ansøgning
+YourCandidatureAnswerMessage=Tak for din ansøgning. ...
+JobClosedTextCandidateFound=Jobpositionen er lukket. Stillingen er besat.
+JobClosedTextCanceled=Jobpositionen er lukket.
+ExtrafieldsJobPosition=Supplerende attributter (jobstillinger)
+ExtrafieldsCandidatures=Supplerende attributter (jobansøgninger)
+MakeOffer=Giv et tilbud
diff --git a/htdocs/langs/da_DK/sendings.lang b/htdocs/langs/da_DK/sendings.lang
index d430c0fe7ac..4d4c7a5a07d 100644
--- a/htdocs/langs/da_DK/sendings.lang
+++ b/htdocs/langs/da_DK/sendings.lang
@@ -17,10 +17,10 @@ NumberOfShipmentsByMonth=Antal forsendelser pr. Måned
SendingCard=Forsendelse kort
NewSending=Ny afsendelse
CreateShipment=Opret afsendelse
-QtyShipped=Qty afsendt
+QtyShipped=Antal afsendt
QtyShippedShort=Antal skibe.
QtyPreparedOrShipped=Antal forberedt eller afsendt
-QtyToShip=Qty til skibet
+QtyToShip=Antal til afsendelse
QtyToReceive=Antal at modtage
QtyReceived=Antal modtagne
QtyInOtherShipments=Antal i andre forsendelser
@@ -30,6 +30,7 @@ OtherSendingsForSameOrder=Andre sendings for denne ordre
SendingsAndReceivingForSameOrder=Forsendelser og kvitteringer for denne ordre
SendingsToValidate=Henvist til bekræfte
StatusSendingCanceled=Aflyst
+StatusSendingCanceledShort=Aflyst
StatusSendingDraft=Udkast
StatusSendingValidated=Bekræftet (varer til afsendelse eller allerede afsendt)
StatusSendingProcessed=Forarbejdet
@@ -65,6 +66,7 @@ ValidateOrderFirstBeforeShipment=Du skal først bekræfte ordren, inden du kan f
# Sending methods
# ModelDocument
DocumentModelTyphon=Mere komplet dokument model for levering kvitteringer (logo. ..)
+DocumentModelStorm=Mere komplet dokumentmodel for leveringskvitteringer og ekstrafields kompatibilitet (logo ...)
Error_EXPEDITION_ADDON_NUMBER_NotDefined=Konstant EXPEDITION_ADDON_NUMBER ikke defineret
SumOfProductVolumes=Summen af produktmængder
SumOfProductWeights=Summen af produktvægt
diff --git a/htdocs/langs/da_DK/stocks.lang b/htdocs/langs/da_DK/stocks.lang
index 5c024d33a93..c44c10a07e2 100644
--- a/htdocs/langs/da_DK/stocks.lang
+++ b/htdocs/langs/da_DK/stocks.lang
@@ -34,7 +34,7 @@ StockMovementForId=Bevægelses-id %d
ListMouvementStockProject=Liste over lagerbevægelser forbundet med projektet
StocksArea=Pakhuse
AllWarehouses=Alle lagre
-IncludeEmptyDesiredStock=Include also negative stock with undefined desired stock
+IncludeEmptyDesiredStock=Inkluder også negativ bestand med udefineret ønsket lager
IncludeAlsoDraftOrders=Medtag også udkast til ordrer
Location=Placering
LocationSummary=Kort placerings navn
@@ -122,9 +122,9 @@ DesiredStockDesc=Dette lagerbeløb er den værdi, der bruges til at fylde lagere
StockToBuy=At bestille
Replenishment=genopfyldning
ReplenishmentOrders=Replenishment ordrer
-VirtualDiffersFromPhysical=According to increase/decrease stock options, physical stock and virtual stock (physical stock + open orders) may differ
-UseRealStockByDefault=Use real stock, instead of virtual stock, for replenishment feature
-ReplenishmentCalculation=Amount to order will be (desired quantity - real stock) instead of (desired quantity - virtual stock)
+VirtualDiffersFromPhysical=I henhold til stigning / formindskelse af aktieoptioner kan fysisk aktie og virtuel aktie (fysisk aktie + åbne ordrer) variere
+UseRealStockByDefault=Brug ægte lager i stedet for virtuel lager til genopfyldningsfunktion
+ReplenishmentCalculation=Mængden til ordren vil være (ønsket mængde - reel lager) i stedet for (ønsket mængde - virtuel lager)
UseVirtualStock=Brug virtuelt lager
UsePhysicalStock=Brug fysisk lager
CurentSelectionMode=Aktuel valgtilstand
@@ -236,7 +236,8 @@ AlwaysShowFullArbo=Vis hele træets lagertrin ved pop op af warehouse-links (Adv
StockAtDatePastDesc=Du kan her se aktien (ægte aktier) på en given dato i fortiden
StockAtDateFutureDesc=Du kan her se bestanden (virtuel bestand) på en given dato fremover
CurrentStock=Aktuel lager
-InventoryRealQtyHelp=Set value to 0 to reset qty Keep field empty, or remove line, to keep unchanged
-UpdateByScaning=Update by scaning
-UpdateByScaningProductBarcode=Update by scan (product barcode)
-UpdateByScaningLot=Update by scan (lot|serial barcode)
+InventoryRealQtyHelp=Sæt værdi til 0 for at nulstille antal Hold feltet tomt, eller fjern linjen for at forblive uændret
+UpdateByScaning=Opdater ved at scanne
+UpdateByScaningProductBarcode=Opdatering ved scanning (produktstregkode)
+UpdateByScaningLot=Opdatering ved scanning (parti | seriel stregkode)
+DisableStockChangeOfSubProduct=Deaktiver lagerændringen for alle delprodukter i dette sæt under denne bevægelse.
diff --git a/htdocs/langs/da_DK/ticket.lang b/htdocs/langs/da_DK/ticket.lang
index 9bc8f5b81c7..86d053f9cc4 100644
--- a/htdocs/langs/da_DK/ticket.lang
+++ b/htdocs/langs/da_DK/ticket.lang
@@ -31,10 +31,8 @@ TicketDictType=Opgaver - Typer
TicketDictCategory=Opgave - Grupper
TicketDictSeverity=Opgave - Sværhedsgrader
TicketDictResolution=Opgave - Afsluttet
-TicketTypeShortBUGSOFT=Funktionssvigt logik
-TicketTypeShortBUGHARD=Funktionssvigt udstyr
-TicketTypeShortCOM=Kommercielt spørgsmål
+TicketTypeShortCOM=Kommercielt spørgsmål
TicketTypeShortHELP=Anmodning om hjælp
TicketTypeShortISSUE=Problem, fejl eller problemer
TicketTypeShortREQUEST=Skift eller anmodning om forbedring
@@ -44,7 +42,7 @@ TicketTypeShortOTHER=Andre
TicketSeverityShortLOW=Lav
TicketSeverityShortNORMAL=Normal
TicketSeverityShortHIGH=Høj
-TicketSeverityShortBLOCKING=Kritiske / Blokering
+TicketSeverityShortBLOCKING=Kritisk, blokering
ErrorBadEmailAddress=Felt '%s' forkert
MenuTicketMyAssign=Mine opgaver
@@ -60,7 +58,6 @@ OriginEmail=Email kilde
Notify_TICKET_SENTBYMAIL=Send opgaver besked via Email
# Status
-NotRead=Ikke læst
Read=Læs
Assigned=Tildelt
InProgress=I gang
@@ -126,6 +123,7 @@ TicketsActivatePublicInterfaceHelp=Offentlig grænseflade tillader alle besøgen
TicketsAutoAssignTicket=Tildel automatisk brugeren, der oprettede opgaven
TicketsAutoAssignTicketHelp=Når du opretter en opgave, kan brugeren automatisk tildeles opgaven.
TicketNumberingModules=Opgave nummerering modul
+TicketsModelModule=Dokumentskabeloner til billetter
TicketNotifyTiersAtCreation=Underret tredjepart ved oprettelsen
TicketsDisableCustomerEmail=Deaktiver altid Emails, når en opgave oprettes fra den offentlige grænseflade
TicketsPublicNotificationNewMessage=Send e-mail (s), når en ny besked tilføjes
@@ -164,7 +162,7 @@ TicketCategory=Gruppe
SeeTicket=Se opgave
TicketMarkedAsRead=Opgaven er blevet markeret som læst
TicketReadOn=Læs videre
-TicketCloseOn=Udløbsdato
+TicketCloseOn=lukke dato
MarkAsRead=Markér opgaven som læst
TicketHistory=Opgave historik
AssignUser=Tildel til bruger
@@ -224,7 +222,7 @@ InitialMessage=Indledende besked
LinkToAContract=Link til en kontrakt
TicketPleaseSelectAContract=Vælg en kontrakt
UnableToCreateInterIfNoSocid=Kan ikke oprette en intervention, når der ikke er defineret nogen tredjepart
-TicketMailExchanges=Email udvekslinger
+TicketMailExchanges=Email udveksling
TicketInitialMessageModified=Indledende besked ændret
TicketMessageSuccesfullyUpdated=Meddelelsen er opdateret
TicketChangeStatus=Skift status
@@ -233,7 +231,6 @@ TicketLogStatusChanged=Status ændret: %s til %s
TicketNotNotifyTiersAtCreate=Ikke underret firma på create
Unread=Ulæst
TicketNotCreatedFromPublicInterface=Ikke tilgængelig. Opgaven blev ikke oprettet fra den offentlige grænseflade.
-PublicInterfaceNotEnabled=Den offentlige grænseflade var ikke aktiveret
ErrorTicketRefRequired=Opgave reference navn er påkrævet
#
diff --git a/htdocs/langs/da_DK/website.lang b/htdocs/langs/da_DK/website.lang
index 35d95b5bc5e..ec009b5ebf1 100644
--- a/htdocs/langs/da_DK/website.lang
+++ b/htdocs/langs/da_DK/website.lang
@@ -30,7 +30,6 @@ EditInLine=Rediger inline
AddWebsite=Tilføj hjemmeside
Webpage=Webside / container
AddPage=Tilføj side / container
-HomePage=Hjemmeside
PageContainer=Side
PreviewOfSiteNotYetAvailable=Forhåndsvisning af dit websted %s strong> endnu ikke tilgængeligt. Du skal først Importer en fuld hjemmeside skabelon strong> 'eller bare Tilføj en side / container strong>'.
RequestedPageHasNoContentYet=Den ønskede side med id %s har intet indhold endnu, eller cache-filen .tpl.php blev fjernet. Rediger indholdet på siden for at løse dette.
@@ -101,7 +100,7 @@ EmptyPage=Tom side
ExternalURLMustStartWithHttp=Ekstern webadresse skal starte med http: // eller https: //
ZipOfWebsitePackageToImport=Upload Zip-filen i webstedsskabelonpakken
ZipOfWebsitePackageToLoad=eller vælg en tilgængelig indbygget websteds skabelonpakke
-ShowSubcontainers=Inkluder dynamisk indhold
+ShowSubcontainers=Vis dynamisk indhold
InternalURLOfPage=Intern webadresse for siden
ThisPageIsTranslationOf=Denne side / container er en oversættelse af
ThisPageHasTranslationPages=Denne side / container har oversættelse
@@ -137,3 +136,4 @@ RSSFeedDesc=Du kan få et RSS-feed af de nyeste artikler med typen 'blogpost' ve
PagesRegenerated=%sside (r) / container (r) regenereret
RegenerateWebsiteContent=Genopret cache-filer på webstedet
AllowedInFrames=Tilladt i rammer
+DefineListOfAltLanguagesInWebsiteProperties=Definer liste over alle tilgængelige sprog i webstedets egenskaber.
diff --git a/htdocs/langs/da_DK/withdrawals.lang b/htdocs/langs/da_DK/withdrawals.lang
index 0ae1c22b6f9..134ecf86e91 100644
--- a/htdocs/langs/da_DK/withdrawals.lang
+++ b/htdocs/langs/da_DK/withdrawals.lang
@@ -42,6 +42,7 @@ LastWithdrawalReceipt=Seneste %s direkte debit kvitteringer
MakeWithdrawRequest=Lav en anmodning om direkte debitering
MakeBankTransferOrder=Foretag en kreditoverførselsanmodning
WithdrawRequestsDone=%s anmodninger om direkte debitering indbetalt
+BankTransferRequestsDone=%s kredit overførselsanmodninger registreret
ThirdPartyBankCode=Tredjeparts bankkode
NoInvoiceCouldBeWithdrawed=Ingen faktura debiteres med succes. Kontroller, at fakturaer er på virksomheder med en gyldig IBAN, og at IBAN har en UMR (Unique Mandate Reference) med tilstanden %s strong>.
ClassCredited=Klassificere krediteres
@@ -63,7 +64,7 @@ InvoiceRefused=Faktura nægtet (Oplad afvisningen til kunden)
StatusDebitCredit=Status debet / kredit
StatusWaiting=Venter
StatusTrans=Transmitteret
-StatusDebited=Debited
+StatusDebited=Debiteret
StatusCredited=Krediteres
StatusPaid=Betalt
StatusRefused=Afviste
@@ -79,13 +80,13 @@ StatusMotif8=Andre grunde
CreateForSepaFRST=Opret direkte debit fil (SEPA FRST)
CreateForSepaRCUR=Opret direkte debitering fil (SEPA RCUR)
CreateAll=Opret direkte debitfil (alle)
-CreateFileForPaymentByBankTransfer=Create file for credit transfer
+CreateFileForPaymentByBankTransfer=Opret fil til kreditoverførsel
CreateSepaFileForPaymentByBankTransfer=Opret kreditoverførselsfil (SEPA)
CreateGuichet=Kun kontor
CreateBanque=Kun bank
OrderWaiting=Venter på behandling
-NotifyTransmision=Record file transmission of order
-NotifyCredit=Record credit of order
+NotifyTransmision=Registrer filoverførsel af ordre
+NotifyCredit=Registrer ordrekredit
NumeroNationalEmetter=National Transmitter Antal
WithBankUsingRIB=For bankkonti ved hjælp af RIB
WithBankUsingBANBIC=For bankkonti ved hjælp af IBAN / BIC / SWIFT
@@ -97,8 +98,8 @@ ShowWithdraw=Vis direkte debiteringsordre
IfInvoiceNeedOnWithdrawPaymentWontBeClosed=Hvis fakturaen dog har mindst en betalingsordre til direkte debitering, der endnu ikke er behandlet, indstilles den ikke til at blive betalt for at tillade forudgående udtræksstyring.
DoStandingOrdersBeforePayments=Denne fane giver dig mulighed for at anmode om en betalingsordre med direkte debitering. Når det er gjort, skal du gå til menuen Bank-> Betaling med direkte debet for at generere og administrere direkte debetordre. Når ordre med direkte debitering lukkes, registreres betaling på fakturaer automatisk, og fakturaer lukkes, hvis resten til betaling er null.
DoCreditTransferBeforePayments=Denne fane giver dig mulighed for at anmode om en kredit overførselsordre. Når det er gjort, skal du gå til menuen Bank-> Betaling med kreditoverførsel for at generere og administrere kredit overførselsordren. Når pengeoverførsel er lukket, vil betaling på fakturaer oplysninger registreres automatisk, og fakturaer lukkes, hvis resten til løn er nul.\n
-WithdrawalFile=Debit order file
-CreditTransferFile=Credit transfer file
+WithdrawalFile=Debiteringsfil
+CreditTransferFile=Kreditoverførselsfil
SetToStatusSent=Sæt til status "Fil sendt"
ThisWillAlsoAddPaymentOnInvoice=Dette registrerer også betalinger på fakturaer og klassificerer dem som "Betalt", hvis resterende betaling er null
StatisticsByLineStatus=Statistikker efter status af linjer
@@ -124,14 +125,15 @@ SEPAFrstOrRecur=Betalings type
ModeRECUR=Tilbagevendende betaling
ModeFRST=Engangsbetaling
PleaseCheckOne=Tjek venligst kun en
-CreditTransferOrderCreated=Credit transfer order %s created
+CreditTransferOrderCreated=Kreditoverførselsordre %s oprettet
DirectDebitOrderCreated=Direkte debitering %s oprettet
AmountRequested=Beløb anmodet
SEPARCUR=SEPA CUR
SEPAFRST=SEPA FRST
ExecutionDate=Udførelsesdato
CreateForSepa=Opret direkte debitering fil
-ICS=Kreditor identifikator CI
+ICS=Kreditor identifikator CI til direkte debitering
+ICSTransfer=Kreditor identifikator CI til bankoverførsel
END_TO_END=SEPA XML-tag "EndToEndId" - Unikt id tildelt pr. Transaktion
USTRD="Ustruktureret" SEPA XML-tag
ADDDAYS=Tilføj dage til udførelsesdato
@@ -145,4 +147,5 @@ InfoTransData=Beløb: %s Methodology: %s Dato: %s
InfoRejectSubject=Betalingsordren afvises
InfoRejectMessage=Hej,
Betalingsordre for faktura %s relateret til firmaet %s, med et beløb på %s er blevet afvist af banken.
%s
ModeWarning=Mulighed for real mode ikke var indstillet, vi stopper efter denne simulation
-ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know wich one to use.
+ErrorCompanyHasDuplicateDefaultBAN=Virksomhed med id %s har mere end en standard bankkonto. Ingen måde at vide, hvilken man skal bruge.
+ErrorICSmissing=Mangler ICS på bankkonto %s
diff --git a/htdocs/langs/de_AT/mails.lang b/htdocs/langs/de_AT/mails.lang
index 3c3f69af33e..dc53b9e6bab 100644
--- a/htdocs/langs/de_AT/mails.lang
+++ b/htdocs/langs/de_AT/mails.lang
@@ -8,5 +8,3 @@ MailingArea=E-Mail-Kampagnenübersicht
MailNoChangePossible=Die Empfängerliste einer freigegebenen E-Mail-Kampagne kann nicht mehr geändert werden
LimitSendingEmailing=Aus Sicherheits- und Zeitüberschreitungsgründen ist der Online-Versadn von E-Mails auf %s Empfänger je Sitzung beschränkt.
IdRecord=Eintrags ID
-ANotificationsWillBeSent=1 Benachrichtigung wird per E-Mail versandt
-ListOfNotificationsDone=Liste aller versandten E-Mail-Benachrichtigungen
diff --git a/htdocs/langs/de_AT/products.lang b/htdocs/langs/de_AT/products.lang
index d4e36dd82c8..272a2cf3d92 100644
--- a/htdocs/langs/de_AT/products.lang
+++ b/htdocs/langs/de_AT/products.lang
@@ -30,4 +30,3 @@ ListProductByPopularity=Liste der Produkte/Services nach Beliebtheit
ListServiceByPopularity=Liste der Services nach Beliebtheit
Finished=Eigenerzeugung
NewRefForClone=Artikel Nr. des neuen Produkts/Services
-CustomCode=Customs / Commodity / HS code
diff --git a/htdocs/langs/de_CH/accountancy.lang b/htdocs/langs/de_CH/accountancy.lang
index afe0da5d99f..5c5fc2cf9fb 100644
--- a/htdocs/langs/de_CH/accountancy.lang
+++ b/htdocs/langs/de_CH/accountancy.lang
@@ -104,7 +104,6 @@ VentilatedinAccount=Erfolgreich mit dem Buchhaltungskonto verknüpft!
NotVentilatedinAccount=Nicht mit einem Buchhaltungskonto verknüpft
XLineSuccessfullyBinded=%s Produkte / Leistungen erfolgreich mit einem Buchhaltungskonto verknüpft.
XLineFailedToBeBinded=%s Produkte / Leistungen konnten nicht mit einem Buchhaltungskonto verknüpft werden.
-ACCOUNTING_LIMIT_LIST_VENTILATION=Zu verbindende Elemente pro Bildschirmseite (Empfohlen max. 50)
ACCOUNTING_LIST_SORT_VENTILATION_TODO=Sortiere nach den neuesten zu verknüpfenden Positionen
ACCOUNTING_LIST_SORT_VENTILATION_DONE=Sortiere nach den neuesten zu verknüpften Positionen
ACCOUNTING_LENGTH_DESCRIPTION=Produkt- und Dienstleistungsbeschreibungen abkürzen (Wir empfehlen nach 50 Zeichen)
@@ -139,7 +138,6 @@ LetteringCode=Beschriftung
JournalLabel=Journalbezeichnung
TransactionNumShort=Transaktionsnummer
AccountingCategory=Eigene Kontogruppen
-GroupByAccountAccounting=Sortiere nach Buchhaltungskonto
AccountingAccountGroupsDesc=Trage hier deine eigenen Buchhaltungs - Kontogruppen ein. Daraus kannst du spezielle Berichte erzeugen.
ByAccounts=Nach Konto
ByPredefinedAccountGroups=Nach Gruppe
@@ -187,7 +185,6 @@ DescClosure=Du siehst hier die Bewegungen pro Monat des offenen Geschäftsjahres
OverviewOfMovementsNotValidated=Schritt 1: Nicht frei gegebene Bewegungen (Die müssen für den Jahresabschluss bearbeitet sein).
ValidateMovements=Kontobewegungen freigeben
DescValidateMovements=Für den Abschluss müssen alle Kontobewegungen frei gegeben sein. Danach sind sie nicht mehr änderbar.
-SelectMonthAndValidate=Wähle den Monat, um dessen Bewegungen frei zu geben.
ValidateHistory=Automatisch verknüpfen
AutomaticBindingDone=Automatisches Verknüpfen abgeschlossen
ErrorAccountancyCodeIsAlreadyUse=Hoppla, dieses Buchhaltungskonto wird noch verwendet - du kannst es deshalb nicht löschen.
diff --git a/htdocs/langs/de_CH/admin.lang b/htdocs/langs/de_CH/admin.lang
index 951b6e8c534..8361a3878ea 100644
--- a/htdocs/langs/de_CH/admin.lang
+++ b/htdocs/langs/de_CH/admin.lang
@@ -74,8 +74,6 @@ Language_en_US_es_MX_etc=Sprache setzen (de_CH, en_GB,...)
SystemToolsAreaDesc=Dieser Bereich ist voll mit Administratorfunktionen - Wähle im Menu aus.
Purge=Säubern
PurgeAreaDesc=Hier können Sie alle vom System erzeugten und gespeicherten Dateien löschen (temporäre Dateien oder alle Dateien im Verzeichnis %s). Diese Funktion ist richtet sich vorwiegend an Benutzer ohne Zugriff auf das Dateisystem des Webservers (z.B. Hostingpakete)
-PurgeDeleteTemporaryFiles=Lösche alle Temporären Dateien. Dabei gehen keine Arbeitsdaten verloren.\nHinweis: Das funktioniert nur, wenn das Verzeichnis 'Temp' seit 24h da ist.
-PurgeDeleteTemporaryFilesShort=Temporärdateien löschen
PurgeDeleteAllFilesInDocumentsDir=Alle Dateien im Verzeichnis %s löschen. Dadurch werden alle generierten Dokumente gelöscht, die sich auf Elemente (Geschäftspartner, Rechnungen usw.), Dateien, die in das ECM-Modul hochgeladen wurden, Datenbank-Backup-Dumps und temporäre Dateien beziehen.
PurgeNDirectoriesDeleted=%s Dateien oder Verzeichnisse gelöscht.
PurgeNDirectoriesFailed=Löschen von %s Dateien oder Verzeichnisse fehlgeschlagen.
@@ -205,7 +203,6 @@ HideDescOnPDF=Verstecke Produktbeschreibungen
HideRefOnPDF=Verstecke Produktnummern
HideDetailsOnPDF=Verstecke Produktzeilen
PlaceCustomerAddressToIsoLocation=ISO Position für die Kundenadresse verwenden
-ButtonHideUnauthorized=Buttons für Nicht-Admins ausblenden anstatt ausgrauen?
OldVATRates=Alter MwSt. Satz
NewVATRates=Neuer MwSt. Satz
MassConvert=Massenkonvertierung starten
diff --git a/htdocs/langs/de_CH/banks.lang b/htdocs/langs/de_CH/banks.lang
index b0dd8f505a0..68eae87b2c8 100644
--- a/htdocs/langs/de_CH/banks.lang
+++ b/htdocs/langs/de_CH/banks.lang
@@ -86,8 +86,6 @@ SEPAMandate=SEPA - Mandat
YourSEPAMandate=Dein SEPA - Mandat
FindYourSEPAMandate=Dein SEPA - Mandat berechtigt uns, Aufträge via LSV direkt deinem Bankkonto zu belasten. Bitte schick uns das unterschrieben retour, oder Scanne- und Maile es an
AutoReportLastAccountStatement=Das Feld "Kontoauszug" automatisch mit der letzten bekannten Kontoauszugsnummer ausfüllen, beim Ausgleichen.
-CashControl=POS - Bartransaktion
-NewCashFence=Neue Bartransaktion
BankColorizeMovement=Transaktionen einfärben
BankColorizeMovementDesc=Wenn du das einschaltest, kannst du für Belastungen und Gutschriften separate Farben für die Anzeige wählen.
BankColorizeMovementName1=Hintergrundfarbe für Belastungen
diff --git a/htdocs/langs/de_CH/boxes.lang b/htdocs/langs/de_CH/boxes.lang
index e597dd56def..38375ab0778 100644
--- a/htdocs/langs/de_CH/boxes.lang
+++ b/htdocs/langs/de_CH/boxes.lang
@@ -37,6 +37,7 @@ BoxTitleLatestModifiedBoms=Die neuesten %s geänderten Materiallisten (BOMs)
BoxTitleLatestModifiedMos=Die neuesten %s geänderten Fertigungsaufträge
BoxGoodCustomers=Guter Kunde
LastRefreshDate=Datum der letzten Aktualisierung
+NoRecordedBookmarks=Keine Lesezeichen gesetzt. Klicken Sie hier, um ein Lesezeichen zu setzen.
NoRecordedCustomers=Keine erfassten Kunden
NoRecordedContacts=Keine erfassten Kontakte
NoRecordedInterventions=Keine verzeichneten Einsätze
diff --git a/htdocs/langs/de_CH/categories.lang b/htdocs/langs/de_CH/categories.lang
index 589f21b1d0e..974a26170ae 100644
--- a/htdocs/langs/de_CH/categories.lang
+++ b/htdocs/langs/de_CH/categories.lang
@@ -58,15 +58,11 @@ AccountsCategoriesShort=Kontenschlagworte / -kategorien
ProjectsCategoriesShort=Projektschlagworte / -kateorien
UsersCategoriesShort=Benutzerschlagworte und -kategorien
CategId=Schlagwort / Kategorie ID
-CatSupList=Liste der Lieferantenschlagworte / -kategorien
-CatCusList=Liste der Kunden-/ Interessentenschlagworte / -kategorien
CatProdList=Liste der Produktschlagworte / -kategorien
CatMemberList=Liste der Mitgliederschlagworte / -kategorien
-CatContactList=Liste der Kontaktschlagworte / -kategorien
-CatSupLinks=Verbindung zwischen Lieferanten und Schlagwörtern / Kategorien
CatCusLinks=Verbindung zwischen Kunden-/Leads und Schlagwörtern / Kategorien
CatProdLinks=Verbindung zwischen Produkten/Leistungen und Schlagwörtern / Kategorien
-CatProJectLinks=Verknüpfungen zwischen Projekten und Schlagwörtern / Kategorien
+CatProjectsLinks=Verknüpfungen zwischen Projekten und Schlagwörtern / Kategorien
ExtraFieldsCategories=Ergänzende Eigenschaften
CategoriesSetup=Suchwörter/Kategorien Einrichten
CategorieRecursiv=Automatisch mit übergeordnetem Schlagwort / Kategorie verbinden
diff --git a/htdocs/langs/de_CH/cron.lang b/htdocs/langs/de_CH/cron.lang
index cc4ff19f7eb..137bb7f08e8 100644
--- a/htdocs/langs/de_CH/cron.lang
+++ b/htdocs/langs/de_CH/cron.lang
@@ -4,6 +4,5 @@ EnabledAndDisabled=Aktiviert und deaktiviert
CronDtStart=Nicht vor
CronDtEnd=Nicht nach
JobFinished=Job gestarted und beendet
-UseMenuModuleToolsToAddCronJobs=Öffnen Sie das Menü "Start - Module Werkzeuge - Cronjob Liste" um geplante Skript-Aufgaben zu sehen und zu verändern.
JobDisabled=Job deaktiviert
MakeLocalDatabaseDumpShort=Lokale Datenbanksicherung
diff --git a/htdocs/langs/de_CH/mails.lang b/htdocs/langs/de_CH/mails.lang
index 3bcda95e62c..b279747d723 100644
--- a/htdocs/langs/de_CH/mails.lang
+++ b/htdocs/langs/de_CH/mails.lang
@@ -28,10 +28,6 @@ ToAddRecipientsChooseHere=Fügen Sie Empfänger über die Listenauswahl hinzu
NbOfEMailingsSend=E-Mail-Kampagne versandt
TagUnsubscribe=Abmelde Link
NoEmailSentBadSenderOrRecipientEmail=Kein E-Mail gesendet. Ungültige Absender oder Empfänger Adresse. Benutzerprofil kontrollieren.
-NoNotificationsWillBeSent=Für dieses Ereignis und diesen Geschäftspartner sind keine Benachrichtigungen geplant
-ANotificationsWillBeSent=Eine Benachrichtigung wird per E-Mail versandt
-SomeNotificationsWillBeSent=%s Benachrichtigungen werden per E-Mail versandt
-ListOfNotificationsDone=Liste aller versandten E-Mail Benachrichtigungen
MailSendSetupIs2=Sie müssen zuerst mit einem Admin-Konto im Menü %sStart - Einstellungen - EMails%s den Parameter '%s' auf den Modus '%s' ändern. Dann können Sie die Daten des SMTP-Servers von Ihrem Internetdienstanbieter eingeben und die E-Mail-Kampagnen-Funktion nutzen.
MailAdvTargetRecipients=Empfänger (Erweiterte Selektion)
AdvTgtSearchIntHelp=Intervall verwenden um den Zahlenwert auszuwählen
diff --git a/htdocs/langs/de_CH/products.lang b/htdocs/langs/de_CH/products.lang
index ea19db34f53..fe068de6eeb 100644
--- a/htdocs/langs/de_CH/products.lang
+++ b/htdocs/langs/de_CH/products.lang
@@ -64,7 +64,6 @@ BuyingPrices=Einkaufspreise
CustomerPrices=Kunden Preise
SuppliersPrices=Lieferantenpreise
SuppliersPricesOfProductsOrServices=Anbieterpreise
-CustomCode=Zolltarifnummer (z.B. HSN)
set=gesetzt
se=gesetzt
kilogram=Kilo
@@ -78,7 +77,6 @@ unitCM3=Kubikcentimeter
unitMM3=Kubikmillimeter
ServiceCodeModel=Vorlage für Dienstleistungs-Referenz
DisablePriceByQty=Staffelpreise sperren
-MultipriceRules=Regeln für Preissegmente
UseMultipriceRules=Mit diesen Regeln für Preisstufen kann man automatisch von der ersten Stufe aus die Preise der folgenden Stufen ausrechnen lassen.\nDie Regeln werden im Modul - Setup hinterlegt.
KeepEmptyForAutoCalculation=Für automatische Berechnung kannst du das einfach leer lassen.
VariantRefExample=Zum Beispiel: Col, Gr.
diff --git a/htdocs/langs/de_CH/sendings.lang b/htdocs/langs/de_CH/sendings.lang
index ec1ab38899a..e03dac2f60c 100644
--- a/htdocs/langs/de_CH/sendings.lang
+++ b/htdocs/langs/de_CH/sendings.lang
@@ -1,7 +1,12 @@
# Dolibarr language file - Source file is en_US - sendings
RefSending=Versand Nr.
SendingCard=Auslieferungen
+QtyToShip=Versandmenge
KeepToShip=Zum Versand behalten
+StatusSendingCanceledShort=widerrufen
+StatusSendingProcessed=Verarbeitete
+StatusSendingProcessedShort=Fertig
+SendingSheet=Auslieferungen
WarningNoQtyLeftToSend=Achtung, keine Produkte für den Versand
StatsOnShipmentsOnlyValidated=Versandstatistik (nur Freigegebene). Das Datum ist das der Freigabe (geplantes Lieferdatum ist nicht immer bekannt).
ClassifyReception=Lieferung klassifizieren
diff --git a/htdocs/langs/de_CH/ticket.lang b/htdocs/langs/de_CH/ticket.lang
index 2c200f923ce..18ff7a30fab 100644
--- a/htdocs/langs/de_CH/ticket.lang
+++ b/htdocs/langs/de_CH/ticket.lang
@@ -1,6 +1,5 @@
# Dolibarr language file - Source file is en_US - ticket
TypeContact_ticket_external_SUPPORTCLI=Kundenkontakt / Störfallverfolgung
-NotRead=Ungelesen
InProgress=In Bearbeitung
TicketCloseOn=Schliessungsdatum
TicketAddIntervention=Einsatz erstellen
diff --git a/htdocs/langs/de_DE/accountancy.lang b/htdocs/langs/de_DE/accountancy.lang
index 112d1879d15..5d89bce0e06 100644
--- a/htdocs/langs/de_DE/accountancy.lang
+++ b/htdocs/langs/de_DE/accountancy.lang
@@ -48,6 +48,7 @@ CountriesExceptMe=Alle Länder außer %s
AccountantFiles=Belegdokumente exportieren
ExportAccountingSourceDocHelp=With this tool, you can export the source events (list and PDFs) that were used to generate your accountancy. To export your journals, use the menu entry %s - %s.
VueByAccountAccounting=Ansicht nach Buchhaltungskonto
+VueBySubAccountAccounting=View by accounting subaccount
MainAccountForCustomersNotDefined=Standardkonto für Kunden im Setup nicht definiert
MainAccountForSuppliersNotDefined=Standardkonto für Lieferanten die nicht im Setup definiert sind
@@ -144,7 +145,7 @@ NotVentilatedinAccount=Nicht zugeordnet, zu einem Buchhaltungskonto
XLineSuccessfullyBinded=%s Produkte/Leistungen erfolgreich an Buchhaltungskonto zugewiesen
XLineFailedToBeBinded=%s Produkte/Leistungen waren an kein Buchhaltungskonto zugeordnet
-ACCOUNTING_LIMIT_LIST_VENTILATION=Anzahl der Elemente, die zum Kontieren angezeigt werden (empfohlen max. 50)
+ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50)
ACCOUNTING_LIST_SORT_VENTILATION_TODO=Beginnen Sie die Sortierung der Seite "Link zu realisieren“ durch die neuesten Elemente
ACCOUNTING_LIST_SORT_VENTILATION_DONE=Beginnen Sie mit der Sortierung der Seite " Zuordnung erledigt " nach den neuesten Elementen
@@ -198,7 +199,8 @@ Docdate=Datum
Docref=Referenz
LabelAccount=Konto-Beschriftung
LabelOperation=Bezeichnung der Operation
-Sens=Zweck
+Sens=Direction
+AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received For an accounting account of a supplier, use Debit to record a payment you make
LetteringCode=Beschriftungscode
Lettering=Beschriftung
Codejournal=Journal
@@ -206,7 +208,8 @@ JournalLabel=Journal-Bezeichnung
NumPiece=Teilenummer
TransactionNumShort=Anz. Buchungen
AccountingCategory=Personalisierte Gruppen
-GroupByAccountAccounting=Gruppieren nach Buchhaltungskonto
+GroupByAccountAccounting=Group by general ledger account
+GroupBySubAccountAccounting=Group by subledger account
AccountingAccountGroupsDesc=Hier können Kontengruppen definiert werden. Diese werden für personaliserte Buchhaltungsreports verwendet.
ByAccounts=Pro Konto
ByPredefinedAccountGroups=Pro vordefinierten Gruppen
@@ -248,7 +251,7 @@ PaymentsNotLinkedToProduct=Zahlung ist keinem Produkt oder Dienstleistung zugewi
OpeningBalance=Eröffnungsbilanz
ShowOpeningBalance=Eröffnungsbilanz anzeigen
HideOpeningBalance=Eröffnungsbilanz ausblenden
-ShowSubtotalByGroup=Zwischensumme nach Gruppe anzeigen
+ShowSubtotalByGroup=Show subtotal by level
Pcgtype=Kontenklasse
PcgtypeDesc=Kontengruppen werden für einige Buchhaltungsberichte als vordefinierte Filter- und Gruppierungskriterien verwendet. Beispielsweise werden "EINKOMMEN" oder "AUSGABEN" als Gruppen für die Buchhaltung von Produktkonten verwendet, um die Ausgaben- / Einnahmenrechnung zu erstellen.
@@ -271,11 +274,13 @@ DescVentilExpenseReport=Kontieren Sie hier in der Liste Spesenabrechnungszeilen
DescVentilExpenseReportMore=Wenn Sie beim Buchhaltungskonto den Typen Spesenabrechnungpositionen eingestellt haben, wird die Applikation alle Kontierungen zwischen den Spesenabrechnungspositionen und dem Buchhaltungskonto von Ihrem Kontenrahmen verwenden, durch einen einzigen Klick auf die Schaltfläche "%s" . Wenn kein Konto definiert wurde unter Stammdaten / Gebührenarten oder wenn Sie einige Zeilen nicht zu irgendeinem automatischen Konto gebunden haben, müssen Sie die Zuordnung manuell aus dem Menü " %s “ machen.
DescVentilDoneExpenseReport=Hier finden Sie die Liste der Aufwendungsposten und ihr Gebühren Buchhaltungskonto
+Closure=Annual closure
DescClosure=Informieren Sie sich hier über die Anzahl der Bewegungen pro Monat, die nicht validiert sind und die bereits in den Geschäftsjahren geöffnet sind.
OverviewOfMovementsNotValidated=Schritt 1 / Bewegungsübersicht nicht validiert. \n(Notwendig, um ein Geschäftsjahr abzuschließen.)
+AllMovementsWereRecordedAsValidated=All movements were recorded as validated
+NotAllMovementsCouldBeRecordedAsValidated=Not all movements could be recorded as validated
ValidateMovements=Bewegungen validieren
DescValidateMovements=Jegliche Änderung oder Löschung des Schreibens, Beschriftens und Löschens ist untersagt. Alle Eingaben für eine Übung müssen validiert werden, da sonst ein Abschluss nicht möglich ist
-SelectMonthAndValidate=Monat auswählen und Bewegungen validieren
ValidateHistory=automatisch zuordnen
AutomaticBindingDone=automatische Zuordnung erledigt
@@ -293,6 +298,7 @@ Accounted=im Hauptbuch erfasst
NotYetAccounted=noch nicht im Hauptbuch erfasst
ShowTutorial=Tutorial anzeigen
NotReconciled=nicht ausgeglichen
+WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view
## Admin
BindingOptions=Binding options
@@ -337,6 +343,7 @@ Modelcsv_LDCompta10=Export für LD Compta (v10 und höher)
Modelcsv_openconcerto=Export für OpenConcerto (Test)
Modelcsv_configurable=konfigurierbarer CSV-Export
Modelcsv_FEC=Export nach FEC
+Modelcsv_FEC2=Export FEC (With dates generation writing / document reversed)
Modelcsv_Sage50_Swiss=Export für Sage 50 (Schweiz)
Modelcsv_winfic=Exportiere Winfic - eWinfic - WinSis Compta
Modelcsv_Gestinumv3=Export for Gestinum (v3)
diff --git a/htdocs/langs/de_DE/admin.lang b/htdocs/langs/de_DE/admin.lang
index 7af899574d9..809c3a8b797 100644
--- a/htdocs/langs/de_DE/admin.lang
+++ b/htdocs/langs/de_DE/admin.lang
@@ -56,6 +56,8 @@ GUISetup=Benutzeroberfläche
SetupArea=Einstellungen
UploadNewTemplate=Neue Druckvorlage(n) hochladen
FormToTestFileUploadForm=Formular für das Testen von Datei-Uplads (je nach Konfiguration)
+ModuleMustBeEnabled=The module/application %s must be enabled
+ModuleIsEnabled=The module/application %s has been enabled
IfModuleEnabled=Anmerkung: Ist nur wirksam wenn Modul %s aktiviert ist
RemoveLock=Sie müssen die Datei %s entfernen oder umbennen, falls vorhanden, um die Benutzung des Installations-/Update-Tools zu erlauben.
RestoreLock=Stellen Sie die Datei %s mit ausschließlicher Leseberechtigung wieder her, um die Benutzung des Installations-/Update-Tools zu deaktivieren.
@@ -85,7 +87,6 @@ ShowPreview=Vorschau anzeigen
ShowHideDetails=Details ein-/ausblenden
PreviewNotAvailable=Vorschau nicht verfügbar
ThemeCurrentlyActive=derzeit aktivierte grafische Oberfläche
-CurrentTimeZone=Aktuelle Zeitzone des PHP-Servers
MySQLTimeZone=Aktuelle Zeitzone der SQL-Datenbank
TZHasNoEffect=Daten werden vom Datenbank-Server gespeichert und zurückgeliefert, als würde der eingegebene String abgelegt werden. Die Zeitzone hat nur dann eine Auswirkung, wenn die UNIX_TIMESTAMP-Funktion benutzt wird (Dolibarr nutzt diese nicht, daher sollte die Datenbank-TZ keine Rolle spielen, selbst wenn diese nach Dateneingabe geändert wird).
Space=Platz
@@ -153,8 +154,8 @@ SystemToolsAreaDesc=In diesem Bereich finden Sie die Verwaltungsfunktionen. Verw
Purge=Bereinigen
PurgeAreaDesc=Auf dieser Seite können Sie alle von Dolibarr erzeugten oder gespeicherten Dateien (temporäre Dateien oder alle Dateien im Verzeichnis %s ) löschen. Die Verwendung dieser Funktion ist in der Regel nicht erforderlich. Es wird als Workaround für Benutzer bereitgestellt, deren Dolibarr von einem Anbieter gehostet wird, der keine Berechtigungen zum löschen von Dateien anbietet, die vom Webserver erzeugt wurden.
PurgeDeleteLogFile=Löschen der Protokolldateien, einschließlich %s, die für das Syslog-Modul definiert wurden (kein Risiko Daten zu verlieren)
-PurgeDeleteTemporaryFiles=Löschen Sie alle temporären Dateien (kein Datenverlustrisiko). Hinweis: Das Löschen erfolgt nur, wenn das temporäre Verzeichnis vor über 24 Stunden erstellt wurde.
-PurgeDeleteTemporaryFilesShort=temporäre Dateien löschen
+PurgeDeleteTemporaryFiles=Delete all log and temporary files (no risk of losing data). Note: Deletion of temporary files is done only if the temp directory was created more than 24 hours ago.
+PurgeDeleteTemporaryFilesShort=Delete log and temporary files
PurgeDeleteAllFilesInDocumentsDir=Alle Dateien im Verzeichnis: %s löschen: Dadurch werden alle erzeugten Dokumente löschen, die sich auf verknüpfte (Dritte, Rechnungen usw....), Dateien, die in das ECM Modul hochgeladen wurden, Datenbank, Backup, Dumps und temporäre Dateien beziehen.
PurgeRunNow=Jetzt bereinigen
PurgeNothingToDelete=Keine zu löschenden Verzeichnisse oder Dateien
@@ -256,6 +257,7 @@ ReferencedPreferredPartners=Bevorzugte Partner
OtherResources=Weitere Ressourcen
ExternalResources=Externe Ressourcen
SocialNetworks=Soziale Netzwerke
+SocialNetworkId=Social Network ID
ForDocumentationSeeWiki=Für Benutzer-und Entwickler-Dokumentationen und FAQs werfen Sie bitte einen Blick auf die Dolibarr-Wiki: %s
ForAnswersSeeForum=Für alle anderen Fragen können Sie das Dolibarr-Forum %s benutzen.
HelpCenterDesc1=In diesem Bereich finden Sie eine Übersicht an verfügbaren Quellen, bei denen Sie im Fall von Problemen und Fragen Unterstützung bekommen können.
@@ -375,7 +377,7 @@ ExamplesWithCurrentSetup=Beispiele mit der aktuellen Systemkonfiguration
ListOfDirectories=Liste der OpenDocument-Vorlagenverzeichnisse
ListOfDirectoriesForModelGenODT=Liste der Verzeichnisse mit Vorlagendateien im OpenDocument-Format.
Fügen Sie hier den vollständigen Pfad der Verzeichnisse ein. Trennen Sie jedes Verzeichnis mit einem Zeilenumbruch. Verzeichnisse des ECM-Moduls fügen Sie z.B. so ein DOL_DATA_ROOT/ecm/yourdirectoryname.
Dateien in diesen Verzeichnissen müssen mit .odt oder .ods enden.
NumberOfModelFilesFound=Anzahl der in diesen Verzeichnissen gefundenen .odt/.ods-Dokumentvorlagen
-ExampleOfDirectoriesForModelGen=Beispiele für Syntax: c:\\mydir /Home/mydir DOL_DATA_ROOT/ecm/ecmdir
+ExampleOfDirectoriesForModelGen=Examples of syntax: c:\\myapp\\mydocumentdir\\mysubdir /home/myapp/mydocumentdir/mysubdir DOL_DATA_ROOT/ecm/ecmdir
FollowingSubstitutionKeysCanBeUsed= Lesen Sie die Wiki Dokumentation um zu wissen, wie Sie Ihre odt Dokumentenvorlage erstellen, bevor Sie diese in den Kategorien speichern:
FullListOnOnlineDocumentation=https://wiki.dolibarr.org/index.php/Create_an_ODT_document_template
FirstnameNamePosition=Reihenfolge von Vor- und Nachname
@@ -406,7 +408,7 @@ UrlGenerationParameters=Parameter zum Sichern von URLs
SecurityTokenIsUnique=Verwenden Sie einen eindeutigen Sicherheitsschlüssel für jede URL
EnterRefToBuildUrl=Geben Sie eine Referenz für das Objekt %s ein
GetSecuredUrl=Holen der berechneten URL
-ButtonHideUnauthorized=Ausblenden von Schaltflächen für Nicht-Administrator für nicht autorisierte Aktionen, anstatt grau unterlegte deaktivierte Schaltflächen anzuzeigen.
+ButtonHideUnauthorized=Hide unauthorized action buttons also for internal users (just greyed otherwise)
OldVATRates=Alter Umsatzsteuer-Satz
NewVATRates=Neuer Umsatzsteuer-Satz
PriceBaseTypeToChange=Ändern Sie den Basispreis definierte nach
@@ -1689,7 +1691,7 @@ NotTopTreeMenuPersonalized=Personalisierte Menüs die nicht mit dem Top-Menü ve
NewMenu=Neues Menü
MenuHandler=Menü-Handler
MenuModule=Quellmodul
-HideUnauthorizedMenu= Hide unbefugte Menüs (grau)
+HideUnauthorizedMenu=Hide unauthorized menus also for internal users (just greyed otherwise)
DetailId=Menü ID
DetailMenuHandler=Menü-Handler für die Anzeige des neuen Menüs
DetailMenuModule=Modulname falls Menüeintrag aus einem Modul stimmt
@@ -1983,11 +1985,12 @@ EMailHost=Hostname des IMAP-Servers
MailboxSourceDirectory=Quellverzechnis des eMail-Kontos
MailboxTargetDirectory=Zielverzechnis des eMail-Kontos
EmailcollectorOperations=Aktivitäten, die der eMail-Collector ausführen soll
+EmailcollectorOperationsDesc=Operations are executed from top to bottom order
MaxEmailCollectPerCollect=Maximale Anzahl an einzusammelnden E-Mails je Collect-Vorgang
CollectNow=Jetzt abrufen
ConfirmCloneEmailCollector=Sind Sie sicher, dass Sie den eMail-Collektor %s duplizieren möchten?
-DateLastCollectResult=Datum des letzten eMail-Collect-Versuchs
-DateLastcollectResultOk=Datum des letzten, erfolgreichen eMail-Collect
+DateLastCollectResult=Date of latest collect try
+DateLastcollectResultOk=Date of latest collect success
LastResult=Letztes Ergebnis
EmailCollectorConfirmCollectTitle=eMail-Collect-Bestätigung
EmailCollectorConfirmCollect=Möchten Sie den Einsammelvorgang für diesen eMail-Collector starten?
@@ -2005,7 +2008,7 @@ WithDolTrackingID=Nachricht einer Unterhaltung die durch eine erste von Dolibarr
WithoutDolTrackingID=Nachricht einer Unterhaltung die NICHT durch eine erste von Dolibarr gesendete E-Mail initiiert wurde
WithDolTrackingIDInMsgId=Nachricht von Dolibarr gesendet
WithoutDolTrackingIDInMsgId=Nachricht NICHT von Dolibarr gesendet
-CreateCandidature=Bewerbung erstellen
+CreateCandidature=Create job application
FormatZip=PLZ
MainMenuCode=Menüpunktcode (Hauptmenü)
ECMAutoTree=Automatischen ECM-Baum anzeigen
@@ -2083,3 +2086,7 @@ CountryIfSpecificToOneCountry=Land (falls spezifisch für ein bestimmtes Land)
YouMayFindSecurityAdviceHere=Hier finden Sie Sicherheitshinweise
ModuleActivatedMayExposeInformation=Dieses Modul kann vertrauliche Daten verfügbar machen. Wenn Sie es nicht benötigen, deaktivieren Sie es.
ModuleActivatedDoNotUseInProduction=Ein für die Entwicklung entwickeltes Modul wurde aktiviert. Aktivieren Sie es nicht in einer Produktionsumgebung.
+CombinationsSeparator=Separator character for product combinations
+SeeLinkToOnlineDocumentation=See link to online documention on top menu for examples
+SHOW_SUBPRODUCT_REF_IN_PDF=If the feature "%s" of module %s is used, show details of subproducts of a kit on PDF.
+AskThisIDToYourBank=Contact your bank to get this ID
diff --git a/htdocs/langs/de_DE/agenda.lang b/htdocs/langs/de_DE/agenda.lang
index 73e7c40f93c..3e455da3ac5 100644
--- a/htdocs/langs/de_DE/agenda.lang
+++ b/htdocs/langs/de_DE/agenda.lang
@@ -166,4 +166,4 @@ TimeType=Erinnerungsdauer
ReminderType=Erinnerungstyp
AddReminder=Erstellt eine automatische Erinnerungsbenachrichtigung für dieses Ereignis
ErrorReminderActionCommCreation=Fehler beim Erstellen der Erinnerungsbenachrichtigung für dieses Ereignis
-BrowserPush=Browser Benachrichtigung
+BrowserPush=Browser Popup Notification
diff --git a/htdocs/langs/de_DE/banks.lang b/htdocs/langs/de_DE/banks.lang
index a5c59fe2608..194484c6c0f 100644
--- a/htdocs/langs/de_DE/banks.lang
+++ b/htdocs/langs/de_DE/banks.lang
@@ -173,8 +173,8 @@ SEPAMandate=SEPA Mandat
YourSEPAMandate=Ihr SEPA-Mandat
FindYourSEPAMandate=Dies ist Ihr SEPA-Mandat, um unser Unternehmen zu ermächtigen, Lastschriftaufträge bei Ihrer Bank zu tätigen. Senden Sie es unterschrieben (Scan des unterschriebenen Dokuments) oder per Post an
AutoReportLastAccountStatement=Füllen Sie das Feld 'Nummer des Kontoauszugs' bei der Abstimmung automatisch mit der Nummer des letzten Kontoauszugs
-CashControl=POS Kassenbestand
-NewCashFence=neuer Kassenbestand
+CashControl=POS cash desk control
+NewCashFence=New cash desk closing
BankColorizeMovement=Bewegungen färben
BankColorizeMovementDesc=Wenn diese Funktion aktiviert ist, können Sie eine bestimmte Hintergrundfarbe für Debit- oder Kreditbewegungen auswählen
BankColorizeMovementName1=Hintergrundfarbe für Debit-Bewegung
diff --git a/htdocs/langs/de_DE/blockedlog.lang b/htdocs/langs/de_DE/blockedlog.lang
index 76f7b5b97ce..000bab2d484 100644
--- a/htdocs/langs/de_DE/blockedlog.lang
+++ b/htdocs/langs/de_DE/blockedlog.lang
@@ -35,7 +35,7 @@ logDON_DELETE=Spende automatisch gelöscht
logMEMBER_SUBSCRIPTION_CREATE=Mitglieds-Abonnement erstellt
logMEMBER_SUBSCRIPTION_MODIFY=Mitglieds-Abonnement geändert
logMEMBER_SUBSCRIPTION_DELETE=Mitglieds-Abonnement automatisch löschen
-logCASHCONTROL_VALIDATE=Aufzeichnung Kassenschnitt
+logCASHCONTROL_VALIDATE=Cash desk closing recording
BlockedLogBillDownload=Kundenrechnung herunterladen
BlockedLogBillPreview=Kundenrechnung - Vorschau
BlockedlogInfoDialog=Details zum Log
diff --git a/htdocs/langs/de_DE/boxes.lang b/htdocs/langs/de_DE/boxes.lang
index b633a2ef019..fd97417a179 100644
--- a/htdocs/langs/de_DE/boxes.lang
+++ b/htdocs/langs/de_DE/boxes.lang
@@ -46,12 +46,15 @@ BoxTitleLastModifiedDonations=Zuletzt bearbeitete Spenden (maximal %s)
BoxTitleLastModifiedExpenses=Zuletzt bearbeitete Spesenabrechnungen (maximal %s)
BoxTitleLatestModifiedBoms=Zuletzt bearbeitete Stücklisten (maximal %s)
BoxTitleLatestModifiedMos=Zuletzt bearbeitete Produktionsaufträge (maximal %s)
+BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded
BoxGlobalActivity=Globale Aktivität (Rechnungen, Angebote, Aufträge)
BoxGoodCustomers=Gute Kunden
BoxTitleGoodCustomers=%s gute Kunden
+BoxScheduledJobs=Geplante Aufträge
+BoxTitleFunnelOfProspection=Lead funnel
FailedToRefreshDataInfoNotUpToDate=Fehler beim RSS-Abruf. Letzte erfolgreiche Aktualisierung: %s
LastRefreshDate=Letzte Aktualisierung
-NoRecordedBookmarks=Keine Lesezeichen gesetzt. Klicken Sie hier, um ein Lesezeichen zu setzen.
+NoRecordedBookmarks=Keine Lesezeichen definiert.
ClickToAdd=Hier klicken um hinzuzufügen.
NoRecordedCustomers=keine erfassten Kunden
NoRecordedContacts=keine erfassten Kontakte
@@ -102,5 +105,7 @@ SuspenseAccountNotDefined=Zwischenkonto ist nicht definiert
BoxLastCustomerShipments=Letzte Kundenlieferungen
BoxTitleLastCustomerShipments=Neueste %s Kundensendungen
NoRecordedShipments=Keine erfasste Kundensendung
+BoxCustomersOutstandingBillReached=Customers with oustanding limit reached
# Pages
AccountancyHome=Buchführung
+ValidatedProjects=Validated projects
diff --git a/htdocs/langs/de_DE/cashdesk.lang b/htdocs/langs/de_DE/cashdesk.lang
index 095e3d6e1f8..91749c258e3 100644
--- a/htdocs/langs/de_DE/cashdesk.lang
+++ b/htdocs/langs/de_DE/cashdesk.lang
@@ -49,8 +49,8 @@ Footer=Fußzeile
AmountAtEndOfPeriod=Betrag am Ende der Periode (Tag, Monat oder Jahr)
TheoricalAmount=Theoretischer Betrag
RealAmount=Realer Betrag
-CashFence=Kassenschluss
-CashFenceDone=Kassenschnitt im Zeitraum durchgeführt
+CashFence=Cash desk closing
+CashFenceDone=Cash desk closing done for the period
NbOfInvoices=Anzahl der Rechnungen
Paymentnumpad=Art des Pads zur Eingabe der Zahlung
Numberspad=Nummernblock
@@ -99,8 +99,9 @@ CashDeskRefNumberingModules=Nummerierungsmodul für POS-Verkäufe
CashDeskGenericMaskCodes6 = Das Tag {TN} wird zum Hinzufügen der Terminalnummer verwendet
TakeposGroupSameProduct=Gruppieren Sie dieselben Produktlinien
StartAParallelSale=Starten Sie einen neuen Parallelverkauf
-ControlCashOpening=Control cash box at opening POS
-CloseCashFence=Kasse schließen
+SaleStartedAt=Sale started at %s
+ControlCashOpening=Control cash popup at opening POS
+CloseCashFence=Close cash desk control
CashReport=Kassenbericht
MainPrinterToUse=Quittungsdrucker
OrderPrinterToUse=Drucker für Bestellungen
@@ -122,3 +123,4 @@ GiftReceipt=Gift receipt
ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled first
AllowDelayedPayment=Allow delayed payment
PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts
+WeighingScale=Weighing scale
diff --git a/htdocs/langs/de_DE/categories.lang b/htdocs/langs/de_DE/categories.lang
index c8fc85f28c9..3bdeda64aab 100644
--- a/htdocs/langs/de_DE/categories.lang
+++ b/htdocs/langs/de_DE/categories.lang
@@ -19,6 +19,7 @@ ProjectsCategoriesArea=Übersicht Projektkategorien
UsersCategoriesArea=Bereich: Benutzer Tags/Kategorien
SubCats=Unterkategorie(n)
CatList=Liste der Kategorien
+CatListAll=List of tags/categories (all types)
NewCategory=Neue Kategorie
ModifCat=Kategorie bearbeiten
CatCreated=Kategorie erstellt
@@ -65,16 +66,22 @@ UsersCategoriesShort=Benutzerkategorien
StockCategoriesShort=Lagerort-Kategorien
ThisCategoryHasNoItems=Diese Kategorie enthält keine Elemente.
CategId=Kategorie-ID
-CatSupList=Liste der Lieferanten-Kategorien
-CatCusList=Liste der Kunden-/ Interessentenkategorien
+ParentCategory=Parent tag/category
+ParentCategoryLabel=Label of parent tag/category
+CatSupList=List of vendors tags/categories
+CatCusList=List of customers/prospects tags/categories
CatProdList=Liste der Produktkategorien
CatMemberList=Liste der Mitgliederkategorien
-CatContactList=Liste der Kontaktkategorien
-CatSupLinks=Verbindung zwischen Lieferanten und Kategorien
+CatContactList=List of contacts tags/categories
+CatProjectsList=List of projects tags/categories
+CatUsersList=List of users tags/categories
+CatSupLinks=Links between vendors and tags/categories
CatCusLinks=Verbindung zwischen Kunden-/Leads und Kategorien
CatContactsLinks=Verknüpfungen zwischen Kontakten/Adressen und Tags/Kategorien
CatProdLinks=Verbindung zwischen Produkten/Leistungen und Kategorien
-CatProJectLinks=Verbindung zwischen Projekten und Kategorien bzw. Suchwörtern
+CatMembersLinks=Verbindung zwischen Mitgliedern und Kategorien
+CatProjectsLinks=Verbindung zwischen Projekten und Kategorien bzw. Suchwörtern
+CatUsersLinks=Links between users and tags/categories
DeleteFromCat=Aus Kategorie entfernen
ExtraFieldsCategories=Ergänzende Attribute
CategoriesSetup=Kategorie-Einstellungen
diff --git a/htdocs/langs/de_DE/companies.lang b/htdocs/langs/de_DE/companies.lang
index f8bad6b3a9e..44fe68c41d4 100644
--- a/htdocs/langs/de_DE/companies.lang
+++ b/htdocs/langs/de_DE/companies.lang
@@ -358,7 +358,7 @@ VATIntraCheckableOnEUSite=Überprüfungsergebnis des MwSt-Informationsaustauschs
VATIntraManualCheck=Sie können die Überprüfung auch manuell auf der Internetseite der Europäische Kommission durchführen: %s
ErrorVATCheckMS_UNAVAILABLE=Anfrage nicht möglich. Überprüfungsdienst wird vom Mitgliedsland nicht angeboten (%s).
NorProspectNorCustomer=kein Interessent / kein Kunde
-JuridicalStatus=Rechtsform
+JuridicalStatus=Business entity type
Workforce=Mitarbeiter/innen
Staff=Mitarbeiter
ProspectLevelShort=Potenzial
diff --git a/htdocs/langs/de_DE/compta.lang b/htdocs/langs/de_DE/compta.lang
index 6d646740b35..e1534b71545 100644
--- a/htdocs/langs/de_DE/compta.lang
+++ b/htdocs/langs/de_DE/compta.lang
@@ -111,7 +111,7 @@ Refund=Rückerstattung
SocialContributionsPayments=Sozialabgaben-/Steuer Zahlungen
ShowVatPayment=Zeige USt. Zahlung
TotalToPay=Zu zahlender Gesamtbetrag
-BalanceVisibilityDependsOnSortAndFilters=Differenz ist nur in dieser Liste sichtbar, wenn die Tabelle aufsteigend nach %s sortiert ist und gefiltert mit nur 1 Bankkonto
+BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted on %s and filtered on 1 bank account (with no other filters)
CustomerAccountancyCode=Kontierungscode Kunde
SupplierAccountancyCode=Kontierungscode Lieferanten
CustomerAccountancyCodeShort=Buchh. Kunden-Konto
@@ -140,7 +140,7 @@ ConfirmDeleteSocialContribution=Möchten Sie diese Sozialabgaben-, oder Steuerza
ExportDataset_tax_1=Steuer- und Sozialabgaben und Zahlungen
CalcModeVATDebt=Modus %s USt. auf Engagement Rechnungslegung %s.
CalcModeVATEngagement=Modus %sTVA auf Einnahmen-Ausgaben%s.
-CalcModeDebt=Analyse der erfassten Rechnungen, auch wenn diese noch nicht Kontiert wurden
+CalcModeDebt=Analysis of known recorded documents even if they are not yet accounted in ledger.
CalcModeEngagement=Analyse der erfassten Zahlungen, auch wenn diese noch nicht Kontiert wurden
CalcModeBookkeeping=Analyse der in der Tabelle Buchhaltungs-Ledger protokollierten Daten.
CalcModeLT1= Modus %sRE auf Kundenrechnungen - Lieferantenrechnungen%s
@@ -154,9 +154,9 @@ AnnualSummaryInputOutputMode=Saldo der Erträge und Aufwendungen, Jahresübersic
AnnualByCompanies=Bilanz Ertrag/Aufwand, pro vordefinierten Kontogruppen
AnnualByCompaniesDueDebtMode=Die Ertrags-/Aufwands-Bilanz nach vordefinierten Gruppen, im Modus %sForderungen-Verbindlichkeiten%s meldet Kameralistik.
AnnualByCompaniesInputOutputMode=Die Ertrags-/Aufwands-Bilanz im Modus %sEinkünfte-Ausgaben%s meldet Ist-Besteuerung.
-SeeReportInInputOutputMode=Zeige %sZahlungsanalyse%s für die Berechnung der aktuellen Zahlungen auch wenn diese noch nicht ins Hauptbuch übernommen wurden.
-SeeReportInDueDebtMode=Zeige %sRechnungsanalyse%s für die Berechnung der aktuellen Rechnungen auch wenn diese noch nicht ins Hauptbuch übernommen wurden.
-SeeReportInBookkeepingMode=Siehe %sBuchungsreport%s für die Berechnung via Hauptbuch
+SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation based on recorded payments made even if they are not yet accounted in Ledger
+SeeReportInDueDebtMode=See %sanalysis of recorded documents%s for a calculation based on known recorded documents even if they are not yet accounted in Ledger
+SeeReportInBookkeepingMode=See %sanalysis of bookeeping ledger table%s for a report based on Bookkeeping Ledger table
RulesAmountWithTaxIncluded=- Angezeigte Beträge enthalten alle Steuern
RulesResultDue=- Es beinhaltet ausstehende Rechnungen, Ausgaben, Mehrwertsteuer, Spenden, ob sie bezahlt sind oder nicht. Es sind auch bezahlte Gehälter enthalten. - Es basiert auf dem Rechnungsdatum von Rechnungen und dem Fälligkeitsdatum für Ausgaben oder Steuerzahlungen. Für Gehälter, die mit dem Modul Gehalt definiert wurden, wird der Wert Datum der Zahlung verwendet.
RulesResultInOut=- Es sind nur tatsächliche Zahlungen für Rechnungen, Kostenabrechnungen, USt und Gehälter enthalten. - Bei Rechnungen, Kostenabrechnungen, USt und Gehälter gilt das Zahlugnsdatum. Bei Spenden gilt das Spendendatum.
@@ -169,12 +169,15 @@ RulesResultBookkeepingPersonalized=Zeigt die Buchungen im Hauptbuch mit Konten <
SeePageForSetup=Siehe Menü %s für die Einrichtung
DepositsAreNotIncluded=- Anzahlungsrechnungen sind nicht enthalten
DepositsAreIncluded=- Inklusive Anzahlungsrechnungen
+LT1ReportByMonth=Tax 2 report by month
+LT2ReportByMonth=Tax 3 report by month
LT1ReportByCustomers=Auswertung Steuer 2 pro Partner
LT2ReportByCustomers=Auswertung Steuer 3 pro Partner
LT1ReportByCustomersES=Bericht von Kunden RE
LT2ReportByCustomersES=Bericht von Partner EKSt.
VATReport=Umsatzsteuer Report
VATReportByPeriods=Umsatzsteuerauswertung pro Periode
+VATReportByMonth=Sale tax report by month
VATReportByRates=Umsatzsteuerauswertung pro Steuersatz
VATReportByThirdParties=Umsatzsteuerauswertung pro Partner
VATReportByCustomers=Umsatzsteuerauswertung pro Kunde
diff --git a/htdocs/langs/de_DE/cron.lang b/htdocs/langs/de_DE/cron.lang
index a2b7c2ffa51..134c7aaecc9 100644
--- a/htdocs/langs/de_DE/cron.lang
+++ b/htdocs/langs/de_DE/cron.lang
@@ -7,13 +7,14 @@ Permission23103 = Lösche geplanten Job
Permission23104 = Führe geplanten Job aus
# Admin
CronSetup=Jobverwaltungs-Konfiguration
-URLToLaunchCronJobs=URL zum Prüfen und Starten von speziellen Jobs
-OrToLaunchASpecificJob=Oder zum Prüfen und Starten von speziellen Jobs
+URLToLaunchCronJobs=URL to check and launch qualified cron jobs from a browser
+OrToLaunchASpecificJob=Or to check and launch a specific job from a browser
KeyForCronAccess=Sicherheitsschlüssel für URL zum Starten von Cronjobs
FileToLaunchCronJobs=Befehlszeile zum Überprüfen und Starten von qualifizierten Cron-Jobs
CronExplainHowToRunUnix=In Unix-Umgebung sollten Sie die folgenden crontab-Eintrag verwenden, um die Befehlszeile alle 5 Minuten ausführen
CronExplainHowToRunWin=In Microsoft™ Windows Umgebungen kannst Du die Aufgabenplanung benutzen, um die Kommandozeile alle 5 Minuten aufzurufen.
CronMethodDoesNotExists=Klasse %s enthält keine Methode %s
+CronMethodNotAllowed=Method %s of class %s is in blacklist of forbidden methods
CronJobDefDesc=Cron-Jobprofile sind in der Moduldeskriptordatei definiert. Wenn das Modul aktiviert ist, sind diese geladen und verfügbar, so dass Sie die Jobs über das Menü admin tools %s verwalten können.
CronJobProfiles=Liste vordefinierter Cron-Jobprofile
# Menu
@@ -46,6 +47,7 @@ CronNbRun=Anzahl Starts
CronMaxRun=Maximale Anzahl von Starts
CronEach=Jede
JobFinished=Job gestartet und beendet
+Scheduled=Scheduled
#Page card
CronAdd= Jobs hinzufügen
CronEvery=Jeden Job ausführen
@@ -56,7 +58,7 @@ CronNote=Kommentar
CronFieldMandatory=Feld %s ist zwingend nötig
CronErrEndDateStartDt=Enddatum kann nicht vor dem Startdatum liegen
StatusAtInstall=Status bei der Modulinstallation
-CronStatusActiveBtn=Aktivieren
+CronStatusActiveBtn=Schedule
CronStatusInactiveBtn=Deaktivieren
CronTaskInactive=Dieser Job ist deaktiviert
CronId=ID
@@ -82,3 +84,8 @@ MakeLocalDatabaseDumpShort=lokales Datenbankbackup
MakeLocalDatabaseDump=Erstellen Sie einen lokalen Datenbankspeicherauszug. Parameter sind: Komprimierung ('gz' oder 'bz' oder 'none'), Sicherungstyp ('mysql', 'pgsql', 'auto'), 1, 'auto' oder zu erstellender Dateiname, Anzahl der zu speichernden Sicherungsdateien
WarningCronDelayed=Bitte beachten: Aus Leistungsgründen können Ihre Jobs um bis zu %s Stunden verzögert werden, unabhängig vom nächsten Ausführungstermin.
DATAPOLICYJob=Datenbereiniger und Anonymisierer
+JobXMustBeEnabled=Job %s must be enabled
+# Cron Boxes
+LastExecutedScheduledJob=Last executed scheduled job
+NextScheduledJobExecute=Next scheduled job to execute
+NumberScheduledJobError=Number of scheduled jobs in error
diff --git a/htdocs/langs/de_DE/ecm.lang b/htdocs/langs/de_DE/ecm.lang
index 8dffa1f324e..ca982970c68 100644
--- a/htdocs/langs/de_DE/ecm.lang
+++ b/htdocs/langs/de_DE/ecm.lang
@@ -40,4 +40,4 @@ NoDirectoriesFound=Keine Verzeichnisse gefunden
FileNotYetIndexedInDatabase=Datei noch nicht in Datenbank indiziert (bitte Datei nochmals hochladen)
ExtraFieldsEcmFiles=Extrafields Ecm Files
ExtraFieldsEcmDirectories=Extrafields Ecm Directories
-ECMSetup=ECM Setup
+ECMSetup=DMS Einstellungen
diff --git a/htdocs/langs/de_DE/errors.lang b/htdocs/langs/de_DE/errors.lang
index 77988952bc9..dda5099960f 100644
--- a/htdocs/langs/de_DE/errors.lang
+++ b/htdocs/langs/de_DE/errors.lang
@@ -5,8 +5,10 @@ NoErrorCommitIsDone=Kein Fehler, Befehl wurde ausgeführt
# Errors
ErrorButCommitIsDone=Fehler aufgetreten, Freigabe erfolgt dennoch
ErrorBadEMail=Die E-Mail-Adresse %s ist nicht korrekt
+ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record)
ErrorBadUrl=URL %s ist nicht korrekt
ErrorBadValueForParamNotAString=Ungültiger Wert für Ihren Parameter. Normalerweise passiert das, wenn die Übersetzung fehlt.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorLoginAlreadyExists=Benutzername %s existiert bereits.
ErrorGroupAlreadyExists=Gruppe %s existiert bereits.
ErrorRecordNotFound=Eintrag wurde nicht gefunden.
@@ -48,6 +50,7 @@ ErrorFieldsRequired=Ein oder mehrere erforderliche Felder wurden nicht ausgefül
ErrorSubjectIsRequired=Der E-Mail-Betreff ist obligatorisch
ErrorFailedToCreateDir=Fehler beim Erstellen eines Verzeichnisses. Vergewissern Sie sich, dass der Webserver-Benutzer Schreibberechtigungen für das Dokumentverzeichnis des Systems besitzt. Bei aktiviertem safe_mode sollten die Systemdateien den Webserver-Benutzer oder die -Gruppe als Besitzer haben.
ErrorNoMailDefinedForThisUser=Für diesen Benutzer ist keine E-Mail-Adresse eingetragen.
+ErrorSetupOfEmailsNotComplete=Setup of emails is not complete
ErrorFeatureNeedJavascript=Diese Funktion erfordert aktiviertes JavaScript. Sie können dies unter Einstellungen-Anzeige ändern.
ErrorTopMenuMustHaveAParentWithId0=Ein Menü vom Typ 'Top' kann kein Eltern-Menü sein. Setzen Sie 0 als Eltern-Menü oder wählen Sie ein Menü vom Typ 'Links'.
ErrorLeftMenuMustHaveAParentId=Ein Menü vom Typ 'Links' erfordert einen Eltern-Menü ID.
@@ -75,7 +78,7 @@ ErrorExportDuplicateProfil=Dieser Profilname existiert bereits für dieses Expor
ErrorLDAPSetupNotComplete=Der LDAP-Abgleich für dieses System ist nicht vollständig eingerichtet.
ErrorLDAPMakeManualTest=Eine .ldif-Datei wurde im Verzeichnis %s erstellt. Laden Sie diese Datei von der Kommandozeile aus um mehr Informationen über Fehler zu erhalten.
ErrorCantSaveADoneUserWithZeroPercentage=Ereignisse können nicht mit Status "Nicht begonnen" gespeichert werden, wenn das Feld "Erledigt durch" ausgefüllt ist.
-ErrorRefAlreadyExists=Die Nr. für den Erstellungsvorgang ist bereits vergeben
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorPleaseTypeBankTransactionReportName=Geben Sie den Kontoauszug an, in dem die Zahlung enthalten ist (Format JJJJMM oder JJJJMMTT)
ErrorRecordHasChildren=Kann diesen Eintrag nicht löschen. Dieser Eintrag wird von mindestens einem untergeordneten Datensatz verwendet.
ErrorRecordHasAtLeastOneChildOfType=Objekt hat mindestens einen Untereintrag vom Typ %s
@@ -216,7 +219,7 @@ ErrorChooseBetweenFreeEntryOrPredefinedProduct=Sie müssen angeben ob der Artike
ErrorDiscountLargerThanRemainToPaySplitItBefore=Der Rabatt den Sie anwenden wollen ist grösser als der verbleibende Rechnungsbetrag. Teilen Sie den Rabatt in zwei kleinere Rabatte auf.
ErrorFileNotFoundWithSharedLink=Datei nicht gefunden. Eventuell wurde der Sharekey verändert oder die Datei wurde gelöscht.
ErrorProductBarCodeAlreadyExists=Der Produktbarcode %sexistiert schon bei einer anderen Produktreferenz
-ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Das verwenden von virtuellen Produkten welche den Lagerbestand von Unterprodukten verändern ist nicht möglich, wenn ein Unterprodukt (Oder Unter-Unterprodukt) eine Seriennummer oder Chargennummer benötigt.
+ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using kits to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number.
ErrorDescRequiredForFreeProductLines=Beschreibung ist erforderlich für freie Produkte
ErrorAPageWithThisNameOrAliasAlreadyExists=Die Seite/der Container %s hat denselben Namen oder alternativen Alias, den Sie verwenden möchten
ErrorDuringChartLoad=Fehler beim Laden des Kontenplans. Wenn einige Konten nicht geladen wurden, können Sie sie trotzdem manuell eingeben.
@@ -243,6 +246,16 @@ ErrorReplaceStringEmpty=Fehler: die zu ersetzende Zeichenfolge ist leer
ErrorProductNeedBatchNumber=Error, product '%s' need a lot/serial number
ErrorProductDoesNotNeedBatchNumber=Error, product '%s' does not accept a lot/serial number
ErrorFailedToReadObject=Error, failed to read object of type %s
+ErrorParameterMustBeEnabledToAllwoThisFeature=Error, parameter %s must be enabled into conf/conf.php to allow use of Command Line Interface by the internal job scheduler
+ErrorLoginDateValidity=Error, this login is outside the validity date range
+ErrorValueLength=Length of field '%s' must be higher than '%s'
+ErrorReservedKeyword=The word '%s' is a reserved keyword
+ErrorNotAvailableWithThisDistribution=Not available with this distribution
+ErrorPublicInterfaceNotEnabled=Öffentliche Schnittstelle wurde nicht aktiviert
+ErrorLanguageRequiredIfPageIsTranslationOfAnother=The language of new page must be defined if it is set as a translation of another page
+ErrorLanguageMustNotBeSourceLanguageIfPageIsTranslationOfAnother=The language of new page must not be the source language if it is set as a translation of another page
+ErrorAParameterIsRequiredForThisOperation=A parameter is mandatory for this operation
+
# Warnings
WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Ihr PHP Parameter upload_max_filesize (%s) ist größer als Parameter post_max_size (%s). Dies ist eine inkonsistente Einstellung.
WarningPasswordSetWithNoAccount=Es wurde ein Passwort für dieses Mitglied vergeben, aber kein Benutzer erstellt. Das Passwort wird gespeichert, aber kann nicht für die Anmeldung an Dolibarr verwendet werden. Es kann von einem externen Modul/einer Schnittstelle verwendet werden, aber wenn Sie kein Login oder Passwort für dieses Mitglied definiert müssen, können Sie die Option "Login für jedes Mitglied verwalten" in den Mitgliedseinstellungen deaktivieren. Wenn Sie ein Login aber kein Passwort benötige, lassen Sie dieses Feld leer, um diese Meldung zu deaktivieren. Anmerkung: Die E-Mail-Adresse kann auch zur Anmeldung verwendet werden, wenn das Mitglied mit einem Benutzer verbunden wird.
@@ -267,6 +280,10 @@ WarningYourLoginWasModifiedPleaseLogin=Ihr Login wurde verändert. Aus Sicherhei
WarningAnEntryAlreadyExistForTransKey=Eine Übersetzung für diesen Übersetzungsschlüssel existiert schon für diese Sprache
WarningNumberOfRecipientIsRestrictedInMassAction=Achtung, die Anzahl der verschiedenen Empfänger ist auf %s beschränkt, wenn Massenaktionen für Listen verwendet werden
WarningDateOfLineMustBeInExpenseReportRange=Das Datum dieser Positionszeile ist ausserhalb der Datumsspanne dieser Spesenabrechnung
+WarningProjectDraft=Project is still in draft mode. Don't forget to validate it if you plan to use tasks.
WarningProjectClosed=Projekt ist geschlossen. Sie müssen es zuerst wieder öffnen.
WarningSomeBankTransactionByChequeWereRemovedAfter=Einige Bank-Transaktionen wurden entfernt, nachdem der Kassenbon, der diese enthielt, erzeugt wurde. Daher wird sich die Anzahl der Checks und die Endsumme auf dem Kassenbon von der Anzahl und Endsumme in der Liste unterscheiden.
-WarningFailedToAddFileIntoDatabaseIndex=Warnung, Dateieintrag zur ECM-Datenbankindextabelle konnte nicht hinzugefügt werden.
+WarningFailedToAddFileIntoDatabaseIndex=Warning, failed to add file entry into ECM database index table
+WarningTheHiddenOptionIsOn=Warning, the hidden option %s is on.
+WarningCreateSubAccounts=Warning, you can't create directly a sub account, you must create a third party or an user and assign them an accounting code to find them in this list
+WarningAvailableOnlyForHTTPSServers=Available only if using HTTPS secured connection.
diff --git a/htdocs/langs/de_DE/exports.lang b/htdocs/langs/de_DE/exports.lang
index 972584e5da7..2aeaf6a36a0 100644
--- a/htdocs/langs/de_DE/exports.lang
+++ b/htdocs/langs/de_DE/exports.lang
@@ -133,3 +133,4 @@ KeysToUseForUpdates=Schlüssel (Spalte), der zum Aktualisieren der vorh
NbInsert=Anzahl eingefügter Zeilen: %s
NbUpdate=Anzahl geänderter Zeilen: %s
MultipleRecordFoundWithTheseFilters=Mehrere Ergebnisse wurden mit diesen Filtern gefunden: %s
+StocksWithBatch=Stocks and location (warehouse) of products with batch/serial number
diff --git a/htdocs/langs/de_DE/interventions.lang b/htdocs/langs/de_DE/interventions.lang
index ca931e06152..8e13ddb9d25 100644
--- a/htdocs/langs/de_DE/interventions.lang
+++ b/htdocs/langs/de_DE/interventions.lang
@@ -17,10 +17,10 @@ ModifyIntervention=Ändere Serviceauftrag
DeleteInterventionLine=Serviceauftragsposition löschen
ConfirmDeleteIntervention=Möchten Sie diesen Serviceauftrag wirklich löschen?
ConfirmValidateIntervention=Sind Sie sicher, dass Sie den Serviceauftrag %s freigeben wollen?
-ConfirmModifyIntervention=Möchten sie diesen Serviceauftrag wirklich ändern?
+ConfirmModifyIntervention=Möchten Sie diesen Serviceauftrag wirklich ändern?
ConfirmDeleteInterventionLine=Möchten Sie diese Vertragsposition wirklich löschen?
ConfirmCloneIntervention=Möchten Sie diesen Serviceauftrag wirklich duplizieren?
-NameAndSignatureOfInternalContact=Name und Unterschrift des Mitarbeiter:
+NameAndSignatureOfInternalContact=Name und Unterschrift des Mitarbeiters:
NameAndSignatureOfExternalContact=Name und Unterschrift des Kunden:
DocumentModelStandard=Standard-Dokumentvorlage für Serviceaufträge
InterventionCardsAndInterventionLines=Serviceaufträge und Serviceauftragspositionen
@@ -64,3 +64,5 @@ InterLineDuration=Serviceauftragsposition Dauer
InterLineDesc=Serviceauftragsposition Beschreibung
RepeatableIntervention=Vorlage der Intervention
ToCreateAPredefinedIntervention=Für eine vordefinierte oder wiederkehrende Intervention erstellen Sie zunächst eine gemeinsame Intervention und konvertieren diese dann in eine Vorlage
+Reopen=entwerfen
+ConfirmReopenIntervention=Are you sure you want to open back the intervention %s?
diff --git a/htdocs/langs/de_DE/mails.lang b/htdocs/langs/de_DE/mails.lang
index 413cb8e07f1..0fce6b642ae 100644
--- a/htdocs/langs/de_DE/mails.lang
+++ b/htdocs/langs/de_DE/mails.lang
@@ -92,6 +92,7 @@ MailingModuleDescEmailsFromUser=E-Mail-Adresse durch manuelle Eingabe hinzufüge
MailingModuleDescDolibarrUsers=Benutzer mit E-Mail-Adresse
MailingModuleDescThirdPartiesByCategories=Partner (nach Kategorien)
SendingFromWebInterfaceIsNotAllowed=Versand vom Webinterface ist nicht erlaubt
+EmailCollectorFilterDesc=All filters must match to have an email being collected
# Libelle des modules de liste de destinataires mailing
LineInFile=Zeile %s in der Datei
@@ -125,12 +126,13 @@ TagMailtoEmail=Empfänger E-Mail (beinhaltet html "mailto:" link)
NoEmailSentBadSenderOrRecipientEmail=Kein E-Mail gesendet. Ungültige Absender- oder Empfängeradresse. Benutzerprofil kontrollieren.
# Module Notifications
Notifications=Benachrichtigungen
-NoNotificationsWillBeSent=Für dieses Ereignis und diesen Partner sind keine Benachrichtigungen geplant
-ANotificationsWillBeSent=Eine Benachrichtigung wird per E-Mail versendet.
-SomeNotificationsWillBeSent=%s Benachrichtigungen werden per E-Mail versendet.
-AddNewNotification=Neues E-Mail-Benachrichtigungsziel-Event aktivieren
-ListOfActiveNotifications=Liste aller aktiven Empänger/Events für E-Mail Benachrichtigungen
-ListOfNotificationsDone=Liste aller versendeten E-Mail-Benachrichtigungen
+NotificationsAuto=Notifications Auto.
+NoNotificationsWillBeSent=No automatic email notifications are planned for this event type and company
+ANotificationsWillBeSent=1 automatic notification will be sent by email
+SomeNotificationsWillBeSent=%s automatic notifications will be sent by email
+AddNewNotification=Subscribe to a new automatic email notification (target/event)
+ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification
+ListOfNotificationsDone=List all automatic email notifications sent
MailSendSetupIs=Der E-Mail-Versand wurde auf '%s' konfiguriert. Dieser Modus kann nicht für E-Mail-Kampagnen verwendet werden.
MailSendSetupIs2=Sie müssen zuerst mit einem Admin-Konto im Menü %sStart - Einstellungen - E-Mails%s den Parameter '%s' auf den Modus '%s' ändern. Dann können Sie die Daten des SMTP-Servers von Ihrem Internetdienstanbieter eingeben und die E-Mail-Kampagnen-Funktion nutzen.
MailSendSetupIs3=Bei Fragen über die Einrichtung Ihres SMTP-Servers, können Sie %s fragen.
@@ -140,7 +142,7 @@ UseFormatFileEmailToTarget=Die importierte Datei muss im folgenden Format vorlie
UseFormatInputEmailToTarget=Geben Sie eine Zeichenkette im Format E-Mail-Adresse;Nachname;Vorname;Zusatzinformationen ein
MailAdvTargetRecipients=Empfänger (Erweitere Selektion)
AdvTgtTitle=Füllen Sie die Eingabefelder zur Vorauswahl der Partner- oder Kontakt- / Adressen - Empänger
-AdvTgtSearchTextHelp=Verwenden Sie %% als Platzhalter. Um beispielsweise alle Elemente wie jean, joe, jim zu finden, können Sie auch j%% eingeben. als Trennzeichen für Wert und Verwendung! für außer diesem Wert. Beispiel: jean; joe; jim%%;! Jimo;! Jima% zielt auf alle jean, joe, beginnt mit jim, aber nicht mit jimo und nicht auf alles, was mit jima beginnt
+AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima%% will target all jean, joe, start with jim but not jimo and not everything that starts with jima
AdvTgtSearchIntHelp=Intervall verwenden um eine Integer oder Fliesskommazahl auszuwählen
AdvTgtMinVal=Mindestwert
AdvTgtMaxVal=Maximalwert
@@ -162,13 +164,14 @@ AdvTgtCreateFilter=Filter erstellen
AdvTgtOrCreateNewFilter=Name des neuen Filters
NoContactWithCategoryFound=Kein Kontakt/Adresse mit einer Kategorie gefunden
NoContactLinkedToThirdpartieWithCategoryFound=Kein Kontakt/Adresse mit einer Kategorie gefunden
-OutGoingEmailSetup=Postausgang
-InGoingEmailSetup=Posteingang
-OutGoingEmailSetupForEmailing=Einrichtung ausgehender E-Mails (für Modul %s)
-DefaultOutgoingEmailSetup=Standardeinstellungen für ausgehende E-Mails
+OutGoingEmailSetup=Outgoing emails
+InGoingEmailSetup=Incoming emails
+OutGoingEmailSetupForEmailing=Outgoing emails (for module %s)
+DefaultOutgoingEmailSetup=Same configuration than the global Outgoing email setup
Information=Information
ContactsWithThirdpartyFilter=Kontakte mit Drittanbieter-Filter
Unanswered=Unanswered
Answered=Beantwortet
IsNotAnAnswer=Is not answer (initial email)
IsAnAnswer=Is an answer of an initial email
+RecordCreatedByEmailCollector=Record created by the Email Collector %s from email %s
diff --git a/htdocs/langs/de_DE/main.lang b/htdocs/langs/de_DE/main.lang
index 12b4dd65964..15d7fd40d5c 100644
--- a/htdocs/langs/de_DE/main.lang
+++ b/htdocs/langs/de_DE/main.lang
@@ -28,7 +28,9 @@ NoTemplateDefined=Für diesen E-Mail-Typ ist keine Vorlage verfügbar
AvailableVariables=verfügbare Variablen
NoTranslation=Keine Übersetzung
Translation=Übersetzung
+CurrentTimeZone=Aktuelle Zeitzone des PHP-Servers
EmptySearchString=Keine leeren Suchkriterien eingeben
+EnterADateCriteria=Enter a date criteria
NoRecordFound=Keinen Eintrag gefunden
NoRecordDeleted=Keine Datensätze gelöscht
NotEnoughDataYet=nicht genügend Daten
@@ -85,6 +87,8 @@ FileWasNotUploaded=Ein Dateianhang wurde gewählt aber noch nicht hochgeladen. K
NbOfEntries=Anz. an Einträgen
GoToWikiHelpPage=Onlinehilfe lesen (Internetzugang notwendig)
GoToHelpPage=Hilfe lesen
+DedicatedPageAvailable=There is a dedicated help page related to your current screen
+HomePage=Startseite
RecordSaved=Eintrag gespeichert
RecordDeleted=Eintrag gelöscht
RecordGenerated=Eintrag erzeugt
@@ -433,6 +437,7 @@ RemainToPay=noch offen
Module=Module / Anwendungen
Modules=Module / Anwendungen
Option=Option
+Filters=Filters
List=Liste
FullList=Vollständige Liste
FullConversation=Ganzes Gespräch
@@ -671,7 +676,7 @@ SendMail=E-Mail versenden
Email=E-Mail
NoEMail=Keine E-Mail-Adresse(n) vorhanden
AlreadyRead=Bereits gelesen
-NotRead=Nicht gelesen
+NotRead=Ungelesen
NoMobilePhone=Kein Handy
Owner=Eigentümer
FollowingConstantsWillBeSubstituted=Nachfolgende Konstanten werden durch entsprechende Werte ersetzt.
@@ -1107,3 +1112,8 @@ UpToDate=Up-to-date
OutOfDate=Out-of-date
EventReminder=Ereignis-Erinnerung
UpdateForAllLines=Update for all lines
+OnHold=angehalten
+AffectTag=Affect Tag
+ConfirmAffectTag=Bulk Tag Affect
+ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected record(s)?
+CategTypeNotFound=No tag type found for type of records
diff --git a/htdocs/langs/de_DE/modulebuilder.lang b/htdocs/langs/de_DE/modulebuilder.lang
index 04d3f86d971..4d101f691b4 100644
--- a/htdocs/langs/de_DE/modulebuilder.lang
+++ b/htdocs/langs/de_DE/modulebuilder.lang
@@ -40,6 +40,7 @@ PageForCreateEditView=PHP page to create/edit/view a record
PageForAgendaTab=PHP page for event tab
PageForDocumentTab=PHP page for document tab
PageForNoteTab=PHP page for note tab
+PageForContactTab=PHP page for contact tab
PathToModulePackage=Pfad des zu komprimierenden Moduls/Anwendungspakets
PathToModuleDocumentation=Pfad zur Datei der Modul- / Anwendungsdokumentation (%s)
SpaceOrSpecialCharAreNotAllowed=Leer- oder Sonderzeichen sind nicht erlaubt.
@@ -77,7 +78,7 @@ IsAMeasure=Ist eine Maßnahme
DirScanned=Verzeichnis gescannt
NoTrigger=Kein Trigger
NoWidget=Kein Widget
-GoToApiExplorer=Gehe zum API Explorer
+GoToApiExplorer=API explorer
ListOfMenusEntries=Liste der Menüeinträge
ListOfDictionariesEntries=Liste der Wörterbucheinträge
ListOfPermissionsDefined=Liste der definierten Berechtigungen
@@ -105,7 +106,7 @@ TryToUseTheModuleBuilder=Sind Kenntnisse in SQL und PHP vorhanden, können Sie d
SeeTopRightMenu=Siehe im Menü Oben Rechts
AddLanguageFile=Sprachdatei hinzufügen
YouCanUseTranslationKey=You can use here a key that is the translation key found into language file (see tab "Languages")
-DropTableIfEmpty=(Tabelle löschen wenn leer)
+DropTableIfEmpty=(Destroy table if empty)
TableDoesNotExists=Die Tabelle %s existiert nicht
TableDropped=Tabelle %s gelöscht
InitStructureFromExistingTable=Erstelle die Struktur-Array-Zeichenfolge einer vorhandenen Tabelle
@@ -126,7 +127,6 @@ UseSpecificEditorURL = Verwenden Sie eine bestimmte Editor-URL
UseSpecificFamily = Verwenden Sie eine bestimmte Familie
UseSpecificAuthor = Verwenden Sie einen bestimmten Autor
UseSpecificVersion = Verwenden Sie eine bestimmte Anfangsversion
-ModuleMustBeEnabled=Das Modul / die Anwendung muss zuerst aktiviert werden
IncludeRefGeneration=Die Objektreferen muss automatisch generiert werden
IncludeRefGenerationHelp=Aktivieren Sie diese Option, wenn Sie Code einschließen möchten, um die Generierung der Referenz automatisch zu verwalten
IncludeDocGeneration=Ich möchte einige Dokumente aus dem Objekt generieren
@@ -140,3 +140,4 @@ TypeOfFieldsHelp=Feldtypen: varchar(99), double(24,8), real, text, html, date
AsciiToHtmlConverter=Ascii zu HTML Konverter
AsciiToPdfConverter=Ascii zu PDF Konverter
TableNotEmptyDropCanceled=Tabelle nicht leer. Löschen wurde abgebrochen.
+ModuleBuilderNotAllowed=The module builder is available but not allowed to your user.
diff --git a/htdocs/langs/de_DE/other.lang b/htdocs/langs/de_DE/other.lang
index 49c7e511d24..6998d27f784 100644
--- a/htdocs/langs/de_DE/other.lang
+++ b/htdocs/langs/de_DE/other.lang
@@ -5,8 +5,6 @@ Tools=Hilfsprogramme
TMenuTools=Hilfsprogramme
ToolsDesc=Hier finden Sie weitere Hilfsprogramme, die keinem anderem Menüeintrag zugeordnet werden können. Diese Hilfsprogramme können über das linke Menü aufgerufen werden.
Birthday=Geburtstag
-BirthdayDate=Geburtstag
-DateToBirth=Geburtsdatum
BirthdayAlertOn=Geburtstagserinnerung EIN
BirthdayAlertOff=Geburtstagserinnerung AUS
TransKey=Übersetzung des Schlüssels TransKey
@@ -16,6 +14,8 @@ PreviousMonthOfInvoice=Vorangehender Monat (1-12) des Rechnungsdatums
TextPreviousMonthOfInvoice=Vorangehender Monat (Text) des Rechnungsdatums
NextMonthOfInvoice=Folgender Monat (1-12) des Rechnungsdatums
TextNextMonthOfInvoice=Folgender Monat (1-12) des Rechnungsdatum
+PreviousMonth=Previous month
+CurrentMonth=Current month
ZipFileGeneratedInto=ZIP-Datei erstellt in %s.
DocFileGeneratedInto=Doc Datei in %s generiert.
JumpToLogin=Abgemeldet. Zur Anmeldeseite...
@@ -99,6 +99,7 @@ PredefinedMailContentSendShipping=__(Hallo)__\n\nAls Anlage erhalten Sie unsere
PredefinedMailContentSendFichInter=__(Hallo)__\n\nBitte finden Sie den Serviceauftrag __REF__ im Anhang\n\n\n__(Mit freundlichen Grüßen)__\n\n__USER_SIGNATURE__
PredefinedMailContentLink=Sie können den folgenden Link anklicken um die Zahlung auszuführen, falls sie noch nicht getätigt wurde.\n\n%s\n\n
PredefinedMailContentGeneric=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
+PredefinedMailContentSendActionComm=Event reminder "__EVENT_LABEL__" on __EVENT_DATE__ at __EVENT_TIME__
This is an automatic message, please do not reply.
DemoDesc=Dolibarr ist eine Management-Software die mehrere Business-Module anbietet. Eine Demo, die alle Module beinhaltet ist nicht sinnvoll , weil der Fall nie existiert (Hunderte von verfügbaren Module). Es stehen auch einige Demo-Profile Typen zur Verfügung.
ChooseYourDemoProfil=Bitte wählen Sie das Demo-Profil das Ihrem Anwendgsfall am ehesten entspricht
ChooseYourDemoProfilMore=...oder bauen Sie Ihr eigenes Profil (manuelle Auswahl der Module)
@@ -258,6 +259,7 @@ ContactCreatedByEmailCollector=Kontakt / Adresse durch das Modul E-Mail-Sammler
ProjectCreatedByEmailCollector=Projekt durch das Modul E-Mail-Sammler aus der E-Mail erstellt. MSGID %s
TicketCreatedByEmailCollector=Ticket durch das Modul E-Mail-Sammler aus der E-Mail erstellt. MSGID %s
OpeningHoursFormatDesc=Benutze unterschiedliche von - bis Öffnungs- und Schließzeiten. Leerzeichen trennt unterschiedliche Bereiche. Beispiel: 8-12 14-18
+PrefixSession=Prefix for session ID
##### Export #####
ExportsArea=Exportübersicht
diff --git a/htdocs/langs/de_DE/products.lang b/htdocs/langs/de_DE/products.lang
index fca33bebb23..75344418352 100644
--- a/htdocs/langs/de_DE/products.lang
+++ b/htdocs/langs/de_DE/products.lang
@@ -108,7 +108,8 @@ FillWithLastServiceDates=Fill with last service line dates
MultiPricesAbility=Mehrere Preissegmente pro Produkt / Dienstleistung (jeder Kunde befindet sich in einem Preissegment)
MultiPricesNumPrices=Anzahl Preise
DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices
-AssociatedProductsAbility=Activate kits (virtual products)
+AssociatedProductsAbility=Enable Kits (set of other products)
+VariantsAbility=Enable Variants (variations of products, for example color, size)
AssociatedProducts=Kits
AssociatedProductsNumber=Number of products composing this kit
ParentProductsNumber=Anzahl der übergeordneten Produkte
@@ -167,8 +168,10 @@ BuyingPrices=Einkaufspreis
CustomerPrices=Kundenpreise
SuppliersPrices=Lieferanten Preise
SuppliersPricesOfProductsOrServices=Herstellerpreise (von Produkten oder Dienstleistungen)
-CustomCode=Zolltarifnummer
+CustomCode=Customs|Commodity|HS code
CountryOrigin=Urspungsland
+RegionStateOrigin=Region origin
+StateOrigin=State|Province origin
Nature=Produkttyp (Material / Fertig)
NatureOfProductShort=Art des Produkts
NatureOfProductDesc=Rohstoff oder Fertigprodukt
@@ -239,7 +242,7 @@ AlwaysUseFixedPrice=Festen Preis nutzen
PriceByQuantity=Unterschiedliche Preise nach Menge
DisablePriceByQty=Preise nach Menge ausschalten
PriceByQuantityRange=Bereich der Menge
-MultipriceRules=Regeln der Preisstufen
+MultipriceRules=Automatic prices for segment
UseMultipriceRules=Verwenden Sie die im Produktmodul-Setup definierten Preissegmentregeln, um automatisch die Preise aller anderen Segmente gemäß dem ersten Segment zu berechnen
PercentVariationOver=%% Veränderung über %s
PercentDiscountOver=%% Nachlass über %s
@@ -289,7 +292,7 @@ PriceNumeric=Nummer
DefaultPrice=Standardpreis
DefaultPriceLog=Log of previous default prices
ComposedProductIncDecStock=Erhöhen/Verringern des Lagerbestands bei verknüpften Produkten
-ComposedProduct=Kinderprodukte
+ComposedProduct=Unterprodukte
MinSupplierPrice=Minimaler Kaufpreis
MinCustomerPrice=Minimaler Verkaufspreis
DynamicPriceConfiguration=Dynamische Preis Konfiguration
diff --git a/htdocs/langs/de_DE/recruitment.lang b/htdocs/langs/de_DE/recruitment.lang
index f7bd9daa1bd..eac81d9fadc 100644
--- a/htdocs/langs/de_DE/recruitment.lang
+++ b/htdocs/langs/de_DE/recruitment.lang
@@ -73,3 +73,4 @@ JobClosedTextCandidateFound=The job position is closed. The position has been fi
JobClosedTextCanceled=The job position is closed.
ExtrafieldsJobPosition=Complementary attributes (job positions)
ExtrafieldsCandidatures=Complementary attributes (job applications)
+MakeOffer=Make an offer
diff --git a/htdocs/langs/de_DE/sendings.lang b/htdocs/langs/de_DE/sendings.lang
index 71c8092fb07..f4eadf44997 100644
--- a/htdocs/langs/de_DE/sendings.lang
+++ b/htdocs/langs/de_DE/sendings.lang
@@ -20,7 +20,7 @@ CreateShipment=Auslieferung erstellen
QtyShipped=Liefermenge
QtyShippedShort=Gelieferte Menge
QtyPreparedOrShipped=Menge vorbereitet oder versendet
-QtyToShip=Versandmenge
+QtyToShip=Liefermenge
QtyToReceive=Menge zu erhalten
QtyReceived=Erhaltene Menge
QtyInOtherShipments=Menge in anderen Lieferungen
@@ -30,16 +30,17 @@ OtherSendingsForSameOrder=Weitere Lieferungen zu dieser Bestellung
SendingsAndReceivingForSameOrder=Warenerhalt und Versand dieser Bestellung
SendingsToValidate=Freizugebende Auslieferungen
StatusSendingCanceled=Storniert
+StatusSendingCanceledShort=storniert
StatusSendingDraft=Entwurf
StatusSendingValidated=Freigegeben (Artikel versandfertig oder bereits versandt)
-StatusSendingProcessed=Verarbeitete
+StatusSendingProcessed=Erledigt
StatusSendingDraftShort=Entwurf
StatusSendingValidatedShort=Freigegeben
-StatusSendingProcessedShort=Fertig
+StatusSendingProcessedShort=Erledigt
SendingSheet=Lieferschein
-ConfirmDeleteSending=Möchten Sie diesen Versand wirklich löschen?
-ConfirmValidateSending=Möchten Sie diesen Versand mit der Referenz %s wirklich freigeben?
-ConfirmCancelSending=Möchten Sie diesen Versand wirklich abbrechen?
+ConfirmDeleteSending=Möchten Sie diese Lieferung wirklich löschen?
+ConfirmValidateSending=Möchten Sie die Lieferung mit der Referenz %s wirklich freigeben?
+ConfirmCancelSending=Möchten Sie diese Auslieferung wirklich abbrechen?
DocumentModelMerou=Merou A5-Modell
WarningNoQtyLeftToSend=Achtung, keine weiteren Produkte für den Versand.
StatsOnShipmentsOnlyValidated=Versandstatistik (nur freigegebene). Das Datum ist das der Freigabe (geplantes Lieferdatum ist nicht immer bekannt).
@@ -65,6 +66,7 @@ ValidateOrderFirstBeforeShipment=Sie müssen den Auftrag erst bestätigen bevor
# Sending methods
# ModelDocument
DocumentModelTyphon=Vollständig Dokumentvorlage für die Lieferscheine (Logo, ...)
+DocumentModelStorm=More complete document model for delivery receipts and extrafields compatibility (logo...)
Error_EXPEDITION_ADDON_NUMBER_NotDefined=Konstante EXPEDITION_ADDON_NUMBER nicht definiert
SumOfProductVolumes=Summe der Produktvolumen
SumOfProductWeights=Summe der Produktgewichte
diff --git a/htdocs/langs/de_DE/stocks.lang b/htdocs/langs/de_DE/stocks.lang
index 9361b1582d6..eb423e561ad 100644
--- a/htdocs/langs/de_DE/stocks.lang
+++ b/htdocs/langs/de_DE/stocks.lang
@@ -240,3 +240,4 @@ InventoryRealQtyHelp=Set value to 0 to reset qty Keep field empty, or remove
UpdateByScaning=Update durch Scannen
UpdateByScaningProductBarcode=Update by scan (product barcode)
UpdateByScaningLot=Update by scan (lot|serial barcode)
+DisableStockChangeOfSubProduct=Deactivate the stock change for all the subproducts of this Kit during this movement.
diff --git a/htdocs/langs/de_DE/ticket.lang b/htdocs/langs/de_DE/ticket.lang
index 697e9678441..a86ee0f403d 100644
--- a/htdocs/langs/de_DE/ticket.lang
+++ b/htdocs/langs/de_DE/ticket.lang
@@ -31,10 +31,8 @@ TicketDictType=Ticket-Typ
TicketDictCategory=Ticket-Kategorien
TicketDictSeverity=Ticket-Dringlichkeiten
TicketDictResolution=Ticket-Auflösung
-TicketTypeShortBUGSOFT=Softwarefehler
-TicketTypeShortBUGHARD=Hardwarefehler
-TicketTypeShortCOM=Anfrage an Verkauf
+TicketTypeShortCOM=Anfrage an Verkauf
TicketTypeShortHELP=Erbitte funktionale Hilfestellung
TicketTypeShortISSUE=Aspekt, Fehler oder Problem
TicketTypeShortREQUEST=Änderungs- oder Erweiterungsanforderung
@@ -44,7 +42,7 @@ TicketTypeShortOTHER=Sonstige
TicketSeverityShortLOW=Niedrig
TicketSeverityShortNORMAL=Normal
TicketSeverityShortHIGH=Hoch
-TicketSeverityShortBLOCKING=Kritisch/Blockierend
+TicketSeverityShortBLOCKING=Critical, Blocking
ErrorBadEmailAddress=Feld '%s' ungültig
MenuTicketMyAssign=Meine Tickets
@@ -60,7 +58,6 @@ OriginEmail=E-Mail Absender
Notify_TICKET_SENTBYMAIL=Ticket Nachricht per E-Mail versenden
# Status
-NotRead=Nicht gelesen
Read=Lesen
Assigned=Zugewiesen
InProgress=in Bearbeitung
@@ -126,6 +123,7 @@ TicketsActivatePublicInterfaceHelp=Mit dem öffentlichen Interface können alle
TicketsAutoAssignTicket=Den Ersteller automatisch dem Ticket zuweisen
TicketsAutoAssignTicketHelp=Wenn ein Ticket erstellt wird, kann der Ersteller automatisch dem Ticket zugewiesen werden.
TicketNumberingModules=Ticketnummerierungsmodul
+TicketsModelModule=Document templates for tickets
TicketNotifyTiersAtCreation=Partner über Ticketerstellung informieren
TicketsDisableCustomerEmail=E-Mails immer deaktivieren, wenn ein Ticket über die öffentliche Oberfläche erstellt wird
TicketsPublicNotificationNewMessage=Senden Sie E-Mails, wenn eine neue Nachricht hinzugefügt wird
@@ -233,7 +231,6 @@ TicketLogStatusChanged=Status von %s zu %s geändert
TicketNotNotifyTiersAtCreate=Firma bei Erstellen nicht Benachrichtigen
Unread=Ungelesen
TicketNotCreatedFromPublicInterface=Nicht verfügbar. Ticket wurde nicht über die öffentliche Schnittstelle erstellt.
-PublicInterfaceNotEnabled=Öffentliche Schnittstelle wurde nicht aktiviert
ErrorTicketRefRequired=Ein Ticket-Betreff ist erforderlich
#
diff --git a/htdocs/langs/de_DE/website.lang b/htdocs/langs/de_DE/website.lang
index 2170414d12f..51e046e1b72 100644
--- a/htdocs/langs/de_DE/website.lang
+++ b/htdocs/langs/de_DE/website.lang
@@ -30,7 +30,6 @@ EditInLine=Direktes bearbeiten
AddWebsite=Website hinzufügen
Webpage=Webseite / Container
AddPage=Seite / Container hinzufügen
-HomePage=Startseite
PageContainer=Seite
PreviewOfSiteNotYetAvailable=Vorschau ihrer Webseite %s noch nicht verfügbar. Zuerst muss eine 'Webseiten-Vorlage importiert' oder 'Seite / Container hinzugefügt' werden.
RequestedPageHasNoContentYet=Die Seite mit id %s hat keinen Inhalt oder die Cachedatei .tpl.php wurde gelöscht. Editieren Sie den Inhalt der Seite um das Problem zu lösen.
@@ -101,7 +100,7 @@ EmptyPage=Leere Seite
ExternalURLMustStartWithHttp=Externe URL muss mit http:// oder https:// beginnen
ZipOfWebsitePackageToImport=Laden Sie die Zip-Datei der Websseiten-Vorlage hoch
ZipOfWebsitePackageToLoad=oder wählen Sie eine verfügbare eingebettete Webseiten-Vorlage
-ShowSubcontainers=Dynamische Inhalte einfügen
+ShowSubcontainers=Show dynamic content
InternalURLOfPage=Interne URL der Seite
ThisPageIsTranslationOf=Diese Seite/Container ist eine Übersetzung von
ThisPageHasTranslationPages=Es existieren Übersetzungen dieser Seite/Containers
@@ -137,3 +136,4 @@ RSSFeedDesc=Über diese URL können Sie einen RSS-Feed mit den neuesten Artikeln
PagesRegenerated=%s Seite(n) / Container neu generiert
RegenerateWebsiteContent=Regenerate web site cache files
AllowedInFrames=Allowed in Frames
+DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languages into web site properties.
diff --git a/htdocs/langs/de_DE/withdrawals.lang b/htdocs/langs/de_DE/withdrawals.lang
index 8ed5c2711fc..36984885427 100644
--- a/htdocs/langs/de_DE/withdrawals.lang
+++ b/htdocs/langs/de_DE/withdrawals.lang
@@ -42,6 +42,7 @@ LastWithdrawalReceipt=Letzte 1%s Einnahmen per Lastschrift
MakeWithdrawRequest=Erstelle eine Lastschrift
MakeBankTransferOrder=Make a credit transfer request
WithdrawRequestsDone=%s Lastschrift-Zahlungsaufforderungen aufgezeichnet
+BankTransferRequestsDone=%s credit transfer requests recorded
ThirdPartyBankCode=Bankcode Geschäftspartner
NoInvoiceCouldBeWithdrawed=Keine Rechnung mit Erfolg eingezogen. Überprüfen Sie, ob die Rechnungen auf Unternehmen mit einer gültigen IBAN Nummer verweisen und die IBAN Nummer eine eindeutige Mandatsreferenz besitzt %s.
ClassCredited=Als eingegangen markieren
@@ -131,7 +132,8 @@ SEPARCUR=SEPA CUR
SEPAFRST=SEPA FRST
ExecutionDate=Ausführungsdatum
CreateForSepa=Erstellen Sie eine Lastschriftdatei
-ICS=Gläubigeridentifikator CI
+ICS=Creditor Identifier CI for direct debit
+ICSTransfer=Creditor Identifier CI for bank transfer
END_TO_END="Ende-zu-Ende" SEPA-XML-Tag - Eindeutige ID, die pro Transaktion zugewiesen wird
USTRD="Unstrukturiertes" SEPA-XML-Tag
ADDDAYS=Füge Tage zum Abbuchungsdatum hinzu
@@ -146,3 +148,4 @@ InfoRejectSubject=Lastschriftauftrag abgelehnt
InfoRejectMessage=Hallo,
der Lastschrift-Zahlungsauftrag der Rechnung %s im Zusammenhang mit dem Unternehmen %s, mit einem Betrag von %s wurde von der Bank abgelehnt -- %s
ModeWarning=Echtzeit-Modus wurde nicht aktiviert, wir stoppen nach der Simulation.
ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know wich one to use.
+ErrorICSmissing=Missing ICS in Bank account %s
diff --git a/htdocs/langs/el_CY/products.lang b/htdocs/langs/el_CY/products.lang
deleted file mode 100644
index 6e900475275..00000000000
--- a/htdocs/langs/el_CY/products.lang
+++ /dev/null
@@ -1,2 +0,0 @@
-# Dolibarr language file - Source file is en_US - products
-CustomCode=Customs / Commodity / HS code
diff --git a/htdocs/langs/el_GR/accountancy.lang b/htdocs/langs/el_GR/accountancy.lang
index 1189c759ce7..c4bf9b28db7 100644
--- a/htdocs/langs/el_GR/accountancy.lang
+++ b/htdocs/langs/el_GR/accountancy.lang
@@ -48,6 +48,7 @@ CountriesExceptMe=Όλες οι χώρες εκτός από το %s
AccountantFiles=Export source documents
ExportAccountingSourceDocHelp=With this tool, you can export the source events (list and PDFs) that were used to generate your accountancy. To export your journals, use the menu entry %s - %s.
VueByAccountAccounting=View by accounting account
+VueBySubAccountAccounting=View by accounting subaccount
MainAccountForCustomersNotDefined=Κύριος λογαριασμός λογιστικής για πελάτες που δεν έχουν οριστεί στη ρύθμιση
MainAccountForSuppliersNotDefined=Κύριος λογαριασμός λογιστικής για προμηθευτές που δεν καθορίζονται στη ρύθμιση
@@ -144,7 +145,7 @@ NotVentilatedinAccount=Δεν δεσμεύεται στον λογαριασμό
XLineSuccessfullyBinded=%s προϊόντα / υπηρεσίες με επιτυχία δεσμεύεται σε λογιστικό λογαριασμό
XLineFailedToBeBinded=%s προϊόντα / υπηρεσίες δεν δεσμεύονται σε κανένα λογιστικό λογαριασμό
-ACCOUNTING_LIMIT_LIST_VENTILATION=Αριθμός στοιχείων που δεσμεύονται με τη σελίδα (μέγιστη συνιστώμενη τιμή: 50)
+ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50)
ACCOUNTING_LIST_SORT_VENTILATION_TODO=Ξεκινήστε τη διαλογή της σελίδας "Δεσμευτική ενέργεια" από τα πιο πρόσφατα στοιχεία
ACCOUNTING_LIST_SORT_VENTILATION_DONE=Ξεκινήστε τη διαλογή της σελίδας "Δεσμευτική πραγματοποίηση" από τα πιο πρόσφατα στοιχεία
@@ -198,7 +199,8 @@ Docdate=Ημερομηνία
Docref=Παραπομπή
LabelAccount=Ετικέτα λογαριασμού
LabelOperation=Λειτουργία ετικετών
-Sens=Σημασία
+Sens=Direction
+AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received For an accounting account of a supplier, use Debit to record a payment you make
LetteringCode=Κωδικός γράμματος
Lettering=Γράμματα
Codejournal=Ημερολόγιο
@@ -206,7 +208,8 @@ JournalLabel=Ετικέτα περιοδικών
NumPiece=Αριθμός τεμαχίου
TransactionNumShort=Αριθ. συναλλαγή
AccountingCategory=Προσωποποιημένες ομάδες
-GroupByAccountAccounting=Ομαδοποίηση κατά λογιστικό λογαριασμό
+GroupByAccountAccounting=Group by general ledger account
+GroupBySubAccountAccounting=Group by subledger account
AccountingAccountGroupsDesc=Μπορείτε να ορίσετε εδώ ορισμένες ομάδες λογιστικού λογαριασμού. Θα χρησιμοποιηθούν για εξατομικευμένες λογιστικές εκθέσεις.
ByAccounts=Με λογαριασμούς
ByPredefinedAccountGroups=Με προκαθορισμένες ομάδες
@@ -248,7 +251,7 @@ PaymentsNotLinkedToProduct=Πληρωμή που δεν συνδέεται με
OpeningBalance=Opening balance
ShowOpeningBalance=Εμφάνιση αρχικού υπολοίπου
HideOpeningBalance=Κρύψιμο αρχικού υπολοίπου
-ShowSubtotalByGroup=Show subtotal by group
+ShowSubtotalByGroup=Show subtotal by level
Pcgtype=Ομάδα του λογαριασμού
PcgtypeDesc=Η ομάδα λογαριασμού χρησιμοποιείται ως προκαθορισμένα κριτήρια «φίλτρου» και «ομαδοποίησης» για ορισμένες λογιστικές αναφορές. Για παράδειγμα, τα «ΕΙΣΟΔΗΜΑ» ή «ΕΞΟΔΑ» χρησιμοποιούνται ως ομάδες λογιστικών λογαριασμών προϊόντων για τη δημιουργία της αναφοράς εξόδων / εσόδων.
@@ -271,11 +274,13 @@ DescVentilExpenseReport=Συμβουλευτείτε εδώ τον κατάλο
DescVentilExpenseReportMore=Εάν ρυθμίσετε τον λογαριασμό λογαριασμών σε γραμμές αναφοράς τύπου εξόδων, η εφαρμογή θα είναι σε θέση να κάνει όλη τη δέσμευση μεταξύ των γραμμών αναφοράς δαπανών σας και του λογαριασμού λογιστικής του λογαριασμού σας, με ένα μόνο κλικ με το κουμπί "%s" . Εάν ο λογαριασμός δεν έχει οριστεί σε λεξικό τελών ή αν έχετε ακόμα ορισμένες γραμμές που δεν δεσμεύονται σε κανένα λογαριασμό, θα πρέπει να κάνετε μια χειροκίνητη σύνδεση από το μενού " %s ".
DescVentilDoneExpenseReport=Συμβουλευτείτε εδώ τον κατάλογο των γραμμών των εκθέσεων δαπανών και του λογιστικού λογαριασμού τους
+Closure=Annual closure
DescClosure=Συμβουλευτείτε εδώ τον αριθμό των κινήσεων ανά μήνα που δεν έχουν επικυρωθεί και τα οικονομικά έτη είναι ήδη ανοιχτά
OverviewOfMovementsNotValidated=Βήμα 1 / Επισκόπηση των κινήσεων που δεν έχουν επικυρωθεί. (Είναι απαραίτητο να κλείσετε ένα οικονομικό έτος)
+AllMovementsWereRecordedAsValidated=All movements were recorded as validated
+NotAllMovementsCouldBeRecordedAsValidated=Not all movements could be recorded as validated
ValidateMovements=Επικυρώστε τις κινήσεις
DescValidateMovements=Απαγορεύεται οποιαδήποτε τροποποίηση ή διαγραφή γραφής, γράμματος και διαγραφής. Όλες οι καταχωρήσεις για μια άσκηση πρέπει να επικυρωθούν, διαφορετικά το κλείσιμο δεν θα είναι δυνατό
-SelectMonthAndValidate=Επιλέξτε μήνα και επικυρώστε τις κινήσεις
ValidateHistory=Δεσμεύστε αυτόματα
AutomaticBindingDone=Έγινε αυτόματη σύνδεση
@@ -293,6 +298,7 @@ Accounted=Πληρώθηκε σε
NotYetAccounted=Δεν έχει ακόμη καταλογιστεί στο βιβλίο
ShowTutorial=Εμφάνιση εκπαιδευτικού προγράμματος
NotReconciled=Δεν ταιριάζουν
+WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view
## Admin
BindingOptions=Binding options
@@ -337,6 +343,7 @@ Modelcsv_LDCompta10=Εξαγωγή για LD Compta (v10 και άνω)
Modelcsv_openconcerto=Εξαγωγή για OpenConcerto (Test)
Modelcsv_configurable=Εξαγωγή CSV εξαγωγής
Modelcsv_FEC=Εξαγωγή FEC
+Modelcsv_FEC2=Export FEC (With dates generation writing / document reversed)
Modelcsv_Sage50_Swiss=Εξαγωγή για Sage 50 Ελβετία
Modelcsv_winfic=Export Winfic - eWinfic - WinSis Compta
Modelcsv_Gestinumv3=Export for Gestinum (v3)
diff --git a/htdocs/langs/el_GR/admin.lang b/htdocs/langs/el_GR/admin.lang
index 9066b5bbf90..0eac7c5138e 100644
--- a/htdocs/langs/el_GR/admin.lang
+++ b/htdocs/langs/el_GR/admin.lang
@@ -56,6 +56,8 @@ GUISetup=Εμφάνιση
SetupArea=Ρύθμιση
UploadNewTemplate=Μεταφόρτωση νέου(-ων) προτύπου(-ων)
FormToTestFileUploadForm=Έντυπο για να ελέγξετε το αρχείο μεταφόρτωσης (ανάλογα με τις ρυθμίσεις)
+ModuleMustBeEnabled=The module/application %s must be enabled
+ModuleIsEnabled=The module/application %s has been enabled
IfModuleEnabled=Σημείωση: ναι, είναι αποτελεσματική μόνο αν το module %s είναι ενεργοποιημένο
RemoveLock=Αφαιρέστε/μετονομάστε το αρχείο %s, αν υπάρχει, για να επιτραπεί η χρήση του εργαλείου ενημέρωσης/εγκατάστασης.
RestoreLock=Επαναφέρετε το αρχείο %s, με δικαίωμα ανάγνωσης μόνο, για να απενεργοποιηθεί οποιαδήποτε χρήση του εργαλείου ενημέρωσης/εγκατάστασης.
@@ -85,7 +87,6 @@ ShowPreview=Εμφάνιση προ επισκόπησης
ShowHideDetails=Show-Hide details
PreviewNotAvailable=Η προ επισκόπηση δεν είναι διαθέσιμη
ThemeCurrentlyActive=Θεματική Επι του Παρόντος Ενεργή
-CurrentTimeZone=TimeZone PHP (server)
MySQLTimeZone=TimeZone MySql (βάση δεδομένων)
TZHasNoEffect=Οι ημερομηνίες αποθηκεύονται και επιστρέφονται από το διακομιστή βάσης δεδομένων σαν να κρατήθηκαν ως υποβληθείσες συμβολοσειρές. Η ζώνη ώρας έχει ισχύ μόνο όταν χρησιμοποιείτε τη συνάρτηση UNIX_TIMESTAMP (η οποία δεν πρέπει να χρησιμοποιείται από τον Dolibarr, ώστε η βάση δεδομένων TZ να μην επηρεαστεί, ακόμη και αν αλλάξει μετά την εισαγωγή των δεδομένων).
Space=Κενό
@@ -153,8 +154,8 @@ SystemToolsAreaDesc=Αυτή η περιοχή παρέχει λειτουργί
Purge=Εκκαθάριση
PurgeAreaDesc=Αυτή η σελίδα σας επιτρέπει να διαγράψετε όλα τα αρχεία που κατασκευάζονται ή αποθηκεύονται από την Dolibarr (προσωρινά αρχεία ή όλα τα αρχεία σε %s b> directory). Η χρήση αυτής της λειτουργίας δεν είναι απαραίτητη. Παρέχεται για χρήστες των οποίων η Dolibarr φιλοξενείται από πάροχο, που δεν προσφέρει δικαίωμα διαγραφής αρχείων που κατασκευάστηκαν από τον web server.
PurgeDeleteLogFile=Διαγράψτε τα αρχεία καταγραφής, συμπεριλαμβανομένων%s που είναι ορισμένα για τη χρήση της μονάδας Syslog (χωρίς κίνδυνο απώλειας δεδομένων)
-PurgeDeleteTemporaryFiles=Διαγράψτε όλα τα προσωρινά αρχεία (χωρίς κίνδυνο απώλειας δεδομένων). Σημείωση: η διαγραφή γίνεται μόνο αν ο κατάλογος Temp δημιουργήθηκε πριν από 24 ώρες
-PurgeDeleteTemporaryFilesShort=Διαγραφή προσωρινών αρχείων
+PurgeDeleteTemporaryFiles=Delete all log and temporary files (no risk of losing data). Note: Deletion of temporary files is done only if the temp directory was created more than 24 hours ago.
+PurgeDeleteTemporaryFilesShort=Delete log and temporary files
PurgeDeleteAllFilesInDocumentsDir=Διαγράψτε όλα τα αρχεία στον κατάλογο: %s . Αυτό θα διαγράψει όλα τα παραγόμενα έγγραφα που σχετίζονται με στοιχεία (τρίτα μέρη, τιμολόγια κ.λπ.), αρχεία που έχουν φορτωθεί στη μονάδα ECM, αρχεία από αντίγραφα ασφαλείας βάσεων δεδομένων και προσωρινά αρχεία.
PurgeRunNow=Διαγραφή τώρα
PurgeNothingToDelete=Δεν υπάρχει κατάλογος ή αρχείο για διαγραφή.
@@ -256,6 +257,7 @@ ReferencedPreferredPartners=Preferred Partners
OtherResources=Άλλοι πόροι
ExternalResources=Εξωτερικοί πόροι
SocialNetworks=Κοινωνικά δίκτυα
+SocialNetworkId=Social Network ID
ForDocumentationSeeWiki=Για την τεκμηρίωση χρήστη ή προγραμματιστή (Doc, FAQs...), ρίξτε μια ματιά στο Dolibarr Wiki: %s
ForAnswersSeeForum=Για οποιαδήποτε άλλη ερώτηση/βοήθεια, μπορείτε να χρησιμοποιήσετε το forum του Dolibarr: %s
HelpCenterDesc1=Εδώ είναι μερικοί πόροι για να λάβετε βοήθεια και υποστήριξη με τον Dolibarr.
@@ -375,7 +377,7 @@ ExamplesWithCurrentSetup=Παραδείγματα με την τρέχουσα
ListOfDirectories=Λίστα φακέλων προτύπων OpenDocument
ListOfDirectoriesForModelGenODT=Λίστα καταλόγων που περιέχουν αρχεία προτύπων με μορφή OpenDocument.
Βάλτε εδώ την πλήρη διαδρομή των καταλόγων. Προσθέστε μια επιστροφή μεταφοράς μεταξύ του καταλόγου eah. Για να προσθέσετε έναν κατάλογο της λειτουργικής μονάδας GED, προσθέστε εδώ DOL_DATA_ROOT / ecm / yourdirectoryname .
Τα αρχεία σε αυτούς τους καταλόγους πρέπει να τελειώνουν με .odt ή .ods .
NumberOfModelFilesFound=Αριθμός αρχείων προτύπου ODT / ODS που βρέθηκαν σε αυτούς τους καταλόγους
-ExampleOfDirectoriesForModelGen=Παραδείγματα σύνταξης: c:\\mydir /home/mydir DOL_DATA_ROOT/ecm/ecmdir
+ExampleOfDirectoriesForModelGen=Examples of syntax: c:\\myapp\\mydocumentdir\\mysubdir /home/myapp/mydocumentdir/mysubdir DOL_DATA_ROOT/ecm/ecmdir
FollowingSubstitutionKeysCanBeUsed= Για να μάθετε πως να δημιουργήσετε τα δικά σας αρχεία προτύπων, πριν τα αποθηκεύσετε σε αυτούς τους φακέλους, διαβάστε την τεκμηρίωση στο wiki:
FullListOnOnlineDocumentation=http://wiki.dolibarr.org/index.php/Create_an_ODT_document_template
FirstnameNamePosition=Θέση ονόματος/επιθέτου
@@ -406,7 +408,7 @@ UrlGenerationParameters=Παράμετροι για δημιουργία ασφ
SecurityTokenIsUnique=Χρησιμοποιήστε μια μοναδική παράμετρο securekey για κάθε διεύθυνση URL
EnterRefToBuildUrl=Εισάγετε αναφοράς για %s αντικείμενο
GetSecuredUrl=Πάρτε υπολογιζόμενο URL
-ButtonHideUnauthorized=Απόκρυψη κουμπιών για μη χρήστες διαχειριστή για μη εξουσιοδοτημένες ενέργειες αντί να εμφανίζονται κουμπιά απενεργοποιημένου με γκρι
+ButtonHideUnauthorized=Hide unauthorized action buttons also for internal users (just greyed otherwise)
OldVATRates=Παλιός συντελεστής ΦΠΑ
NewVATRates=Νέος συντελεστής ΦΠΑ
PriceBaseTypeToChange=Τροποποίηση τιμών με βάση την τιμή αναφοράς όπως ρυθμίστηκε στο
@@ -1689,7 +1691,7 @@ NotTopTreeMenuPersonalized=Εξατομικευμένα μενού που δεν
NewMenu=New menu
MenuHandler=Χειριστής μενού
MenuModule=Source module
-HideUnauthorizedMenu= Απόκρυψη μη εξουσιοδοτημένων μενού (γκρι)
+HideUnauthorizedMenu=Hide unauthorized menus also for internal users (just greyed otherwise)
DetailId=Id menu
DetailMenuHandler=Menu handler where to show new menu
DetailMenuModule=Module name if menu entry come from a module
@@ -1983,11 +1985,12 @@ EMailHost=Υποδοχή διακομιστή IMAP ηλεκτρονικού τα
MailboxSourceDirectory=Κατάλογος προέλευσης γραμματοκιβωτίου
MailboxTargetDirectory=Κατάλογος προορισμού γραμματοκιβωτίου
EmailcollectorOperations=Λειτουργίες από συλλέκτη
+EmailcollectorOperationsDesc=Operations are executed from top to bottom order
MaxEmailCollectPerCollect=Μέγιστος αριθμός μηνυμάτων ηλεκτρονικού ταχυδρομείου που συλλέγονται ανά συλλογή
CollectNow=Συλλέξτε τώρα
ConfirmCloneEmailCollector=Είστε βέβαιοι ότι θέλετε να κλωνοποιήσετε τον συλλέκτη e-mail %s?
-DateLastCollectResult=Η τελευταία συλλογή δοκιμάστηκε
-DateLastcollectResultOk=Ημερομηνία τελευταίας συλλογής επιτυχούς
+DateLastCollectResult=Date of latest collect try
+DateLastcollectResultOk=Date of latest collect success
LastResult=Τελευταίο αποτέλεσμα
EmailCollectorConfirmCollectTitle=Το email συλλέγει επιβεβαίωση
EmailCollectorConfirmCollect=Θέλετε να εκτελέσετε τη συλλογή για αυτόν τον συλλέκτη τώρα;
@@ -2005,7 +2008,7 @@ WithDolTrackingID=Message from a conversation initiated by a first email sent fr
WithoutDolTrackingID=Message from a conversation initiated by a first email NOT sent from Dolibarr
WithDolTrackingIDInMsgId=Message sent from Dolibarr
WithoutDolTrackingIDInMsgId=Message NOT sent from Dolibarr
-CreateCandidature=Create candidature
+CreateCandidature=Create job application
FormatZip=Zip
MainMenuCode=Κωδικός εισόδου μενού (mainmenu)
ECMAutoTree=Εμφάνιση αυτόματης δομής ECM
@@ -2083,3 +2086,7 @@ CountryIfSpecificToOneCountry=Country (if specific to a given country)
YouMayFindSecurityAdviceHere=You may find security advisory here
ModuleActivatedMayExposeInformation=This module may expose sensitive data. If you don't need it, disable it.
ModuleActivatedDoNotUseInProduction=A module designed for the development has been enabled. Do not enable it on a production environment.
+CombinationsSeparator=Separator character for product combinations
+SeeLinkToOnlineDocumentation=See link to online documention on top menu for examples
+SHOW_SUBPRODUCT_REF_IN_PDF=If the feature "%s" of module %s is used, show details of subproducts of a kit on PDF.
+AskThisIDToYourBank=Contact your bank to get this ID
diff --git a/htdocs/langs/el_GR/banks.lang b/htdocs/langs/el_GR/banks.lang
index 7cd78ac18a0..ed88e57f266 100644
--- a/htdocs/langs/el_GR/banks.lang
+++ b/htdocs/langs/el_GR/banks.lang
@@ -173,8 +173,8 @@ SEPAMandate=Εντολές άμεσης χρέωσης
YourSEPAMandate=Οι εντολές άμεσης χρέωσης σας.
FindYourSEPAMandate=Αυτή είναι η εντολή ΕΧΠΕ για να εξουσιοδοτήσετε την εταιρεία μας να κάνει άμεση εντολή χρέωσης στην τράπεζά σας. Επιστρέψτε το υπογεγραμμένο (σάρωση του υπογεγραμμένου εγγράφου) ή στείλτε το ταχυδρομικώς η με mail
AutoReportLastAccountStatement=Συμπληρώστε αυτόματα το πεδίο ' αριθμός τραπεζικού λογαριασμού ' με τον τελευταίο αριθμό τραπεζικής δήλωσης όταν κάνετε τη συμφωνία.
-CashControl=Χρηματοκιβώτιο μετρητών POS
-NewCashFence=Νέο φράχτη μετρητών
+CashControl=POS cash desk control
+NewCashFence=New cash desk closing
BankColorizeMovement=Χρωματισμός κινήσεων
BankColorizeMovementDesc=Εάν αυτή η λειτουργία είναι ενεργή, μπορείτε να επιλέξετε συγκεκριμένο χρώμα φόντου για χρεωστικές ή πιστωτικές κινήσεις
BankColorizeMovementName1=Χρώμα φόντου για την κίνηση χρέωσης
diff --git a/htdocs/langs/el_GR/blockedlog.lang b/htdocs/langs/el_GR/blockedlog.lang
index 8172e83ec81..10f44bd0947 100644
--- a/htdocs/langs/el_GR/blockedlog.lang
+++ b/htdocs/langs/el_GR/blockedlog.lang
@@ -8,7 +8,7 @@ BrowseBlockedLog=Μη τροποποιήσιμα κορμούς
ShowAllFingerPrintsMightBeTooLong=Εμφάνιση όλων των αρχειοθετημένων αρχείων καταγραφής (μπορεί να είναι μακρά)
ShowAllFingerPrintsErrorsMightBeTooLong=Εμφάνιση όλων των μη έγκυρων αρχείων καταγραφής αρχείων (μπορεί να είναι μεγάλο)
DownloadBlockChain=Κατεβάστε τα δακτυλικά αποτυπώματα
-KoCheckFingerprintValidity=Archived log entry is not valid. It means someone (a hacker?) has modified some data of this record after it was recorded, or has erased the previous archived record (check that line with previous # exists).
+KoCheckFingerprintValidity=Η καταχώριση αρχειοθετημένου αρχείου καταγραφής δεν είναι έγκυρη. Αυτό σημαίνει ότι κάποιος (ένας εισβολέας;) έχει τροποποιήσει ορισμένα δεδομένα αυτής της εγγραφής μετά την εγγραφή του ή έχει διαγράψει την προηγούμενη αρχειοθετημένη εγγραφή (ελέγξτε τη γραμμή με την προηγούμενη # υπάρχει).
OkCheckFingerprintValidity=Η αρχειοθετημένη εγγραφή είναι έγκυρη. Τα δεδομένα αυτής της γραμμής δεν τροποποιήθηκαν και η καταχώριση ακολουθεί την προηγούμενη.
OkCheckFingerprintValidityButChainIsKo=Το αρχειοθετημένο ημερολόγιο φαίνεται έγκυρο σε σύγκριση με το προηγούμενο, αλλά η αλυσίδα είχε καταστραφεί προηγουμένως.
AddedByAuthority=Αποθηκεύεται σε απομακρυσμένη εξουσία
@@ -35,7 +35,7 @@ logDON_DELETE=Δωρεά λογική διαγραφή
logMEMBER_SUBSCRIPTION_CREATE=Δημιουργία συνδρομής μέλους
logMEMBER_SUBSCRIPTION_MODIFY=Η συνδρομή μέλους τροποποιήθηκε
logMEMBER_SUBSCRIPTION_DELETE=Συνδρομή λογικής διαγραφής μέλους
-logCASHCONTROL_VALIDATE=Εγγραφή φράχτη μετρητών
+logCASHCONTROL_VALIDATE=Cash desk closing recording
BlockedLogBillDownload=Λήψη τιμολογίου πελατών
BlockedLogBillPreview=Προβολή τιμολογίου πελατών
BlockedlogInfoDialog=Στοιχεία καταγραφής
diff --git a/htdocs/langs/el_GR/boxes.lang b/htdocs/langs/el_GR/boxes.lang
index bc59ca654da..8d5d9e05122 100644
--- a/htdocs/langs/el_GR/boxes.lang
+++ b/htdocs/langs/el_GR/boxes.lang
@@ -46,9 +46,12 @@ BoxTitleLastModifiedDonations=Τελευταία %s τροποποίηση δω
BoxTitleLastModifiedExpenses=Τελευταίες αναφορές τροποποιημένων δαπανών %s
BoxTitleLatestModifiedBoms=Τα τελευταία %s τροποποιημένα BOMs
BoxTitleLatestModifiedMos=Οι τελευταίες %s τροποποιημένες παραγγελίες κατασκευής
+BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded
BoxGlobalActivity=Η γενική δραστηριότητα για (τιμολόγια, προσφορές, παραγγελίες)
BoxGoodCustomers=Καλοί πελάτες
BoxTitleGoodCustomers=%s καλών πελατών
+BoxScheduledJobs=Προγραμματισμένες εργασίες
+BoxTitleFunnelOfProspection=Lead funnel
FailedToRefreshDataInfoNotUpToDate=Αποτυχία ανανέωσης ροής RSS. Τελευταία επιτυχημένη ημερομηνία ανανέωσης: %s
LastRefreshDate=Ημερομηνία τελευταίας ανανέωσης
NoRecordedBookmarks=Δεν υπάρχουν σελιδοδείκτες που ορίζονται. Κάντε κλικ εδώ για να προσθέσετε σελιδοδείκτες.
@@ -102,5 +105,7 @@ SuspenseAccountNotDefined=Ο λογαριασμός Suspense δεν έχει ο
BoxLastCustomerShipments=Τελευταίες αποστολές πελάτη
BoxTitleLastCustomerShipments=Τελευταίες %s αποστολές πελάτη
NoRecordedShipments=Καμία καταγεγραμμένη αποστολή πελάτη
+BoxCustomersOutstandingBillReached=Customers with oustanding limit reached
# Pages
AccountancyHome=Λογιστική
+ValidatedProjects=Validated projects
diff --git a/htdocs/langs/el_GR/cashdesk.lang b/htdocs/langs/el_GR/cashdesk.lang
index 53dcd336847..52d5e03abb0 100644
--- a/htdocs/langs/el_GR/cashdesk.lang
+++ b/htdocs/langs/el_GR/cashdesk.lang
@@ -49,8 +49,8 @@ Footer=Υποσέλιδο
AmountAtEndOfPeriod=Ποσό στο τέλος της περιόδου (ημέρα, μήνας ή έτος)
TheoricalAmount=Θεωρητικό ποσό
RealAmount=Πραγματικό ποσό
-CashFence=Φραγή μετρητών
-CashFenceDone=Μετρητά φράχτη για την περίοδο
+CashFence=Cash desk closing
+CashFenceDone=Cash desk closing done for the period
NbOfInvoices=Πλήθος τιμολογίων
Paymentnumpad=Τύπος πλακέτας για να πληκτρολογήσετε την πληρωμή
Numberspad=Αριθμητικό Pad
@@ -99,8 +99,9 @@ CashDeskRefNumberingModules=Numbering module for POS sales
CashDeskGenericMaskCodes6 = {TN} ετικέτα χρησιμοποιείται για την προσθήκη του αριθμού τερματικού
TakeposGroupSameProduct=Ομαδοποιήστε τις ίδιες σειρές προϊόντων
StartAParallelSale=Ξεκινήστε μια νέα παράλληλη πώληση
-ControlCashOpening=Control cash box at opening POS
-CloseCashFence=Κλείστε το φράχτη μετρητών
+SaleStartedAt=Sale started at %s
+ControlCashOpening=Control cash popup at opening POS
+CloseCashFence=Close cash desk control
CashReport=Έκθεση μετρητών
MainPrinterToUse=Κύριος εκτυπωτής προς χρήση
OrderPrinterToUse=Παραγγείλετε τον εκτυπωτή για χρήση
@@ -122,3 +123,4 @@ GiftReceipt=Gift receipt
ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled first
AllowDelayedPayment=Allow delayed payment
PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts
+WeighingScale=Weighing scale
diff --git a/htdocs/langs/el_GR/categories.lang b/htdocs/langs/el_GR/categories.lang
index 258447b74e0..02ad08d26d6 100644
--- a/htdocs/langs/el_GR/categories.lang
+++ b/htdocs/langs/el_GR/categories.lang
@@ -19,6 +19,7 @@ ProjectsCategoriesArea=Projects tags/categories area
UsersCategoriesArea=Περιοχή ετικετών / κατηγοριών χρηστών
SubCats=Υποκατηγορίες
CatList=Λίστα Ετικετών/Κατηγοριών
+CatListAll=List of tags/categories (all types)
NewCategory=Νέα Ετικέτα/Κατηγορία
ModifCat=Τροποποίηση Ετικέτας/Κατηγορίας
CatCreated=Ετικέτα/Κατηγορία δημιουργήθηκε
@@ -65,16 +66,22 @@ UsersCategoriesShort=Ετικέτες / κατηγορίες χρηστών
StockCategoriesShort=Ετικέτες / κατηγορίες αποθήκης
ThisCategoryHasNoItems=Αυτή η κατηγορία δεν περιέχει στοιχεία.
CategId=Ετικέτα/κατηγορία id
-CatSupList=Λίστα ετικετών / κατηγοριών πωλητών
-CatCusList=Λίστα πελάτη/προοπτικής ετικέτες/κατηγορίες
+ParentCategory=Parent tag/category
+ParentCategoryLabel=Label of parent tag/category
+CatSupList=List of vendors tags/categories
+CatCusList=List of customers/prospects tags/categories
CatProdList=Λίστα προϊόντων ετικέτες/κατηγορίες
CatMemberList=Λίστα μελών ετικέτες/κατηγορίες
-CatContactList=Λίστα ετικετών/κατηγοριών επαφών
-CatSupLinks=Συνδέσεις μεταξύ προμηθευτών και ετικετών/κατηγοριών
+CatContactList=List of contacts tags/categories
+CatProjectsList=List of projects tags/categories
+CatUsersList=List of users tags/categories
+CatSupLinks=Links between vendors and tags/categories
CatCusLinks=Συνδέσεις μεταξύ πελατών/προοπτικών και ετικετών/κατηγοριών
CatContactsLinks=Σύνδεσμοι μεταξύ επαφών / διευθύνσεων και ετικετών / κατηγοριών
CatProdLinks=Συνδέσεις μεταξύ προϊόντων/υπηρεσιών και ετικετών/κατηγοριών
-CatProJectLinks=Links between projects and tags/categories
+CatMembersLinks=Links between members and tags/categories
+CatProjectsLinks=Links between projects and tags/categories
+CatUsersLinks=Links between users and tags/categories
DeleteFromCat=Αφαίρεση αυτής της ετικέτας/κατηγορίας
ExtraFieldsCategories=Συμπληρωματικά χαρακτηριστικά
CategoriesSetup=Ρύθμιση ετικετών/κατηγοριών
diff --git a/htdocs/langs/el_GR/companies.lang b/htdocs/langs/el_GR/companies.lang
index 318aa1d98d3..976e2709e1a 100644
--- a/htdocs/langs/el_GR/companies.lang
+++ b/htdocs/langs/el_GR/companies.lang
@@ -358,7 +358,7 @@ VATIntraCheckableOnEUSite=Ελέγξτε το ενδοκοινοτικό ανα
VATIntraManualCheck=Μπορείτε επίσης να ελέγξετε χειροκίνητα στον ιστότοπο της Ευρωπαϊκής Επιτροπής %s
ErrorVATCheckMS_UNAVAILABLE=Check not possible. Check service is not provided by the member state (%s).
NorProspectNorCustomer=Δεν προοπτική, ούτε πελάτης
-JuridicalStatus=Τύπος νομικού προσώπου
+JuridicalStatus=Business entity type
Workforce=Workforce
Staff=Εργαζόμενοι
ProspectLevelShort=Δυναμική
diff --git a/htdocs/langs/el_GR/compta.lang b/htdocs/langs/el_GR/compta.lang
index 274e8851e74..d814080d930 100644
--- a/htdocs/langs/el_GR/compta.lang
+++ b/htdocs/langs/el_GR/compta.lang
@@ -111,7 +111,7 @@ Refund=Refund
SocialContributionsPayments=Πληρωμές Κοινωνικών/Φορολογικών εισφορών
ShowVatPayment=Εμφάνιση πληρωμής φόρου
TotalToPay=Σύνολο πληρωμής
-BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted ascending on %s and filtered for 1 bank account
+BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted on %s and filtered on 1 bank account (with no other filters)
CustomerAccountancyCode=Κωδικός λογιστικής πελάτη
SupplierAccountancyCode=Κωδικός Προμηθευτή
CustomerAccountancyCodeShort=Cust. account. code
@@ -140,7 +140,7 @@ ConfirmDeleteSocialContribution=Είστε σίγουροι ότι θέλετε
ExportDataset_tax_1=Κοινωνικές/Φορολογικές εισφορές και πληρωμές
CalcModeVATDebt=Κατάσταση %sΦΠΑ επί των λογιστικών υποχρεώσεων%s
CalcModeVATEngagement=Κατάσταση %sΦΠΑ επί των εσόδων-έξοδα%s.
-CalcModeDebt=Ανάλυση γνωστών καταγεγραμμένων τιμολογίων, ακόμη και αν δεν έχουν ακόμη καταλογιστεί στο βιβλίο.
+CalcModeDebt=Analysis of known recorded documents even if they are not yet accounted in ledger.
CalcModeEngagement=Ανάλυση γνωστών καταγεγραμμένων πληρωμών, ακόμη και αν δεν έχουν ακόμη καταλογιστεί στο Ledger.
CalcModeBookkeeping=Ανάλυση δεδομένων που έχουν καταχωρηθεί στον πίνακα Λογαριασμού Λογιστηρίου.
CalcModeLT1= Λειτουργία %sRE στα τιμολόγια πελατών - τιμολόγια προμηθευτών%s
@@ -154,9 +154,9 @@ AnnualSummaryInputOutputMode=Υπόλοιπο των εσόδων και εξό
AnnualByCompanies=Ισοζύγιο εσόδων και εξόδων, βάσει προκαθορισμένων ομάδων λογαριασμού
AnnualByCompaniesDueDebtMode=Ισοζύγιο εσόδων και εξόδων, λεπτομέρεια κατά προκαθορισμένες ομάδες, τρόπος %sClaims-Debts%s δήλωσε τη λογιστική δέσμευσης .
AnnualByCompaniesInputOutputMode=Ισοζύγιο εσόδων και εξόδων, λεπτομέρεια κατά προκαθορισμένες ομάδες, τρόπος %sIncomes-Expenses%s δήλωσε ταμειακή λογιστική .
-SeeReportInInputOutputMode=Ανατρέξτε στο %sanalysis of payments%s για έναν υπολογισμό σχετικά με τις πραγματικές πληρωμές, ακόμη και αν δεν έχουν ακόμη λογιστικοποιηθεί στο Ledger.
-SeeReportInDueDebtMode=Ανατρέξτε στο %sanalysis των τιμολογίων%s για έναν υπολογισμό βασισμένο σε γνωστά καταγεγραμμένα τιμολόγια, ακόμη και αν δεν έχουν ακόμη καταλογιστεί στο Ledger.
-SeeReportInBookkeepingMode=Δείτε %sBookeeping report%s για έναν υπολογισμό στον πίνακα "Λογαριασμός Λογιστηρίου"
+SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation based on recorded payments made even if they are not yet accounted in Ledger
+SeeReportInDueDebtMode=See %sanalysis of recorded documents%s for a calculation based on known recorded documents even if they are not yet accounted in Ledger
+SeeReportInBookkeepingMode=See %sanalysis of bookeeping ledger table%s for a report based on Bookkeeping Ledger table
RulesAmountWithTaxIncluded=- Amounts shown are with all taxes included
RulesResultDue=- Περιλαμβάνει εκκρεμή τιμολόγια, έξοδα, ΦΠΑ, δωρεές είτε πληρώνονται είτε όχι. Περιλαμβάνει επίσης πληρωμένους μισθούς. - Βασίζεται στην ημερομηνία χρέωσης των τιμολογίων και στην ημερομηνία λήξης των εξόδων ή των φόρων. Για τους μισθούς που ορίζονται με την ενότητα Μισθός, χρησιμοποιείται η ημερομηνία αξίας πληρωμής.
RulesResultInOut=- It includes the real payments made on invoices, expenses, VAT and salaries. - It is based on the payment dates of the invoices, expenses, VAT and salaries. The donation date for donation.
@@ -169,12 +169,15 @@ RulesResultBookkeepingPersonalized=Εμφανίζει ρεκόρ στο Λογα
SeePageForSetup=Δείτε το μενού %s για τη ρύθμιση
DepositsAreNotIncluded=- Δεν συμπεριλαμβάνονται τα τιμολόγια για τις προκαταβολές
DepositsAreIncluded=- Down payment invoices are included
+LT1ReportByMonth=Tax 2 report by month
+LT2ReportByMonth=Tax 3 report by month
LT1ReportByCustomers=Αναφέρετε τον φόρο 2 από τρίτους
LT2ReportByCustomers=Αναφορά φόρου 3 από τρίτους
LT1ReportByCustomersES=Αναφορά Πελ./Προμ. RE
LT2ReportByCustomersES=Έκθεση του τρίτου IRPF
VATReport=Έκθεση φορολογίας πώλησης
VATReportByPeriods=Έκθεση φορολογίας πώλησης ανά περίοδο
+VATReportByMonth=Sale tax report by month
VATReportByRates=Πώληση φορολογική έκθεση με τιμές
VATReportByThirdParties=Έκδοση φορολογικού δελτίου από τρίτους
VATReportByCustomers=Πώληση φορολογική έκθεση από τον πελάτη
diff --git a/htdocs/langs/el_GR/cron.lang b/htdocs/langs/el_GR/cron.lang
index c2fe5100a6a..fcf0424f06d 100644
--- a/htdocs/langs/el_GR/cron.lang
+++ b/htdocs/langs/el_GR/cron.lang
@@ -6,16 +6,17 @@ Permission23102 = Δημιουργία/ενημέρωση προγραμματι
Permission23103 = Διαγραφή προγραμματισμένης εργασίας
Permission23104 = Εκτέλεση προγραμματισμένης εργασίας
# Admin
-CronSetup= Προγραμματισμένη ρύθμιση διαχείρισης των εργασιών
-URLToLaunchCronJobs=URL to check and launch qualified cron jobs
-OrToLaunchASpecificJob=Ή να ελέγξετε και να ξεκινήσει μία συγκεκριμένη εργασία
+CronSetup=Προγραμματισμένη ρύθμιση διαχείρισης των εργασιών
+URLToLaunchCronJobs=URL to check and launch qualified cron jobs from a browser
+OrToLaunchASpecificJob=Or to check and launch a specific job from a browser
KeyForCronAccess=Κλειδί ασφαλείας για το URL για να ξεκινήσει η εργασία cron
-FileToLaunchCronJobs=Command line to check and launch qualified cron jobs
+FileToLaunchCronJobs=Γραμμή εντολών για έλεγχο και εκκίνηση ειδικών εργασιών cron
CronExplainHowToRunUnix=Στο Unix περιβάλλον θα πρέπει να χρησιμοποιήσετε την ακόλουθη καταχώρηση crontab για να τρέχει η γραμμή εντολών καθένα 5 λεπτά
-CronExplainHowToRunWin=Σε Microsoft (tm) Windows περιβάλλον μπορείτε να χρησιμοποιήσετε τα εργαλεία Προγραμματισμένη εργασία ώστε να εκτελείτε η γραμμή εντολών καθένα 5 λεπτά
+CronExplainHowToRunWin=Στο περιβάλλον Microsoft (tm) των Windows μπορείτε να χρησιμοποιήσετε τα εργαλεία προγραμματισμένης εργασίας για να εκτελέσετε τη γραμμή εντολών κάθε 5 λεπτά
CronMethodDoesNotExists=Class %s does not contains any method %s
-CronJobDefDesc=Cron job profiles are defined into the module descriptor file. When module is activated, they are loaded and available so you can administer the jobs from the admin tools menu %s.
-CronJobProfiles=List of predefined cron job profiles
+CronMethodNotAllowed=Method %s of class %s is in blacklist of forbidden methods
+CronJobDefDesc=Τα προφίλ εργασίας Cron ορίζονται στο αρχείο περιγραφικής ενότητας. Όταν η ενότητα είναι ενεργοποιημένη, φορτώνεται και είναι διαθέσιμη, ώστε να μπορείτε να διαχειριστείτε τις εργασίες από το μενού εργαλείων admin %s.
+CronJobProfiles=Λίστα προκαθορισμένων προφίλ εργασίας cron
# Menu
EnabledAndDisabled=Ενεργοποίηση και απενεργοποίηση
# Page list
@@ -42,10 +43,11 @@ CronModule=Module
CronNoJobs=Δεν έχουν καταχωρηθεί εργασίες
CronPriority=Προτεραιότητα
CronLabel=Ετικέτα
-CronNbRun=Nb. έναρξης
-CronMaxRun=Max number launch
+CronNbRun=Αριθμός εκτοξεύσεων
+CronMaxRun=Μέγιστος αριθμός εκτοξεύσεων
CronEach=Κάθε
JobFinished=Ξεκίνησε και τελείωσε
+Scheduled=Scheduled
#Page card
CronAdd= Προσθήκη εργασίας
CronEvery=Execute job each
@@ -55,29 +57,35 @@ CronSaveSucess=Επιτυχής αποθήκευση
CronNote=Σχόλιο
CronFieldMandatory=Τα πεδία %s είναι υποχρεωτικά
CronErrEndDateStartDt=Η ημερομηνία λήξης δεν μπορεί να είναι πριν από την ημερομηνία έναρξης
-StatusAtInstall=Status at module installation
-CronStatusActiveBtn=Ενεργοποίηση
+StatusAtInstall=Κατάσταση κατά την εγκατάσταση της μονάδας
+CronStatusActiveBtn=Schedule
CronStatusInactiveBtn=Απενεργοποίηση
CronTaskInactive=Αυτή η εργασία είναι απενεργοποιημένη
CronId=Id
CronClassFile=Filename with class
-CronModuleHelp=Name of Dolibarr module directory (also work with external Dolibarr module). For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for module is product
-CronClassFileHelp=The relative path and file name to load (path is relative to web server root directory). For exemple to call the fetch method of Dolibarr Product object htdocs/product/class/product.class.php, the value for class file name is product/class/product.class.php
-CronObjectHelp=The object name to load. For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for class file name is Product
-CronMethodHelp=The object method to launch. For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for method is fetch
-CronArgsHelp=The method arguments. For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for paramters can be 0, ProductRef
+CronModuleHelp=Όνομα του καταλόγου μονάδων Dolibarr (επίσης λειτουργούν με εξωτερική μονάδα Dolibarr). Για παράδειγμα, για να καλέσουμε τη μέθοδο fetch του προϊόντος Dolibarr Product / htdocs / product / class / product.class.php, η τιμή για την ενότητα είναι προϊόν
+CronClassFileHelp=Η σχετική διαδρομή και το όνομα του αρχείου για φόρτωση (η διαδρομή είναι σχετική με τον κεντρικό κατάλογο διακομιστή ιστού). Για παράδειγμα, για να καλέσετε τη μέθοδο λήψης του προϊόντος Dolibarr Product htdocs / product / class / product.class.php , η τιμή για το όνομα αρχείου κλάσης είναι προϊόν / κλάση / product.class.php
+CronObjectHelp=Το όνομα αντικειμένου που θα φορτωθεί. Για παράδειγμα, για να καλέσετε τη μέθοδο λήψης του προϊόντος Dolibarr Product /htdocs/product/class/product.class.php, η τιμή για το όνομα του αρχείου κλάσης είναι Προϊόν
+CronMethodHelp=Η μέθοδος αντικειμένου για την εκκίνηση. Για παράδειγμα, για να καλέσετε τη μέθοδο λήψης του προϊόντος Dolibarr Product /htdocs/product/class/product.class.php, η τιμή για τη μέθοδο είναι φέρω
+CronArgsHelp=Τα επιχειρήματα της μεθόδου. Για παράδειγμα, για να καλέσετε τη μέθοδο λήψης του προϊόντος Dolibarr Product /htdocs/product/class/product.class.php, η τιμή για τους paramters μπορεί να είναι 0, ProductRef
CronCommandHelp=Γραμμή εντολών του συστήματος προς εκτέλεση.
CronCreateJob=Create new Scheduled Job
CronFrom=Από
# Info
# Common
CronType=Είδος εργασίας
-CronType_method=Call method of a PHP Class
+CronType_method=Μέθοδος κλήσης μιας κλάσης PHP
CronType_command=Εντολή Shell
-CronCannotLoadClass=Cannot load class file %s (to use class %s)
-CronCannotLoadObject=Class file %s was loaded, but object %s was not found into it
-UseMenuModuleToolsToAddCronJobs=Go into menu "Home - Admin tools - Scheduled jobs" to see and edit scheduled jobs.
+CronCannotLoadClass=Δεν είναι δυνατή η φόρτωση του αρχείου κλάσης %s (για χρήση της κλάσης %s)
+CronCannotLoadObject=Το αρχείο κλάσης %s φορτώθηκε, αλλά το αντικείμενο %s δεν βρέθηκε σε αυτό
+UseMenuModuleToolsToAddCronJobs=Μεταβείτε στο μενού " Αρχική σελίδα - Εργαλεία διαχειριστή - Προγραμματισμένες εργασίες " για να δείτε και να επεξεργαστείτε προγραμματισμένες εργασίες.
JobDisabled=Job disabled
MakeLocalDatabaseDumpShort=Αντίγραφο ασφαλείας τοπικής βάσης δεδομένων
-MakeLocalDatabaseDump=Create a local database dump. Parameters are: compression ('gz' or 'bz' or 'none'), backup type ('mysql' or 'pgsql'), 1, 'auto' or filename to build, number of backup files to keep
+MakeLocalDatabaseDump=Δημιουργήστε μια τοπική χωματερή βάση δεδομένων. Οι παράμετροι είναι: συμπίεση ('gz' ή 'bz' ή 'none'), backup type ('mysql', 'pgsql', 'auto'),
WarningCronDelayed=Attention, for performance purpose, whatever is next date of execution of enabled jobs, your jobs may be delayed to a maximum of %s hours, before being run.
+DATAPOLICYJob=Cleaner δεδομένων και ανώνυμος
+JobXMustBeEnabled=Job %s must be enabled
+# Cron Boxes
+LastExecutedScheduledJob=Last executed scheduled job
+NextScheduledJobExecute=Next scheduled job to execute
+NumberScheduledJobError=Number of scheduled jobs in error
diff --git a/htdocs/langs/el_GR/errors.lang b/htdocs/langs/el_GR/errors.lang
index 393b97c7174..0cdb22a79d6 100644
--- a/htdocs/langs/el_GR/errors.lang
+++ b/htdocs/langs/el_GR/errors.lang
@@ -5,8 +5,10 @@ NoErrorCommitIsDone=Κανένα σφάλμα
# Errors
ErrorButCommitIsDone=Σφάλματα που διαπιστώθηκαν αλλά παρόλα αυτά επικυρώνει
ErrorBadEMail=Το μήνυμα ηλεκτρονικού ταχυδρομείου %s είναι λάθος
+ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record)
ErrorBadUrl=%s url είναι λάθος
ErrorBadValueForParamNotAString=Bad value for your parameter. It appends generally when translation is missing.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorLoginAlreadyExists=Είσοδος %s υπάρχει ήδη.
ErrorGroupAlreadyExists=Ομάδα %s υπάρχει ήδη.
ErrorRecordNotFound=Εγγραφή δεν βρέθηκε.
@@ -48,6 +50,7 @@ ErrorFieldsRequired=Ορισμένα από τα απαιτούμενα πεδί
ErrorSubjectIsRequired=The email topic is required
ErrorFailedToCreateDir=Αποτυχία δημιουργίας φακέλου. Βεβαιωθείτε ότι ο Web server χρήστης έχει δικαιώματα να γράψει στο φάκελο εγγράφων του Dolibarr. Αν η safe_mode παράμετρος είναι ενεργοποιημένη για την PHP, ελέγξτε ότι τα αρχεία php του Dolibarr ανήκουν στον web server χρήστη (ή ομάδα).
ErrorNoMailDefinedForThisUser=Δεν έχει οριστεί mail για αυτόν το χρήστη
+ErrorSetupOfEmailsNotComplete=Setup of emails is not complete
ErrorFeatureNeedJavascript=Αυτό το χαρακτηριστικό χρειάζεται ενεργοποιημένη την javascript. Αλλάξτε την ρύθμιση στο Ρυθμίσεις - Εμφάνιση.
ErrorTopMenuMustHaveAParentWithId0=Ένα μενού του «Top» τύπου δεν μπορεί να έχει ένα μενού γονέα. Βάλτε 0 στο μενού του γονέα ή να επιλέξετε ένα μενού του τύπου «αριστερά».
ErrorLeftMenuMustHaveAParentId=Ένα μενού της «Αριστεράς» τύπου πρέπει να έχει ένα id γονέα.
@@ -75,7 +78,7 @@ ErrorExportDuplicateProfil=Αυτό το όνομα προφίλ υπάρχει
ErrorLDAPSetupNotComplete=Η αντιστοίχιση Dolibarr-LDAP δεν είναι πλήρης.
ErrorLDAPMakeManualTest=Ένα αρχείο. Ldif έχει δημιουργηθεί στον φάκελο %s. Προσπαθήστε να το φορτώσετε χειροκίνητα από την γραμμή εντολών για να έχετε περισσότερες πληροφορίες σχετικά με τα σφάλματα.
ErrorCantSaveADoneUserWithZeroPercentage=Δεν είναι δυνατή η αποθήκευση μιας ενέργειας με "κατάσταση δεν έχει ξεκινήσει" εάν συμπληρώνεται επίσης το πεδίο "done by".
-ErrorRefAlreadyExists=Κωδικός που χρησιμοποιείται για τη δημιουργία ήδη υπάρχει.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorPleaseTypeBankTransactionReportName=Παρακαλούμε εισάγετε το όνομα του τραπεζικού λογαριασμού όπου πρέπει να αναφέρεται η καταχώρηση (Format YYYYMM ή YYYYMMDD)
ErrorRecordHasChildren=Δεν ήταν δυνατή η διαγραφή της εγγραφής, δεδομένου ότι έχει ορισμένα αρχεία παιδιών.
ErrorRecordHasAtLeastOneChildOfType=Το αντικείμενο έχει τουλάχιστον ένα παιδί τύπου %s
@@ -216,7 +219,7 @@ ErrorChooseBetweenFreeEntryOrPredefinedProduct=Πρέπει να επιλέξε
ErrorDiscountLargerThanRemainToPaySplitItBefore=Η έκπτωση που προσπαθείτε να εφαρμόσετε είναι μεγαλύτερη από την αποπληρωμή. Διαχωρίστε την έκπτωση σε 2 μικρότερες εκπτώσεις πριν.
ErrorFileNotFoundWithSharedLink=Το αρχείο δεν βρέθηκε. Μπορεί να τροποποιηθεί το κλειδί κοινής χρήσης ή να καταργηθεί πρόσφατα το αρχείο.
ErrorProductBarCodeAlreadyExists=Ο γραμμωτός κώδικας προϊόντος %s υπάρχει ήδη σε άλλη αναφορά προϊόντος.
-ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Σημειώστε επίσης ότι η χρήση εικονικού προϊόντος για την αυτόματη αύξηση / μείωση υποπροϊόντων δεν είναι δυνατή όταν τουλάχιστον ένα υποπροϊόν (ή υποπροϊόν των υποπροϊόντων) χρειάζεται έναν αριθμό σειράς / παρτίδας.
+ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using kits to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number.
ErrorDescRequiredForFreeProductLines=Η περιγραφή είναι υποχρεωτική για γραμμές με δωρεάν προϊόν
ErrorAPageWithThisNameOrAliasAlreadyExists=Η σελίδα / κοντέινερ %s έχει το ίδιο όνομα ή εναλλακτικό ψευδώνυμο με εκείνο που προσπαθείτε να χρησιμοποιήσετε
ErrorDuringChartLoad=Σφάλμα κατά τη φόρτωση του γραφήματος λογαριασμών. Εάν δεν έχουν φορτωθεί μερικοί λογαριασμοί, μπορείτε να τις εισαγάγετε με μη αυτόματο τρόπο.
@@ -243,6 +246,16 @@ ErrorReplaceStringEmpty=Σφάλμα, η συμβολοσειρά για αντ
ErrorProductNeedBatchNumber=Error, product '%s' need a lot/serial number
ErrorProductDoesNotNeedBatchNumber=Error, product '%s' does not accept a lot/serial number
ErrorFailedToReadObject=Error, failed to read object of type %s
+ErrorParameterMustBeEnabledToAllwoThisFeature=Error, parameter %s must be enabled into conf/conf.php to allow use of Command Line Interface by the internal job scheduler
+ErrorLoginDateValidity=Error, this login is outside the validity date range
+ErrorValueLength=Length of field '%s' must be higher than '%s'
+ErrorReservedKeyword=The word '%s' is a reserved keyword
+ErrorNotAvailableWithThisDistribution=Not available with this distribution
+ErrorPublicInterfaceNotEnabled=Public interface was not enabled
+ErrorLanguageRequiredIfPageIsTranslationOfAnother=The language of new page must be defined if it is set as a translation of another page
+ErrorLanguageMustNotBeSourceLanguageIfPageIsTranslationOfAnother=The language of new page must not be the source language if it is set as a translation of another page
+ErrorAParameterIsRequiredForThisOperation=A parameter is mandatory for this operation
+
# Warnings
WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Η παράμετρος PHP upload_max_filesize (%s) είναι υψηλότερη από την παράμετρο PHP post_max_size (%s). Αυτό δεν είναι μια σταθερή ρύθμιση.
WarningPasswordSetWithNoAccount=A password was set for this member. However, no user account was created. So this password is stored but can't be used to login to Dolibarr. It may be used by an external module/interface but if you don't need to define any login nor password for a member, you can disable option "Manage a login for each member" from Member module setup. If you need to manage a login but don't need any password, you can keep this field empty to avoid this warning. Note: Email can also be used as a login if the member is linked to a user.
@@ -267,6 +280,10 @@ WarningYourLoginWasModifiedPleaseLogin=Your login was modified. For security pur
WarningAnEntryAlreadyExistForTransKey=An entry already exists for the translation key for this language
WarningNumberOfRecipientIsRestrictedInMassAction=Προειδοποίηση, ο αριθμός διαφορετικών παραληπτών περιορίζεται στο %s όταν χρησιμοποιείτε τις μαζικές ενέργειες σε λίστες
WarningDateOfLineMustBeInExpenseReportRange=Προειδοποίηση, η ημερομηνία της γραμμής δεν βρίσκεται στο εύρος της έκθεσης δαπανών
+WarningProjectDraft=Project is still in draft mode. Don't forget to validate it if you plan to use tasks.
WarningProjectClosed=Το έργο είναι κλειστό. Πρέπει πρώτα να το ανοίξετε ξανά.
WarningSomeBankTransactionByChequeWereRemovedAfter=Ορισμένες τραπεζικές συναλλαγές καταργήθηκαν μετά την ενσωμάτωσής τους εκεί οπου δημιουργήθηκαν. Επομένως, οι έλεγχοι και το σύνολο της απόδειξης μπορεί να διαφέρουν από τον αριθμό και το σύνολο της λίστας.
-WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table
+WarningFailedToAddFileIntoDatabaseIndex=Warning, failed to add file entry into ECM database index table
+WarningTheHiddenOptionIsOn=Warning, the hidden option %s is on.
+WarningCreateSubAccounts=Warning, you can't create directly a sub account, you must create a third party or an user and assign them an accounting code to find them in this list
+WarningAvailableOnlyForHTTPSServers=Available only if using HTTPS secured connection.
diff --git a/htdocs/langs/el_GR/exports.lang b/htdocs/langs/el_GR/exports.lang
index bf03b366fa0..28459f2238d 100644
--- a/htdocs/langs/el_GR/exports.lang
+++ b/htdocs/langs/el_GR/exports.lang
@@ -26,6 +26,8 @@ FieldTitle=Field title
NowClickToGenerateToBuildExportFile=Τώρα, επιλέξτε τη μορφή αρχείου στο σύνθετο πλαίσιο και κάντε κλικ στο "Δημιουργία" για να δημιουργήσετε το αρχείο εξαγωγής ...
AvailableFormats=Διαθέσιμες μορφές
LibraryShort=Library
+ExportCsvSeparator=Csv διαχωριστικό χαρακτήρων
+ImportCsvSeparator=Csv διαχωριστικό χαρακτήρων
Step=Step
FormatedImport=Βοηθός εισαγωγής
FormatedImportDesc1=Αυτή η ενότητα σάς επιτρέπει να ενημερώσετε υπάρχοντα δεδομένα ή να προσθέσετε νέα αντικείμενα στη βάση δεδομένων από ένα αρχείο χωρίς τεχνικές γνώσεις, χρησιμοποιώντας έναν βοηθό.
@@ -131,3 +133,4 @@ KeysToUseForUpdates=Πλήκτρο (στήλη) που χρησιμοποιεί
NbInsert=Number of inserted lines: %s
NbUpdate=Number of updated lines: %s
MultipleRecordFoundWithTheseFilters=Multiple records have been found with these filters: %s
+StocksWithBatch=Stocks and location (warehouse) of products with batch/serial number
diff --git a/htdocs/langs/el_GR/mails.lang b/htdocs/langs/el_GR/mails.lang
index cd95cc106e2..c5636adddf8 100644
--- a/htdocs/langs/el_GR/mails.lang
+++ b/htdocs/langs/el_GR/mails.lang
@@ -92,6 +92,7 @@ MailingModuleDescEmailsFromUser=Εισαγωγή μηνυμάτων ηλεκτρ
MailingModuleDescDolibarrUsers=Χρήστες με μηνύματα ηλεκτρονικού ταχυδρομείου
MailingModuleDescThirdPartiesByCategories=Τρίτα μέρη (κατά κατηγορίες)
SendingFromWebInterfaceIsNotAllowed=Η αποστολή από τη διεπαφή ιστού δεν επιτρέπεται.
+EmailCollectorFilterDesc=All filters must match to have an email being collected
# Libelle des modules de liste de destinataires mailing
LineInFile=Σειρά %s στο αρχείο
@@ -125,12 +126,13 @@ TagMailtoEmail=E-mail παραλήπτη (συμπεριλαμβανομένου
NoEmailSentBadSenderOrRecipientEmail=No email sent. Bad sender or recipient email. Verify user profile.
# Module Notifications
Notifications=Notifications
-NoNotificationsWillBeSent=Δεν υπάρχουν ειδοποιήσεις μέσω ηλεκτρονικού ταχυδρομείου που έχουν προγραμματιστεί για αυτό το συμβάν και την εταιρεία
-ANotificationsWillBeSent=1 ειδοποίηση θα σταλεί μέσω e-mail
-SomeNotificationsWillBeSent=%s Θα αποστέλλονται ειδοποιήσεις μέσω e-mail
-AddNewNotification=Ενεργοποιήστε ένα νέο στόχο ειδοποίησης μέσω ηλεκτρονικού ταχυδρομείου
-ListOfActiveNotifications=List all active targets for email notification
-ListOfNotificationsDone=Λίστα όλων των ειδοποιήσεων ηλεκτρονικού ταχυδρομείου που αποστέλλονται
+NotificationsAuto=Notifications Auto.
+NoNotificationsWillBeSent=No automatic email notifications are planned for this event type and company
+ANotificationsWillBeSent=1 automatic notification will be sent by email
+SomeNotificationsWillBeSent=%s automatic notifications will be sent by email
+AddNewNotification=Subscribe to a new automatic email notification (target/event)
+ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification
+ListOfNotificationsDone=List all automatic email notifications sent
MailSendSetupIs=Διαμόρφωση αποστολή email έχει ρυθμιστεί σε '%s'. Αυτή η λειτουργία δεν μπορεί να χρησιμοποιηθεί για να σταλθούν μαζικά μηνύματα ηλεκτρονικού ταχυδρομείου.
MailSendSetupIs2=Θα πρέπει πρώτα να πάτε, με έναν λογαριασμό διαχειριστή, στο μενού %s Αρχική - Ρύθμιση - Emails %s για να αλλάξετε την παράμετρο '%s' για να χρησιμοποιήσετε τη λειτουργία '%s'. Με αυτόν τον τρόπο, μπορείτε να μεταβείτε στις ρυθμίσεις του διακομιστή SMTP παρέχεται από τον Internet Service Provider και να χρησιμοποιήσετε τη Μαζική αποστολή ηλεκτρονικού ταχυδρομείου.
MailSendSetupIs3=Αν έχετε οποιαδήποτε απορία σχετικά με το πώς να ρυθμίσετε το διακομιστή SMTP σας, μπορείτε να ζητήσετε στο %s.
@@ -140,7 +142,7 @@ UseFormatFileEmailToTarget=Imported file must have format email;name;fir
UseFormatInputEmailToTarget=Enter a string with format email;name;firstname;other
MailAdvTargetRecipients=Recipients (advanced selection)
AdvTgtTitle=Συμπληρώστε τα πεδία εισαγωγής για να επιλέξετε εκ των προτέρων τα τρίτα μέρη ή τις επαφές / διευθύνσεις που θέλετε να στοχεύσετε
-AdvTgtSearchTextHelp=Χρησιμοποιήστε %% ως μπαλαντέρ. Για παράδειγμα, για να βρείτε όλα τα στοιχεία όπως το jean, joe, jim , μπορείτε να εισάγετε το j%% , μπορείτε επίσης να χρησιμοποιήσετε. ως διαχωριστικό για αξία και χρήση! για εκτός αυτής της τιμής. Για παράδειγμα, το jean, joe, jim%%;! Jimo;! Jima% θα στοχεύσει όλους τους Jean, joe, ξεκινήστε με τον Jim αλλά όχι το jimo και όχι με όλα όσα αρχίζουν με jima
+AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima%% will target all jean, joe, start with jim but not jimo and not everything that starts with jima
AdvTgtSearchIntHelp=Use interval to select int or float value
AdvTgtMinVal=Ελάχιστη τιμή
AdvTgtMaxVal=Μέγιστη τιμή
@@ -162,13 +164,14 @@ AdvTgtCreateFilter=Create filter
AdvTgtOrCreateNewFilter=Name of new filter
NoContactWithCategoryFound=No contact/address with a category found
NoContactLinkedToThirdpartieWithCategoryFound=No contact/address with a category found
-OutGoingEmailSetup=Outgoing email setup
-InGoingEmailSetup=Incoming email setup
-OutGoingEmailSetupForEmailing=Εγκατάσταση εξερχόμενου email (για ενότητα %s)
-DefaultOutgoingEmailSetup=Προεπιλεγμένη ρύθμιση εξερχόμενων email
+OutGoingEmailSetup=Outgoing emails
+InGoingEmailSetup=Incoming emails
+OutGoingEmailSetupForEmailing=Outgoing emails (for module %s)
+DefaultOutgoingEmailSetup=Same configuration than the global Outgoing email setup
Information=Πληροφορίες
ContactsWithThirdpartyFilter=Επαφές με φίλτρο τρίτου μέρους
Unanswered=Unanswered
Answered=Answered
IsNotAnAnswer=Is not answer (initial email)
IsAnAnswer=Is an answer of an initial email
+RecordCreatedByEmailCollector=Record created by the Email Collector %s from email %s
diff --git a/htdocs/langs/el_GR/main.lang b/htdocs/langs/el_GR/main.lang
index 420fc166108..7a1e39e0fb0 100644
--- a/htdocs/langs/el_GR/main.lang
+++ b/htdocs/langs/el_GR/main.lang
@@ -28,7 +28,9 @@ NoTemplateDefined=Δεν υπάρχει διαθέσιμο πρότυπο για
AvailableVariables=Διαθέσιμες μεταβλητές αντικατάστασης
NoTranslation=Δεν μεταφράστηκε
Translation=Μετάφραση
+CurrentTimeZone=TimeZone PHP (server)
EmptySearchString=Enter non empty search criterias
+EnterADateCriteria=Enter a date criteria
NoRecordFound=Δεν υπάρχουν καταχωρημένα στοιχεία
NoRecordDeleted=Δεν διαγράφηκε εγγραφή
NotEnoughDataYet=Τα δεδομένα δεν είναι επαρκή
@@ -85,6 +87,8 @@ FileWasNotUploaded=Επιλέχθηκε ένα αρχείο για επισύν
NbOfEntries=Αριθ. Εγγραφών
GoToWikiHelpPage=Online βοήθεια (απαιτείται σύνδεση στο internet)
GoToHelpPage=Βοήθεια
+DedicatedPageAvailable=There is a dedicated help page related to your current screen
+HomePage=Home Page
RecordSaved=Η εγγραφή αποθηκεύτηκε
RecordDeleted=Η εγγραφή διγραφηκε
RecordGenerated=Η εγγραφή δημιουργήθηκε
@@ -433,6 +437,7 @@ RemainToPay=Πληρώστε
Module=Ενότητα / Εφαρμογή
Modules=Ενότητες / Εφαρμογές
Option=Επιλογή
+Filters=Filters
List=Λίστα
FullList=Πλήρης Λίστα
FullConversation=Full conversation
@@ -671,7 +676,7 @@ SendMail=Αποστολή email
Email=Email
NoEMail=Χωρίς email
AlreadyRead=Διαβάσατε ήδη
-NotRead=Δεν διαβάζεται
+NotRead=Unread
NoMobilePhone=Χωρείς κινητό τηλέφωνο
Owner=Ιδιοκτήτης
FollowingConstantsWillBeSubstituted=Οι ακόλουθες σταθερές θα αντικαταστασθούν με τις αντίστοιχες τιμές
@@ -1107,3 +1112,8 @@ UpToDate=Up-to-date
OutOfDate=Out-of-date
EventReminder=Υπενθύμιση συμβάντος
UpdateForAllLines=Update for all lines
+OnHold=Σε Αναμονή
+AffectTag=Affect Tag
+ConfirmAffectTag=Bulk Tag Affect
+ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected record(s)?
+CategTypeNotFound=No tag type found for type of records
diff --git a/htdocs/langs/el_GR/modulebuilder.lang b/htdocs/langs/el_GR/modulebuilder.lang
index 6f8f201d666..0c97a5a3b30 100644
--- a/htdocs/langs/el_GR/modulebuilder.lang
+++ b/htdocs/langs/el_GR/modulebuilder.lang
@@ -40,6 +40,7 @@ PageForCreateEditView=Σελίδα PHP για δημιουργία / επεξε
PageForAgendaTab=Σελίδα PHP για καρτέλα συμβάντος
PageForDocumentTab=PHP σελίδα για καρτέλα έγγραφο
PageForNoteTab=Σελίδα PHP για την καρτέλα σημείωσης
+PageForContactTab=PHP page for contact tab
PathToModulePackage=Διαδρομή προς φερμουάρ του πακέτου ενότητας / εφαρμογής
PathToModuleDocumentation=Διαδρομή αρχείου τεκμηρίωσης ενότητας / εφαρμογής (%s)
SpaceOrSpecialCharAreNotAllowed=Δεν επιτρέπονται χώροι ή ειδικοί χαρακτήρες.
@@ -77,7 +78,7 @@ IsAMeasure=Είναι ένα μέτρο
DirScanned=Κατάλογος σάρωση
NoTrigger=Δεν ενεργοποιείται
NoWidget=Δεν γραφικό στοιχείο
-GoToApiExplorer=Μεταβείτε στον εξερευνητή API
+GoToApiExplorer=API explorer
ListOfMenusEntries=Λίστα καταχωρήσεων μενού
ListOfDictionariesEntries=Λίστα καταχωρήσεων λεξικών
ListOfPermissionsDefined=Λίστα καθορισμένων δικαιωμάτων
@@ -105,7 +106,7 @@ TryToUseTheModuleBuilder=Αν έχετε γνώσεις SQL και PHP, μπορ
SeeTopRightMenu=Βλέπω στο πάνω δεξιό μενού
AddLanguageFile=Προσθήκη αρχείου γλώσσας
YouCanUseTranslationKey=Μπορείτε να χρησιμοποιήσετε εδώ ένα κλειδί που είναι το κλειδί μετάφρασης που βρίσκεται στο αρχείο γλώσσας (δείτε την καρτέλα "Γλώσσες")
-DropTableIfEmpty=(Διαγραφή πίνακα εάν είναι κενή)
+DropTableIfEmpty=(Destroy table if empty)
TableDoesNotExists=Ο πίνακας %s δεν υπάρχει
TableDropped=Ο πίνακας %s διαγράφηκε
InitStructureFromExistingTable=Δημιουργήστε τη συμβολοσειρά συστοιχιών δομής ενός υπάρχοντος πίνακα
@@ -126,7 +127,6 @@ UseSpecificEditorURL = Χρησιμοποιήστε μια συγκεκριμέ
UseSpecificFamily = Χρησιμοποιήστε μια συγκεκριμένη οικογένεια
UseSpecificAuthor = Χρησιμοποιήστε έναν συγκεκριμένο συντάκτη
UseSpecificVersion = Χρησιμοποιήστε μια συγκεκριμένη αρχική έκδοση
-ModuleMustBeEnabled=Η μονάδα / εφαρμογή πρέπει πρώτα να ενεργοποιηθεί
IncludeRefGeneration=Η αναφορά του αντικειμένου πρέπει να δημιουργείται αυτόματα
IncludeRefGenerationHelp=Ελέγξτε αν θέλετε να συμπεριλάβετε κώδικα για να διαχειριστείτε την αυτόματη παραγωγή της αναφοράς
IncludeDocGeneration=Θέλω να δημιουργήσω κάποια έγγραφα από το αντικείμενο
@@ -140,3 +140,4 @@ TypeOfFieldsHelp=Τύπος πεδίων: varchar (99), διπλό (24,8),
AsciiToHtmlConverter=Μεταροπέας από Ascii σε HTML
AsciiToPdfConverter=Μεταροπέας από Ascii σε PDF
TableNotEmptyDropCanceled=Table not empty. Drop has been canceled.
+ModuleBuilderNotAllowed=The module builder is available but not allowed to your user.
diff --git a/htdocs/langs/el_GR/other.lang b/htdocs/langs/el_GR/other.lang
index 28a0f808756..92d6f312061 100644
--- a/htdocs/langs/el_GR/other.lang
+++ b/htdocs/langs/el_GR/other.lang
@@ -5,8 +5,6 @@ Tools=Εργαλεία
TMenuTools=Εργαλεία
ToolsDesc=Όλα τα εργαλεία που δεν περιλαμβάνονται σε άλλες καταχωρίσεις μενού ομαδοποιούνται εδώ. Όλα τα εργαλεία μπορούν να προσπελαστούν μέσω του αριστερού μενού.
Birthday=Γενέθλια
-BirthdayDate=Ημερομηνία γενέθλια
-DateToBirth=Ημερομηνία γέννησης
BirthdayAlertOn=Ειδοποίηση γενεθλίων ενεργή
BirthdayAlertOff=Ειδοποίηση γενεθλίων ανενεργή
TransKey=Μετάφραση του κλειδιού TransKey
@@ -16,6 +14,8 @@ PreviousMonthOfInvoice=Προηγούμενος μήνας (αριθμός 1-12)
TextPreviousMonthOfInvoice=Προηγούμενος μήνας (κείμενο) της ημερομηνίας του τιμολογίου
NextMonthOfInvoice=Μετά τον μήνα (αριθμός 1-12) της ημερομηνίας του τιμολογίου
TextNextMonthOfInvoice=Μετά τον μήνα (κείμενο) της ημερομηνίας του τιμολογίου
+PreviousMonth=Previous month
+CurrentMonth=Current month
ZipFileGeneratedInto=Το αρχείο Zip δημιουργήθηκε σε %s .
DocFileGeneratedInto=Το αρχείο Doc δημιουργήθηκε σε %s .
JumpToLogin=Ασύνδετος. Μετάβαση στη σελίδα σύνδεσης ...
@@ -99,6 +99,7 @@ PredefinedMailContentSendShipping=__ (Γεια σας) __ Παρακαλούμε
PredefinedMailContentSendFichInter=__ (Γεια σας) __ Βρείτε την παρέμβαση __REF__ επισυνάπτεται __ (ειλικρινά) __ __USER_SIGNATURE__
PredefinedMailContentLink=Μπορείτε να κάνετε κλικ στον παρακάτω σύνδεσμο για να πραγματοποιήσετε την πληρωμή σας, αν δεν έχει γίνει ήδη. %s
PredefinedMailContentGeneric=__ (Γεια σας) __ __ (ειλικρινά) __ __USER_SIGNATURE__
+PredefinedMailContentSendActionComm=Event reminder "__EVENT_LABEL__" on __EVENT_DATE__ at __EVENT_TIME__
This is an automatic message, please do not reply.
DemoDesc=Το Dolibarr είναι ένα συμπαγές ERP / CRM που υποστηρίζει διάφορες λειτουργικές μονάδες. Ένα demo που παρουσιάζει όλες τις μονάδες δεν έχει νόημα καθώς το σενάριο αυτό δεν εμφανίζεται ποτέ (αρκετές εκατοντάδες διαθέσιμες). Έτσι, πολλά προφίλ επίδειξης είναι διαθέσιμα.
ChooseYourDemoProfil=Επιλέξτε το προφίλ επίδειξης που ταιριάζει καλύτερα στις ανάγκες σας ...
ChooseYourDemoProfilMore=... ή να δημιουργήσετε το δικό σας προφίλ (επιλογή χειροκίνητης μονάδας)
@@ -137,7 +138,7 @@ Right=Δικαίωμα
CalculatedWeight=Υπολογισμένο βάρος
CalculatedVolume=Υπολογισμένος όγκος
Weight=Βάρος
-WeightUnitton=τόνο
+WeightUnitton=τόνος
WeightUnitkg=kg
WeightUnitg=g
WeightUnitmg=mg
@@ -258,6 +259,7 @@ ContactCreatedByEmailCollector=Επαφή / διεύθυνση που δημιο
ProjectCreatedByEmailCollector=Έργο που δημιουργήθηκε από τον συλλέκτη ηλεκτρονικού ταχυδρομείου από το ηλεκτρονικό ταχυδρομείο MSGID %s
TicketCreatedByEmailCollector=Εισιτήριο που δημιουργήθηκε από τον συλλέκτη ηλεκτρονικού ταχυδρομείου από το ηλεκτρονικό ταχυδρομείο MSGID %s
OpeningHoursFormatDesc=Χρησιμοποιήστε το "-" για να διαχωρίσετε τις ώρες ανοίγματος και κλεισίματος. Χρησιμοποιήστε "κενό" για να εισάγετε διαφορετικές περιοχές. Παράδειγμα: 8-12 14-18
+PrefixSession=Prefix for session ID
##### Export #####
ExportsArea=Exports area
diff --git a/htdocs/langs/el_GR/products.lang b/htdocs/langs/el_GR/products.lang
index 6570f5f1b60..f74ea812c40 100644
--- a/htdocs/langs/el_GR/products.lang
+++ b/htdocs/langs/el_GR/products.lang
@@ -108,7 +108,8 @@ FillWithLastServiceDates=Fill with last service line dates
MultiPricesAbility=Πολλαπλά τμήματα τιμών ανά προϊόν / υπηρεσία (κάθε πελάτης βρίσκεται σε ένα τμήμα τιμών)
MultiPricesNumPrices=Αριθμός τιμής
DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices
-AssociatedProductsAbility=Activate kits (virtual products)
+AssociatedProductsAbility=Enable Kits (set of other products)
+VariantsAbility=Enable Variants (variations of products, for example color, size)
AssociatedProducts=Kits
AssociatedProductsNumber=Number of products composing this kit
ParentProductsNumber=Αριθμός μητρικής συσκευασίας προϊόντος
@@ -167,8 +168,10 @@ BuyingPrices=Τιμές Αγοράς
CustomerPrices=Τιμές Πελατών
SuppliersPrices=Τιμές πωλητών
SuppliersPricesOfProductsOrServices=Τιμές πωλητών (προϊόντων ή υπηρεσιών)
-CustomCode=Τελωνείο / εμπορεύματα / κωδικός ΕΣ
+CustomCode=Customs|Commodity|HS code
CountryOrigin=Χώρα προέλευσης
+RegionStateOrigin=Region origin
+StateOrigin=State|Province origin
Nature=Φύση προϊόντος (υλικό / τελικό)
NatureOfProductShort=Nature of product
NatureOfProductDesc=Raw material or finished product
@@ -239,7 +242,7 @@ AlwaysUseFixedPrice=Use the fixed price
PriceByQuantity=Διαφορετικές τιμές από την ποσότητα
DisablePriceByQty=Απενεργοποιήστε τις τιμές ανά ποσότητα
PriceByQuantityRange=Quantity range
-MultipriceRules=Κανόνες τμήματος τιμών
+MultipriceRules=Automatic prices for segment
UseMultipriceRules=Χρησιμοποιήστε κανόνες για το τμήμα των τιμών (που ορίζονται στην εγκατάσταση μονάδας προϊόντος) για να υπολογίσετε αυτόματα τις τιμές όλων των άλλων τμημάτων σύμφωνα με τον πρώτο τομέα
PercentVariationOver=Παραλλαγή %% μέσω %s
PercentDiscountOver=%% έκπτωση πάνω από %s
diff --git a/htdocs/langs/el_GR/recruitment.lang b/htdocs/langs/el_GR/recruitment.lang
index 979cbd02335..6bd34b116f7 100644
--- a/htdocs/langs/el_GR/recruitment.lang
+++ b/htdocs/langs/el_GR/recruitment.lang
@@ -73,3 +73,4 @@ JobClosedTextCandidateFound=The job position is closed. The position has been fi
JobClosedTextCanceled=The job position is closed.
ExtrafieldsJobPosition=Complementary attributes (job positions)
ExtrafieldsCandidatures=Complementary attributes (job applications)
+MakeOffer=Make an offer
diff --git a/htdocs/langs/el_GR/sendings.lang b/htdocs/langs/el_GR/sendings.lang
index d72b07464cb..d4bf5fdbe92 100644
--- a/htdocs/langs/el_GR/sendings.lang
+++ b/htdocs/langs/el_GR/sendings.lang
@@ -30,6 +30,7 @@ OtherSendingsForSameOrder=Άλλες αποστολές για αυτό το σ
SendingsAndReceivingForSameOrder=Αποστολές και αποδείξεις για αυτήν την παραγγελία
SendingsToValidate=Αποστολές για επικύρωση
StatusSendingCanceled=Ακυρώθηκε
+StatusSendingCanceledShort=Ακυρώθηκε
StatusSendingDraft=Σχέδιο
StatusSendingValidated=Επικυρωμένη (προϊόντα για αποστολή ή που έχουν ήδη αποσταλεί)
StatusSendingProcessed=Επεξεργασμένα
@@ -65,6 +66,7 @@ ValidateOrderFirstBeforeShipment=Θα πρέπει πρώτα να επικυρ
# Sending methods
# ModelDocument
DocumentModelTyphon=Πληρέστερο πρότυπο έγγραφο για αποδεικτικά παράδοσης (logo. ..)
+DocumentModelStorm=More complete document model for delivery receipts and extrafields compatibility (logo...)
Error_EXPEDITION_ADDON_NUMBER_NotDefined=Σταθερή EXPEDITION_ADDON_NUMBER δεν ορίζεται
SumOfProductVolumes=Άθροισμα όγκου του προϊόντος
SumOfProductWeights=Άθροισμα το βάρος των προϊόντων
diff --git a/htdocs/langs/el_GR/stocks.lang b/htdocs/langs/el_GR/stocks.lang
index 50808768598..22b2e9fdf59 100644
--- a/htdocs/langs/el_GR/stocks.lang
+++ b/htdocs/langs/el_GR/stocks.lang
@@ -240,3 +240,4 @@ InventoryRealQtyHelp=Set value to 0 to reset qty Keep field empty, or remove
UpdateByScaning=Update by scaning
UpdateByScaningProductBarcode=Update by scan (product barcode)
UpdateByScaningLot=Update by scan (lot|serial barcode)
+DisableStockChangeOfSubProduct=Deactivate the stock change for all the subproducts of this Kit during this movement.
diff --git a/htdocs/langs/el_GR/ticket.lang b/htdocs/langs/el_GR/ticket.lang
index 67327d94483..65f2b2d8d39 100644
--- a/htdocs/langs/el_GR/ticket.lang
+++ b/htdocs/langs/el_GR/ticket.lang
@@ -31,10 +31,8 @@ TicketDictType=Τύπος εισιτηρίου
TicketDictCategory=Εισιτήριο - Ομαδοποιεί
TicketDictSeverity=Εισιτήριο - Βαρύτητα
TicketDictResolution=Εισιτήριο - Ανάλυση
-TicketTypeShortBUGSOFT=Λογική δυσλειτουργίας
-TicketTypeShortBUGHARD=Dysfonctionnement υλικά
-TicketTypeShortCOM=Εμπορική ερώτηση
+TicketTypeShortCOM=Εμπορική ερώτηση
TicketTypeShortHELP=Αίτημα για λειτουργική βοήθεια
TicketTypeShortISSUE=Θέμα, σφάλμα ή πρόβλημα
TicketTypeShortREQUEST=Αίτημα αλλαγής ή βελτίωσης
@@ -44,7 +42,7 @@ TicketTypeShortOTHER=Άλλο
TicketSeverityShortLOW=Χαμηλή
TicketSeverityShortNORMAL=Κανονικός
TicketSeverityShortHIGH=Υψηλή
-TicketSeverityShortBLOCKING=Κρίσιμη / Αποκλεισμός
+TicketSeverityShortBLOCKING=Critical, Blocking
ErrorBadEmailAddress=Το πεδίο '%s' είναι εσφαλμένο
MenuTicketMyAssign=Τα εισιτήριά μου
@@ -60,7 +58,6 @@ OriginEmail=Πηγή ηλεκτρονικού ταχυδρομείου
Notify_TICKET_SENTBYMAIL=Στείλτε μήνυμα εισιτηρίου μέσω ηλεκτρονικού ταχυδρομείου
# Status
-NotRead=Δεν διαβάζεται
Read=Ανάγνωση
Assigned=Ανατεθεί
InProgress=Σε εξέλιξη
@@ -126,6 +123,7 @@ TicketsActivatePublicInterfaceHelp=Η δημόσια διεπαφή επιτρέ
TicketsAutoAssignTicket=Ορίστε αυτόματα τον χρήστη που δημιούργησε το εισιτήριο
TicketsAutoAssignTicketHelp=Κατά τη δημιουργία ενός εισιτηρίου, ο χρήστης μπορεί να αντιστοιχιστεί αυτόματα στο εισιτήριο.
TicketNumberingModules=Μονάδα αρίθμησης εισιτηρίων
+TicketsModelModule=Document templates for tickets
TicketNotifyTiersAtCreation=Ειδοποιήστε τρίτο μέρος στη δημιουργία
TicketsDisableCustomerEmail=Πάντα να απενεργοποιείτε τα μηνύματα ηλεκτρονικού ταχυδρομείου όταν δημιουργείται ένα εισιτήριο από τη δημόσια διασύνδεση
TicketsPublicNotificationNewMessage=Send email(s) when a new message is added
@@ -233,7 +231,6 @@ TicketLogStatusChanged=Η κατάσταση άλλαξε: %s to %s
TicketNotNotifyTiersAtCreate=Μην ειδοποιείτε την εταιρεία στη δημιουργία
Unread=Αδιάβαστος
TicketNotCreatedFromPublicInterface=Μη διαθέσιμος. Το εισιτήριο δεν δημιουργήθηκε από το δημόσιο περιβάλλον.
-PublicInterfaceNotEnabled=Η δημόσια διεπαφή δεν ήταν ενεργοποιημένη
ErrorTicketRefRequired=Το όνομα αναφοράς Eισιτηρίου είναι υποχρεωτικό
#
diff --git a/htdocs/langs/el_GR/website.lang b/htdocs/langs/el_GR/website.lang
index 50dd8e48759..7ed1f8aab8f 100644
--- a/htdocs/langs/el_GR/website.lang
+++ b/htdocs/langs/el_GR/website.lang
@@ -30,7 +30,6 @@ EditInLine=Επεξεργασία εν σειρά
AddWebsite=Προσθήκη ιστοτόπου
Webpage=Ιστοσελίδα / δοχείο
AddPage=Προσθήκη σελίδας / δοχείου
-HomePage=Αρχική σελίδα
PageContainer=Σελίδα
PreviewOfSiteNotYetAvailable=Δεν είναι ακόμα διαθέσιμη η προεπισκόπηση του ιστοτόπου σας %s . Πρέπει πρώτα να εισαγάγετε ένα πλήρες πρότυπο ιστότοπου ή απλά να προσθέσετε μια σελίδα / κοντέινερ .
RequestedPageHasNoContentYet=Η σελίδα που ζητήθηκε με id %s δεν έχει ακόμα περιεχόμενο, ή το αρχείο cache .tpl.php καταργήθηκε. Επεξεργαστείτε το περιεχόμενο της σελίδας για να το επιλύσετε.
@@ -101,7 +100,7 @@ EmptyPage=Κενή σελίδα
ExternalURLMustStartWithHttp=Η εξωτερική διεύθυνση URL πρέπει να ξεκινά με http: // ή https: //
ZipOfWebsitePackageToImport=Μεταφορτώστε το αρχείο Zip του πακέτου πρότυπου ιστότοπου
ZipOfWebsitePackageToLoad=ή Επιλέξτε ένα διαθέσιμο πακέτο πρότυπου ιστότοπου
-ShowSubcontainers=Συμπεριλάβετε δυναμικό περιεχόμενο
+ShowSubcontainers=Show dynamic content
InternalURLOfPage=Εσωτερική διεύθυνση URL της σελίδας
ThisPageIsTranslationOf=Αυτή η σελίδα / δοχείο είναι μια μετάφραση του
ThisPageHasTranslationPages=Αυτή η σελίδα / κοντέινερ έχει μετάφραση
@@ -137,3 +136,4 @@ RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using
PagesRegenerated=%s page(s)/container(s) regenerated
RegenerateWebsiteContent=Regenerate web site cache files
AllowedInFrames=Allowed in Frames
+DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languages into web site properties.
diff --git a/htdocs/langs/el_GR/withdrawals.lang b/htdocs/langs/el_GR/withdrawals.lang
index b4cebd19f0c..7a986327a4b 100644
--- a/htdocs/langs/el_GR/withdrawals.lang
+++ b/htdocs/langs/el_GR/withdrawals.lang
@@ -42,6 +42,7 @@ LastWithdrawalReceipt=Τελευταίες εισπράξεις άμεσης χ
MakeWithdrawRequest=Πραγματοποιήστε αίτημα πληρωμής με άμεση χρέωση
MakeBankTransferOrder=Make a credit transfer request
WithdrawRequestsDone=%s καταγράφονται τα αιτήματα πληρωμής άμεσης χρέωσης
+BankTransferRequestsDone=%s credit transfer requests recorded
ThirdPartyBankCode=Τραπεζικός κωδικός τρίτου μέρους
NoInvoiceCouldBeWithdrawed=Κανένα τιμολόγιο δεν χρεώθηκε με επιτυχία. Βεβαιωθείτε ότι τα τιμολόγια είναι σε εταιρείες με έγκυρο αριθμό IBAN και ότι ο IBAN έχει UMR (Unique Mandate Reference) με τον τρόπο %s .
ClassCredited=Ταξινομήστε πιστώνεται
@@ -131,7 +132,8 @@ SEPARCUR=SEPA CUR
SEPAFRST=SEPA FRST
ExecutionDate=Ημερομηνία εκτέλεσης
CreateForSepa=Δημιουργήστε αρχείο άμεσης χρέωσης
-ICS=Αναγνωριστικό πιστωτή CI
+ICS=Creditor Identifier CI for direct debit
+ICSTransfer=Creditor Identifier CI for bank transfer
END_TO_END="EndToEndId" Ετικέτα XML SEPA - Μοναδική ταυτότητα που αντιστοιχεί σε κάθε συναλλαγή
USTRD="Μη δομημένη" ετικέτα XML SEPA
ADDDAYS=Προσθήκη ημερών στην Ημερομηνία Εκτέλεσης
@@ -146,3 +148,4 @@ InfoRejectSubject=Η εντολή πληρωμής άμεσης χρέωσης
InfoRejectMessage=Γεια σας,
η εντολή πληρωμής άμεσης χρέωσης του τιμολογίου %s σχετικά με την εταιρεία %s, με το ποσό %s απορρίφθηκε από την τράπεζα.
- %s
ModeWarning=Επιλογή για την πραγματική κατάσταση, δεν είχε καθοριστεί, σταματάμε μετά από αυτή την προσομοίωση
ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know wich one to use.
+ErrorICSmissing=Missing ICS in Bank account %s
diff --git a/htdocs/langs/en_AU/accountancy.lang b/htdocs/langs/en_AU/accountancy.lang
new file mode 100644
index 00000000000..552865118f1
--- /dev/null
+++ b/htdocs/langs/en_AU/accountancy.lang
@@ -0,0 +1,2 @@
+# Dolibarr language file - Source file is en_US - accountancy
+ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50)
diff --git a/htdocs/langs/en_AU/products.lang b/htdocs/langs/en_AU/products.lang
deleted file mode 100644
index 6e900475275..00000000000
--- a/htdocs/langs/en_AU/products.lang
+++ /dev/null
@@ -1,2 +0,0 @@
-# Dolibarr language file - Source file is en_US - products
-CustomCode=Customs / Commodity / HS code
diff --git a/htdocs/langs/en_AU/withdrawals.lang b/htdocs/langs/en_AU/withdrawals.lang
new file mode 100644
index 00000000000..facdefc082f
--- /dev/null
+++ b/htdocs/langs/en_AU/withdrawals.lang
@@ -0,0 +1,2 @@
+# Dolibarr language file - Source file is en_US - withdrawals
+ICS=Creditor Identifier CI for direct debit
diff --git a/htdocs/langs/en_CA/accountancy.lang b/htdocs/langs/en_CA/accountancy.lang
new file mode 100644
index 00000000000..552865118f1
--- /dev/null
+++ b/htdocs/langs/en_CA/accountancy.lang
@@ -0,0 +1,2 @@
+# Dolibarr language file - Source file is en_US - accountancy
+ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50)
diff --git a/htdocs/langs/en_CA/compta.lang b/htdocs/langs/en_CA/compta.lang
deleted file mode 100644
index c7c41488180..00000000000
--- a/htdocs/langs/en_CA/compta.lang
+++ /dev/null
@@ -1,2 +0,0 @@
-# Dolibarr language file - Source file is en_US - compta
-BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted ascending on %s and filtered for 1 bank account
diff --git a/htdocs/langs/en_CA/products.lang b/htdocs/langs/en_CA/products.lang
deleted file mode 100644
index 6e900475275..00000000000
--- a/htdocs/langs/en_CA/products.lang
+++ /dev/null
@@ -1,2 +0,0 @@
-# Dolibarr language file - Source file is en_US - products
-CustomCode=Customs / Commodity / HS code
diff --git a/htdocs/langs/en_CA/withdrawals.lang b/htdocs/langs/en_CA/withdrawals.lang
new file mode 100644
index 00000000000..facdefc082f
--- /dev/null
+++ b/htdocs/langs/en_CA/withdrawals.lang
@@ -0,0 +1,2 @@
+# Dolibarr language file - Source file is en_US - withdrawals
+ICS=Creditor Identifier CI for direct debit
diff --git a/htdocs/langs/en_GB/accountancy.lang b/htdocs/langs/en_GB/accountancy.lang
index 9a42aff0270..d759a22f0c6 100644
--- a/htdocs/langs/en_GB/accountancy.lang
+++ b/htdocs/langs/en_GB/accountancy.lang
@@ -49,6 +49,7 @@ VentilatedinAccount=Linked successfully to the financial account
NotVentilatedinAccount=Not linked to the financial account
XLineSuccessfullyBinded=%s products/services successfully linked to the finance account
XLineFailedToBeBinded=%s products/services were not linked to any finance account
+ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50)
ACCOUNTING_LIST_SORT_VENTILATION_TODO=Begin sorting the page "Links to do" by the most recent elements
ACCOUNTING_LIST_SORT_VENTILATION_DONE=Begin sorting the page "Links done" by the most recent elements
ACCOUNTING_LENGTH_GACCOUNT=Length of the General Ledger accounts (If you set value to 6 here, the account '706' will appear as '706000' on screen)
@@ -61,10 +62,8 @@ ACCOUNTING_SERVICE_BUY_ACCOUNT=Default services purchase account (used if not de
ACCOUNTING_SERVICE_SOLD_ACCOUNT=Default services sales account (used if not defined in the service sheet)
LabelAccount=Account name
LabelOperation=Account operation
-Sens=Meaning
NumPiece=Item number
AccountingCategory=Personalised groups
-GroupByAccountAccounting=Group by finance account
AccountingAccountGroupsDesc=Here you can define some groups of financial accounts. They will be used for personalised accounting reports.
ByPersonalizedAccountGroups=By personalised groups
FeeAccountNotDefined=Account for fees not defined
diff --git a/htdocs/langs/en_GB/products.lang b/htdocs/langs/en_GB/products.lang
index 844ae30d7c1..e707e316257 100644
--- a/htdocs/langs/en_GB/products.lang
+++ b/htdocs/langs/en_GB/products.lang
@@ -1,3 +1,2 @@
# Dolibarr language file - Source file is en_US - products
-CustomCode=Customs / Commodity / HS code
PrintsheetForOneBarCode=Print several labels for one barcode
diff --git a/htdocs/langs/en_GB/sendings.lang b/htdocs/langs/en_GB/sendings.lang
index ed103dc3a4b..61058b10825 100644
--- a/htdocs/langs/en_GB/sendings.lang
+++ b/htdocs/langs/en_GB/sendings.lang
@@ -1,2 +1,3 @@
# Dolibarr language file - Source file is en_US - sendings
StatusSendingCanceled=Cancelled
+StatusSendingCanceledShort=Cancelled
diff --git a/htdocs/langs/en_GB/withdrawals.lang b/htdocs/langs/en_GB/withdrawals.lang
index b1d58194878..3ec4f7ab0ec 100644
--- a/htdocs/langs/en_GB/withdrawals.lang
+++ b/htdocs/langs/en_GB/withdrawals.lang
@@ -13,4 +13,5 @@ WithdrawalFileNotCapable=Unable to generate Payment receipt file for your countr
WithdrawRequestAmount=The amount of Direct Debit request:
WithdrawRequestErrorNilAmount=Unable to create a Direct Debit request for an empty amount.
SEPALegalText=By signing this mandate form, you authorise (A) %s to send instructions to your bank to debit your account and (B) your bank to debit your account in accordance with the instructions from %s. As part of your rights, you are entitled to a refund from your bank under the terms and conditions of your agreement with your bank. A refund must be claimed within 8 weeks starting from the date on which your account was debited. Your rights regarding the above mandate are explained in a statement that you can obtain from your bank.
+ICS=Creditor Identifier CI for direct debit
InfoRejectMessage=Hello,
the direct debit payment order for invoice %s related to the company %s, for an amount of %s has been refused by the bank.
-- %s
diff --git a/htdocs/langs/en_IN/accountancy.lang b/htdocs/langs/en_IN/accountancy.lang
new file mode 100644
index 00000000000..552865118f1
--- /dev/null
+++ b/htdocs/langs/en_IN/accountancy.lang
@@ -0,0 +1,2 @@
+# Dolibarr language file - Source file is en_US - accountancy
+ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50)
diff --git a/htdocs/langs/en_IN/products.lang b/htdocs/langs/en_IN/products.lang
deleted file mode 100644
index 6e900475275..00000000000
--- a/htdocs/langs/en_IN/products.lang
+++ /dev/null
@@ -1,2 +0,0 @@
-# Dolibarr language file - Source file is en_US - products
-CustomCode=Customs / Commodity / HS code
diff --git a/htdocs/langs/en_IN/withdrawals.lang b/htdocs/langs/en_IN/withdrawals.lang
new file mode 100644
index 00000000000..facdefc082f
--- /dev/null
+++ b/htdocs/langs/en_IN/withdrawals.lang
@@ -0,0 +1,2 @@
+# Dolibarr language file - Source file is en_US - withdrawals
+ICS=Creditor Identifier CI for direct debit
diff --git a/htdocs/langs/en_SG/accountancy.lang b/htdocs/langs/en_SG/accountancy.lang
new file mode 100644
index 00000000000..552865118f1
--- /dev/null
+++ b/htdocs/langs/en_SG/accountancy.lang
@@ -0,0 +1,2 @@
+# Dolibarr language file - Source file is en_US - accountancy
+ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50)
diff --git a/htdocs/langs/en_SG/compta.lang b/htdocs/langs/en_SG/compta.lang
deleted file mode 100644
index c7c41488180..00000000000
--- a/htdocs/langs/en_SG/compta.lang
+++ /dev/null
@@ -1,2 +0,0 @@
-# Dolibarr language file - Source file is en_US - compta
-BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted ascending on %s and filtered for 1 bank account
diff --git a/htdocs/langs/en_SG/products.lang b/htdocs/langs/en_SG/products.lang
deleted file mode 100644
index 6e900475275..00000000000
--- a/htdocs/langs/en_SG/products.lang
+++ /dev/null
@@ -1,2 +0,0 @@
-# Dolibarr language file - Source file is en_US - products
-CustomCode=Customs / Commodity / HS code
diff --git a/htdocs/langs/en_SG/withdrawals.lang b/htdocs/langs/en_SG/withdrawals.lang
new file mode 100644
index 00000000000..facdefc082f
--- /dev/null
+++ b/htdocs/langs/en_SG/withdrawals.lang
@@ -0,0 +1,2 @@
+# Dolibarr language file - Source file is en_US - withdrawals
+ICS=Creditor Identifier CI for direct debit
diff --git a/htdocs/langs/en_US/main.lang b/htdocs/langs/en_US/main.lang
index e196120c27d..01b1a23609b 100644
--- a/htdocs/langs/en_US/main.lang
+++ b/htdocs/langs/en_US/main.lang
@@ -1116,4 +1116,4 @@ OnHold=On hold
AffectTag=Affect Tag
ConfirmAffectTag=Bulk Tag Affect
ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected record(s)?
-CategTypeNotFound=No tag type found for type of records
+CategTypeNotFound=No tag type found for type of records
\ No newline at end of file
diff --git a/htdocs/langs/es_AR/accountancy.lang b/htdocs/langs/es_AR/accountancy.lang
index 96c58aaf400..ab876d97846 100644
--- a/htdocs/langs/es_AR/accountancy.lang
+++ b/htdocs/langs/es_AR/accountancy.lang
@@ -16,3 +16,4 @@ Journals=Diarios Contables
JournalFinancial=Diarios Financieros
AssignDedicatedAccountingAccount=Nueva cuenta para asignar
InvoiceLabel=Etiqueta de la factura
+ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50)
diff --git a/htdocs/langs/es_AR/admin.lang b/htdocs/langs/es_AR/admin.lang
index 6b938db0388..fb204e4d784 100644
--- a/htdocs/langs/es_AR/admin.lang
+++ b/htdocs/langs/es_AR/admin.lang
@@ -61,7 +61,6 @@ AllowToSelectProjectFromOtherCompany=En el documento de un tercero, puede elegir
JavascriptDisabled=JavaScript desactivado
UsePreviewTabs=Usar pestañas de vista previa
ShowPreview=Mostrar vista previa
-CurrentTimeZone=TimeZone PHP (servidor)
MySQLTimeZone=TimeZone MySql (base de datos)
TZHasNoEffect=Las fechas son almacenadas y devueltas por el servidor de base de datos como si se mantuvieran como una cadena enviada. La zona horaria solo tiene efecto cuando se usa la función UNIX_TIMESTAMP (que Dolibarr no debe usar, por lo que la base de datos TZ no debería tener ningún efecto, incluso si se cambia después de ingresar los datos).
Space=Espacio
@@ -112,8 +111,6 @@ SystemToolsArea=Área de herramientas del sistema
SystemToolsAreaDesc=Esta área proporciona funciones de administración. Utilice el menú para elegir la función requerida.
PurgeAreaDesc=Esta página le permite eliminar todos los archivos generados o almacenados por Dolibarr (archivos temporales o todos los archivos en el directorio %s ). Usando esta característica normalmente no es necesario. Se proporciona como una solución para los usuarios cuyo Dolibarr está alojado por un proveedor que no ofrece permisos para eliminar archivos generados por el servidor web.
PurgeDeleteLogFile=Elimine los archivos de registro, incluido el %s definido para el módulo Syslog (sin riesgo de perder datos)
-PurgeDeleteTemporaryFiles=Eliminar todos los archivos temporales (no hay risgo de perder información), Nota: La eliminación se realizará sólo si la carpeta temporal sólo fue creada hace 24 horas.
-PurgeDeleteTemporaryFilesShort=Borrar archivos temporales
PurgeDeleteAllFilesInDocumentsDir=Elimine todos los archivos en el directorio: %s . Esto eliminará todos los documentos generados relacionados con elementos (terceros, facturas, etc.), archivos cargados en el módulo ECM, volcados de copia de seguridad de la base de datos y archivos temporales. archivos.
PurgeRunNow=Purga ahora
PurgeNothingToDelete=No hay directorio o archivos para eliminar.
@@ -254,7 +251,6 @@ LastActivationIP=IP de última activación
UpdateServerOffline=Actualizar servidor fuera de línea
WithCounter=Administrar un contador
AddCRIfTooLong=No hay ajuste de texto automático. El texto que es demasiado largo no será mostrado en el documento. Por favor agregar saltos de línea en el área de texto si es necesario.
-ExampleOfDirectoriesForModelGen=Ejemplo de sintaxis: c:\\mydir /home/mydir DOL_DATA_ROOT/ecm/ecmdir
String=Cuerda
Module30Name=Facturas
Module40Desc=Gestión de proveedores y compras (órdenes de compra y facturas de proveedores)
diff --git a/htdocs/langs/es_AR/blockedlog.lang b/htdocs/langs/es_AR/blockedlog.lang
index 5b0a4d9d1b5..080e82c85c5 100644
--- a/htdocs/langs/es_AR/blockedlog.lang
+++ b/htdocs/langs/es_AR/blockedlog.lang
@@ -24,7 +24,6 @@ logBILL_SENTBYMAIL=Factura de cliente enviada por corre
logBILL_DELETE=Borrado lógico de una factura de cliente
logDON_DELETE=Borrado lógico de una donación
logMEMBER_SUBSCRIPTION_DELETE=Borrado lógico de una suscripción de miembro
-logCASHCONTROL_VALIDATE=Registro de flujo de efectivo
ListOfTrackedEvents=Lista de eventos rastreados
logDOC_DOWNLOAD=Descarga de un documento validado para imprimir o enviar
DataOfArchivedEvent=Datos completos del evento archivado
diff --git a/htdocs/langs/es_AR/companies.lang b/htdocs/langs/es_AR/companies.lang
index 5e7e576b77f..3dd71f9bcdc 100644
--- a/htdocs/langs/es_AR/companies.lang
+++ b/htdocs/langs/es_AR/companies.lang
@@ -209,7 +209,6 @@ VATIntraCheckableOnEUSite=Consulte el ID de IVA intracomunitario en el sitio web
VATIntraManualCheck=También puedes consultar manualmente en el sitio web de la Comisión Europea %s
ErrorVATCheckMS_UNAVAILABLE=No es posible comprobar. El servicio de verificación no lo proporciona el estado del miembro (%s).
NorProspectNorCustomer=Ni cliente ni cliente potencial
-JuridicalStatus=Tipo de entidad legal
ProspectLevel=Cliente potencia
OthersNotLinkedToThirdParty=Otros, no vinculados a un tercero
ProspectStatus=Estado del cliente potencial
diff --git a/htdocs/langs/es_AR/cron.lang b/htdocs/langs/es_AR/cron.lang
index f3f72b8cb2f..e9709b188f5 100644
--- a/htdocs/langs/es_AR/cron.lang
+++ b/htdocs/langs/es_AR/cron.lang
@@ -4,8 +4,6 @@ Permission23102 =Crear/actualizar tarea programada
Permission23103 =Eliminar tarea programada
Permission23104 =Ejecutar tarea programada
CronSetup=Configuración para administración de tareas programadas
-URLToLaunchCronJobs=URL para verificar y ejecutar tareas programadas calificadas
-OrToLaunchASpecificJob=O para verificar y ejecutar una tarea específica
KeyForCronAccess=Clave de seguridad para la URL para ejecutar tareas programadas
FileToLaunchCronJobs=Línea de comandos para verificar y ejecutar tareas programadas calificadas
CronExplainHowToRunUnix=O el ambiente de Unix que deberías utilizar para una entrada programada para ejecutar el comando cada 5 minutos
@@ -37,7 +35,6 @@ CronNote=Comentar
CronFieldMandatory=Los campos %s son obligatorios
CronErrEndDateStartDt=La fecha de finalización no puede ser anterior a la fecha de inicio
StatusAtInstall=Estado de la instalación del módulo
-CronStatusActiveBtn=Habilitar
CronStatusInactiveBtn=Deshabilitar
CronTaskInactive=Esta tarea está deshabilitada
CronClassFile=Nombre de archivo y clase
diff --git a/htdocs/langs/es_AR/mails.lang b/htdocs/langs/es_AR/mails.lang
index 02b4225c64c..13fbbbe92c7 100644
--- a/htdocs/langs/es_AR/mails.lang
+++ b/htdocs/langs/es_AR/mails.lang
@@ -99,12 +99,6 @@ TagSignature=Firma del emisor
EMailRecipient=Correo del destinatario
TagMailtoEmail=Correo del destinatario (incluyendo el enlace htm "mailto:")
NoEmailSentBadSenderOrRecipientEmail=No se han enviado correos. El correo del emisor o destinatario están incorrectos. Verifique el perfil del usuario.
-NoNotificationsWillBeSent=No se han planificado notificaciones por correo para este evento y compañía
-ANotificationsWillBeSent=1 notificación werá enviada por correo
-SomeNotificationsWillBeSent=%s notificaciones serán enviadas por correo
-AddNewNotification=Activar una nueva notificación por mail para ese objetivo/evento
-ListOfActiveNotifications=Listar todos los objetivos/eventos activos para la notificación por correo
-ListOfNotificationsDone=Listar todas las notificaciones enviadas por correo
MailSendSetupIs=La configuración de envío de correo ha sido establecida a '%s'. Este modo no puede ser utilizado para envío masivo de correos.
MailSendSetupIs2=Debes dirigirte primero, utilizando una cuenta de administrador, al menú %s Inicio - Configuración - Correos%s para cambiar el parámetro '%s' para utilizar el modo '%s'. Con este modo, podrás entrar en la configuración del servidor SMTP provisto por tu proveedor de internet y utilizar la funcionalidad de envío masivo de correos.
MailSendSetupIs3=Si tienes alguna consulta acerca de cómo configurar tu servidor SMTP, puedes preguntarle a %s.
@@ -113,7 +107,6 @@ NbOfTargetedContacts=Cantidad de contactos de correo objetivo
UseFormatFileEmailToTarget=El archivo importado debe tener el formato correo;nombre;primer nombre;otro
UseFormatInputEmailToTarget=Ingrese una cadena con el formato correo;nombre;primer nombre;otro
AdvTgtTitle=Complete los campos para agregar los terceros o contactos/direcciones de correo al objetivo
-AdvTgtSearchTextHelp=Utilice %% como comodines. Por ejemplo para encontrar todos los item como jean, joe, jim, puedes ingresar j%%, también puedes usar ; como separador de valores, y usar ! para exceptuarlo. Por ejemplo jean;joe;jim%%;!jimo;!jima% para ubicar a todos los jean, joe, comenzando con jim pero no jimo ni nada que comience con jima
AdvTgtSearchIntHelp=Utilice el intervalo para seleccionar entero o valor decimal
AdvTgtMaxVal=Valor máximo
AdvTgtSearchDtHelp=Utilice intervalos para seleccionar el valor de fecha
@@ -128,7 +121,4 @@ AdvTgtAddContact=Agregar correos acorde al criterio
AdvTgtOrCreateNewFilter=Nombre del filtro nuevo
NoContactWithCategoryFound=No se encontraron contactos/direcciones con la categoría buscada
NoContactLinkedToThirdpartieWithCategoryFound=No se encontraron contactos/direcciones con la categoría buscada
-OutGoingEmailSetup=Configuración de correo saliente
-InGoingEmailSetup=Configuración de correo entrante
-DefaultOutgoingEmailSetup=Configuración de correo saliente por defecto
ContactsWithThirdpartyFilter=Contactos con filtro de terceros
diff --git a/htdocs/langs/es_AR/products.lang b/htdocs/langs/es_AR/products.lang
index 1b8705686ca..a429996096a 100644
--- a/htdocs/langs/es_AR/products.lang
+++ b/htdocs/langs/es_AR/products.lang
@@ -73,4 +73,3 @@ PriceQtyMin=Precio para cantidad mín.
PriceQtyMinCurrency=Precio (moneda) para esta cant. (sin descuento)
PredefinedProductsToSell=Producto Predefinido
SuppliersPrices=Precio de Proveedor
-CustomCode=Customs / Commodity / HS code
diff --git a/htdocs/langs/es_AR/sendings.lang b/htdocs/langs/es_AR/sendings.lang
index 0fab9dbcf71..d573200cc64 100644
--- a/htdocs/langs/es_AR/sendings.lang
+++ b/htdocs/langs/es_AR/sendings.lang
@@ -1,48 +1,41 @@
# Dolibarr language file - Source file is en_US - sendings
-RefSending=Ref. viaje
-Sending=Viaje
-Sendings=Viajes
-AllSendings=Todos los viajes
-Shipment=Viaje
-Shipments=Viajes
-ShowSending=Mostrar viajes
+AllSendings=Todos los Envíos
+ShowSending=Mostrar Envíos
Receivings=Comprobantes de entrega
SendingsArea=Área de envíos
-ListOfSendings=Lista de viajes
-LastSendings=Últimos %s viajes
-NbOfSendings=Cantidad de viajes
-NumberOfShipmentsByMonth=Cantidad de viajes por mes
-SendingCard=Ficha del viaje
-NewSending=Nuevo viaje
-CreateShipment=Crear viaje
+ListOfSendings=Lista de envíos
+NbOfSendings=Cantidad de envíos
+NumberOfShipmentsByMonth=Cantidad de envíos por mes
+SendingCard=Ficha del envío
QtyShipped=Cantidad enviada
QtyShippedShort=Cantidad enviada
QtyPreparedOrShipped=Cantidad preparada o enviada
QtyToShip=Cantidad para enviar
QtyToReceive=Cantidad para recibir
QtyReceived=Cantidad recibida
-QtyInOtherShipments=Cantidad en otros viajes
+QtyInOtherShipments=Cantidad en otros envíos
KeepToShip=Pendiente de enviar
-OtherSendingsForSameOrder=Otros viajes para esta orden
+OtherSendingsForSameOrder=Otros envíos para este pedido
SendingsAndReceivingForSameOrder=Viajes y recepciones de esta orden
-SendingsToValidate=Viajes para validar
+SendingsToValidate=Envíos para validar
StatusSendingCanceled=Cancelado
+StatusSendingCanceledShort=Cancelada
StatusSendingValidated=Validado (productos para enviar o ya enviados)
-SendingSheet=Hoja de viaje
-ConfirmDeleteSending=¿Estás seguro que quieres eliminar este viaje?
-ConfirmValidateSending=¿Estás seguro que quieres validar este viaje con referencia %s?
-ConfirmCancelSending=¿Estás seguro que quieres cancelar este viaje?
+SendingSheet=Remito
+ConfirmDeleteSending=¿Estás seguro que quieres eliminar este envío?
+ConfirmValidateSending=¿Estás seguro que quiere validar este envío con referencia %s?
+ConfirmCancelSending=¿Estás seguro que quieres cancelar este envío?
WarningNoQtyLeftToSend=Advertencia, no hay productos esperando para ser enviados.
StatsOnShipmentsOnlyValidated=Estadísticas realizadas sólo sobre viajes validados. La fecha utilizada es la de validación del viaje (la fecha de entrega prevista no siempre se conoce).
RefDeliveryReceipt=Ref. comprobante de entrega
StatusReceipt=Estado del comprobante de entrega
DateReceived=Fecha de entrega
-SendShippingByEMail=Enviar detalles del viaje por correo
+SendShippingByEMail=Enviar detalles del envío por correo
SendShippingRef=Enviar el viaje %s
ActionsOnShipping=Eventos del viaje
LinkToTrackYourPackage=Vínculo al seguimiento del envío
ShipmentCreationIsDoneFromOrder=Por el momento, la creación de un nuevo viaje se realiza desde la ficha de la orden.
-ShipmentLine=Línea del viaje
+ShipmentLine=Línea del envío
ProductQtyInCustomersOrdersRunning=Cantidad de productos de órdenes de venta abiertas
ProductQtyInSuppliersOrdersRunning=Cantidad de productos de órdenes de compra abiertas
ProductQtyInShipmentAlreadySent=Cantidad de productos enviados de órdenes de venta abiertas
diff --git a/htdocs/langs/es_AR/ticket.lang b/htdocs/langs/es_AR/ticket.lang
index 20fc88f15a7..c608fa6569c 100644
--- a/htdocs/langs/es_AR/ticket.lang
+++ b/htdocs/langs/es_AR/ticket.lang
@@ -1,6 +1,5 @@
# Dolibarr language file - Source file is en_US - ticket
TicketTypeShortPROJET=Projecto
-NotRead=Sin leer
Read=Leído
Waiting=Esperando
Type=Tipo
diff --git a/htdocs/langs/es_AR/withdrawals.lang b/htdocs/langs/es_AR/withdrawals.lang
index 7c806c8b5f3..5e623914282 100644
--- a/htdocs/langs/es_AR/withdrawals.lang
+++ b/htdocs/langs/es_AR/withdrawals.lang
@@ -76,7 +76,7 @@ PleaseCheckOne=Por favor marque uno sólo
DirectDebitOrderCreated=Orden de débito automático %s creada
AmountRequested=Monto solicitada
CreateForSepa=Crear archivo de débito automático
-ICS=Identificador CI de acreedor
+ICS=Creditor Identifier CI for direct debit
END_TO_END=Etiqueta "EndToEndId" SEPA XML: identificación única asignada por transacción
USTRD=Etiqueta "Unstructured" SEPA XML
ADDDAYS=Agregar días a la fecha de ejecución
diff --git a/htdocs/langs/es_BO/accountancy.lang b/htdocs/langs/es_BO/accountancy.lang
new file mode 100644
index 00000000000..552865118f1
--- /dev/null
+++ b/htdocs/langs/es_BO/accountancy.lang
@@ -0,0 +1,2 @@
+# Dolibarr language file - Source file is en_US - accountancy
+ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50)
diff --git a/htdocs/langs/es_BO/compta.lang b/htdocs/langs/es_BO/compta.lang
deleted file mode 100644
index c7c41488180..00000000000
--- a/htdocs/langs/es_BO/compta.lang
+++ /dev/null
@@ -1,2 +0,0 @@
-# Dolibarr language file - Source file is en_US - compta
-BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted ascending on %s and filtered for 1 bank account
diff --git a/htdocs/langs/es_BO/products.lang b/htdocs/langs/es_BO/products.lang
deleted file mode 100644
index 6e900475275..00000000000
--- a/htdocs/langs/es_BO/products.lang
+++ /dev/null
@@ -1,2 +0,0 @@
-# Dolibarr language file - Source file is en_US - products
-CustomCode=Customs / Commodity / HS code
diff --git a/htdocs/langs/es_BO/withdrawals.lang b/htdocs/langs/es_BO/withdrawals.lang
new file mode 100644
index 00000000000..facdefc082f
--- /dev/null
+++ b/htdocs/langs/es_BO/withdrawals.lang
@@ -0,0 +1,2 @@
+# Dolibarr language file - Source file is en_US - withdrawals
+ICS=Creditor Identifier CI for direct debit
diff --git a/htdocs/langs/es_CL/accountancy.lang b/htdocs/langs/es_CL/accountancy.lang
index 764defc64a4..cdb95b2da16 100644
--- a/htdocs/langs/es_CL/accountancy.lang
+++ b/htdocs/langs/es_CL/accountancy.lang
@@ -92,7 +92,7 @@ VentilatedinAccount=Vinculado exitosamente a la cuenta de contabilidad
NotVentilatedinAccount=No vinculado a la cuenta de contabilidad
XLineSuccessfullyBinded=%s productos / servicios vinculados con éxito a una cuenta de contabilidad
XLineFailedToBeBinded=%s productos / servicios no estaban vinculados a ninguna cuenta de contabilidad
-ACCOUNTING_LIMIT_LIST_VENTILATION=Número de elementos a enlazar mostrados por página (máximo recomendado: 50)
+ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50)
ACCOUNTING_LIST_SORT_VENTILATION_TODO=Comience la clasificación de la página "Encuadernación para hacer" por los elementos más recientes
ACCOUNTING_LIST_SORT_VENTILATION_DONE=Comience la clasificación de la página "Encuadernación realizada" por los elementos más recientes
ACCOUNTING_LENGTH_DESCRIPTION=Truncar descripción de productos y servicios en listados después de x caracteres (Mejor = 50)
@@ -122,7 +122,6 @@ ACCOUNTING_SERVICE_SOLD_INTRA_ACCOUNT=Cuenta contable por defecto para los servi
ACCOUNTING_SERVICE_SOLD_EXPORT_ACCOUNT=Cuenta contable por defecto para los servicios vendidos y exportados fuera de la EEC (usado si no está definido en la hoja de servicios)
LabelAccount=Cuenta
LabelOperation=Operación de etiqueta
-Sens=Significado
LetteringCode=Codigo de letras
JournalLabel=Etiqueta de revista
NumPiece=Pieza número
diff --git a/htdocs/langs/es_CL/admin.lang b/htdocs/langs/es_CL/admin.lang
index 71fb8fe9887..e24562839c5 100644
--- a/htdocs/langs/es_CL/admin.lang
+++ b/htdocs/langs/es_CL/admin.lang
@@ -60,7 +60,6 @@ AllowToSelectProjectFromOtherCompany=En el documento de un tercero, puede elegir
JavascriptDisabled=JavaScript deshabilitado
UsePreviewTabs=Usa pestañas de vista previa
ShowPreview=Mostrar vista previa
-CurrentTimeZone=TimeZone PHP (servidor)
MySQLTimeZone=TimeZone MySql (base de datos)
TZHasNoEffect=Las fechas son almacenadas y devueltas por el servidor de bases de datos como si se mantuvieran como una cadena enviada. La zona horaria tiene efecto solo cuando se usa la función UNIX_TIMESTAMP (que no debe ser utilizada por Dolibarr, por lo que la base de datos TZ no debería tener ningún efecto, incluso si se cambia después de ingresar los datos).
Space=Espacio
@@ -290,7 +289,6 @@ UrlGenerationParameters=Parámetros para asegurar URLs
SecurityTokenIsUnique=Use un parámetro de clave segura único para cada URL
EnterRefToBuildUrl=Ingrese la referencia para el objeto %s
GetSecuredUrl=Obtener URL calculado
-ButtonHideUnauthorized=Ocultar botones para usuarios no administradores para acciones no autorizadas en lugar de mostrar botones deshabilitados en gris
OldVATRates=Tasa de IVA anterior
NewVATRates=Nueva tasa de IVA
PriceBaseTypeToChange=Modificar en precios con el valor de referencia base definido en
@@ -1153,7 +1151,6 @@ MenuDeleted=Menú borrado
NotTopTreeMenuPersonalized=Menús personalizados no vinculados a una entrada del menú superior
MenuHandler=Controlador de menú
MenuModule=Módulo fuente
-HideUnauthorizedMenu=Ocultar menús no autorizados (gris)
DetailId=Menú Id
DetailMenuHandler=Manejador de menú donde mostrar el nuevo menú
DetailMenuModule=Nombre del módulo si la entrada del menú proviene de un módulo
@@ -1365,8 +1362,6 @@ EMailHost=Host del servidor de correo electrónico IMAP
EmailcollectorOperations=Operaciones a realizar por coleccionista.
MaxEmailCollectPerCollect=Número máximo de correos electrónicos recogidos por cobro
ConfirmCloneEmailCollector=¿Está seguro de que desea clonar el recopilador de correo electrónico %s?
-DateLastCollectResult=Fecha de última recopilación probada
-DateLastcollectResultOk=Fecha última recogida exitosa
EmailCollectorConfirmCollectTitle=Correo electrónico recoger confirmación
EmailCollectorConfirmCollect=¿Quieres ejecutar la colección para este coleccionista ahora?
NoNewEmailToProcess=No hay correo electrónico nuevo (filtros coincidentes) para procesar
diff --git a/htdocs/langs/es_CL/banks.lang b/htdocs/langs/es_CL/banks.lang
index 851975f9121..5c4a24c2f6d 100644
--- a/htdocs/langs/es_CL/banks.lang
+++ b/htdocs/langs/es_CL/banks.lang
@@ -125,6 +125,4 @@ SEPAMandate=Mandato de la SEPA
YourSEPAMandate=Su mandato de SEPA
FindYourSEPAMandate=Este es su mandato de SEPA para autorizar a nuestra empresa a realizar un pedido de débito directo a su banco. Devuélvalo firmado (escaneo del documento firmado) o envíelo por correo a
AutoReportLastAccountStatement=Rellene automáticamente el campo 'número de extracto bancario' con el último número de extracto al realizar la conciliación
-CashControl=Cerca de efectivo POS
-NewCashFence=Nueva valla de efectivo
BankColorizeMovementDesc=Si esta función está habilitada, puede elegir un color de fondo específico para los movimientos de débito o crédito
diff --git a/htdocs/langs/es_CL/blockedlog.lang b/htdocs/langs/es_CL/blockedlog.lang
index 49d3348ac1a..c97c5e815d6 100644
--- a/htdocs/langs/es_CL/blockedlog.lang
+++ b/htdocs/langs/es_CL/blockedlog.lang
@@ -10,7 +10,6 @@ logBILL_UNPAYED=Factura del cliente fijada sin pagar
logBILL_VALIDATE=Factura del cliente validada
logBILL_SENTBYMAIL=Factura del cliente enviar por correo
logMEMBER_SUBSCRIPTION_DELETE=Suscripción de miembros de eliminación lógica
-logCASHCONTROL_VALIDATE=Grabación de la cerca de efectivo
ListOfTrackedEvents=Lista de eventos rastreados
logDOC_PREVIEW=Vista previa de un documento validado para imprimir o descargar.
ImpossibleToReloadObject=Objeto original (escriba %s, id %s) no vinculado (consulte la columna 'Datos completos' para obtener datos guardados inalterables)
diff --git a/htdocs/langs/es_CL/boxes.lang b/htdocs/langs/es_CL/boxes.lang
index e8b72e33d75..f59f9eb19a8 100644
--- a/htdocs/langs/es_CL/boxes.lang
+++ b/htdocs/langs/es_CL/boxes.lang
@@ -31,6 +31,7 @@ BoxTitleLatestModifiedBoms=Ultimas %s Listas de Materiales modificadas
BoxTitleLatestModifiedMos=Últimas %s Ordenes de Fabricación modificadas
BoxGlobalActivity=Actividad global (facturas, propuestas, pedidos)
BoxTitleGoodCustomers=%s Buenos clientes
+BoxScheduledJobs=Trabajos programados
FailedToRefreshDataInfoNotUpToDate=Error al actualizar el flujo de RSS. Última fecha de actualización correcta: %s
LastRefreshDate=Última fecha de actualización
NoRecordedBookmarks=No hay marcadores definidos
diff --git a/htdocs/langs/es_CL/cashdesk.lang b/htdocs/langs/es_CL/cashdesk.lang
index 2d9ac0386f3..c81210b6a0b 100644
--- a/htdocs/langs/es_CL/cashdesk.lang
+++ b/htdocs/langs/es_CL/cashdesk.lang
@@ -30,7 +30,6 @@ Header=Encabezamiento
Footer=Pie de página
TheoricalAmount=Cantidad teórica
RealAmount=Cantidad real
-CashFenceDone=Cerca de efectivo hecha para el período.
NbOfInvoices=N° de facturas
OrderNotes=pedidos
CashDeskBankAccountFor=Cuenta predeterminada para usar para pagos en
diff --git a/htdocs/langs/es_CL/categories.lang b/htdocs/langs/es_CL/categories.lang
index e6f54ab9caa..8a54c49822d 100644
--- a/htdocs/langs/es_CL/categories.lang
+++ b/htdocs/langs/es_CL/categories.lang
@@ -58,15 +58,10 @@ ProjectsCategoriesShort=Etiquetas / categorías de proyectos
UsersCategoriesShort=Etiquetas / categorías de usuarios
StockCategoriesShort=Etiquetas / categorías de almacén
CategId=ID de etiqueta / categoría
-CatSupList=Lista de etiquetas / categorías de proveedores
-CatCusList=Lista de etiquetas / categorías de clientes / prospectos
CatProdList=Lista de etiquetas / categorías de productos
CatMemberList=Lista de etiquetas / categorías de miembros
-CatContactList=Lista de etiquetas / categorías de contacto
-CatSupLinks=Enlaces entre proveedores y etiquetas / categorías
CatCusLinks=Enlaces entre clientes / prospectos y etiquetas / categorías
CatProdLinks=Enlaces entre productos / servicios y etiquetas / categorías
-CatProJectLinks=Enlaces entre proyectos y etiquetas / categorías
ExtraFieldsCategories=Atributos complementarios
CategoriesSetup=Configuración de etiquetas / categorías
CategorieRecursiv=Enlace con la etiqueta / categoría principal automáticamente
diff --git a/htdocs/langs/es_CL/companies.lang b/htdocs/langs/es_CL/companies.lang
index a1b385f9d95..6b70cfe2d00 100644
--- a/htdocs/langs/es_CL/companies.lang
+++ b/htdocs/langs/es_CL/companies.lang
@@ -156,7 +156,6 @@ VATIntraCheckableOnEUSite=Compruebe la identificación del IVA intracomunitaria
VATIntraManualCheck=También puede consultar manualmente en el sitio web de la Comisión Europea %s
ErrorVATCheckMS_UNAVAILABLE=No es posible comprobar. El servicio de verificación no proporcionado por el estado miembro (%s).
NorProspectNorCustomer=No prospecto, ni cliente
-JuridicalStatus=Tipo de entidad jurídica
ProspectLevel=Potencial prospectivo
OthersNotLinkedToThirdParty=Otros, no vinculados a un tercero
ProspectStatus=Estado de la perspectiva
diff --git a/htdocs/langs/es_CL/compta.lang b/htdocs/langs/es_CL/compta.lang
index 4a4fb6fe85e..0f7a9f7764c 100644
--- a/htdocs/langs/es_CL/compta.lang
+++ b/htdocs/langs/es_CL/compta.lang
@@ -91,7 +91,6 @@ NewLocalTaxPayment=Nuevo impuesto %s pago
Refund=Reembolso
SocialContributionsPayments=Pagos de impuestos sociales/fiscales
ShowVatPayment=Mostrar el pago del IVA
-BalanceVisibilityDependsOnSortAndFilters=El saldo es visible en esta lista solo si la tabla se ordena de forma ascendente en %s y se filtra para 1 cuenta bancaria
CustomerAccountancyCode=Código de contabilidad del cliente
SupplierAccountancyCode=Código contable del proveedor
CustomerAccountancyCodeShort=Cust. cuenta. código
@@ -117,7 +116,6 @@ ConfirmDeleteSocialContribution=¿Estás seguro de que deseas eliminar este pago
ExportDataset_tax_1=Impuestos y pagos sociales y fiscales
CalcModeVATDebt=Modo %sIVA sobre compromisos contables%s.
CalcModeVATEngagement=Modo %s IVA en ingresos-gastos%s.
-CalcModeDebt=Análisis de facturas registradas conocidas incluso si aún no se contabilizan en el libro mayor.
CalcModeEngagement=Análisis de los pagos registrados conocidos, incluso si aún no se contabilizan en el Libro mayor.
CalcModeBookkeeping=Análisis de los datos registrados en la tabla de Contabilidad.
CalcModeLT1=Modo %sRE en facturas de clientes - facturas de proveedores %s
@@ -130,9 +128,6 @@ AnnualSummaryInputOutputMode=Balance de ingresos y gastos, resumen anual
AnnualByCompanies=Saldo de ingresos y gastos, por grupos predefinidos de cuenta
AnnualByCompaniesDueDebtMode=Saldo de ingresos y gastos, detalle por grupos predefinidos, modo %sReclamaciones-Deudas%s escrito en compromiso contable
AnnualByCompaniesInputOutputMode=Balance de ingresos y gastos, detalle por grupos predefinidos, modo %sIngresos-Gastos%s escrito en contabilidad de efectivo.
-SeeReportInInputOutputMode=Consulte %sanálisis de pagos%s para obtener un cálculo de los pagos efectuados, incluso si aún no se contabilizaron en el Libro mayor.
-SeeReportInDueDebtMode=Consulte %sanálisis de facturas %s para un cálculo basado en facturas registradas conocidas, incluso si aún no se contabilizaron en Libro mayor.
-SeeReportInBookkeepingMode=Consulte %sInforme de facturación%s para realizar un cálculo en Tabla Libro mayor contable
RulesAmountWithTaxIncluded=- Las cantidades que se muestran son con todos los impuestos incluidos
RulesResultInOut=- Incluye los pagos reales realizados en facturas, gastos, IVA y salarios. - Se basa en las fechas de pago de las facturas, gastos, IVA y salarios. La fecha de donación para la donación.
RulesCAIn=- Incluye todos los pagos efectivos de las facturas recibidas de los clientes. - Se basa en la fecha de pago de estas facturas.
diff --git a/htdocs/langs/es_CL/cron.lang b/htdocs/langs/es_CL/cron.lang
index 2e5a82e0aca..cd31d44645c 100644
--- a/htdocs/langs/es_CL/cron.lang
+++ b/htdocs/langs/es_CL/cron.lang
@@ -4,8 +4,6 @@ Permission23102 =Crear / actualizar trabajo programado
Permission23103 =Eliminar trabajo programado
Permission23104 =Ejecutar trabajo programado
CronSetup=Configuración programada de gestión de trabajos
-URLToLaunchCronJobs=URL para verificar e iniciar trabajos cron calificados
-OrToLaunchASpecificJob=O para verificar e iniciar un trabajo específico
KeyForCronAccess=Clave de seguridad para URL para iniciar trabajos cron
FileToLaunchCronJobs=Línea de comando para verificar e iniciar trabajos cron calificados
CronExplainHowToRunUnix=En el entorno Unix, debe usar la siguiente entrada crontab para ejecutar la línea de comando cada 5 minutos
@@ -40,7 +38,6 @@ CronArgs=Parámetros
CronSaveSucess=Guardado exitosamente
CronFieldMandatory=Fields %s es obligatorio
CronErrEndDateStartDt=La fecha de finalización no puede ser anterior a la fecha de inicio
-CronStatusActiveBtn=Habilitar
CronStatusInactiveBtn=Inhabilitar
CronTaskInactive=Este trabajo está deshabilitado
CronId=Carné de identidad
diff --git a/htdocs/langs/es_CL/errors.lang b/htdocs/langs/es_CL/errors.lang
index f5567607900..5eb96141ab7 100644
--- a/htdocs/langs/es_CL/errors.lang
+++ b/htdocs/langs/es_CL/errors.lang
@@ -63,7 +63,6 @@ ErrorExportDuplicateProfil=Este nombre de perfil ya existe para este conjunto de
ErrorLDAPSetupNotComplete=La coincidencia Dolibarr-LDAP no está completa.
ErrorLDAPMakeManualTest=Se ha generado un archivo .ldif en el directorio %s. Intente cargarlo manualmente desde la línea de comando para tener más información sobre los errores.
ErrorCantSaveADoneUserWithZeroPercentage=No se puede guardar una acción con "estado no iniciado" si el campo "hecho por" también se llena.
-ErrorRefAlreadyExists=La referencia utilizada para la creación ya existe.
ErrorPleaseTypeBankTransactionReportName=Ingrese el nombre del extracto bancario donde se debe informar la entrada (Formato AAAAMM o AAAAMMDD)
ErrorRecordHasChildren=Error al eliminar el registro ya que tiene algunos registros secundarios.
ErrorRecordIsUsedCantDelete=No se puede borrar el registro. Ya está usado o incluido en otro objeto.
@@ -177,7 +176,6 @@ ErrorOnlyInvoiceValidatedCanBeSentInMassAction=Solo se pueden enviar facturas va
ErrorDiscountLargerThanRemainToPaySplitItBefore=El descuento que intentas aplicar es más grande que el que queda por pagar. Divida el descuento en 2 descuentos más pequeños antes.
ErrorFileNotFoundWithSharedLink=Archivo no fue encontrado. Puede ser que la clave compartida se haya modificado o que el archivo se haya eliminado recientemente.
ErrorProductBarCodeAlreadyExists=El código de barras del producto %s ya existe en otra referencia del producto.
-ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Tenga en cuenta también que no es posible utilizar productos virtuales para aumentar / disminuir automáticamente subproductos cuando al menos un subproducto (o subproducto de subproductos) necesita un número de serie / lote.
ErrorDescRequiredForFreeProductLines=La descripción es obligatoria para líneas con producto gratis
ErrorAPageWithThisNameOrAliasAlreadyExists=La página / contenedor %s tiene el mismo nombre o alias alternativo que el que intenta utilizar
ErrorDuringChartLoad=Error al cargar el cuadro de cuentas. Si algunas cuentas no se cargaron, aún puede ingresarlas manualmente.
diff --git a/htdocs/langs/es_CL/mails.lang b/htdocs/langs/es_CL/mails.lang
index 381e5510788..a65acf18f23 100644
--- a/htdocs/langs/es_CL/mails.lang
+++ b/htdocs/langs/es_CL/mails.lang
@@ -98,12 +98,6 @@ TagUnsubscribe=Darse de baja enlace
EMailRecipient=Receptor de E-mail
TagMailtoEmail=Correo electrónico del destinatario (incluido el enlace html "mailto:")
NoEmailSentBadSenderOrRecipientEmail=Sin correo electrónico enviado Correo electrónico malo del remitente o del destinatario. Verificar el perfil del usuario.
-NoNotificationsWillBeSent=No se planean notificaciones por correo electrónico para este evento y compañía
-ANotificationsWillBeSent=1 notificación será enviada por correo electrónico
-SomeNotificationsWillBeSent=%s notificaciones serán enviadas por correo electrónico
-AddNewNotification=Activar un nuevo objetivo / evento de notificación por correo electrónico
-ListOfActiveNotifications=Enumerar todos los objetivos / eventos activos para recibir notificaciones por correo electrónico
-ListOfNotificationsDone=Enumerar todas las notificaciones de correo electrónico enviadas
MailSendSetupIs=La configuración del envío de correo electrónico se ha configurado en '%s'. Este modo no se puede usar para enviar correos masivos.
MailSendSetupIs2=Primero debe ir, con una cuenta de administrador, al menú %sHome-Configuración - EMails%s para cambiar el parámetro '%s' para usar el modo '%s'. Con este modo, puede ingresar a la configuración del servidor SMTP proporcionado por su Proveedor de servicios de Internet y usar la función de envío masivo de correos electrónicos.
MailSendSetupIs3=Si tiene alguna pregunta sobre cómo configurar su servidor SMTP, puede solicitarlo al %s.
@@ -112,7 +106,6 @@ NbOfTargetedContacts=Número actual de correos electrónicos de contacto dirigid
UseFormatFileEmailToTarget=El archivo importado debe tener formato correo electrónico; nombre; nombre; otro strong>
UseFormatInputEmailToTarget=Ingrese una cadena con formato correo electrónico; nombre; nombre; otro strong>
AdvTgtTitle=Rellene los campos de entrada para preseleccionar los terceros o contactos / direcciones para orientar
-AdvTgtSearchTextHelp=Utilice %% como comodines. Por ejemplo, para encontrar todos los elementos como jean, joe, jim , puede ingresar j%% , también puede usar; como separador de valor, y uso! Para excepto este valor. Por ejemplo, jean; joe; jim%%;! Jimo;! Jima% apuntará a todos los jean, joe, comienza con jim pero no jimo y no todo lo que comienza con jima
AdvTgtSearchIntHelp=Use intervalo para seleccionar el valor int o float
AdvTgtMaxVal=Valor máximo
AdvTgtSearchDtHelp=Usar intervalo para seleccionar el valor de la fecha
@@ -126,6 +119,3 @@ AdvTgtAddContact=Añadir emails según criterio
AdvTgtLoadFilter=Filtro de carga
NoContactWithCategoryFound=Sin contacto / dirección con una categoría encontrada
NoContactLinkedToThirdpartieWithCategoryFound=Sin contacto / dirección con una categoría encontrada
-OutGoingEmailSetup=Configuración de correo electrónico saliente
-InGoingEmailSetup=Configuración de correo electrónico entrante
-DefaultOutgoingEmailSetup=Configuración predeterminada de correo electrónico saliente
diff --git a/htdocs/langs/es_CL/modulebuilder.lang b/htdocs/langs/es_CL/modulebuilder.lang
index b1a0f954a41..062d82e135d 100644
--- a/htdocs/langs/es_CL/modulebuilder.lang
+++ b/htdocs/langs/es_CL/modulebuilder.lang
@@ -88,7 +88,6 @@ UseSpecificEditorName =Usa un nombre de editor específico
UseSpecificEditorURL =Usa un editor URL específico
UseSpecificFamily =Usa una familia específica
UseSpecificVersion =Usa una versión inicial específica
-ModuleMustBeEnabled=El módulo / aplicación debe ser habilitado primero
IncludeDocGenerationHelp=Si marca esto, se generará algún código para agregar un cuadro "Generar documento" en el registro.
ShowOnCombobox=Mostrar valor en el cuadro combinado
KeyForTooltip=Clave para información sobre herramientas
diff --git a/htdocs/langs/es_CL/products.lang b/htdocs/langs/es_CL/products.lang
index 5619277c9d4..29de095e2ec 100644
--- a/htdocs/langs/es_CL/products.lang
+++ b/htdocs/langs/es_CL/products.lang
@@ -99,7 +99,6 @@ NewRefForClone=Referencia de nuevo producto/servicio
CustomerPrices=Precios de cliente
SuppliersPrices=Precios del proveedor
SuppliersPricesOfProductsOrServices=Precios de venta (de productos o servicios).
-CustomCode=Código de Aduanas / Productos / HS
ProductCodeModel=Plantilla de referencia de producto
ServiceCodeModel=Plantilla de referencia de servicio
AlwaysUseNewPrice=Utilice siempre el precio actual del producto/servicio
@@ -107,7 +106,6 @@ AlwaysUseFixedPrice=Usa el precio fijo
PriceByQuantity=Diferentes precios por cantidad
DisablePriceByQty=Deshabilitar precios por cantidad
PriceByQuantityRange=Rango Cantidad
-MultipriceRules=Reglas del segmento de precios
UseMultipriceRules=Utilice las reglas de segmento de precios (definidas en la configuración del módulo del producto) para calcular automáticamente los precios de todos los demás segmentos de acuerdo con el primer segmento
KeepEmptyForAutoCalculation=Manténgase vacío para que esto se calcule automáticamente a partir del peso o volumen de productos
VariantRefExample=Ejemplos: COL, SIZE
diff --git a/htdocs/langs/es_CL/sendings.lang b/htdocs/langs/es_CL/sendings.lang
index f250e751edb..b09b9b53d2d 100644
--- a/htdocs/langs/es_CL/sendings.lang
+++ b/htdocs/langs/es_CL/sendings.lang
@@ -18,6 +18,7 @@ OtherSendingsForSameOrder=Otros envíos para esta orden
SendingsAndReceivingForSameOrder=Envíos y recibos para esta orden
SendingsToValidate=Envíos para validar
StatusSendingCanceled=Cancelado
+StatusSendingCanceledShort=Cancelado
StatusSendingValidated=Validado (productos para enviar o ya enviados)
StatusSendingProcessed=Procesada
StatusSendingProcessedShort=Procesada
diff --git a/htdocs/langs/es_CL/ticket.lang b/htdocs/langs/es_CL/ticket.lang
index 7e8bb612452..f0511ad43e0 100644
--- a/htdocs/langs/es_CL/ticket.lang
+++ b/htdocs/langs/es_CL/ticket.lang
@@ -14,7 +14,6 @@ TypeContact_ticket_internal_CONTRIBUTOR=Colaborador
TypeContact_ticket_external_SUPPORTCLI=Contacto con el cliente / seguimiento de incidentes
OriginEmail=Fuente de correo electrónico
Notify_TICKET_SENTBYMAIL=Enviar mensaje de Ticket por correo electrónico
-NotRead=No leer
Read=Leer
NeedMoreInformation=Esperando informacion
Waiting=Esperando
diff --git a/htdocs/langs/es_CL/withdrawals.lang b/htdocs/langs/es_CL/withdrawals.lang
index ae95201deba..a205a30add6 100644
--- a/htdocs/langs/es_CL/withdrawals.lang
+++ b/htdocs/langs/es_CL/withdrawals.lang
@@ -79,6 +79,7 @@ PleaseCheckOne=Por favor marque uno solo
DirectDebitOrderCreated=Orden de débito directo %s creado
AmountRequested=Monto solicitado
CreateForSepa=Crear un archivo de débito directo
+ICS=Creditor Identifier CI for direct debit
END_TO_END=Etiqueta XML SEPA "EndToEndId" - ID única asignada por transacción
USTRD=Etiqueta XML no estructurada de SEPA
InfoCreditSubject=Pago de la orden de pago de débito directo %s por el banco
diff --git a/htdocs/langs/es_CO/accountancy.lang b/htdocs/langs/es_CO/accountancy.lang
index ccd905cc761..08958e517aa 100644
--- a/htdocs/langs/es_CO/accountancy.lang
+++ b/htdocs/langs/es_CO/accountancy.lang
@@ -83,6 +83,7 @@ VentilatedinAccount=Enlazado exitosamente a la cuenta contable.
NotVentilatedinAccount=No vinculado a la cuenta contable.
XLineSuccessfullyBinded=%s productos / servicios vinculados con éxito a una cuenta contable
XLineFailedToBeBinded=%s productos / servicios no estaban vinculados a ninguna cuenta contable
+ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50)
ACCOUNTING_LIST_SORT_VENTILATION_TODO=Comience la clasificación de la página "Enlace para hacer" según los elementos más recientes.
ACCOUNTING_LIST_SORT_VENTILATION_DONE=Comience la clasificación de la página "Encuadernación hecha" por los elementos más recientes.
ACCOUNTING_LENGTH_DESCRIPTION=Truncar la descripción de productos y servicios en las listas después de x caracteres (Mejor = 50)
@@ -107,7 +108,6 @@ LetteringCode=Codigo de letras
Codejournal=diario
NumPiece=Número de pieza
TransactionNumShort=Num. transacción
-GroupByAccountAccounting=Grupo por cuenta contable
AccountingAccountGroupsDesc=Puede definir aquí algunos grupos de cuentas contables. Serán utilizados para informes contables personalizados.
ByPredefinedAccountGroups=Por grupos predefinidos.
DelYear=Año para borrar
diff --git a/htdocs/langs/es_CO/admin.lang b/htdocs/langs/es_CO/admin.lang
index f9161cc6931..5483fbdbfda 100644
--- a/htdocs/langs/es_CO/admin.lang
+++ b/htdocs/langs/es_CO/admin.lang
@@ -51,7 +51,6 @@ JavascriptDisabled=JavaScript desactivado
UsePreviewTabs=Use las pestañas de vista previa
ShowPreview=Mostrar vista previa
ThemeCurrentlyActive=Tema activo actualmente
-CurrentTimeZone=Zona horaria de PHP (servidor)
MySQLTimeZone=TimeZone MySql (base de datos)
TZHasNoEffect=Las fechas son almacenadas y devueltas por el servidor de base de datos como si se mantuvieran como una cadena enviada. La zona horaria tiene efecto solo cuando se usa la función UNIX_TIMESTAMP (que Dolibarr no debe usar, por lo que la base de datos TZ no debería tener ningún efecto, incluso si se cambia después de ingresar los datos).
Space=Espacio
@@ -99,7 +98,6 @@ MenuForUsers=Menú para usuarios.
SystemInfo=Información del sistema
SystemToolsArea=Área de herramientas del sistema
PurgeDeleteLogFile=Elimine los archivos de registro, incluido el %s definido para el módulo Syslog (sin riesgo de perder datos)
-PurgeDeleteTemporaryFilesShort=Borrar archivos temporales
PurgeRunNow=Purga ahora
PurgeNothingToDelete=No hay directorio o archivos para eliminar.
PurgeNDirectoriesDeleted=Se eliminaron los archivos o directorios de %s .
@@ -242,7 +240,6 @@ LanguageFilesCachedIntoShmopSharedMemory=Archivos .lang cargados en memoria comp
ListOfDirectories=Lista de directorios de plantillas de OpenDocument
ListOfDirectoriesForModelGenODT=Lista de directorios que contienen archivos de plantillas con formato OpenDocument.
Ruta aquí completa de los directorios. Agregue un retorno de carro entre cada directorio. Para agregar un directorio del módulo GED, agregue aquí DOL_DATA_ROOT / ecm / yourdirectoryname . Los archivos en esos directorios deben terminar con .odt o .ods .
NumberOfModelFilesFound=Número de archivos de plantilla ODT / ODS encontrados en estos directorios
-ExampleOfDirectoriesForModelGen=Ejemplos de sintaxis: c: \\ mydir / home / mydir DOL_DATA_ROOT / ecm / ecmdir
FollowingSubstitutionKeysCanBeUsed= Para saber cómo crear sus plantillas de documento odt, antes de almacenarlas en esos directorios, lea la documentación de la wiki:
FirstnameNamePosition=Posición del nombre / apellido
KeyForWebServicesAccess=Clave para usar servicios web (parámetro "dolibarrkey" en servicios web)
@@ -260,7 +257,6 @@ UrlGenerationParameters=Parámetros para proteger las URL
SecurityTokenIsUnique=Utilice un parámetro de clave segura único para cada URL
EnterRefToBuildUrl=Introduzca la referencia para el objeto %s
GetSecuredUrl=Obtener URL calculada
-ButtonHideUnauthorized=Ocultar botones para usuarios no administradores para acciones no autorizadas en lugar de mostrar botones deshabilitados en gris
OldVATRates=Vieja tasa de IVA
NewVATRates=Nueva tasa de IVA
PriceBaseTypeToChange=Modificar en precios con valor de referencia base definido en
@@ -925,7 +921,6 @@ NotTopTreeMenuPersonalized=Menús personalizados no vinculados a una entrada del
NewMenu=Nuevo menu
MenuHandler=Manejador de menú
MenuModule=Módulo fuente
-HideUnauthorizedMenu=Ocultar menús no autorizados (gris)
DetailId=Menú de identificación
DetailMenuHandler=Manejador de menú donde mostrar nuevo menú.
DetailMenuModule=Nombre del módulo si la entrada del menú proviene de un módulo
diff --git a/htdocs/langs/es_CO/boxes.lang b/htdocs/langs/es_CO/boxes.lang
index 6a5f709d318..1253f30ed1a 100644
--- a/htdocs/langs/es_CO/boxes.lang
+++ b/htdocs/langs/es_CO/boxes.lang
@@ -1,3 +1,4 @@
# Dolibarr language file - Source file is en_US - boxes
+BoxScheduledJobs=Trabajos programados
ForCustomersInvoices=Facturas de clientes
ForProposals=Propuestas
diff --git a/htdocs/langs/es_CO/compta.lang b/htdocs/langs/es_CO/compta.lang
index a8bd33a6a73..0466a9ef875 100644
--- a/htdocs/langs/es_CO/compta.lang
+++ b/htdocs/langs/es_CO/compta.lang
@@ -10,6 +10,7 @@ FeatureIsSupportedInInOutModeOnly=Función solo disponible en el modo de contabi
VATReportBuildWithOptionDefinedInModule=Las cantidades que se muestran aquí se calculan utilizando las reglas definidas por la configuración del módulo de impuestos.
LTReportBuildWithOptionDefinedInModule=Las cantidades que se muestran aquí se calculan utilizando las reglas definidas por la configuración de la Compañía.
Param=Configuración
+RemainingAmountPayment=Cantidad del pago restante:
Accountparent=Cuenta para padres
Accountsparent=Cuentas de los padres
MenuReportInOut=Ingresos / Gastos
@@ -66,6 +67,7 @@ AddSocialContribution=Añadir impuesto social / fiscal
ContributionsToPay=Impuestos sociales / fiscales a pagar.
AccountancyTreasuryArea=Área de facturación y pago.
PaymentCustomerInvoice=Pago factura a cliente
+PaymentSupplierInvoice=pago de factura del proveedor
PaymentSocialContribution=Pago de impuestos sociales / fiscales
PaymentVat=Pago del IVA
ListPayment=Lista de pagos
@@ -91,8 +93,8 @@ NewLocalTaxPayment=Nuevo pago de impuestos %s
Refund=Reembolso
SocialContributionsPayments=Pago de impuestos sociales / fiscales
ShowVatPayment=Mostrar pago del IVA
-BalanceVisibilityDependsOnSortAndFilters=El saldo es visible en esta lista solo si la tabla está ordenada en forma ascendente en %s y se filtra para 1 cuenta bancaria
CustomerAccountancyCode=Código de contabilidad del cliente
+SupplierAccountancyCode=Código contable del proveedor
CustomerAccountancyCodeShort=Cust. cuenta. código
SupplierAccountancyCodeShort=Cenar. cuenta. código
Turnover=Facturación facturada
@@ -117,7 +119,6 @@ ConfirmDeleteSocialContribution=¿Está seguro de que desea eliminar este pago f
ExportDataset_tax_1=Impuestos y pagos sociales y fiscales.
CalcModeVATDebt=Modo %sVAT en contabilidad de compromiso%s .
CalcModeVATEngagement=Modo %sVAT en ingresos-expenses%s .
-CalcModeDebt=Análisis de facturas registradas conocidas incluso si aún no se han contabilizado en el libro de contabilidad.
CalcModeEngagement=Análisis de pagos registrados conocidos, incluso si aún no se han contabilizado en el Libro mayor.
CalcModeBookkeeping=Análisis de los datos registrados en la tabla de Contabilidad.
CalcModeLT1=Modo %sRE en facturas de clientes: facturas de proveedores%s
@@ -131,11 +132,11 @@ AnnualSummaryInputOutputMode=Balance de ingresos y gastos, resumen anual.
AnnualByCompanies=Saldo de ingresos y gastos, por grupos de cuentas predefinidos.
AnnualByCompaniesDueDebtMode=Balance de ingresos y gastos, detalle por grupos predefinidos, modo %sClaims-Debts%s dijo Contabilidad de compromisos .
AnnualByCompaniesInputOutputMode=Balance de ingresos y gastos, detalle por grupos predefinidos, modo %sIncomes-Expenses%s , dijo contabilidad de caja .
-SeeReportInInputOutputMode=Consulte %sanálisis de pagos%s para obtener un cálculo de los pagos reales realizados incluso si aún no se han contabilizado en el Libro mayor.
-SeeReportInDueDebtMode=Consulte %sanálisis de facturas%s para un cálculo basado en facturas registradas conocidas, incluso si aún no se han contabilizado en el Libro mayor.
-SeeReportInBookkeepingMode=Consulte %sRestauración report%s para obtener un cálculo de la tabla del Libro mayor de contabilidad
RulesAmountWithTaxIncluded=- Las cantidades mostradas están con todos los impuestos incluidos.
+RulesResultDue=- Incluye facturas pendientes, gastos, IVA, donaciones ya sean pagadas o no. También incluye salarios pagados. - Se basa en la fecha de facturación de las facturas y en la fecha de vencimiento de los gastos o pagos de impuestos. Para los salarios definidos con el módulo Salario, se utiliza la fecha de pago del valor.
RulesResultInOut=- Incluye los pagos reales realizados en facturas, gastos, IVA y salarios. - Se basa en las fechas de pago de las facturas, gastos, IVA y salarios. La fecha de donación para la donación.
+RulesCADue=- Incluye las facturas vencidas del cliente, ya sean pagadas o no. - Se basa en la fecha de facturación de estas facturas.
+RulesCAIn=- Incluye todos los pagos efectivos de las facturas recibidas de los clientes. - Se basa en la fecha de pago de estas facturas
RulesCATotalSaleJournal=Incluye todas las líneas de crédito del diario Sale.
RulesAmountOnInOutBookkeepingRecord=Incluye el registro en su Libro mayor con cuentas contables que tiene el grupo "GASTOS" o "INGRESOS"
RulesResultBookkeepingPredefined=Incluye el registro en su Libro mayor con cuentas contables que tiene el grupo "GASTOS" o "INGRESOS"
@@ -186,6 +187,7 @@ RefExt=Ref externo
ToCreateAPredefinedInvoice=Para crear una factura de plantilla, cree una factura estándar, luego, sin validarla, haga clic en el botón "%s".
LinkedOrder=Enlace a pedido
CalculationRuleDesc=Para calcular el IVA total, hay dos métodos: El método 1 es redondear la tina en cada línea, luego sumarlos. El método 2 es sumar todas la tina en cada línea, luego redondear el resultado. El resultado final puede diferir de unos céntimos. El modo predeterminado es el modo %s .
+CalculationRuleDescSupplier=Según el proveedor, elija el método apropiado para aplicar la misma regla de cálculo y obtener el mismo resultado esperado por su proveedor.
TurnoverPerProductInCommitmentAccountingNotRelevant=El informe del volumen de negocios recogido por producto no está disponible. Este informe solo está disponible para facturación facturada.
TurnoverPerSaleTaxRateInCommitmentAccountingNotRelevant=El informe del volumen de negocios recaudado por tasa de impuesto de venta no está disponible. Este informe solo está disponible para facturación facturada.
AccountancyJournal=Diario de código contable
@@ -195,6 +197,7 @@ ACCOUNTING_VAT_PAY_ACCOUNT=Cuenta contable por defecto para el pago del IVA.
ACCOUNTING_ACCOUNT_CUSTOMER=Cuenta contable utilizada para terceros clientes.
ACCOUNTING_ACCOUNT_CUSTOMER_Desc=La cuenta contable dedicada definida en la tarjeta de terceros se utilizará solo para la contabilidad de Libro mayor auxiliar. Este se usará para el Libro mayor general y como valor predeterminado de la contabilidad del Libro mayor auxiliar si no se define una cuenta de cuenta del cliente dedicada a un tercero.
ACCOUNTING_ACCOUNT_SUPPLIER=Cuenta contable utilizada para terceros proveedores.
+ACCOUNTING_ACCOUNT_SUPPLIER_Desc=La cuenta de contabilidad dedicada definida en la tarjeta de un tercero se usará solo para la contabilidad del Libro auxiliar. Este se usará para el Libro mayor y como valor predeterminado de la contabilidad del libro auxiliar si no se define la cuenta de contabilidad del proveedor dedicada en un tercero.
ConfirmCloneTax=Confirmar el clon de un impuesto social / fiscal.
CloneTaxForNextMonth=Clonala para el mes que viene.
SimpleReport=Informe simple
@@ -216,3 +219,7 @@ ByVatRate=Por impuesto de venta
TurnoverbyVatrate=Facturación facturada por impuesto de venta
TurnoverCollectedbyVatrate=Volumen de negocios recaudado por tasa de impuesto de venta
PurchasebyVatrate=Tasa de impuesto de compra por venta
+PurchaseTurnoverCollected=Volumen de compras recogido
+RulesPurchaseTurnoverDue=- Incluye las facturas vencidas del proveedor, ya sean pagadas o no. - Se basa en la fecha de facturación de estas facturas.
+RulesPurchaseTurnoverIn=- Incluye todos los pagos efectivos de facturas hechas a proveedores. - Se basa en la fecha de pago de estas facturas
+ReportPurchaseTurnoverCollected=Volumen de compras recogido
diff --git a/htdocs/langs/es_CO/cron.lang b/htdocs/langs/es_CO/cron.lang
index 5ef1f0eb645..0c30b974b96 100644
--- a/htdocs/langs/es_CO/cron.lang
+++ b/htdocs/langs/es_CO/cron.lang
@@ -1,4 +1,9 @@
# Dolibarr language file - Source file is en_US - cron
+Permission23101 =Leer trabajo programado
+Permission23102 =Crear / actualizar trabajo programado
+Permission23103 =Eliminar trabajo programado
+Permission23104 =Ejecutar trabajo programado
+CronList=Trabajos programados
CronMethod=Método
CronModule=Módulo
CronArgs=Parámetros
diff --git a/htdocs/langs/es_CO/main.lang b/htdocs/langs/es_CO/main.lang
index f4a6163ecd8..cf729c5dde4 100644
--- a/htdocs/langs/es_CO/main.lang
+++ b/htdocs/langs/es_CO/main.lang
@@ -21,6 +21,7 @@ FormatDateHourTextShort=%d %b %Y %H:%M
FormatDateHourText=%d %B %Y %H:%M
NoTemplateDefined=No hay plantilla disponible para este tipo de correo electrónico.
AvailableVariables=Variables de sustitución disponibles
+CurrentTimeZone=Zona horaria de PHP (servidor)
NoRecordFound=No se encontraron registros
NoRecordDeleted=Ningún registro eliminado
Errors=Los errores
diff --git a/htdocs/langs/es_CO/products.lang b/htdocs/langs/es_CO/products.lang
index 2493b627165..f3e96745592 100644
--- a/htdocs/langs/es_CO/products.lang
+++ b/htdocs/langs/es_CO/products.lang
@@ -85,7 +85,6 @@ CloneCombinationsProduct=Variantes de productos clonados.
ProductIsUsed=Este producto es usado
NewRefForClone=Árbitro. de nuevo producto / servicio
CustomerPrices=Precios al cliente
-CustomCode=Aduanas / productos / código HS
p=u
d=re
g=sol
@@ -98,7 +97,6 @@ AlwaysUseFixedPrice=Usar el precio fijo
PriceByQuantity=Diferentes precios por cantidad.
DisablePriceByQty=Desactivar precios por cantidad.
PriceByQuantityRange=Rango Cantidad
-MultipriceRules=Reglas del segmento de precios
UseMultipriceRules=Utilice reglas de segmento de precios (definidas en la configuración del módulo del producto) para calcular automáticamente los precios de todos los demás segmentos de acuerdo con el primer segmento
PercentVariationOver=variación %% sobre %s
KeepEmptyForAutoCalculation=Manténgalo vacío para que esto se calcule automáticamente por peso o volumen de productos
diff --git a/htdocs/langs/es_CO/sendings.lang b/htdocs/langs/es_CO/sendings.lang
index 96689e2c322..ea9f35bd5dd 100644
--- a/htdocs/langs/es_CO/sendings.lang
+++ b/htdocs/langs/es_CO/sendings.lang
@@ -1,2 +1,3 @@
# Dolibarr language file - Source file is en_US - sendings
StatusSendingCanceled=Cancelado
+StatusSendingCanceledShort=Cancelado
diff --git a/htdocs/langs/es_CO/ticket.lang b/htdocs/langs/es_CO/ticket.lang
index 05339775ed1..e0099d503d0 100644
--- a/htdocs/langs/es_CO/ticket.lang
+++ b/htdocs/langs/es_CO/ticket.lang
@@ -1,5 +1,4 @@
# Dolibarr language file - Source file is en_US - ticket
TypeContact_ticket_internal_CONTRIBUTOR=Contribuyente
-NotRead=No leer
Type=Tipo
Subject=Tema
diff --git a/htdocs/langs/es_CO/withdrawals.lang b/htdocs/langs/es_CO/withdrawals.lang
index 33ea339dcd8..4c73e87c98e 100644
--- a/htdocs/langs/es_CO/withdrawals.lang
+++ b/htdocs/langs/es_CO/withdrawals.lang
@@ -4,3 +4,4 @@ WithdrawalsReceipts=Órdenes de débito directo
WithdrawalReceipt=Orden de domiciliación bancaria
StatusPaid=Pagado
StatusRefused=Rechazado
+ICS=Creditor Identifier CI for direct debit
diff --git a/htdocs/langs/es_DO/accountancy.lang b/htdocs/langs/es_DO/accountancy.lang
new file mode 100644
index 00000000000..552865118f1
--- /dev/null
+++ b/htdocs/langs/es_DO/accountancy.lang
@@ -0,0 +1,2 @@
+# Dolibarr language file - Source file is en_US - accountancy
+ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50)
diff --git a/htdocs/langs/es_DO/compta.lang b/htdocs/langs/es_DO/compta.lang
deleted file mode 100644
index c7c41488180..00000000000
--- a/htdocs/langs/es_DO/compta.lang
+++ /dev/null
@@ -1,2 +0,0 @@
-# Dolibarr language file - Source file is en_US - compta
-BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted ascending on %s and filtered for 1 bank account
diff --git a/htdocs/langs/es_DO/products.lang b/htdocs/langs/es_DO/products.lang
deleted file mode 100644
index 6e900475275..00000000000
--- a/htdocs/langs/es_DO/products.lang
+++ /dev/null
@@ -1,2 +0,0 @@
-# Dolibarr language file - Source file is en_US - products
-CustomCode=Customs / Commodity / HS code
diff --git a/htdocs/langs/es_DO/withdrawals.lang b/htdocs/langs/es_DO/withdrawals.lang
new file mode 100644
index 00000000000..facdefc082f
--- /dev/null
+++ b/htdocs/langs/es_DO/withdrawals.lang
@@ -0,0 +1,2 @@
+# Dolibarr language file - Source file is en_US - withdrawals
+ICS=Creditor Identifier CI for direct debit
diff --git a/htdocs/langs/es_EC/accountancy.lang b/htdocs/langs/es_EC/accountancy.lang
index ffe1b3a23e6..7d111fb5828 100644
--- a/htdocs/langs/es_EC/accountancy.lang
+++ b/htdocs/langs/es_EC/accountancy.lang
@@ -90,7 +90,7 @@ VentilatedinAccount=Vinculado con éxito a la cuenta contable
NotVentilatedinAccount=No vinculado a la cuenta contable
XLineSuccessfullyBinded=%s productos/servicios vinculados con éxito a una cuenta de contabilidad
XLineFailedToBeBinded=Los productos/servicios de%s no estaban vinculados a ninguna cuenta contable
-ACCOUNTING_LIMIT_LIST_VENTILATION=Número de elementos a unir mostrados por página (máximo recomendado: 50)
+ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50)
ACCOUNTING_LIST_SORT_VENTILATION_TODO=Comienza la clasificación de la página "Vinculación a hacer" por los elementos más recientes
ACCOUNTING_LIST_SORT_VENTILATION_DONE=Comienza la clasificación de la página "Encuadernación realizada" por los elementos más recientes
ACCOUNTING_LENGTH_DESCRIPTION=Truncar la descripción de los productos y servicios en los listados después de los caracteres x (Mejor
@@ -126,7 +126,6 @@ LetteringCode=Codigo de letras
Codejournal=diario
NumPiece=Número de pieza
TransactionNumShort=Num. transacción
-GroupByAccountAccounting=Grupo por cuenta contable
AccountingAccountGroupsDesc=Puede definir aquí algunos grupos de cuentas contables. Se usarán para informes de contabilidad personalizados.
DelMonth=Mes para borrar
DelJournal=Diario para borrar
diff --git a/htdocs/langs/es_EC/admin.lang b/htdocs/langs/es_EC/admin.lang
index 63854f4450c..bf0e5e8941b 100644
--- a/htdocs/langs/es_EC/admin.lang
+++ b/htdocs/langs/es_EC/admin.lang
@@ -60,7 +60,6 @@ AllowToSelectProjectFromOtherCompany=En el documento de un cliente, puede elegir
JavascriptDisabled=JavaScript desactivado
UsePreviewTabs=Usar pestañas de vista previa
ShowPreview=Mostrar vista previa
-CurrentTimeZone=Zona horaria PHP (servidor)
MySQLTimeZone=Zona horaria MySQL (base de datos)
TZHasNoEffect=Las fechas son almacenadas y devueltas por el servidor de base de datos como si se mantuvieran como una cadena enviada. La zona horaria tiene efecto solo cuando se usa la función UNIX_TIMESTAMP (que no debe ser utilizada por Dolibarr, por lo que la base de datos TZ no debería tener ningún efecto, incluso si se cambia después de ingresar los datos)
Space=Espacio
@@ -112,7 +111,6 @@ SystemToolsAreaDesc=Esta área proporciona funciones de administración. Utilice
Purge=Purgar
PurgeAreaDesc=Esta página le permite eliminar todos los archivos generados o almacenados por Dolibarr (archivos temporales o todos los archivos en el directorio %s). Usando esta característica normalmente no es necesario. Se proporciona como una solución para los usuarios cuyo Dolibarr está alojado por un proveedor que no ofrece permisos para eliminar archivos generados por el servidor web.
PurgeDeleteLogFile=Eliminar archivo de registro %s definido para el módulo de Registro del Sistema (Syslog) (sin riesgo de perder datos)
-PurgeDeleteTemporaryFiles=Elimine todos los archivos temporales (sin riesgo de perder datos). Nota: La eliminación se realiza solo si el directorio temporal se creó hace 24 horas.
PurgeDeleteAllFilesInDocumentsDir=Eliminar todos los archivos en el directorio: %s. Esto eliminará todos los documentos generados relacionados con los elementos (terceros, facturas, etc.), los archivos cargados en el módulo ECM, los volcados de respaldo de la base de datos y archivos temporales.
PurgeRunNow=Purgar ahora
PurgeNothingToDelete=Sin directorio o archivos que desea eliminar.
@@ -285,7 +283,6 @@ LanguageFilesCachedIntoShmopSharedMemory=Archivos .lang cargados en la memoria c
ListOfDirectories=Lista de directorios de plantillas OpenDocument
ListOfDirectoriesForModelGenODT=Open to Document.
Ponga aquí la ruta completa de los directorios. Para un directorio del módulo GED, añádalo aquí DOL_DATA_ROOT / ecm / yourdirectoryname .
Los archivos de esos deben ser eliminados con .odt o .ods .
NumberOfModelFilesFound=Número de archivos de plantilla ODT / ODS encontrados en estos directorios
-ExampleOfDirectoriesForModelGen=Ejemplos de sintaxis: c:\\mydir / home / mydir DOL_DATA_ROOT / ecm / ecmdir
FollowingSubstitutionKeysCanBeUsed= Para saber cómo crear sus plantillas de documentos ODT, antes de guardarlos en esos directorios, leer la documentación wiki:
FirstnameNamePosition=Posición del Nombre / Apellido
DescWeather=Las siguientes imágenes se mostrarán en el tablero cuando el número de acciones tardías alcance los siguientes valores:
@@ -310,7 +307,6 @@ UrlGenerationParameters=Parámetros para asegurar URL
SecurityTokenIsUnique=Use un parámetro de SecureKey único para cada URL
EnterRefToBuildUrl=Insertar la referencia del objeto %s
GetSecuredUrl=Obtener URL calculada
-ButtonHideUnauthorized=Ocultar botones para usuarios no administradores para acciones no autorizadas en lugar de mostrar botones deshabilitados en gris
OldVATRates=Antigua tasa de IVA
NewVATRates=Nueva tasa de IVA
PriceBaseTypeToChange=Modificar los precios con el valor base de referencia definida en
@@ -1227,7 +1223,6 @@ IfYouUsePointOfSaleCheckModule=Si utiliza el módulo de Punto de Venta (POS) pro
NotTopTreeMenuPersonalized=Menús personalizados no vinculados a una entrada de menú superior
MenuHandler=Manejador de menús
MenuModule=Módulo fuente
-HideUnauthorizedMenu= Ocultar menús no autorizados
DetailId=Identificación del menú
DetailMenuHandler=Manejador de menús donde mostrar el nuevo menú
DetailMenuModule=Nombre del módulo
@@ -1452,8 +1447,6 @@ EMailHost=Host de correo electrónico del servidor IMAP
EmailcollectorOperations=Operaciones a realizar por coleccionista.
MaxEmailCollectPerCollect=Número máximo de correos electrónicos recopilados por recopilación
ConfirmCloneEmailCollector=¿Está seguro de que desea clonar el recopilador de correo electrónico %s?
-DateLastCollectResult=Fecha de último cobro probado
-DateLastcollectResultOk=Fecha más reciente de cobrar exitosamente
EmailCollectorConfirmCollectTitle=Correo electrónico recoger confirmación
EmailCollectorConfirmCollect=¿Quieres ejecutar la colección para este coleccionista ahora?
NoNewEmailToProcess=No hay correo electrónico nuevo (filtros coincidentes) para procesar
diff --git a/htdocs/langs/es_EC/banks.lang b/htdocs/langs/es_EC/banks.lang
index e9526d449e9..94929d9f3b4 100644
--- a/htdocs/langs/es_EC/banks.lang
+++ b/htdocs/langs/es_EC/banks.lang
@@ -117,6 +117,4 @@ ShowVariousPayment=Mostrar pago misceláneo
AddVariousPayment=Agregar pago misceláneo
FindYourSEPAMandate=Este es su mandato de SEPA para autorizar a nuestra empresa a realizar un pedido de débito directo a su banco. Devuélvalo firmado (escaneo del documento firmado) o envíelo por correo a
AutoReportLastAccountStatement=Rellene automáticamente el campo 'número de extracto bancario' con el último número de extracto al realizar la conciliación
-CashControl=POS Limite de efectivo
-NewCashFence=Nuevo limite de efectivo
BankColorizeMovementDesc=Si esta función está habilitada, puede elegir un color de fondo específico para los movimientos de débito o crédito
diff --git a/htdocs/langs/es_EC/blockedlog.lang b/htdocs/langs/es_EC/blockedlog.lang
index ffd95d6e203..4f7bb9a99a4 100644
--- a/htdocs/langs/es_EC/blockedlog.lang
+++ b/htdocs/langs/es_EC/blockedlog.lang
@@ -1,7 +1,13 @@
# Dolibarr language file - Source file is en_US - blockedlog
+BlockedLogDesc=Este módulo rastrea algunos eventos en un registro inalterable (que no puede modificar una vez registrado) en una cadena de bloques, en tiempo real. Este módulo proporciona compatibilidad con los requisitos de las leyes de algunos países (como Francia con la ley Finanzas 2016 - Norma NF525).
FingerprintsDesc=Esta es la herramienta para navegar o extraer los registros inalterables. Los registros inalterables se generan y archivan localmente en una tabla dedicada, en tiempo real cuando registra un evento de negocios. Puede usar esta herramienta para exportar este archivo y guardarlo en un soporte externo (algunos países, como Francia, le piden que lo haga todos los años). Tenga en cuenta que no hay ninguna función para limpiar este registro y que todos los cambios que se intentaron realizar directamente en este registro (por ejemplo, un pirata informático) se informarán con una huella digital no válida. Si realmente necesita purgar esta tabla porque usó su aplicación para una demostración / propósito de prueba y desea limpiar sus datos para comenzar su producción, puede solicitar a su revendedor o integrador que reinicie su base de datos (se eliminarán todos sus datos).
+KoCheckFingerprintValidity=La entrada de registro archivada no es válida. Significa que alguien (¿un pirata informático?) Ha modificado algunos datos de este registro después de que fue grabado, o ha borrado el registro archivado anterior (verifique que exista esa línea con # anterior).
+OkCheckFingerprintValidity=El registro de registro archivado es válido. Los datos en esta línea no se modificaron y la entrada sigue a la anterior.
AddedByAuthority=Almacenado en sitio remoto
NotAddedByAuthorityYet=Aún no almacenado en sitio remoto
+logPAYMENT_VARIOUS_CREATE=Pago (no asignado a una factura) creado
+logPAYMENT_VARIOUS_MODIFY=Pago (no asignado a una factura) modificado
+logPAYMENT_VARIOUS_DELETE=Pago (no asignado a una factura) eliminación lógica
logPAYMENT_ADD_TO_BANK=Pago agregado al banco
logDONATION_PAYMENT_DELETE=Eliminación lógica del pago de donaciones.
logBILL_UNPAYED=Factura del cliente sin pagar
diff --git a/htdocs/langs/es_EC/boxes.lang b/htdocs/langs/es_EC/boxes.lang
index 68072918006..6ae463eaff3 100644
--- a/htdocs/langs/es_EC/boxes.lang
+++ b/htdocs/langs/es_EC/boxes.lang
@@ -34,6 +34,7 @@ BoxTitleLatestModifiedBoms=Últimas BOMs modificadas %s
BoxTitleLatestModifiedMos=Últimas órdenes de fabricación modificadas %s
BoxGlobalActivity=Actividad global (facturas, propuestas, pedidos)
BoxTitleGoodCustomers=%s Buenos clientes
+BoxScheduledJobs=Trabajos programados
FailedToRefreshDataInfoNotUpToDate=Error al actualizar el flujo de RSS. Última fecha de actualización exitosa: %s
LastRefreshDate=Fecha de actualización más reciente
NoRecordedBookmarks=No se han definido marcadores.
diff --git a/htdocs/langs/es_EC/cashdesk.lang b/htdocs/langs/es_EC/cashdesk.lang
index 3361d257dc5..91bfc85b052 100644
--- a/htdocs/langs/es_EC/cashdesk.lang
+++ b/htdocs/langs/es_EC/cashdesk.lang
@@ -31,8 +31,6 @@ Footer=Pie de página
AmountAtEndOfPeriod=Cantidad al final del período (día, mes o año)
TheoricalAmount=Cantidad teórica
RealAmount=Cantidad real
-CashFence=Valla de efectivo
-CashFenceDone=Cerca de efectivo hecha para el período.
NbOfInvoices=Nb de facturas
Paymentnumpad=Tipo de Pad para ingresar el pago
Numberspad=Pad de números
@@ -56,7 +54,6 @@ CashDeskRefNumberingModules=Módulo de numeración para ventas POS
CashDeskGenericMaskCodes6 = {TN} la etiqueta se usa para agregar el número de terminal
TakeposGroupSameProduct=Agrupar las mismas líneas de productos
StartAParallelSale=Comience una nueva venta paralela
-CloseCashFence=Cerca de efectivo
CashReport=Informe de caja
MainPrinterToUse=Impresora principal para usar
OrderPrinterToUse=Solicitar impresora para usar
diff --git a/htdocs/langs/es_EC/categories.lang b/htdocs/langs/es_EC/categories.lang
index 48cdc8b6202..3545e7ba532 100644
--- a/htdocs/langs/es_EC/categories.lang
+++ b/htdocs/langs/es_EC/categories.lang
@@ -46,11 +46,8 @@ UsersCategoriesShort=Etiquetas/categorías de usuarios
StockCategoriesShort=Etiquetas / categorías de almacén
ThisCategoryHasNoItems=Esta categoría no contiene ningún artículo.
CategId=ID de etiqueta/categoría
-CatSupList=Lista de etiquetas / categorías de proveedores
-CatCusList=Lista de etiquetas/categorías de cliente/prospecto
CatProdList=Lista de productos etiquetas/categorías
CatMemberList=Lista de miembros tags/categories
-CatContactList=Lista de etiquetas/categorías de contacto
CatCusLinks=Enlaces entre clientes/prospectos y etiquetas/categorías
CatContactsLinks=Enlaces entre contactos / direcciones y etiquetas / categorías
ExtraFieldsCategories=Atributos complementarios
diff --git a/htdocs/langs/es_EC/companies.lang b/htdocs/langs/es_EC/companies.lang
index 398cf5448d1..8a15891b3f1 100644
--- a/htdocs/langs/es_EC/companies.lang
+++ b/htdocs/langs/es_EC/companies.lang
@@ -207,7 +207,6 @@ VATIntraCheckableOnEUSite=Consulte el ID de IVA intracomunitario en el sitio web
VATIntraManualCheck=También puede consultar manualmente en el sitio web de la Comisión Europea. %s
ErrorVATCheckMS_UNAVAILABLE=No es posible el chequeo. El servicio de chequeo no es proporcionado por el estado miembro (%s).
NorProspectNorCustomer=No prospecto, ni cliente
-JuridicalStatus=Tipo de entidad jurídica
ProspectLevel=Prospecto potencial
OthersNotLinkedToThirdParty=Otros, no vinculados a cliente/proveedor
ProspectStatus=Estado del prospecto
diff --git a/htdocs/langs/es_EC/compta.lang b/htdocs/langs/es_EC/compta.lang
index e77516e0630..5933896e5b7 100644
--- a/htdocs/langs/es_EC/compta.lang
+++ b/htdocs/langs/es_EC/compta.lang
@@ -94,7 +94,6 @@ NewLocalTaxPayment=Nuevo pago de impuestos %s
Refund=Reembolso
SocialContributionsPayments=Pagos de impuestos sociales y fiscales
ShowVatPayment=Mostrar pago de IVA
-BalanceVisibilityDependsOnSortAndFilters=El equilibrio es visible en esta lista sólo si la tabla está ordenada ascendiendo en%s y filtrada para una cuenta bancaria
CustomerAccountancyCode=Código de contabilidad del cliente
SupplierAccountancyCode=Código contable del proveedor
CustomerAccountancyCodeShort=Cuenta de cliente. código
@@ -120,7 +119,6 @@ ConfirmDeleteSocialContribution=¿Seguro que desea eliminar este pago de impuest
ExportDataset_tax_1=Impuestos y pagos sociales y fiscales
CalcModeVATDebt=Modo %sVAT en la contabilidad de compromiso%s .
CalcModeVATEngagement=Modo %sVAT en los ingresos-gastos%s .
-CalcModeDebt=Análisis de facturas registradas conocidas incluso si aún no se contabilizan en el libro mayor.
CalcModeEngagement=Análisis de los pagos registrados conocidos, incluso si aún no se contabilizan en el Libro mayor.
CalcModeBookkeeping=Análisis de los datos registrados en la tabla de Contabilidad.
CalcModeLT1= Modo %sRE en facturas de clientes - facturas de proveedores%s
@@ -133,9 +131,6 @@ AnnualSummaryDueDebtMode=Balance de ingresos y gastos, resumen anual
AnnualSummaryInputOutputMode=Balance de ingresos y gastos, resumen anual
AnnualByCompaniesDueDebtMode=Balance de ingresos y gastos, detalle por grupos predefinidos, modo %sClaims-Deudas%s dicho Compromiso de contabilidad .
AnnualByCompaniesInputOutputMode=Balance de ingresos y gastos, detalle por grupos predefinidos, modo %sIngresos-Gastos%s dicho contabilidad de caja .
-SeeReportInInputOutputMode=Vea %s el análisis de pagos %s para cálcular los pagos efectuados, incluso si aún no se contabilizaron en el Libro mayor.
-SeeReportInDueDebtMode=Vea %s el análisis de facturas %s para un cálculo basado en facturas registradas conocidas, incluso si aún no se contabilizaron en el Libro mayor.
-SeeReportInBookkeepingMode=Consulte el informe %s Libro Mayor %s para un cálculo en la tabla contable del Libro Mayor
RulesAmountWithTaxIncluded=Los importes mostrados son con todos los impuestos incluidos
RulesResultDue=- Incluye facturas pendientes, gastos, IVA, donaciones ya sean pagadas o no. También incluye salarios pagados. - se basa en la fecha de facturación de las facturas y en la fecha de vencimiento de los gastos o pagos de impuestos. Para los salarios definidos con el módulo Salario, se utiliza la fecha de pago del valor.
RulesResultInOut=Incluye los pagos reales realizados en facturas, gastos, IVA y sueldos. - Se basa en las fechas de pago de las facturas, gastos, IVA y salarios. la fecha de donación para la donación.
diff --git a/htdocs/langs/es_EC/cron.lang b/htdocs/langs/es_EC/cron.lang
index 1bcb97a8f7b..7dbff235dc7 100644
--- a/htdocs/langs/es_EC/cron.lang
+++ b/htdocs/langs/es_EC/cron.lang
@@ -4,8 +4,6 @@ Permission23102 =Crear / actualizar trabajo programado
Permission23103 =Eliminar trabajo programado
Permission23104 =Ejecutar trabajo programado
CronSetup=Configuración de administración de trabajos programada
-URLToLaunchCronJobs=URL para verificar e iniciar trabajos calificados de cron
-OrToLaunchASpecificJob=O para comprobar y lanzar un trabajo específico
KeyForCronAccess=Clave de seguridad para la URL para iniciar trabajos cron
FileToLaunchCronJobs=Línea de comandos para comprobar y poner en marcha trabajos calificados de cron
CronExplainHowToRunUnix=En el entorno Unix, debe utilizar la siguiente entrada crontab para ejecutar la línea de comandos cada 5 minutos
@@ -41,7 +39,6 @@ CronArgs=Parámetros
CronSaveSucess=Guardado exitosamente
CronFieldMandatory=Los campos%s son obligatorios
CronErrEndDateStartDt=La fecha de finalización no puede ser anterior a la fecha de inicio
-CronStatusActiveBtn=Habilitar
CronStatusInactiveBtn=En rehabilitación
CronTaskInactive=Este trabajo está deshabilitado
CronId=Carné de identidad
diff --git a/htdocs/langs/es_EC/errors.lang b/htdocs/langs/es_EC/errors.lang
index d857d9acdeb..50196eff061 100644
--- a/htdocs/langs/es_EC/errors.lang
+++ b/htdocs/langs/es_EC/errors.lang
@@ -59,7 +59,6 @@ ErrorExportDuplicateProfil=Este nombre de perfil ya existe para este conjunto de
ErrorLDAPSetupNotComplete=Dolibarr-LDAP no está completo.
ErrorLDAPMakeManualTest=Se ha generado un archivo .ldif en el directorio%s. Trate de cargarlo manualmente desde la línea de comandos para obtener más información sobre los errores.
ErrorCantSaveADoneUserWithZeroPercentage=No se puede guardar una acción con "estado no iniciado" si el campo "hecho por" también se llena.
-ErrorRefAlreadyExists=La referencia usada para la creación ya existe.
ErrorPleaseTypeBankTransactionReportName=Ingrese el nombre del extracto bancario donde se debe informar la entrada (Formato AAAAMM o AAAAMMDD)
ErrorRecordHasChildren=Error al eliminar el registro ya que tiene algunos registros secundarios.
ErrorRecordHasAtLeastOneChildOfType=El objeto tiene al menos un hijo del tipo%s
@@ -178,7 +177,6 @@ ErrorObjectMustHaveLinesToBeValidated=El objeto%s debe tener líneas a validar.
ErrorOnlyInvoiceValidatedCanBeSentInMassAction=Sólo se pueden enviar facturas validadas mediante la acción masiva "Enviar por correo electrónico".
ErrorDiscountLargerThanRemainToPaySplitItBefore=El descuento que usted intenta aplicar es más grande que permanecer para pagar. Divida el descuento en 2 descuentos más pequeños antes.
ErrorFileNotFoundWithSharedLink=Archivo no fue encontrado. Puede ser que la clave compartida se haya modificado o que el archivo se haya eliminado recientemente.
-ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Tenga en cuenta que no es posible utilizar productos virtuales para aumentar/disminuir automáticamente subproductos cuando al menos un subproducto (o subproducto de subproductos) necesita un número de serie/lote.
ErrorDescRequiredForFreeProductLines=La descripción es obligatoria para campos con producto gratis
ErrorDuringChartLoad=Error al cargar el plan de cuentas. Si no se cargaron algunas cuentas, aún puede ingresarlas manualmente.
ErrorBadSyntaxForParamKeyForContent=Mala sintaxis para param keyforcontent. Debe tener un valor que comience con %s o %s
diff --git a/htdocs/langs/es_EC/mails.lang b/htdocs/langs/es_EC/mails.lang
index b24a2b0d5f6..d726c01c4b9 100644
--- a/htdocs/langs/es_EC/mails.lang
+++ b/htdocs/langs/es_EC/mails.lang
@@ -95,12 +95,6 @@ TagSignature=Firma del usuario enviado
EMailRecipient=Receptor de E-mail
TagMailtoEmail=Correo electrónico del destinatario (incluido el enlace html "mailto:")
NoEmailSentBadSenderOrRecipientEmail=No hay correo electrónico enviado. Correo electrónico incorrecto del remitente o del destinatario. Verifique el perfil de usuario.
-NoNotificationsWillBeSent=No hay notificaciones por correo electrónico para este evento y la empresa
-ANotificationsWillBeSent=Se enviará una notificación por correo electrónico
-SomeNotificationsWillBeSent=Las notificaciones de %s se enviarán por correo electrónico
-AddNewNotification=Activar un nuevo destino / evento de notificación por correo electrónico
-ListOfActiveNotifications=Lista todos los destinos / eventos activos para la notificación por correo electrónico
-ListOfNotificationsDone=Lista todas las notificaciones por correo electrónico enviadas
MailSendSetupIs=La configuración del envío de correo electrónico se ha configurado en '%s'. Este modo no se puede utilizar para enviar correos electrónicos masivos.
MailSendSetupIs2=Primero debe ir, con una cuenta de administrador, al menú %s Home - Setup - EMails%s para cambiar el parámetro '%s' para usar el modo '%s'. Con este modo, puede ingresar la configuración del servidor SMTP proporcionado por su proveedor de servicios de Internet y usar la función de correo electrónico masivo.
MailSendSetupIs3=Si tiene alguna pregunta sobre cómo configurar su servidor SMTP, puede preguntar a %s.
@@ -109,7 +103,6 @@ NbOfTargetedContacts=Número actual de correos electrónicos de contacto
UseFormatFileEmailToTarget=El archivo importado debe tener formato correo electrónico; nombre; nombre; otro strong>
UseFormatInputEmailToTarget=Introduzca una cadena con formato correo electrónico; nombre; nombre; otro
AdvTgtTitle=Rellene los campos de entrada para preseleccionar los clientes/proveedores o contactos/direcciones de destino
-AdvTgtSearchTextHelp=Utilizar como comodines %%. Por ejemplo, para encontrar todos los elementos como jean, joe, jim, puede ingresar j%%, también puede usar ; como separador de valor, y uso ! para excepto este valor. Por ejemplo, jean;joe;jim%%;!Jimo;!Jima% apuntará a todos los jean, joe, comienza con jim pero no jimo y no todo lo que comienza con jima
AdvTgtSearchIntHelp=Utilice el intervalo para seleccionar el valor int o float
AdvTgtMaxVal=Valor máximo
AdvTgtSearchDtHelp=Usar el intervalo para seleccionar el valor de fecha
@@ -123,7 +116,5 @@ AdvTgtAddContact=Añadir emails según criterio.
AdvTgtLoadFilter=Filtro de carga
NoContactWithCategoryFound=No hay contacto/dirección con una categoría encontrada
NoContactLinkedToThirdpartieWithCategoryFound=No hay contacto/dirección con una categoría encontrada
-OutGoingEmailSetup=Configuración de correo saliente
-InGoingEmailSetup=Configuración de correo entrante
ContactsWithThirdpartyFilter=Contactos con filtro de terceros
Answered=Contestada
diff --git a/htdocs/langs/es_EC/main.lang b/htdocs/langs/es_EC/main.lang
index f7bc16c0fc9..6fea34ee2ae 100644
--- a/htdocs/langs/es_EC/main.lang
+++ b/htdocs/langs/es_EC/main.lang
@@ -22,6 +22,7 @@ FormatDateHourText=%d %B %Y %H:%M
DatabaseConnection=Conexión con la base de datos
NoTemplateDefined=No hay plantilla disponible para este tipo de correo electrónico
AvailableVariables=Variables de sustitución disponibles
+CurrentTimeZone=Zona horaria PHP (servidor)
NoRecordFound=Ningún registro encontrado
NoRecordDeleted=Ningún registro eliminado
NoError=No hay error
@@ -64,6 +65,7 @@ FileWasNotUploaded=Se ha seleccionado un archivo para adjuntarlo, pero todavía
NbOfEntries=Numero de entradas
GoToWikiHelpPage=Lea la ayuda en línea (acceso a Internet es necesario)
GoToHelpPage=Leer la ayuda
+HomePage=Página Principal
DolibarrInHttpAuthenticationSoPasswordUseless=El modo de autenticación Dolibarr está configurado en %s en el archivo de configuración conf.php. Esto significa que la base de datos de contraseñas es externa a Dolibarr, por lo que cambiar este campo puede no tener efecto.
Undefined=Indefinido
PasswordForgotten=¿Contraseña olvidada?
diff --git a/htdocs/langs/es_EC/modulebuilder.lang b/htdocs/langs/es_EC/modulebuilder.lang
index ffad475bff9..3c61371c2a3 100644
--- a/htdocs/langs/es_EC/modulebuilder.lang
+++ b/htdocs/langs/es_EC/modulebuilder.lang
@@ -48,7 +48,6 @@ SqlFileKey=Archivo SQL para las claves
SqlFileKeyExtraFields=Archivo SQL para claves de atributos complementarios
UseAsciiDocFormat=Puede usar el formato Markdown, pero se recomienda usar el formato Asciidoc (omparison entre .md y .asciidoc: http://asciidoctor.org/docs/user-manual/#compared-to-markdown)
NoTrigger=Sin disparador
-GoToApiExplorer=Ir a explorador de API
ListOfDictionariesEntries=Lista de entradas de diccionarios
ListOfPermissionsDefined=Lista de permisos definidos
SeeExamples=Ver ejemplos aquí
@@ -83,7 +82,6 @@ UseSpecificEditorURL =Use una URL de editor específica
UseSpecificFamily =Use una familia específica
UseSpecificAuthor =Use un autor específico
UseSpecificVersion =Use una versión inicial específica
-ModuleMustBeEnabled=El módulo / aplicación debe habilitarse primero
IncludeDocGenerationHelp=Si marca esto, se generará algún código para agregar un cuadro "Generar documento" en el registro.
ShowOnCombobox=Mostrar valor en el cuadro combinado
KeyForTooltip=Clave para información sobre herramientas
diff --git a/htdocs/langs/es_EC/products.lang b/htdocs/langs/es_EC/products.lang
index 59bf558386b..5cdd3a75153 100644
--- a/htdocs/langs/es_EC/products.lang
+++ b/htdocs/langs/es_EC/products.lang
@@ -102,7 +102,6 @@ NewRefForClone=Árbitro. de nuevo producto/servicio
CustomerPrices=Precios de los clientes
SuppliersPrices=Precios del proveedor
SuppliersPricesOfProductsOrServices=Precios de proveedor (de productos o servicios)
-CustomCode=Código de Aduanas / Productos / HS
Nature=Naturaleza del producto (material / acabado)
g=gramo
m=metro
@@ -116,7 +115,6 @@ AlwaysUseFixedPrice=Utilizar el precio fijo
PriceByQuantity=Diferentes precios por cantidad
DisablePriceByQty=Deshabilitar precios por cantidad
PriceByQuantityRange=Rango Cantidad
-MultipriceRules=Reglas del segmento de precios
UseMultipriceRules=Utilice las reglas de segmento de precios (definidas en la configuración del módulo del producto) para calcular automáticamente los precios de todos los demás segmentos de acuerdo con el primer segmento
KeepEmptyForAutoCalculation=Manténgase vacío para que esto se calcule automáticamente de peso o volumen de productos
VariantRefExample=Ejemplos: COL, TAMAÑO
diff --git a/htdocs/langs/es_EC/sendings.lang b/htdocs/langs/es_EC/sendings.lang
index 08d25169ac0..db824ebf01e 100644
--- a/htdocs/langs/es_EC/sendings.lang
+++ b/htdocs/langs/es_EC/sendings.lang
@@ -17,6 +17,7 @@ OtherSendingsForSameOrder=Otros envíos para este pedido
SendingsAndReceivingForSameOrder=Envíos y recibos para este pedido
SendingsToValidate=Envíos para validar
StatusSendingCanceled=Cancelado
+StatusSendingCanceledShort=Cancelado
StatusSendingValidated=Validado (productos para enviar o ya enviar)
StatusSendingProcessed=Procesada
StatusSendingValidatedShort=validado
diff --git a/htdocs/langs/es_EC/ticket.lang b/htdocs/langs/es_EC/ticket.lang
index 1b7ecded84a..ae99f099a88 100644
--- a/htdocs/langs/es_EC/ticket.lang
+++ b/htdocs/langs/es_EC/ticket.lang
@@ -5,14 +5,12 @@ TicketDictType=Tipos - Tickets
TicketDictCategory=Ticket - Grupos
TicketDictSeverity=Ticket - Prioridades
TicketTypeShortISSUE=Problema o Error
-TicketSeverityShortBLOCKING=Crítico/Bloqueo
ErrorBadEmailAddress=Campo '%s' incorrecto
MenuListNonClosed=Tikests abiertos
TypeContact_ticket_internal_CONTRIBUTOR=Contribuyente
TypeContact_ticket_external_SUPPORTCLI=Contacto con el cliente / seguimiento de incidentes
OriginEmail=Origen del correo electrónico
Notify_TICKET_SENTBYMAIL=Enviar mensaje del ticket por correo electrónico
-NotRead=No leer
Read=Leer
NeedMoreInformation=Esperando información
Waiting=Esperando
diff --git a/htdocs/langs/es_EC/withdrawals.lang b/htdocs/langs/es_EC/withdrawals.lang
index ba83f5af30c..baadc69e3b1 100644
--- a/htdocs/langs/es_EC/withdrawals.lang
+++ b/htdocs/langs/es_EC/withdrawals.lang
@@ -77,6 +77,7 @@ SEPAFormYourBIC=Su código de identificación bancaria (BIC)
PleaseCheckOne=Por favor, marque uno solo
DirectDebitOrderCreated=Orden de domiciliación %s creada
CreateForSepa=Crear un archivo de débito directo
+ICS=Creditor Identifier CI for direct debit
END_TO_END=Etiqueta XML SEPA "EndToEndId": identificación única asignada por transacción
USTRD=Etiqueta XML SEPA "no estructurada"
ADDDAYS=Agregar días a la fecha de ejecución
diff --git a/htdocs/langs/es_ES/accountancy.lang b/htdocs/langs/es_ES/accountancy.lang
index 62560e80262..5d2b70ce4c5 100644
--- a/htdocs/langs/es_ES/accountancy.lang
+++ b/htdocs/langs/es_ES/accountancy.lang
@@ -48,6 +48,7 @@ CountriesExceptMe=Todos los países excepto %s
AccountantFiles=Exportar documentos de origen
ExportAccountingSourceDocHelp=Con esta herramienta, puede exportar los eventos de origen (lista y PDF) que se utilizaron para generar su contabilidad. Para exportar sus diarios, use la entrada de menú %s - %s.
VueByAccountAccounting=Ver por cuenta contable
+VueBySubAccountAccounting=Ver por subcuenta contable
MainAccountForCustomersNotDefined=Cuenta contable para clientes no definida en la configuración
MainAccountForSuppliersNotDefined=Cuenta contable para proveedores no definida en la configuración
@@ -144,7 +145,7 @@ NotVentilatedinAccount=Cuenta sin contabilización en la contabilidad
XLineSuccessfullyBinded=%s productos/servicios relacionada correctamente a una cuenta contable
XLineFailedToBeBinded=%s productos/servicios sin cuenta contable
-ACCOUNTING_LIMIT_LIST_VENTILATION=Número de elementos a contabilizar que se muestran por página (máximo recomendado: 50)
+ACCOUNTING_LIMIT_LIST_VENTILATION=Número máximo de líneas en la lista y la página de enlace (recomendado: 50)
ACCOUNTING_LIST_SORT_VENTILATION_TODO=Ordenar las páginas de contabilización "A contabilizar" por los elementos más recientes
ACCOUNTING_LIST_SORT_VENTILATION_DONE=Ordenar las páginas de contabilización "Contabilizadas" por los elementos más recientes
@@ -198,7 +199,8 @@ Docdate=Fecha
Docref=Referencia
LabelAccount=Descripción
LabelOperation=Etiqueta operación
-Sens=Sentido
+Sens=Dirección
+AccountingDirectionHelp=Para una cuenta contable de un cliente, use Crédito para registrar un pago que recibió Para una cuenta contable de un proveedor, use Débito para registrar un pago que usted realice
LetteringCode=Cogido de letras
Lettering=Letras
Codejournal=Diario
@@ -206,7 +208,8 @@ JournalLabel=Etiqueta del diario
NumPiece=Apunte
TransactionNumShort=Núm. transacción
AccountingCategory=Grupos personalizados
-GroupByAccountAccounting=Agrupar por cuenta contable
+GroupByAccountAccounting=Agrupar por cuenta del Libro Mayor
+GroupBySubAccountAccounting=Agrupar por cuenta de libro mayor auxiliar
AccountingAccountGroupsDesc=Puedes definir aquí algunos grupos de cuentas contables. Se usarán para informes de contabilidad personalizados.
ByAccounts=Por cuentas
ByPredefinedAccountGroups=Por grupos predefinidos
@@ -248,7 +251,7 @@ PaymentsNotLinkedToProduct=Pagos no vinculados a un producto/servicio
OpeningBalance=Saldo inicial
ShowOpeningBalance=Mostrar saldo inicial
HideOpeningBalance=Ocultar saldo inicial
-ShowSubtotalByGroup=Mostrar subtotal por grupo
+ShowSubtotalByGroup=Mostrar subtotal por nivel
Pcgtype=Grupo de cuenta
PcgtypeDesc=Los grupos de cuentas se utilizan como criterios predefinidos de "filtro" y "agrupación" para algunos informes contables. Por ejemplo, 'INGRESOS' o 'GASTOS' se utilizan como grupos para las cuentas contables de productos para construir el informe de gastos / ingresos.
@@ -271,11 +274,13 @@ DescVentilExpenseReport=Consulte aquí la lista de líneas de informes de gastos
DescVentilExpenseReportMore=Si configura la cuentas contables de los tipos de informes de gastos, la aplicación será capaz de hacer el enlace entre sus líneas de informes de gastos y las cuentas contables, simplemente con un clic en el botón "%s" , Si no se ha establecido la cuenta contable en el diccionario o si todavía tiene algunas líneas no contabilizadas a alguna cuenta, tendrá que hacer una contabilización manual desde el menú "%s".
DescVentilDoneExpenseReport=Consulte aquí las líneas de informes de gastos y sus cuentas contables
+Closure=Cierre anual
DescClosure=Consulte aquí el número de movimientos por mes que no están validados y los años fiscales ya abiertos
OverviewOfMovementsNotValidated=Paso 1 / Resumen de movimientos no validados. (Necesario para cerrar un año fiscal)
+AllMovementsWereRecordedAsValidated=Todos los movimientos se registraron como validados
+NotAllMovementsCouldBeRecordedAsValidated=No todos los movimientos pueden registrarse como validados
ValidateMovements=Validar movimientos
DescValidateMovements=Se prohíbe cualquier modificación o eliminación de registros. Todas las entradas para un ejercicio deben validarse; de lo contrario, no será posible cerrarlo
-SelectMonthAndValidate=Seleccionar mes y validar movimientos
ValidateHistory=Vincular automáticamente
AutomaticBindingDone=Vinculación automática finalizada
@@ -293,6 +298,7 @@ Accounted=Contabilizada en el Libro Mayor
NotYetAccounted=Aún no contabilizada en el Libro Mayor
ShowTutorial=Ver Tutorial
NotReconciled=No reconciliado
+WarningRecordWithoutSubledgerAreExcluded=Advertencia, todas las operaciones sin una cuenta de libro mayor auxiliar definida se filtran y excluyen de esta vista
## Admin
BindingOptions=Opciones de enlace
@@ -337,10 +343,11 @@ Modelcsv_LDCompta10=Exportar para LD Compta (v10 & superior)
Modelcsv_openconcerto=Exportar a OpenConcerto (En pruebas)
Modelcsv_configurable=Exportación CSV Configurable
Modelcsv_FEC=Exportación FEC
+Modelcsv_FEC2=Exportar FEC (con escritura de generación de fechas / documento invertido)
Modelcsv_Sage50_Swiss=Exportación a Sage 50 Suiza
Modelcsv_winfic=Exportar Winfic - eWinfic - WinSis Compta
-Modelcsv_Gestinumv3=Export for Gestinum (v3)
-Modelcsv_Gestinumv5Export for Gestinum (v5)
+Modelcsv_Gestinumv3=Exportar para Gestinum (v3)
+Modelcsv_Gestinumv5Export para Gestinum (v5)
ChartofaccountsId=Id plan contable
## Tools - Init accounting account on product / service
diff --git a/htdocs/langs/es_ES/admin.lang b/htdocs/langs/es_ES/admin.lang
index 12d860d8ecc..878ea6c13df 100644
--- a/htdocs/langs/es_ES/admin.lang
+++ b/htdocs/langs/es_ES/admin.lang
@@ -56,6 +56,8 @@ GUISetup=Entorno
SetupArea=Configuración
UploadNewTemplate=Nueva(s) plantilla(s) actualizada(s)
FormToTestFileUploadForm=Formulario de prueba de subida de archivo (según opciones elegidas)
+ModuleMustBeEnabled=El módulo / aplicación %s debe estar habilitado
+ModuleIsEnabled=Se ha habilitado el módulo / aplicación %s
IfModuleEnabled=Nota: sólo es eficaz si el módulo %s está activado
RemoveLock=Elimine o renombre el archivo %s, si existe, para permitir el uso de la herramienta de Actualización/Instalación.
RestoreLock=Restaure el archivo %s , solo con permiso de lectura, para deshabilitar cualquier uso posterior de la herramienta Actualización/Instalación.
@@ -85,7 +87,6 @@ ShowPreview=Ver vista previa
ShowHideDetails=Mostrar-Ocultar detalles
PreviewNotAvailable=Vista previa no disponible
ThemeCurrentlyActive=Tema actualmente activo
-CurrentTimeZone=Zona horaria PHP (Servidor)
MySQLTimeZone=Zona horaria MySql (base de datos)
TZHasNoEffect=Las fechas se guardan y devueltas por el servidor de base de datos tal y como si se las hubieran enviado como una cadena. La zona horaria solamente tiene efecto si se usa la función UNIX_TIMESTAMP (que no debe ser usada por Dolibarr, por lo que la zona horaria de la base de datos no debe tener efecto, aunque se haya cambiado después de introducir los datos).
Space=Área
@@ -103,7 +104,7 @@ NoMaxSizeByPHPLimit=Ninguna limitación interna en su servidor PHP
MaxSizeForUploadedFiles=Tamaño máximo de los documentos a subir (0 para prohibir la subida)
UseCaptchaCode=Utilización de código gráfico (CAPTCHA) en la página de inicio de sesión
AntiVirusCommand=Ruta completa hacia el comando del antivirus
-AntiVirusCommandExample=Ejemplo para ClamAv Daemon (requiere clamav-daemon): //usr/bin/clamdscan Ejemplo para ClamWin (muy lento): c:\\Progra~1\\ClamWin\\bin\\clamscan.exe\n
+AntiVirusCommandExample=Ejemplo para ClamAv Daemon (requiere clamav-daemon): /usr/bin/clamdscan Ejemplo para ClamWin (muy lento): c:\\Progra~1\\ClamWin\\bin\\clamscan.exe\n
AntiVirusParam= Parámetros complementarios en la línea de comandos
AntiVirusParamExample=Ejemplo para ClamAv Daemon: --fdpass Ejemplo para ClamWin: -- database="CC:\\Program Files (x86)\\ClamWin\\lib"
ComptaSetup=Configuración del módulo Contabilidad
@@ -153,8 +154,8 @@ SystemToolsAreaDesc=Esta área ofrece distintas funciones de administración. Ut
Purge=Purga
PurgeAreaDesc=Esta página le permite borrar todos los archivos generados o almacenados por Dolibarr (archivos temporales o todos los archivos del directorio %s). El uso de esta función no es necesaria. Se proporciona como solución para los usuarios cuyos Dolibarr se encuentran en un proveedor que no ofrece permisos para eliminar los archivos generados por el servidor web.
PurgeDeleteLogFile=Eliminar archivos de registro, incluidos %s definidos por el módulo Syslog (sin riesgo de perder datos)
-PurgeDeleteTemporaryFiles=Eliminar todos los archivos temporales (sin riesgo de perder datos). Nota: la eliminación se realiza solo si el directorio temporal se creó hace 24 horas.
-PurgeDeleteTemporaryFilesShort=Eliminar archivos temporales
+PurgeDeleteTemporaryFiles=Elimine todos los archivos de registro y temporales (sin riesgo de perder datos). Nota: La eliminación de archivos temporales se realiza solo si el directorio temporal se creó hace más de 24 horas.
+PurgeDeleteTemporaryFilesShort=Eliminar archivos de registro y temporales
PurgeDeleteAllFilesInDocumentsDir=Eliminar todos los archivos del directorio %s. Serán eliminados archivos temporales y archivos relacionados con elementos (terceros, facturas, etc.), archivos subidos al módulo GED, copias de seguridad de la base de datos y archivos temporales.
PurgeRunNow=Purgar
PurgeNothingToDelete=Sin directorios o archivos a eliminar.
@@ -203,7 +204,7 @@ FeatureDisabledInDemo=Opción deshabilitada en demo
FeatureAvailableOnlyOnStable=Funcionaliad disponible únicamente en versiones oficiales estables
BoxesDesc=Los paneles son componentes que muestran algunos datos que pueden añadirse para personalizar algunas páginas. Puede elegir entre mostrar o no el panel mediante la selección de la página de destino y haciendo clic en 'Activar', o haciendo clic en la papelera para desactivarlo.
OnlyActiveElementsAreShown=Sólo los elementos de módulos activados son mostrados.
-ModulesDesc=Los módulos/aplicaciones definen qué funcionalidad está habilitada en el software. Algunos módulos requieren permisos que se deben conceder a los usuarios después de activar el módulo. Haga clic en el botón de on/off %sde cada módulo para habilitar o deshabilitar un módulo / aplicación.
+ModulesDesc=Los módulos/aplicaciones definen qué funcionalidad está habilitada en el software. Algunos módulos requieren permisos que se deben conceder a los usuarios después de activar el módulo. Haga clic en el botón de on/off %sde cada módulo para habilitar o deshabilitar un módulo/aplicación.
ModulesMarketPlaceDesc=Puede encontrar más módulos para descargar en sitios web externos en Internet ...
ModulesDeployDesc=Si los permisos en su sistema de archivos lo permiten, puede utilizar esta herramienta para instalar un módulo externo. El módulo estará entonces visible en la pestaña %s.
ModulesMarketPlaces=Buscar módulos externos...
@@ -256,6 +257,7 @@ ReferencedPreferredPartners=Preferred Partners
OtherResources=Otros recursos
ExternalResources=Recursos externos
SocialNetworks=Redes sociales
+SocialNetworkId=ID de red social
ForDocumentationSeeWiki=Para la documentación de usuario, desarrollador o Preguntas Frecuentes (FAQ), consulte el wiki Dolibarr: %s
ForAnswersSeeForum=Para otras cuestiones o realizar sus propias consultas, puede utilizar el foro Dolibarr: %s
HelpCenterDesc1=Aquí hay algunos recursos para obtener ayuda y soporte de Dolibarr
@@ -274,7 +276,7 @@ NoticePeriod=Plazo de aviso
NewByMonth=Nuevo por mes
Emails=E-Mails
EMailsSetup=Configuración e-mails
-EMailsDesc=Esta página le permite definir las opciones para enviar e-mails.
+EMailsDesc=Esta página le permite definir los parámetros u opciones para enviar e-mails.
EmailSenderProfiles=Perfiles de remitentes de e-mails
EMailsSenderProfileDesc=Puede mantener esta sección vacía. Si indica algunos e-mails aquí, se agregarán a la lista de posibles remitentes en el combobox cuando escriba un nuevo e-mail
MAIN_MAIL_SMTP_PORT=Puerto del servidor SMTP (Por defecto en php.ini: %s)
@@ -375,7 +377,7 @@ ExamplesWithCurrentSetup=Ejemplos con la configuración actual
ListOfDirectories=Listado de directorios de plantillas OpenDocument
ListOfDirectoriesForModelGenODT=Listado de directorios que contienen las plantillas de archivos con el formato OpenDocument. Ponga aquí la ruta completa de directorios. Añada un retorno de carro entre cada directorio Para agregar un directorio del módulo GED, agregue aquí DOL_DATA_ROOT/ecm/sunombrededirectorio.
Los archivos de esos directorios deben terminar con .odt o .ods.
NumberOfModelFilesFound=Número de archivos de plantillas ODT/ODS encontrados en estos directorios
-ExampleOfDirectoriesForModelGen=Ejemplos de sintaxis: c:\\mydir /home/mydir DOL_DATA_ROOT/ecm/ecmdir
+ExampleOfDirectoriesForModelGen=Ejemplos de sintaxis: c:\\myapp\\mydocumentdir\\mysubdir /home/myapp/mydocumentdir/mysubdir DOL_DATA_ROOT/ecm/ecmdir
FollowingSubstitutionKeysCanBeUsed=Colocando los siguientes tags en la plantilla, obtendrá una sustitución con el valor personalizado al generar el documento:
FullListOnOnlineDocumentation=http://wiki.dolibarr.org/index.php/Crear_un_modelo_de_documento_ODT
FirstnameNamePosition=Orden visualización nombre/apellidos
@@ -406,7 +408,7 @@ UrlGenerationParameters=Seguridad de las URLs
SecurityTokenIsUnique=¿Usar un parámetro securekey único para cada URL?
EnterRefToBuildUrl=Introduzca la referencia del objeto %s
GetSecuredUrl=Obtener la URL calculada
-ButtonHideUnauthorized=Ocultar botones de acciones no autorizadas a los usuarios no administradores en vez de mostrarlos atenuados
+ButtonHideUnauthorized=Oculte los botones de acción no autorizados también para los usuarios internos (solo en gris de lo contrario)
OldVATRates=Tasa de IVA antigua
NewVATRates=Tasa de IVA nueva
PriceBaseTypeToChange=Cambiar el precio cuya referencia de base es
@@ -1314,7 +1316,7 @@ PHPModuleLoaded=El componente PHP %s está cargado
PreloadOPCode=Se utiliza OPCode precargado
AddRefInList=Mostrar código de cliente/proveedor en los listados (y selectores) y enlaces. Los terceros aparecerán con el nombre "CC12345 - SC45678 - The big company coorp", en lugar de "The big company coorp".
AddAdressInList=Mostrar la dirección del cliente/proveedor en los listados (y selectores) Los terceros aparecerán con el nombre "The big company coorp - 21 jump street 123456 Big town - USA ", en lugar de "The big company coorp".
-AddEmailPhoneTownInContactList=Display Contact email (or phones if not defined) and town info list (select list or combobox) Contacts will appear with a name format of "Dupond Durand - dupond.durand@email.com - Paris" or "Dupond Durand - 06 07 59 65 66 - Paris" instead of "Dupond Durand".
+AddEmailPhoneTownInContactList=Mostrar correo electrónico de contacto (o teléfonos si no están definidos) y lista de información de la ciudad (lista de selección o cuadro combinado) Los contactos aparecerán con un formato de nombre de "Dupond Durand - dupond.durand@email.com - Paris" o "Dupond Durand - 06 07 59 65 66 - Paris "en lugar de" Dupond Durand ".
AskForPreferredShippingMethod=Consultar por el método preferido de envío a terceros.
FieldEdition=Edición del campo %s
FillThisOnlyIfRequired=Ejemplo: +2 (Complete sólo si se registra una desviación del tiempo en la exportación)
@@ -1421,7 +1423,7 @@ AdherentMailRequired=E-Mail obligatorio para crear un miembro nuevo
MemberSendInformationByMailByDefault=Casilla de verificación para enviar el correo de confirmación (validación ó nueva cotización) a los miembros es por defecto "sí"
VisitorCanChooseItsPaymentMode=El visitante puede elegir entre los modos de pago disponibles
MEMBER_REMINDER_EMAIL=Habilitar recordatorio de eventos por e-mail de suscripciones expiradas. Nota: El módulo %s debe estar habilitado y configurado correctamente para que el recordatorio se envíe.
-MembersDocModules=Document templates for documents generated from member record
+MembersDocModules=Plantillas de documentos para documentos generados a partir de registros de miembros
##### LDAP setup #####
LDAPSetup=Configuración del módulo LDAP
LDAPGlobalParameters=Parámetros globales
@@ -1672,7 +1674,7 @@ AdvancedEditor=Editor avanzado
ActivateFCKeditor=Activar editor avanzado para :
FCKeditorForCompany=Creación/edición WYSIWIG de la descripción y notas de los terceros
FCKeditorForProduct=Creación/edición WYSIWIG de la descripción y notas de los productos/servicios
-FCKeditorForProductDetails=WYSIWIG creation/edition of products details lines for all entities (proposals, orders, invoices, etc...). Warning: Using this option for this case is seriously not recommended as it can create problems with special characters and page formatting when building PDF files.
+FCKeditorForProductDetails=WYSIWIG creación / edición de líneas de detalle de productos para todas las entidades (propuestas, pedidos, facturas, etc ...). Advertencia: El uso de esta opción para este caso no se recomienda seriamente, ya que puede crear problemas con caracteres especiales y formato de página al crear archivos PDF.
FCKeditorForMailing= Creación/edición WYSIWIG de los E-Mails (Utilidades->E-Mailings)
FCKeditorForUserSignature=Creación/edición WYSIWIG de la firma de usuarios
FCKeditorForMail=Creación/edición WYSIWIG de todos los e-mails ( excepto Utilidades->E-Mailings)
@@ -1689,7 +1691,7 @@ NotTopTreeMenuPersonalized=Menús personalizados no enlazados a un menú superio
NewMenu=Nuevo menú
MenuHandler=Gestor de menús
MenuModule=Módulo origen
-HideUnauthorizedMenu= Ocultar también los menús no autorizados a usuarios internos (si no sólo atenuados)
+HideUnauthorizedMenu=Ocultar menús no autorizados también para usuarios internos (solo en gris de lo contrario)
DetailId=Identificador del menú
DetailMenuHandler=Nombre del gestor de menús
DetailMenuModule=Nombre del módulo si la entrada del menú es resultante de un módulo
@@ -1738,10 +1740,10 @@ AGENDA_USE_EVENT_TYPE_DEFAULT=Establecer automáticamente este valor por defecto
AGENDA_DEFAULT_FILTER_TYPE=Establecer por defecto este tipo de evento en el filtro de búsqueda en la vista de la agenda
AGENDA_DEFAULT_FILTER_STATUS=Establecer por defecto este estado de eventos en el filtro de búsqueda en la vista de la agenda
AGENDA_DEFAULT_VIEW=Establecer la vista por defecto al seleccionar el menú Agenda
-AGENDA_REMINDER_BROWSER=Enable event reminder on user's browser (When remind date is reached, a popup is shown by the browser. Each user can disable such notifications from its browser notification setup).
+AGENDA_REMINDER_BROWSER=Habilite el recordatorio de eventos en el navegador del usuario (Cuando se alcanza la fecha de recordatorio, el navegador muestra una ventana emergente. Cada usuario puede deshabilitar dichas notificaciones desde la configuración de notificaciones del navegador).
AGENDA_REMINDER_BROWSER_SOUND=Activar sonido de notificación
-AGENDA_REMINDER_EMAIL=Enable event reminder by emails (remind option/delay can be defined on each event).
-AGENDA_REMINDER_EMAIL_NOTE=Note: The frequency of the task %s must be enough to be sure that the remind are sent at the correct moment.
+AGENDA_REMINDER_EMAIL=Habilite el recordatorio de eventos por correo electrónico (la opción de recordatorio / retraso se puede definir en cada evento).
+AGENDA_REMINDER_EMAIL_NOTE=Nota: La frecuencia de la tarea %s debe ser suficiente para asegurarse de que los recordatorios se envíen en el momento correcto.
AGENDA_SHOW_LINKED_OBJECT=Mostrar el link en la agenda
##### Clicktodial #####
ClickToDialSetup=Configuración del módulo Click To Dial
@@ -1983,11 +1985,12 @@ EMailHost=Host del servidor de e-mail IMAP
MailboxSourceDirectory=Directorio fuente del buzón
MailboxTargetDirectory=Directorio de destino del buzón
EmailcollectorOperations=Operaciones a realizar por el colector
+EmailcollectorOperationsDesc=Las operaciones se ejecutan de arriba hacia abajo.
MaxEmailCollectPerCollect=Número máximo de e-mails recolectados por la recolección
CollectNow=Recoger ahora
ConfirmCloneEmailCollector=¿Está seguro de que desea clonar el recolector de e-mails %s?
-DateLastCollectResult=Fecha de última recolección probada
-DateLastcollectResultOk=Fecha última recolección exitosa
+DateLastCollectResult=Fecha del último intento de recopilación
+DateLastcollectResultOk=Fecha del último éxito de recopilación
LastResult=Último resultado
EmailCollectorConfirmCollectTitle=Confirmación recolección e-mail
EmailCollectorConfirmCollect=¿Desea ejecutar la recolección de este recolector ahora?
@@ -2005,7 +2008,7 @@ WithDolTrackingID=Mensaje de una conversación iniciada por un primer e-mail env
WithoutDolTrackingID=Mensaje de una conversación iniciada por un primer e-mail NO enviado desde Dolibarr
WithDolTrackingIDInMsgId=Mensaje enviado desde Dolibarr
WithoutDolTrackingIDInMsgId=Mensaje NO enviado desde Dolibarr
-CreateCandidature=Crear candidatura
+CreateCandidature=Crear solicitud de empleo
FormatZip=Código postal
MainMenuCode=Código de entrada del menú (menú principal)
ECMAutoTree=Mostrar arbol automático GED
@@ -2083,3 +2086,7 @@ CountryIfSpecificToOneCountry=País (si es específico de un país determinado)
YouMayFindSecurityAdviceHere=Puede encontrar un aviso de seguridad aqui.
ModuleActivatedMayExposeInformation=Este modulo puede exponer datos sensibles. Si no lo necesita, desactivelo.
ModuleActivatedDoNotUseInProduction=Un modulo diseñado para desarrollo ha sido habilitado. No lo habilite en un entorno de produccion.
+CombinationsSeparator=Carácter separador para las combinaciones de productos
+SeeLinkToOnlineDocumentation=Ver enlace a la documentación online del menú superior para ejemplos
+SHOW_SUBPRODUCT_REF_IN_PDF=Si se utiliza la función "%s" del módulo %s, muestra los detalles de los subproductos de un kit en PDF.
+AskThisIDToYourBank=Comuníquese con su banco para obtener esta identificación
diff --git a/htdocs/langs/es_ES/agenda.lang b/htdocs/langs/es_ES/agenda.lang
index ecf2af5c4f4..ecf81d8bad2 100644
--- a/htdocs/langs/es_ES/agenda.lang
+++ b/htdocs/langs/es_ES/agenda.lang
@@ -14,7 +14,7 @@ EventsNb=Número de eventos
ListOfActions=Listado de eventos
EventReports=Informes de eventos
Location=Localización
-ToUserOfGroup=Event assigned to any user in group
+ToUserOfGroup=Evento asignado a cualquier usuario del grupo
EventOnFullDay=Evento para todo el día
MenuToDoActions=Eventos incompletos
MenuDoneActions=Eventos terminados
@@ -63,7 +63,7 @@ ShipmentClassifyClosedInDolibarr=Expedición %s clasificada como pagada
ShipmentUnClassifyCloseddInDolibarr=Envío %s clasificado como reabierto
ShipmentBackToDraftInDolibarr=Envío %s ha sido devuelto al estado de borrador
ShipmentDeletedInDolibarr=Expedición %s eliminada
-ReceptionValidatedInDolibarr=Reception %s validated
+ReceptionValidatedInDolibarr=Recepción %s validada
OrderCreatedInDolibarr=Pedido %s creado
OrderValidatedInDolibarr=Pedido %s validado
OrderDeliveredInDolibarr=Pedido %s clasificado como enviado
@@ -86,8 +86,8 @@ ProposalDeleted=Presupuesto eliminado
OrderDeleted=Pedido eliminado
InvoiceDeleted=Factura eliminada
DraftInvoiceDeleted=Borrador de factura eliminado
-CONTACT_CREATEInDolibarr=Contact %s created
-CONTACT_DELETEInDolibarr=Contact %s deleted
+CONTACT_CREATEInDolibarr=Contacto %s creado
+CONTACT_DELETEInDolibarr=Contacto %s eliminado
PRODUCT_CREATEInDolibarr=Producto %s creado
PRODUCT_MODIFYInDolibarr=Producto %s modificado
PRODUCT_DELETEInDolibarr=Producto %s eliminado
@@ -152,6 +152,7 @@ ActionType=Tipo de evento
DateActionBegin=Fecha de inicio del evento
ConfirmCloneEvent=¿Esta seguro de querer clonar el evento %s?
RepeatEvent=Repetir evento
+OnceOnly=Una sola vez
EveryWeek=Cada semana
EveryMonth=Cada mes
DayOfMonth=Día del mes
@@ -160,9 +161,9 @@ DateStartPlusOne=Fecha inicio +1 hora
SetAllEventsToTodo=Establecer todos los eventos para hacer
SetAllEventsToInProgress=Establecer todos los eventos en progreso
SetAllEventsToFinished=Establecer todos los eventos para finalizar
-ReminderTime=Reminder period before the event
-TimeType=Duration type
-ReminderType=Callback type
-AddReminder=Create an automatic reminder notification for this event
-ErrorReminderActionCommCreation=Error creating the reminder notification for this event
-BrowserPush=Browser Notification
+ReminderTime=Período de recordatorio antes del evento
+TimeType=Tipo de duración
+ReminderType=Tipo de devolución de llamada
+AddReminder=Crea una notificación de recordatorio automática para este evento
+ErrorReminderActionCommCreation=Error al crear la notificación de recordatorio para este evento
+BrowserPush=Notificación emergente del navegador
diff --git a/htdocs/langs/es_ES/banks.lang b/htdocs/langs/es_ES/banks.lang
index 38c78945dc7..9e154aab266 100644
--- a/htdocs/langs/es_ES/banks.lang
+++ b/htdocs/langs/es_ES/banks.lang
@@ -173,10 +173,10 @@ SEPAMandate=Mandato SEPA
YourSEPAMandate=Su mandato SEPA
FindYourSEPAMandate=Este es su mandato SEPA para autorizar a nuestra empresa a realizar un petición de débito directo a su banco. Gracias por devolverlo firmado (escaneo del documento firmado) o enviado por correo a
AutoReportLastAccountStatement=Rellenar automáticamente el campo 'número de extracto bancario' con el último número de extracto cuando realice la conciliación
-CashControl=Caja de efectivo POS
-NewCashFence=Nueva Caja de efectivo
+CashControl=Cierra de caja del POS
+NewCashFence=Nuevo cierre de caja
BankColorizeMovement=Colorear movimientos
BankColorizeMovementDesc=Si esta función está activada, puede elegir un color de fondo específico para los movimientos de débito o crédito
BankColorizeMovementName1=Color de fondo para el movimiento de débito
BankColorizeMovementName2=Color de fondo para el movimiento de crédito
-IfYouDontReconcileDisableProperty=If you don't make the bank reconciliations on some bank accounts, disable the property "%s" on them to remove this warning.
+IfYouDontReconcileDisableProperty=Si no realiza las conciliaciones bancarias en algunas cuentas bancarias, desactive la propiedad "%s" en ellas para eliminar esta advertencia.
diff --git a/htdocs/langs/es_ES/blockedlog.lang b/htdocs/langs/es_ES/blockedlog.lang
index 3e23cf955d5..576218090d6 100644
--- a/htdocs/langs/es_ES/blockedlog.lang
+++ b/htdocs/langs/es_ES/blockedlog.lang
@@ -35,7 +35,7 @@ logDON_DELETE=Supresión lógica de la donación.
logMEMBER_SUBSCRIPTION_CREATE=Suscripción de miembro creada
logMEMBER_SUBSCRIPTION_MODIFY=Suscripción de miembro modificada
logMEMBER_SUBSCRIPTION_DELETE=Suscripción miembro eliminación lógica
-logCASHCONTROL_VALIDATE=Registro de la caja de efectivo
+logCASHCONTROL_VALIDATE=Registro de cierres de caja
BlockedLogBillDownload=Descarga de factura de cliente
BlockedLogBillPreview=Vista previa de la factura del cliente
BlockedlogInfoDialog=Detalles del registro
diff --git a/htdocs/langs/es_ES/boxes.lang b/htdocs/langs/es_ES/boxes.lang
index c5871f7db00..c66dad3560f 100644
--- a/htdocs/langs/es_ES/boxes.lang
+++ b/htdocs/langs/es_ES/boxes.lang
@@ -46,9 +46,12 @@ BoxTitleLastModifiedDonations=Últimas %s donaciones modificadas
BoxTitleLastModifiedExpenses=Últimos %s informes de gastos modificados
BoxTitleLatestModifiedBoms=Últimas %s Listas de materiales modificadas
BoxTitleLatestModifiedMos=Últimas %s Órdenes de Fabricación modificadas
+BoxTitleLastOutstandingBillReached=Clientes con máximo pendiente superado
BoxGlobalActivity=Actividad global
BoxGoodCustomers=Buenos clientes
BoxTitleGoodCustomers=%s buenos clientes
+BoxScheduledJobs=Tareas programadas
+BoxTitleFunnelOfProspection=Embudo oportunidad
FailedToRefreshDataInfoNotUpToDate=Error al actualizar el RSS. Último refresco correcto: %s
LastRefreshDate=Último refresco
NoRecordedBookmarks=No hay marcadores personales.
@@ -83,8 +86,8 @@ BoxTitleLatestModifiedSupplierOrders=Últimos %s pedidos de clientes modificados
BoxTitleLastModifiedCustomerBills=Últimas %s facturas a clientes modificadas
BoxTitleLastModifiedCustomerOrders=Últimos %s pedidos de clientes modificados
BoxTitleLastModifiedPropals=Últimos %s presupuestos modificados
-BoxTitleLatestModifiedJobPositions=Latest %s modified jobs
-BoxTitleLatestModifiedCandidatures=Latest %s modified candidatures
+BoxTitleLatestModifiedJobPositions=Últimos %s trabajos modificados
+BoxTitleLatestModifiedCandidatures=Últimas %s candidaturas modificadas
ForCustomersInvoices=Facturas a clientes
ForCustomersOrders=Pedidos de clientes
ForProposals=Presupuestos
@@ -102,5 +105,7 @@ SuspenseAccountNotDefined=La cuenta de suspenso no está definida
BoxLastCustomerShipments=Últimos envíos a clientes
BoxTitleLastCustomerShipments=Últimos %s envíos a clientes
NoRecordedShipments=Ningún envío a clientes registrado
+BoxCustomersOutstandingBillReached=Clientes con límite pendiente alcanzado
# Pages
AccountancyHome=Contabilidad
+ValidatedProjects=Proyectos validados
diff --git a/htdocs/langs/es_ES/cashdesk.lang b/htdocs/langs/es_ES/cashdesk.lang
index bf0b61bff10..d9501021ef0 100644
--- a/htdocs/langs/es_ES/cashdesk.lang
+++ b/htdocs/langs/es_ES/cashdesk.lang
@@ -77,7 +77,7 @@ POSModule=Módulo POS
BasicPhoneLayout=Utilizar diseño básico para teléfonos.
SetupOfTerminalNotComplete=La configuración del terminal %s no está completa
DirectPayment=Pago directo
-DirectPaymentButton=Add a "Direct cash payment" button
+DirectPaymentButton=Añadir un botón "Pago directo en efectivo"
InvoiceIsAlreadyValidated=La factura ya está validada
NoLinesToBill=No hay líneas para facturar
CustomReceipt=Recibo personalizado
@@ -94,31 +94,33 @@ TakeposConnectorMethodDescription=Módulo externo para impresión directa.
PrintMethod=Método de impresión
ReceiptPrinterMethodDescription=Método potente con muchos parámetros. Completamente personalizable con plantillas. No se puede imprimir desde la nube.
ByTerminal=Por terminal
-TakeposNumpadUsePaymentIcon=Use icon instead of text on payment buttons of numpad
+TakeposNumpadUsePaymentIcon=Usar icono de pago en lugar del texto en los botones de pago del teclado numérico
CashDeskRefNumberingModules=Módulo de numeración para el TPV
CashDeskGenericMaskCodes6 = {TN} tag es usado para añadir el número de terminal
TakeposGroupSameProduct=Agrupar mismas líneas de producto
StartAParallelSale=Nueva venta simultánea
-ControlCashOpening=Control cash box at opening POS
-CloseCashFence=Cierre de caja
+SaleStartedAt=Oferta comenzada en %s
+ControlCashOpening=Controle la ventana emergente de efectivo al abrir POS
+CloseCashFence=Control de cierre de caja
CashReport=Arqueo
MainPrinterToUse=Impresora principal
OrderPrinterToUse=Impresora de pedido
MainTemplateToUse=Plantilla de impresión
OrderTemplateToUse=Plantilla de impresión para pedidos
BarRestaurant=Bar Restaurante
-AutoOrder=Order by the customer himself
+AutoOrder=Auto pedido
RestaurantMenu=Carta
CustomerMenu=Carta de cliente
-ScanToMenu=Scan QR code to see the menu
-ScanToOrder=Scan QR code to order
-Appearance=Appearance
-HideCategoryImages=Hide Category Images
-HideProductImages=Hide Product Images
-NumberOfLinesToShow=Number of lines of images to show
-DefineTablePlan=Define tables plan
-GiftReceiptButton=Add a "Gift receipt" button
-GiftReceipt=Gift receipt
-ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled first
-AllowDelayedPayment=Allow delayed payment
-PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts
+ScanToMenu=Escanee el código QR para ver el menú
+ScanToOrder=Escanee el código QR para realizar un pedido
+Appearance=Apariencia
+HideCategoryImages=Ocultar imágenes de categoría
+HideProductImages=Ocultar imágenes de productos
+NumberOfLinesToShow=Número de líneas de imágenes para mostrar
+DefineTablePlan=Definir plan de tablas
+GiftReceiptButton=Agregar un botón "Ticket regalo"
+GiftReceipt=Ticket regalo
+ModuleReceiptPrinterMustBeEnabled=Debe activarse primero el módulo de impresora de tickets
+AllowDelayedPayment=Permitir pago aplazado
+PrintPaymentMethodOnReceipts=Imprimir método de pago en tickets|recibos
+WeighingScale=Balanza
diff --git a/htdocs/langs/es_ES/categories.lang b/htdocs/langs/es_ES/categories.lang
index a48a95c6da2..99106a86314 100644
--- a/htdocs/langs/es_ES/categories.lang
+++ b/htdocs/langs/es_ES/categories.lang
@@ -19,6 +19,7 @@ ProjectsCategoriesArea=Área etiquetas/categorías Proyectos
UsersCategoriesArea=Área etiquetas/categorías Usuarios
SubCats=Subcategorías
CatList=Listado de etiquetas/categorías
+CatListAll=Lista de etiquetas / categorías (todos los tipos)
NewCategory=Nueva etiqueta/categoría
ModifCat=Modificar etiqueta/categoría
CatCreated=Etiqueta/categoría creada
@@ -65,24 +66,30 @@ UsersCategoriesShort=Área etiquetas/categorías Usuarios
StockCategoriesShort=Etiquetas/categorías almacenes
ThisCategoryHasNoItems=Esta categoría no contiene ningún objeto
CategId=Id etiqueta/categoría
-CatSupList=Listado de etiquetas/categorías de proveedores
-CatCusList=Listado de etiquetas/categorías de clientes
+ParentCategory=Etiqueta / categoría principal
+ParentCategoryLabel=Etiqueta de etiqueta / categoría principal
+CatSupList=Lista de etiquetas/categorías de proveedores
+CatCusList=Lista de etiquetas/categorías de clientes/potenciales
CatProdList=Listado de etiquetas/categorías de productos
CatMemberList=Listado de etiquetas/categorías de miembros
-CatContactList=Listado de etiquetas/categorías de contactos
-CatSupLinks=Enlaces entre proveedores y etiquetas/categorías
+CatContactList=Lista de etiquetas/categorías de contactos
+CatProjectsList=Lista de etiquetas/categorías de proyectos
+CatUsersList=Lista de etiquetas/categorías de usuarios
+CatSupLinks=Vínculos entre proveedores y etiquetas/categorías
CatCusLinks=Enlaces entre clientes/clientes potenciales y etiquetas/categorías
CatContactsLinks=Enlaces entre contactos/direcciones y etiquetas/categorías
CatProdLinks=Enlaces entre productos/servicios y etiquetas/categorías
-CatProJectLinks=Enlaces entre proyectos y etiquetas/categorías
+CatMembersLinks=Enlace entre miembros y etiquetas/categorías
+CatProjectsLinks=Enlaces entre proyectos y etiquetas/categorías
+CatUsersLinks=Vínculos entre usuarios y etiquetas/categorías
DeleteFromCat=Eliminar de la etiqueta/categoría
ExtraFieldsCategories=Campos adicionales
CategoriesSetup=Configuración de etiquetas/categorías
CategorieRecursiv=Enlazar con la etiqueta/categoría automáticamente
CategorieRecursivHelp=Si la opción está activada, cuando agrega un producto a una subcategoría, el producto también se agregará a la categoría principal.
AddProductServiceIntoCategory=Añadir el siguiente producto/servicio
-AddCustomerIntoCategory=Assign category to customer
-AddSupplierIntoCategory=Assign category to supplier
+AddCustomerIntoCategory=Asignar categoría al cliente
+AddSupplierIntoCategory=Asignar categoría a proveedor
ShowCategory=Mostrar etiqueta/categoría
ByDefaultInList=Por defecto en lista
ChooseCategory=Elija una categoría
diff --git a/htdocs/langs/es_ES/companies.lang b/htdocs/langs/es_ES/companies.lang
index 6a1e2a35020..3a99ea2432b 100644
--- a/htdocs/langs/es_ES/companies.lang
+++ b/htdocs/langs/es_ES/companies.lang
@@ -124,7 +124,7 @@ ProfId1AT=Prof Id 1 (USt.-IdNr)
ProfId2AT=Prof Id 2 (USt.-Nr)
ProfId3AT=Prof Id 3 (Handelsregister-Nr.)
ProfId4AT=-
-ProfId5AT=EORI number
+ProfId5AT=Número EORI
ProfId6AT=-
ProfId1AU=ABN
ProfId2AU=-
@@ -136,7 +136,7 @@ ProfId1BE=N° colegiado
ProfId2BE=-
ProfId3BE=-
ProfId4BE=-
-ProfId5BE=EORI number
+ProfId5BE=Número EORI
ProfId6BE=-
ProfId1BR=-
ProfId2BR=IE (Inscricao Estadual)
@@ -144,11 +144,11 @@ ProfId3BR=IM (Inscricao Municipal)
ProfId4BR=CPF
#ProfId5BR=CNAE
#ProfId6BR=INSS
-ProfId1CH=UID-Nummer
+ProfId1CH=Número UID
ProfId2CH=-
ProfId3CH=Número federado
ProfId4CH=Num registro de comercio
-ProfId5CH=EORI number
+ProfId5CH=Número EORI
ProfId6CH=-
ProfId1CL=R.U.T.
ProfId2CL=-
@@ -166,19 +166,19 @@ ProfId1DE=Id prof. 1 (USt.-IdNr)
ProfId2DE=Id prof. 2 (USt.-Nr)
ProfId3DE=Id prof. 3 (Handelsregister-Nr.)
ProfId4DE=-
-ProfId5DE=EORI number
+ProfId5DE=Número EORI
ProfId6DE=-
ProfId1ES=CIF/NIF
ProfId2ES=Núm. seguridad social
ProfId3ES=CNAE
ProfId4ES=Núm. colegiado
-ProfId5ES=EORI number
+ProfId5ES=Número EORI
ProfId6ES=-
ProfId1FR=SIREN
ProfId2FR=SIRET
ProfId3FR=NAF (Ex APE)
ProfId4FR=RCS/RM
-ProfId5FR=EORI number
+ProfId5FR=Número EORI
ProfId6FR=-
ProfId1GB=Número registro
ProfId2GB=-
@@ -202,12 +202,12 @@ ProfId1IT=-
ProfId2IT=-
ProfId3IT=-
ProfId4IT=-
-ProfId5IT=EORI number
+ProfId5IT=Número EORI
ProfId1LU=Id. prof. 1 (R.C.S. Luxembourg)
ProfId2LU=Id. prof. 2 (Business permit)
ProfId3LU=-
ProfId4LU=-
-ProfId5LU=EORI number
+ProfId5LU=Número EORI
ProfId6LU=-
ProfId1MA=Id prof. 1 (R.C.)
ProfId2MA=Id prof. 2 (Patente)
@@ -225,13 +225,13 @@ ProfId1NL=Número KVK
ProfId2NL=-
ProfId3NL=-
ProfId4NL=-
-ProfId5NL=EORI number
+ProfId5NL=Número EORI
ProfId6NL=-
ProfId1PT=NIPC
ProfId2PT=Núm. seguridad social
ProfId3PT=Num reg. comercial
ProfId4PT=Conservatorio
-ProfId5PT=EORI number
+ProfId5PT=Número EORI
ProfId6PT=-
ProfId1SN=RC
ProfId2SN=NINEA
@@ -255,7 +255,7 @@ ProfId1RO=CUI
ProfId2RO=Prof ID 2 (Numero de registro)
ProfId3RO=CAEN
ProfId4RO=EUID
-ProfId5RO=EORI number
+ProfId5RO=Número EORI
ProfId6RO=-
ProfId1RU=OGRN
ProfId2RU=INN
@@ -358,7 +358,7 @@ VATIntraCheckableOnEUSite=Verificar el CIF/NIF intracomunitario en la web de la
VATIntraManualCheck=Puede también realizar una verificación manual en la web de la comisión europea %s
ErrorVATCheckMS_UNAVAILABLE=Comprobación imposible. El servicio de comprobación no es prestado por el país país miembro (%s).
NorProspectNorCustomer=Ni cliente, ni cliente potencial
-JuridicalStatus=Forma jurídica
+JuridicalStatus=Tipo de entidad comercial
Workforce=Personal
Staff=Empleados
ProspectLevelShort=Potencial
diff --git a/htdocs/langs/es_ES/compta.lang b/htdocs/langs/es_ES/compta.lang
index b0b4b087cb1..2fd8288fc12 100644
--- a/htdocs/langs/es_ES/compta.lang
+++ b/htdocs/langs/es_ES/compta.lang
@@ -69,7 +69,7 @@ SocialContribution=Impuestos sociales o fiscales
SocialContributions=Impuestos sociales o fiscales
SocialContributionsDeductibles=Impuestos sociales o fiscales deducibles
SocialContributionsNondeductibles=Impuestos sociales o fiscales no deducibles
-DateOfSocialContribution=Date of social or fiscal tax
+DateOfSocialContribution=Fecha del impuesto social o fiscal
LabelContrib=Etiqueta
TypeContrib=Tipo
MenuSpecialExpenses=Pagos especiales
@@ -111,7 +111,7 @@ Refund=Devolución
SocialContributionsPayments=Pagos tasas sociales/fiscales
ShowVatPayment=Ver pagos IVA
TotalToPay=Total a pagar
-BalanceVisibilityDependsOnSortAndFilters=El balance es visible en esta lista sólo si la tabla está ordenada ascendente en %s y se filtra para 1 cuenta bancaria
+BalanceVisibilityDependsOnSortAndFilters=El saldo es visible en esta lista solo si la tabla se ordena en %s y se filtra en 1 cuenta bancaria (sin otros filtros)
CustomerAccountancyCode=Código contable cliente
SupplierAccountancyCode=Código contable proveedor
CustomerAccountancyCodeShort=Cód. cuenta cliente
@@ -140,7 +140,7 @@ ConfirmDeleteSocialContribution=¿Está seguro de querer eliminar este pago de t
ExportDataset_tax_1=tasas sociales y fiscales y pagos
CalcModeVATDebt=Modo %sIVA sobre facturas emitidas%s.
CalcModeVATEngagement=Modo %sIVA sobre facturas cobradas%s.
-CalcModeDebt=Análisis de facturas registradas conocidas incluso si aún no se encuentran contabilizadas en el libro mayor.
+CalcModeDebt=Análisis de documentos registrados conocidos incluso si aún no están contabilizados en el libro mayor.
CalcModeEngagement=Análisis de los pagos registrados conocidos, incluso si aún no se encuentran contabilizados en el Libro mayor.
CalcModeBookkeeping=Análisis de los datos registrados en el Libro mayor
CalcModeLT1= Modo %sRE facturas a clientes - facturas de proveedores%s
@@ -154,9 +154,9 @@ AnnualSummaryInputOutputMode=Resumen anual del balance de ingresos y gastos
AnnualByCompanies=Balance de ingresos y gastos, por grupos de cuenta predefinidos
AnnualByCompaniesDueDebtMode=Balance de ingresos y gastos, desglosado por terceros, en modo%sCréditos-Deudas%s llamada contabilidad de compromiso.
AnnualByCompaniesInputOutputMode=Balance de ingresos y gastos, desglosado por terceros, en modo %sIngresos-Gastos%s llamada contabilidad de caja.
-SeeReportInInputOutputMode=Consulte %sanálisis de pagos%s para obtener un cálculo de los pagos efectuados, incluso si aún no se han contabilizado en el Libro mayor.
-SeeReportInDueDebtMode=Consulte %sanálisis de facturas %s para un cálculo basado en facturas registradas conocidas, incluso si aún no se han contabilizado en Libro mayor.
-SeeReportInBookkeepingMode=Consulte el %sInforme de facturación%s para realizar un cálculo en la Tabla Libro mayor
+SeeReportInInputOutputMode=Consulte %sanálisis de pagos%s para obtener un cálculo basado en pagos registrados realizados incluso si aún no están contabilizados en el Libro Mayor
+SeeReportInDueDebtMode=Consulte %sanálisis de documentos registrados %s para un cálculo basado en documentos registrados conocidos incluso si aún no están contabilizados en el Libro Mayor
+SeeReportInBookkeepingMode=Consulte %sanálisis de la tabla de contabilidad %s para obtener un informe basado en Tabla de Libro Mayor
RulesAmountWithTaxIncluded=- Los importes mostrados son con todos los impuestos incluídos.
RulesResultDue=- Incluye facturas pendientes, gastos, IVA, donaciones ya sean pagadas o no. También incluye salarios pagados. - Se basa en la fecha de facturación de las facturas y en la fecha de vencimiento de los gastos o pagos de impuestos. Para los salarios definidos con el módulo Salario, se utiliza el valor de la fecha de pago.
RulesResultInOut=- Incluye los pagos realizados sobre las facturas, las gastos y el IVA. - Se basa en las fechas de pago de las facturas, gastos e IVA. La fecha de donación para las donaciones
@@ -169,12 +169,15 @@ RulesResultBookkeepingPersonalized=Muestra un registro en su libro mayor con cue
SeePageForSetup=Vea el menú %s para configurarlo
DepositsAreNotIncluded=- Las facturas de anticipo no están incluidas
DepositsAreIncluded=- Las facturas de anticipo están incluidas
+LT1ReportByMonth=Informe de impuestos 2 por mes
+LT2ReportByMonth=Informe de impuestos 3 por mes
LT1ReportByCustomers=Informe por tercero del RE
LT2ReportByCustomers=Informe por tercero del IRPF
LT1ReportByCustomersES=Informe de RE por tercero
LT2ReportByCustomersES=Informe de IRPF por tercero del
VATReport=Informe IVA
VATReportByPeriods=Informe de IVA por período
+VATReportByMonth=Informe de impuestos de venta por mes
VATReportByRates=Informe de impuestos por tasa
VATReportByThirdParties=Informe de impuestos por terceros
VATReportByCustomers=Informe IVA por cliente
diff --git a/htdocs/langs/es_ES/cron.lang b/htdocs/langs/es_ES/cron.lang
index 27dcaa7e9e9..fbd82ed411d 100644
--- a/htdocs/langs/es_ES/cron.lang
+++ b/htdocs/langs/es_ES/cron.lang
@@ -7,13 +7,14 @@ Permission23103 = Borrar Tarea Programada
Permission23104 = Ejecutar Taraea programada
# Admin
CronSetup=Configuración del módulo Programador
-URLToLaunchCronJobs=URL para combrobar y ejecutar tareas
-OrToLaunchASpecificJob=O para ejecutar una tarea en concreto
+URLToLaunchCronJobs=URL para verificar e iniciar trabajos cron calificados desde un navegador
+OrToLaunchASpecificJob=O para verificar e iniciar un trabajo específico desde un navegador
KeyForCronAccess=Clave para la URL para ejecutar tareas Cron
FileToLaunchCronJobs=Comando para ejecutar tareas Cron
CronExplainHowToRunUnix=En entornos Unix se debe utilizar la siguiente entrada crontab para ejecutar el comando cada 5 minutos
CronExplainHowToRunWin=En entornos Microsoft (tm) Windows, puede utilizar las herramienta tareas programadas para ejecutar el comando cada 5 minutos
CronMethodDoesNotExists=La clase %s no contiene ningún método %s
+CronMethodNotAllowed=El método %s de la clase %s está en la lista negra de métodos prohibidos
CronJobDefDesc=Los perfiles de trabajo de Cron se definen en el archivo descriptor del módulo. Cuando el módulo está activado, se cargan y están disponibles para que pueda administrar los trabajos desde el menú de herramientas de administración %s.
CronJobProfiles=Lista de perfiles de trabajos cron predefinidos
# Menu
@@ -46,6 +47,7 @@ CronNbRun=Número de ejecuciones
CronMaxRun=Número máximo ejecuciones
CronEach=Toda(s)
JobFinished=Tareas lanzadas y finalizadas
+Scheduled=Programado
#Page card
CronAdd= Tarea Nueva
CronEvery=Ejecutar la tarea cada
@@ -56,7 +58,7 @@ CronNote=Comentario
CronFieldMandatory=campos %s son obligatorios
CronErrEndDateStartDt=La fecha de finalizacion no puede ser anterior a la fecha de inicio
StatusAtInstall=Estado en la instalación del módulo
-CronStatusActiveBtn=Activo
+CronStatusActiveBtn=Calendario
CronStatusInactiveBtn=Inactivo
CronTaskInactive=Esta tarea esta inactiva
CronId=Id
@@ -82,3 +84,8 @@ MakeLocalDatabaseDumpShort=Copia local de la base de datos
MakeLocalDatabaseDump=Crear una copia local de la base de datos. Los parámetros son: compresión ('gz' o 'bz' o 'ninguno'), tipo de copia de seguridad ('mysql' o 'pgsql'), 1, 'auto' o nombre de archivo para construir, nº de archivos de copia de seguridad a mantener
WarningCronDelayed=Atención: para mejorar el rendimiento, cualquiera que sea la próxima fecha de ejecución de las tareas activas, sus tareas pueden retrasarse un máximo de %s horas antes de ejecutarse
DATAPOLICYJob=Limpiador de datos y anonimizador
+JobXMustBeEnabled=El trabajo %s debe estar habilitado
+# Cron Boxes
+LastExecutedScheduledJob=Último trabajo programado ejecutado
+NextScheduledJobExecute=Siguiente trabajo programado para ejecutar
+NumberScheduledJobError=Número de trabajos programados con error
diff --git a/htdocs/langs/es_ES/deliveries.lang b/htdocs/langs/es_ES/deliveries.lang
index 3bd711bdeea..d4ebc8747db 100644
--- a/htdocs/langs/es_ES/deliveries.lang
+++ b/htdocs/langs/es_ES/deliveries.lang
@@ -27,5 +27,6 @@ Recipient=Destinatario
ErrorStockIsNotEnough=No hay suficiente stock
Shippable=Enviable
NonShippable=No enviable
+ShowShippableStatus=Mostrar estado de envío
ShowReceiving=Mostrar nota de recepción
NonExistentOrder=Pedido inexistente
diff --git a/htdocs/langs/es_ES/errors.lang b/htdocs/langs/es_ES/errors.lang
index 2bc9c1698ef..44801df91fb 100644
--- a/htdocs/langs/es_ES/errors.lang
+++ b/htdocs/langs/es_ES/errors.lang
@@ -5,8 +5,10 @@ NoErrorCommitIsDone=Sin errores, es válido
# Errors
ErrorButCommitIsDone=Errores encontrados, pero es válido a pesar de todo
ErrorBadEMail=E-mail %s incorrecto
+ErrorBadMXDomain=El correo electrónico %s parece incorrecto (el dominio no tiene un registro MX válido)
ErrorBadUrl=Url %s inválida
ErrorBadValueForParamNotAString=Valor incorrecto para su parámetro. Generalmente aparece cuando no existe traducción.
+ErrorRefAlreadyExists=La referencia %s ya existe.
ErrorLoginAlreadyExists=El login %s ya existe.
ErrorGroupAlreadyExists=El grupo %s ya existe.
ErrorRecordNotFound=Registro no encontrado
@@ -36,7 +38,7 @@ ErrorBadSupplierCodeSyntax=La sintaxis del código proveedor es incorrecta
ErrorSupplierCodeRequired=Código proveedor obligatorio
ErrorSupplierCodeAlreadyUsed=Código de proveedor ya utilizado
ErrorBadParameters=Parámetros incorrectos
-ErrorWrongParameters=Wrong or missing parameters
+ErrorWrongParameters=Parámetros inválidos o faltantes
ErrorBadValueForParameter=valor '%s' incorrecto para el parámetro '%s'
ErrorBadImageFormat=El archivo de imagen es de un formato no soportado (Su PHP no soporta las funciones de conversión de este formato de imagen)
ErrorBadDateFormat=El valor '%s' tiene un formato de fecha no reconocido
@@ -48,6 +50,7 @@ ErrorFieldsRequired=No se indicaron algunos campos obligatorios
ErrorSubjectIsRequired=El asunto del e-mail es obligatorio
ErrorFailedToCreateDir=Error en la creación de un directorio. Compruebe que el usuario del servidor Web tiene derechos de escritura en los directorios de documentos de Dolibarr. Si el parámetro safe_mode está activo en este PHP, Compruebe que los archivos php Dolibarr pertenecen al usuario del servidor Web.
ErrorNoMailDefinedForThisUser=E-Mail no definido para este usuario
+ErrorSetupOfEmailsNotComplete=La configuración de los correos electrónicos no está completa
ErrorFeatureNeedJavascript=Esta funcionalidad precisa de javascript activo para funcionar. Modifique en configuración->entorno.
ErrorTopMenuMustHaveAParentWithId0=Un menú del tipo 'Superior' no puede tener un menú padre. Ponga 0 en el ID padre o busque un menú del tipo 'Izquierdo'
ErrorLeftMenuMustHaveAParentId=Un menú del tipo 'Izquierdo' debe de tener un ID de padre
@@ -75,7 +78,7 @@ ErrorExportDuplicateProfil=El nombre de este perfil ya existe para este conjunto
ErrorLDAPSetupNotComplete=La configuración Dolibarr-LDAP es incompleta.
ErrorLDAPMakeManualTest=Se ha creado unn archivo .ldif en el directorio %s. Trate de cargar manualmente este archivo desde la línea de comandos para obtener más detalles acerca del error.
ErrorCantSaveADoneUserWithZeroPercentage=No se puede cambiar una acción al estado no comenzada si tiene un usuario realizante de la acción.
-ErrorRefAlreadyExists=La referencia utilizada para la creación ya existe
+ErrorRefAlreadyExists=La referencia %s ya existe.
ErrorPleaseTypeBankTransactionReportName=Por favor escriba el nombre del extracto bancario donde se informa del registro (Formato AAAAMM o AAAAMMDD)
ErrorRecordHasChildren=No se puede eliminar el registro porque tiene registros hijos.
ErrorRecordHasAtLeastOneChildOfType=El objeto tiene al menos un hijo del tipo %s
@@ -120,7 +123,7 @@ ErrorLoginHasNoEmail=Este usuario no tiene e-mail. Imposible continuar.
ErrorBadValueForCode=Valor incorrecto para el código. Vuelva a intentar con un nuevo valor...
ErrorBothFieldCantBeNegative=Los campos %s y %s no pueden ser negativos
ErrorFieldCantBeNegativeOnInvoice=El campo %s no puede ser negativo en este tipo de factura. Si necesita agregar una línea de descuento, simplemente cree el descuento primero (desde el campo '%s' en la ficha de terceros) y aplíquelo a la factura.
-ErrorLinesCantBeNegativeForOneVATRate=Total of lines (net of tax) can't be negative for a given not null VAT rate (Found a negative total for VAT rate %s%%).
+ErrorLinesCantBeNegativeForOneVATRate=El total de líneas (neto de impuestos) no puede ser negativo para un IVA no nulo (se encontró un total negativo para el IVA %s %%).
ErrorLinesCantBeNegativeOnDeposits=Las líneas no pueden ser negativas en un depósito. Si lo hace, tendrá problemas para consumir el depósito en la factura final.
ErrorQtyForCustomerInvoiceCantBeNegative=Las cantidades en las líneas de facturas a clientes no pueden ser negativas
ErrorWebServerUserHasNotPermission=La cuenta de ejecución del servidor web %s no dispone de los permisos para esto
@@ -136,8 +139,8 @@ ErrorNewValueCantMatchOldValue=El nuevo valor no puede ser igual al antiguo
ErrorFailedToValidatePasswordReset=No se ha podido restablecer la contraseña. Es posible que este enlace ya se haya utilizado (este enlace sólo puede usarse una vez). Si no es el caso, trate de reiniciar el proceso de restablecimiento de contraseña desde el principio.
ErrorToConnectToMysqlCheckInstance=Error de conexión con la base de datos. Compruebe que el servidor de base de datos está en marcha (por ejemplo, con mysql/maríadb, pudes lanzarlo con la línea de comando 'sudo service mysql start').
ErrorFailedToAddContact=Error en la adición del contacto
-ErrorDateMustBeBeforeToday=The date must be lower than today
-ErrorDateMustBeInFuture=The date must be greater than today
+ErrorDateMustBeBeforeToday=La fecha debe ser anterior a la de hoy
+ErrorDateMustBeInFuture=La fecha debe ser posterior a hoy
ErrorPaymentModeDefinedToWithoutSetup=Se ha establecido el modo de pago al tipo %s pero en la configuración del módulo de facturas no se ha indicado la información para mostrar de este modo de pago.
ErrorPHPNeedModule=Error, su PHP debe tener instalado el módulo %s para usar esta funcionalidad.
ErrorOpenIDSetupNotComplete=Ha configurado Dolibarr para aceptar la autentificación OpenID, pero la URL del servicio OpenID no se encuentra definida en la constante %s
@@ -185,7 +188,7 @@ ErrorBadDefinitionOfMenuArrayInModuleDescriptor=Definición incorrecta de la mat
ErrorSavingChanges=Ha ocurrido un error al guardar los cambios
ErrorWarehouseRequiredIntoShipmentLine=El almacén es obligatorio en la línea a enviar
ErrorFileMustHaveFormat=El archivo debe tener el formato %s
-ErrorFilenameCantStartWithDot=Filename can't start with a '.'
+ErrorFilenameCantStartWithDot=El nombre de archivo no puede comenzar con '.'
ErrorSupplierCountryIsNotDefined=El país de este proveedor no está definido, corríjalo en su ficha
ErrorsThirdpartyMerge=No se han podido fusionar los dos registros. Petición cancelada.
ErrorStockIsNotEnoughToAddProductOnOrder=No hay stock suficiente del producto %s para añadirlo a un nuevo pedido.
@@ -216,7 +219,7 @@ ErrorChooseBetweenFreeEntryOrPredefinedProduct=Debe elegir si el artículo es un
ErrorDiscountLargerThanRemainToPaySplitItBefore=El descuento que usted intenta aplicar es más grande que el resto a pagar. Divida el descuento en 2 descuentos más pequeños antes.
ErrorFileNotFoundWithSharedLink=Archivo no encontrado. Puede ser que la clave compartida se haya modificado o que el archivo se haya eliminado recientemente.
ErrorProductBarCodeAlreadyExists=El código de barras del producto %s ya existe en otra referencia de producto.
-ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Tenga en cuenta también que no es posible utilizar productos virtuales para aumentar/disminuir automáticamente subproductos cuando al menos un subproducto (o subproducto de subproductos) necesita un número de serie/lote.
+ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Tenga en cuenta también que el uso de kits para aumentar / disminuir automáticamente los subproductos no es posible cuando al menos un subproducto (o subproducto de subproductos) necesita un número de serie / lote.
ErrorDescRequiredForFreeProductLines=La descripción es obligatoria para las líneas libres
ErrorAPageWithThisNameOrAliasAlreadyExists=La página/contenedor %s tiene el mismo nombre o alias alternativo que el que intenta utilizar
ErrorDuringChartLoad=Error al cargar plan contable. Si no se cargaron algunas cuentas, aún puede introducirlas manualmente.
@@ -240,9 +243,19 @@ ErrorBatchNoFoundEnoughQuantityForProductInWarehouse=No hay suficiente cantidad
ErrorOnlyOneFieldForGroupByIsPossible=Solo es posible un campo para 'Agrupar por' (otros se descartan)
ErrorTooManyDifferentValueForSelectedGroupBy=Se encontraron demasiados valores diferentes (más de %s) para el campo '%s', así que no podemos usarlo como 'Agrupar por' para gráficos. El campo 'Agrupar por' ha sido eliminado. ¿Puede ser que quieras usarlo como un eje X?
ErrorReplaceStringEmpty=Error, la cadena para reemplazar está vacía
-ErrorProductNeedBatchNumber=Error, product '%s' need a lot/serial number
-ErrorProductDoesNotNeedBatchNumber=Error, product '%s' does not accept a lot/serial number
-ErrorFailedToReadObject=Error, failed to read object of type %s
+ErrorProductNeedBatchNumber=Error, el producto ' %s ' necesita un lote/número de serie
+ErrorProductDoesNotNeedBatchNumber=Error, el producto ' %s ' no acepta un número de serie/lote
+ErrorFailedToReadObject=Error, no se pudo leer el objeto de tipo %s
+ErrorParameterMustBeEnabledToAllwoThisFeature=Error, el parámetro %s debe estar habilitado en conf / conf.php para permitir el uso de la interfaz de línea de comandos por parte del programador de trabajos interno
+ErrorLoginDateValidity=Error, este inicio de sesión está fuera del rango de fechas de validez
+ErrorValueLength=Longitud del campo '%s' debe ser superior a '%s'
+ErrorReservedKeyword=La palabra '%s' es una palabra reservada
+ErrorNotAvailableWithThisDistribution=No disponible con esta distribución
+ErrorPublicInterfaceNotEnabled=La interfaz pública no estaba habilitada
+ErrorLanguageRequiredIfPageIsTranslationOfAnother=El idioma de la nueva página debe definirse si se establece como una traducción de otra página.
+ErrorLanguageMustNotBeSourceLanguageIfPageIsTranslationOfAnother=El idioma de la nueva página no debe ser el idioma de origen si está configurado como traducción de otra página.
+ErrorAParameterIsRequiredForThisOperation=Un parámetro es obligatorio para esta operación.
+
# Warnings
WarningParamUploadMaxFileSizeHigherThanPostMaxSize=El parámetro PHP upload_max_filesize (%s) es más alto que el parámetro PHP post_max_size (%s). Esta no es una configuración consistente.
WarningPasswordSetWithNoAccount=Se fijó una contraseña para este miembro. Sin embargo, no se ha creado ninguna cuenta de usuario. Así que esta contraseña no se puede utilizar para acceder a Dolibarr. Puede ser utilizada por un módulo/interfaz externo, pero si no necesitar definir accesos de un miembro, puede desactivar la opción "Administrar un inicio de sesión para cada miembro" en la configuración del módulo miembros. Si necesita administrar un inicio de sesión, pero no necesita ninguna contraseña, puede dejar este campo vacío para evitar esta advertencia. Nota: También puede usarse el correo electrónico como inicio de sesión si el miembro está vinculada a un usuario.
@@ -267,6 +280,10 @@ WarningYourLoginWasModifiedPleaseLogin=Su cuenta de acceso ha sido modificada. P
WarningAnEntryAlreadyExistForTransKey=Ya existe una entrada para la clave de traducción para este idioma
WarningNumberOfRecipientIsRestrictedInMassAction=Atención, el número de destinatarios diferentes está limitado a %scuando se usan las acciones masivas en las listas
WarningDateOfLineMustBeInExpenseReportRange=Advertencia, la fecha de la línea no está en el rango del informe de gastos
+WarningProjectDraft=El proyecto todavía está en modo borrador. No olvide validarlo si planea usar tareas.
WarningProjectClosed=El proyecto está cerrado. Debe volver a abrirlo primero.
WarningSomeBankTransactionByChequeWereRemovedAfter=Algunas transacciones bancarias se eliminaron después de que se generó el recibo. Por lo tanto, el número de cheques y el total del recibo pueden diferir del número y el total en el listado.
-WarningFailedToAddFileIntoDatabaseIndex=Atención, no se pudo agregar la entrada del archivo en la tabla de índice de la base de datos ECM
+WarningFailedToAddFileIntoDatabaseIndex=Advertencia, no se pudo agregar la entrada de archivo en la tabla de índice de la base de datos de ECM
+WarningTheHiddenOptionIsOn=Advertencia, la opción oculta %s está activada.
+WarningCreateSubAccounts=Advertencia, no puede crear directamente una subcuenta, debe crear un tercero o un usuario y asignarles un código de contabilidad para encontrarlos en esta lista.
+WarningAvailableOnlyForHTTPSServers=Disponible solo si usa una conexión segura HTTPS.
diff --git a/htdocs/langs/es_ES/exports.lang b/htdocs/langs/es_ES/exports.lang
index 056236382aa..9a0e7decd49 100644
--- a/htdocs/langs/es_ES/exports.lang
+++ b/htdocs/langs/es_ES/exports.lang
@@ -133,3 +133,4 @@ KeysToUseForUpdates=Clave (columna) a usar para actualizar datos existent
NbInsert=Número de líneas añadidas: %s
NbUpdate=Número de líneas actualizadas: %s
MultipleRecordFoundWithTheseFilters=Se han encontrado varios registros con estos filtros: %s
+StocksWithBatch=Existencias y ubicación (almacén) de productos con número de lote / serie
diff --git a/htdocs/langs/es_ES/intracommreport.lang b/htdocs/langs/es_ES/intracommreport.lang
index 6931efda553..fe40fe3e14d 100644
--- a/htdocs/langs/es_ES/intracommreport.lang
+++ b/htdocs/langs/es_ES/intracommreport.lang
@@ -32,7 +32,7 @@ IntracommReportTitle=Preparación de un archivo XML en formato ProDouane
# List
IntracommReportList=Lista de declaraciones generadas
IntracommReportNumber=Número de declaración
-IntracommReportPeriod=Período de análisis
+IntracommReportPeriod=Periodo de análisis
IntracommReportTypeDeclaration=Tipo de declaración
IntracommReportDownload=descargar archivo XML
diff --git a/htdocs/langs/es_ES/languages.lang b/htdocs/langs/es_ES/languages.lang
index d8a30708395..2bfc571a284 100644
--- a/htdocs/langs/es_ES/languages.lang
+++ b/htdocs/langs/es_ES/languages.lang
@@ -40,7 +40,7 @@ Language_es_PA=Español (Panamá)
Language_es_PY=Español (Paraguay)
Language_es_PE=Español (Perú)
Language_es_PR=Español (Puerto Rico)
-Language_es_US=Spanish (USA)
+Language_es_US=Español (EE. UU.)
Language_es_UY=Español (Uruguay)
Language_es_GT=Español (Guatemala)
Language_es_VE=Español (Venezuela)
diff --git a/htdocs/langs/es_ES/mails.lang b/htdocs/langs/es_ES/mails.lang
index 947cb08fdef..72cba6b3d41 100644
--- a/htdocs/langs/es_ES/mails.lang
+++ b/htdocs/langs/es_ES/mails.lang
@@ -92,6 +92,7 @@ MailingModuleDescEmailsFromUser=E-mails enviados por usuario
MailingModuleDescDolibarrUsers=Usuarios con e-mails
MailingModuleDescThirdPartiesByCategories=Terceros (por categoría)
SendingFromWebInterfaceIsNotAllowed=El envío desde la interfaz web no está permitido.
+EmailCollectorFilterDesc=Todos los filtros deben coincidir para que se recopile un correo electrónico
# Libelle des modules de liste de destinataires mailing
LineInFile=Línea %s en archivo
@@ -125,12 +126,13 @@ TagMailtoEmail=Email del destinatario (incluyendo el enlace html "mailto:")
NoEmailSentBadSenderOrRecipientEmail=No se ha enviado el e-mail. El remitente o destinatario es incorrecto. Compruebe los datos del usuario.
# Module Notifications
Notifications=Notificaciones
-NoNotificationsWillBeSent=Ninguna notificación por e-mail está prevista para este evento y empresa
-ANotificationsWillBeSent=1 notificación va a ser enviada por e-mail
-SomeNotificationsWillBeSent=%s notificaciones van a ser enviadas por e-mail
-AddNewNotification=Activar un nuevo destinatario de notificaciones
-ListOfActiveNotifications=Listado de destinatarios activos para notifiaciones por e-mail
-ListOfNotificationsDone=Listado de notificaciones enviadas
+NotificationsAuto=Notificaciones automáticas.
+NoNotificationsWillBeSent=No se planean notificaciones automáticas por correo electrónico para este tipo de evento y empresa.
+ANotificationsWillBeSent=Se enviará 1 notificación automática por correo electrónico
+SomeNotificationsWillBeSent=%s se enviarán notificaciones automáticas por correo electrónico
+AddNewNotification=Suscríbase a una nueva notificación automática por correo electrónico (destinatario/evento)
+ListOfActiveNotifications=Lista de todas las suscripciones activas (destinatarios/eventos) para la notificación automática por correo electrónico
+ListOfNotificationsDone=Lista de todas las notificaciones automáticas enviadas por correo electrónico
MailSendSetupIs=La configuración de e-mailings está a '%s'. Este modo no puede ser usado para enviar e-mails masivos.
MailSendSetupIs2=Antes debe, con una cuenta de administrador, en el menú %sInicio - Configuración - E-Mails%s, cambiar el parámetro '%s' para usar el modo '%s'. Con este modo puede configurar un servidor SMTP de su proveedor de servicios de internet.
MailSendSetupIs3=Si tiene preguntas de como configurar su servidor SMTP, puede contactar con %s.
@@ -140,7 +142,7 @@ UseFormatFileEmailToTarget=Los ficheros importados deben tener el formato email;nombre;apellido;otros
MailAdvTargetRecipients=Destinatarios (selección avanzada)
AdvTgtTitle=Rellene los campos para preseleccionar los terceros o contactos/direcciones a enviar
-AdvTgtSearchTextHelp=Use %% como comodín. Por ejemplo para encontrar todos los elementos como juan, jose,jorge, puede indicar j%%, también puede usar ; como separador de valor y usar ! para omitir el valor. Por ejemplo juan;jose;jor%%!jimo;!jima% hará como destinatarios todos los juan, jose, los que empiecen por jor pero no jimo o jima.
+AdvTgtSearchTextHelp=Utilice %% como comodines. Por ejemplo, para encontrar todos los elementos como jean, joe, jim , puede ingresar j%% , también puede usar; como separador de valor y uso! para excepto este valor. Por ejemplo, jean; joe; jim%%;! Jimo;! Jima%% apuntará a todos jean, joe, comience con jim pero no jimo y no todo lo que comience con jima
AdvTgtSearchIntHelp=Use un intervaldo para seleccionar valor int o float
AdvTgtMinVal=Valor mínimo
AdvTgtMaxVal=Valor máxio
@@ -162,13 +164,14 @@ AdvTgtCreateFilter=Crear filtro
AdvTgtOrCreateNewFilter=Nombre del nuevo filtro
NoContactWithCategoryFound=No se han encontrado contactos/direcciones con alguna categoría
NoContactLinkedToThirdpartieWithCategoryFound=No se han encontrado contactos/direcciones con alguna categoría
-OutGoingEmailSetup=Configuración del correo saliente
-InGoingEmailSetup=Configuración del correo entrante
-OutGoingEmailSetupForEmailing=Configuración del correo electrónico saliente (para el módulo %s)
-DefaultOutgoingEmailSetup=Configuración de correo saliente predeterminada
+OutGoingEmailSetup=Correos electrónicos salientes
+InGoingEmailSetup=Correos electrónicos entrantes
+OutGoingEmailSetupForEmailing=Correos electrónicos salientes (para el módulo %s)
+DefaultOutgoingEmailSetup=Misma configuración que la configuración global de correo electrónico saliente
Information=Información
ContactsWithThirdpartyFilter=Contactos con filtro de terceros.
-Unanswered=Unanswered
+Unanswered=Sin respuesta
Answered=Contestado
-IsNotAnAnswer=Is not answer (initial email)
-IsAnAnswer=Is an answer of an initial email
+IsNotAnAnswer=No responde (e-mail inicial)
+IsAnAnswer=Es una respuesta de un e-mail inicial.
+RecordCreatedByEmailCollector=Registro creado por el Recopilador de Correo Electrónico %s del correo electrónico %s
diff --git a/htdocs/langs/es_ES/main.lang b/htdocs/langs/es_ES/main.lang
index e60664f5d0f..4270fb44a93 100644
--- a/htdocs/langs/es_ES/main.lang
+++ b/htdocs/langs/es_ES/main.lang
@@ -28,7 +28,9 @@ NoTemplateDefined=Sin plantilla definida para este tipo de e-mail
AvailableVariables=Variables de substitución disponibles
NoTranslation=Sin traducción
Translation=Traducción
+CurrentTimeZone=Zona horaria PHP (Servidor)
EmptySearchString=Ingrese una cadena de búsqueda no vacía
+EnterADateCriteria=Ingrese un criterio de fecha
NoRecordFound=No se han encontrado registros
NoRecordDeleted=No se ha eliminado el registro
NotEnoughDataYet=No hay suficientes datos
@@ -85,6 +87,8 @@ FileWasNotUploaded=Un archivo ha sido seleccionado para adjuntarlo, pero aún no
NbOfEntries=Nº de entradas
GoToWikiHelpPage=Leer la ayuda en línea (es necesario acceso a Internet )
GoToHelpPage=Consultar la ayuda
+DedicatedPageAvailable=Hay una página de ayuda dedicada relacionada con su pantalla actual
+HomePage=Página de inicio
RecordSaved=Registro guardado
RecordDeleted=Registro eliminado
RecordGenerated=Registro generado
@@ -197,7 +201,7 @@ ReOpen=Reabrir
Upload=Enviar archivo
ToLink=Enlace
Select=Seleccionar
-SelectAll=Select all
+SelectAll=Seleccionar todo
Choose=Elegir
Resize=Redimensionar
ResizeOrCrop=Cambiar el tamaño o cortar
@@ -258,7 +262,7 @@ Cards=Fichas
Card=Ficha
Now=Ahora
HourStart=Hora de inicio
-Deadline=Deadline
+Deadline=Fecha límite
Date=Fecha
DateAndHour=Fecha y hora
DateToday=Fecha de hoy
@@ -267,10 +271,10 @@ DateStart=Fecha de inicio
DateEnd=Fecha de fin
DateCreation=Fecha de creación
DateCreationShort=Fecha creación
-IPCreation=Creation IP
+IPCreation=IP de creación
DateModification=Fecha de modificación
DateModificationShort=Fecha modif.
-IPModification=Modification IP
+IPModification=IP de modificación
DateLastModification=Última fecha de modificación
DateValidation=Fecha de validación
DateClosing=Fecha de cierre
@@ -433,6 +437,7 @@ RemainToPay=Queda por pagar
Module=Módulo
Modules=Módulos
Option=Opción
+Filters=Filtros
List=Listado
FullList=Listado completo
FullConversation=Conversación completa
@@ -671,7 +676,7 @@ SendMail=Enviar e-mail
Email=Correo
NoEMail=Sin e-mail
AlreadyRead=Ya leído
-NotRead=No lleído
+NotRead=No leído
NoMobilePhone=Sin teléfono móvil
Owner=Propietario
FollowingConstantsWillBeSubstituted=Las siguientes constantes serán substituidas por su valor correspondiente.
@@ -1106,4 +1111,9 @@ SecurityTokenHasExpiredSoActionHasBeenCanceledPleaseRetry=El token de seguridad
UpToDate=A hoy
OutOfDate=Fuera de plazo
EventReminder=Recordatorio evento
-UpdateForAllLines=Update for all lines
+UpdateForAllLines=Actualización para todas las líneas
+OnHold=En espera
+AffectTag=Afectar etiqueta
+ConfirmAffectTag=Afectar etiquetas masivas
+ConfirmAffectTagQuestion=¿Está seguro de que desea afectar las etiquetas a los %s registros seleccionados?
+CategTypeNotFound=No se encontró ningún tipo de etiqueta para el tipo de registros
diff --git a/htdocs/langs/es_ES/modulebuilder.lang b/htdocs/langs/es_ES/modulebuilder.lang
index a2a857957a9..c04311b0c80 100644
--- a/htdocs/langs/es_ES/modulebuilder.lang
+++ b/htdocs/langs/es_ES/modulebuilder.lang
@@ -40,6 +40,7 @@ PageForCreateEditView=Página PHP para crear/editar/ver un registro
PageForAgendaTab=Página de PHP para la pestaña de eventos
PageForDocumentTab=Página de PHP para la pestaña de documento
PageForNoteTab=Página de PHP para la pestaña de notas
+PageForContactTab=Página PHP para la pestaña de contacto
PathToModulePackage=Ruta al zip del módulo/aplicación
PathToModuleDocumentation=Ruta a la documentación del módulo/aplicación (%s)
SpaceOrSpecialCharAreNotAllowed=Espacios o caracteres especiales no son permitidos.
@@ -77,7 +78,7 @@ IsAMeasure=Es una medida
DirScanned=Directorio analizado
NoTrigger=No hay trigger
NoWidget=No hay widget
-GoToApiExplorer=Ir al Explorador de API
+GoToApiExplorer=Explorador de API
ListOfMenusEntries=Lista de entradas de menú
ListOfDictionariesEntries=Listado de entradas de diccionarios
ListOfPermissionsDefined=Listado de permisos definidos
@@ -105,7 +106,7 @@ TryToUseTheModuleBuilder=Si tiene conocimientos de SQL y PHP, puede usar el asis
SeeTopRightMenu=Ver en el menú superior derecho
AddLanguageFile=Añadir archivo de idioma
YouCanUseTranslationKey=Aquí puede usar una clave que es la clave de traducción encontrada en el archivo de idioma (ver pestaña "Idiomas")
-DropTableIfEmpty=(Eliminar tabla si está vacía)
+DropTableIfEmpty=(Destruya la tabla si está vacía)
TableDoesNotExists=La tabla %s no existe
TableDropped=Tabla %s eliminada
InitStructureFromExistingTable=Construir la estructura de array de una tabla existente
@@ -126,7 +127,6 @@ UseSpecificEditorURL = Usar un editor específico URL
UseSpecificFamily = Usar una familia específica
UseSpecificAuthor = Usar un autor especifico
UseSpecificVersion = Usar una versión inicial específica
-ModuleMustBeEnabled=El módulo debe ser activado primero
IncludeRefGeneration=La referencia del objeto debe generarse automáticamente
IncludeRefGenerationHelp=Marque esto si desea incluir código para gestionar la generación automática de la referencia
IncludeDocGeneration=Quiero generar algunos documentos del objeto.
@@ -140,3 +140,4 @@ TypeOfFieldsHelp=Tipo de campos: varchar(99), double(24,8), real, text, htm
AsciiToHtmlConverter=Conversor de ASCII a HTML
AsciiToPdfConverter=Conversor de ASCII a PDF
TableNotEmptyDropCanceled=La tabla no está vacía. La eliminación ha sido cancelada.
+ModuleBuilderNotAllowed=El constructor de módulos está disponible pero no permitido para su usuario.
diff --git a/htdocs/langs/es_ES/mrp.lang b/htdocs/langs/es_ES/mrp.lang
index 34538f681bb..26c76201145 100644
--- a/htdocs/langs/es_ES/mrp.lang
+++ b/htdocs/langs/es_ES/mrp.lang
@@ -77,4 +77,4 @@ UnitCost=Costo unitario
TotalCost=Coste total
BOMTotalCost=El costo para producir esta Lista de Materiales en función del costo de cada cantidad y producto a consumir (use el precio de costo si está definido, de lo contrario, el precio promedio ponderado si está definido, o el mejor precio de compra)
GoOnTabProductionToProduceFirst=Primero debe haber iniciado la producción para cerrar una orden de fabricación (consulte la pestaña '%s'). Pero puedes cancelarlo.
-ErrorAVirtualProductCantBeUsedIntoABomOrMo=A kit can't be used into a BOM or a MO
+ErrorAVirtualProductCantBeUsedIntoABomOrMo=Un kit no se puede usar en una Lista de Materiales (BOM) o una Orden de Fabricación (MO)
diff --git a/htdocs/langs/es_ES/other.lang b/htdocs/langs/es_ES/other.lang
index dcaaa909282..d3ac9bf9d1d 100644
--- a/htdocs/langs/es_ES/other.lang
+++ b/htdocs/langs/es_ES/other.lang
@@ -5,8 +5,6 @@ Tools=Utilidades
TMenuTools=Utilidades
ToolsDesc=Todas las utilidades que no están incluidas en otras entradas del menú se encuentran aquí. Están disponibles en el menú de la izquierda.
Birthday=Aniversario
-BirthdayDate=Fecha de cumpleaños
-DateToBirth=Fecha de nacimiento
BirthdayAlertOn=alerta aniversario activada
BirthdayAlertOff=alerta aniversario desactivada
TransKey=Traducción de la clave TransKey
@@ -16,6 +14,8 @@ PreviousMonthOfInvoice=Mes anterior (texto) de la fecha de la factura
TextPreviousMonthOfInvoice=Mes anterior (texto) de la fecha de la factura
NextMonthOfInvoice=Mes siguiente (número 1-12) de la fecha de la factura
TextNextMonthOfInvoice=Mes siguiente (texto) de la fecha de la factura
+PreviousMonth=Mes anterior
+CurrentMonth=Mes actual
ZipFileGeneratedInto=Archivo zip generado en %s.
DocFileGeneratedInto=Fichero documentación generado en %s.
JumpToLogin=Desconectado. Ir a la página de inicio de sesión ...
@@ -99,6 +99,7 @@ PredefinedMailContentSendShipping=__(Hello)__\n\nNos ponemos en contacto con ust
PredefinedMailContentSendFichInter=__(Hello)__\n\nNos ponemos en contacto con usted para facilitarle la intervención __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
PredefinedMailContentLink=Puede hacer clic en el siguiente enlace para realizar su pago, si aún no lo ha hecho.\n\n%s\n\n
PredefinedMailContentGeneric=__(Hola)__\n\n\n__(Sinceramente)__\n\n__USER_SIGNATURE__
+PredefinedMailContentSendActionComm=Recordatorio de evento "__EVENT_LABEL__" el __EVENT_DATE__ a las __EVENT_TIME__
Este es un mensaje automático, no responda.
DemoDesc=Dolibarr es un ERP/CRM para la gestión de negocios (profesionales o asociaciones), compuesto de módulos funcionales independientes y opcionales. Una demostración que incluya todos estos módulos no tiene sentido porque no utilizará todos los módulos. Además, tiene disponibles varios tipos de perfiles de demostración.
ChooseYourDemoProfil=Elija el perfil de demostración que mejor se adapte a sus necesidades ...
ChooseYourDemoProfilMore=... o construya su perfil (modo de selección manual)
@@ -258,6 +259,7 @@ ContactCreatedByEmailCollector=Contacto/dirección creada por el recolector de e
ProjectCreatedByEmailCollector=Proyecto creado por el recolector de e-mails del MSGID de e-mail %s
TicketCreatedByEmailCollector=Ticket creado por el recolector de e-mails del MSGID de e-mail %s
OpeningHoursFormatDesc=Use un - para separar las horas de apertura y cierre. Use un espacio para ingresar diferentes rangos. Ejemplo: 8-12 14-18
+PrefixSession=Prefijo para ID de sesión
##### Export #####
ExportsArea=Área de exportaciones
@@ -278,9 +280,9 @@ LinesToImport=Líneas a importar
MemoryUsage=Uso de memoria
RequestDuration=Duración de la solicitud
-ProductsPerPopularity=Products/Services by popularity
+ProductsPerPopularity=Productos/Servicios por popularidad
PopuProp=Productos/Servicios por popularidad en Presupuestos
PopuCom=Productos/Servicios por popularidad en Pedidos
ProductStatistics=Estadísticas de productos/servicios
NbOfQtyInOrders=Cantidad en pedidos
-SelectTheTypeOfObjectToAnalyze=Select the type of object to analyze...
+SelectTheTypeOfObjectToAnalyze=Seleccione el tipo de objeto a analizar...
diff --git a/htdocs/langs/es_ES/products.lang b/htdocs/langs/es_ES/products.lang
index 340ead2edf3..8ad0604428e 100644
--- a/htdocs/langs/es_ES/products.lang
+++ b/htdocs/langs/es_ES/products.lang
@@ -108,7 +108,8 @@ FillWithLastServiceDates=Complete con las fechas de la última línea de servici
MultiPricesAbility=Varios segmentos de precios por producto/servicio (cada cliente está en un segmento)
MultiPricesNumPrices=Nº de precios
DefaultPriceType=Base de precios por defecto (con versus sin impuestos) al agregar nuevos precios de venta
-AssociatedProductsAbility=Activar kits (productos virtuales)
+AssociatedProductsAbility=Habilitar kits (conjunto de otros productos)
+VariantsAbility=Habilitar variantes (variaciones de productos, por ejemplo, color, tamaño)
AssociatedProducts=Kits
AssociatedProductsNumber=Número de productos que componen este kit
ParentProductsNumber=Nº de productos que este producto compone
@@ -167,8 +168,10 @@ BuyingPrices=Precios de compra
CustomerPrices=Precios a clientes
SuppliersPrices=Precios de proveedores
SuppliersPricesOfProductsOrServices=Precios de proveedores (productos o servicios)
-CustomCode=Código aduanero
+CustomCode=Aduanas | Producto | Código HS
CountryOrigin=País de origen
+RegionStateOrigin=Región de origen
+StateOrigin=Estado | Provincia de origen
Nature=Naturaleza del producto (materia prima/producto acabado)
NatureOfProductShort=Naturaleza del producto
NatureOfProductDesc=Materia prima o producto terminado
@@ -239,7 +242,7 @@ AlwaysUseFixedPrice=Usar el precio fijado
PriceByQuantity=Precios diferentes por cantidad
DisablePriceByQty=Desactivar precios por cantidad
PriceByQuantityRange=Rango cantidad
-MultipriceRules=Reglas para segmento de precios
+MultipriceRules=Precios automáticos por segmento
UseMultipriceRules=Use las reglas de segmentación de precios (definidas en la configuración de módulo de productos) para autocalcular los precios de todos los demás segmentos de acuerdo con el primer segmento
PercentVariationOver=%% variación sobre %s
PercentDiscountOver=%% descuento sobre %s
diff --git a/htdocs/langs/es_ES/recruitment.lang b/htdocs/langs/es_ES/recruitment.lang
index e542b1ec190..26cacddf8cc 100644
--- a/htdocs/langs/es_ES/recruitment.lang
+++ b/htdocs/langs/es_ES/recruitment.lang
@@ -71,5 +71,6 @@ YourCandidature=Su aplicación
YourCandidatureAnswerMessage=Gracias por su aplicación. ...
JobClosedTextCandidateFound=El puesto de trabajo esta cerrado. El puesto ha sido ocupado.
JobClosedTextCanceled=El puesto de trabajo esta cerrado
-ExtrafieldsJobPosition=Complementary attributes (job positions)
-ExtrafieldsCandidatures=Complementary attributes (job applications)
+ExtrafieldsJobPosition=Campos adicionales (puestos de trabajo)
+ExtrafieldsCandidatures=Campos adicionales (solicitudes de empleo)
+MakeOffer=Realizar un presupuesto
diff --git a/htdocs/langs/es_ES/sendings.lang b/htdocs/langs/es_ES/sendings.lang
index 92f5556b279..f531fbacb46 100644
--- a/htdocs/langs/es_ES/sendings.lang
+++ b/htdocs/langs/es_ES/sendings.lang
@@ -30,6 +30,7 @@ OtherSendingsForSameOrder=Otros envíos de este pedido
SendingsAndReceivingForSameOrder=Envíos y recepciones de este pedido
SendingsToValidate=Envíos a validar
StatusSendingCanceled=Anulado
+StatusSendingCanceledShort=Anulado
StatusSendingDraft=Borrador
StatusSendingValidated=Validado (productos a enviar o enviados)
StatusSendingProcessed=Procesado
@@ -65,6 +66,7 @@ ValidateOrderFirstBeforeShipment=Antes de poder realizar envíos debe validar el
# Sending methods
# ModelDocument
DocumentModelTyphon=Modelo completo de nota de entrega / recepción (logo...)
+DocumentModelStorm=Modelo de documento más completo para recibos de entrega y compatibilidad de campos extra (logotipo ...)
Error_EXPEDITION_ADDON_NUMBER_NotDefined=Constante EXPEDITION_ADDON_NUMBER no definida
SumOfProductVolumes=Suma del volumen de los productos
SumOfProductWeights=Suma del peso de los productos
diff --git a/htdocs/langs/es_ES/stocks.lang b/htdocs/langs/es_ES/stocks.lang
index 75b1e30418d..970960da78c 100644
--- a/htdocs/langs/es_ES/stocks.lang
+++ b/htdocs/langs/es_ES/stocks.lang
@@ -34,7 +34,7 @@ StockMovementForId=ID movimiento %d
ListMouvementStockProject=Listado de movimientos de stock asociados al proyecto
StocksArea=Área almacenes
AllWarehouses=Todos los almacenes
-IncludeEmptyDesiredStock=Include also negative stock with undefined desired stock
+IncludeEmptyDesiredStock=Incluir también stock negativo con stock deseado indefinido
IncludeAlsoDraftOrders=Incluir también pedidos borrador
Location=Lugar
LocationSummary=Nombre corto del lugar
@@ -122,9 +122,9 @@ DesiredStockDesc=Esta cantidad será el valor que se utilizará para llenar el s
StockToBuy=A pedir
Replenishment=Reaprovisionamiento
ReplenishmentOrders=Ordenes de reaprovisionamiento
-VirtualDiffersFromPhysical=According to increase/decrease stock options, physical stock and virtual stock (physical stock + open orders) may differ
-UseRealStockByDefault=Use real stock, instead of virtual stock, for replenishment feature
-ReplenishmentCalculation=Amount to order will be (desired quantity - real stock) instead of (desired quantity - virtual stock)
+VirtualDiffersFromPhysical=Según las opciones de aumento/disminución, el stock físico y virtual (stock físico + pedidos en curso) puede diferir
+UseRealStockByDefault=Usar stock real, en lugar de stock virtual, para la función de reaprovisionamiento
+ReplenishmentCalculation=La cantidad a ordenar será (cantidad deseada - stock real) en lugar de (cantidad deseada - stock virtual)
UseVirtualStock=Usar stock virtual
UsePhysicalStock=Usar stock físico
CurentSelectionMode=Modo de selección actual
@@ -240,3 +240,4 @@ InventoryRealQtyHelp=Establezca el valor en 0 para restablecer la cantidad
UpdateByScaning=Actualizar escaneando
UpdateByScaningProductBarcode=Actualización por escaneo (código de barras del producto)
UpdateByScaningLot=Actualización por escaneo (lote | código de barras de serie)
+DisableStockChangeOfSubProduct=Desactive el cambio de stock de todos los subproductos de este Kit durante este movimiento.
diff --git a/htdocs/langs/es_ES/ticket.lang b/htdocs/langs/es_ES/ticket.lang
index ccc27036015..2ff65db0cfc 100644
--- a/htdocs/langs/es_ES/ticket.lang
+++ b/htdocs/langs/es_ES/ticket.lang
@@ -31,10 +31,8 @@ TicketDictType=Tipo de tickets
TicketDictCategory=Categorías de tickets
TicketDictSeverity=Gravedad de los tickets
TicketDictResolution=Ticket - Resolución
-TicketTypeShortBUGSOFT=Mal funcionamiento del software
-TicketTypeShortBUGHARD=Mal funcionamiento del hardware
-TicketTypeShortCOM=Pregunta comercial
+TicketTypeShortCOM=Pregunta comercial
TicketTypeShortHELP=Solicitud de ayuda funcional
TicketTypeShortISSUE=Asunto, error o problema
TicketTypeShortREQUEST=Solicitud de cambio o mejora
@@ -44,7 +42,7 @@ TicketTypeShortOTHER=Otro
TicketSeverityShortLOW=Bajo
TicketSeverityShortNORMAL=Normal
TicketSeverityShortHIGH=Alto
-TicketSeverityShortBLOCKING=Crítico / Bloqueo
+TicketSeverityShortBLOCKING=Crítico, Bloqueo
ErrorBadEmailAddress=El campo '%s' es incorrecto
MenuTicketMyAssign=Mis tickets
@@ -60,7 +58,6 @@ OriginEmail=Origen E-Mail
Notify_TICKET_SENTBYMAIL=Enviar mensaje de ticket por e-mail
# Status
-NotRead=No lleído
Read=Leido
Assigned=Asignado
InProgress=En progreso
@@ -126,6 +123,7 @@ TicketsActivatePublicInterfaceHelp=La interfaz pública permite a cualquier visi
TicketsAutoAssignTicket=Asignar automáticamente al usuario que creó el ticket
TicketsAutoAssignTicketHelp=Al crear un ticket, el usuario puede asignarse automáticamente al ticket.
TicketNumberingModules=Módulo de numeración de tickets
+TicketsModelModule=Plantillas de documentos para tickets
TicketNotifyTiersAtCreation=Notificar a los terceros en la creación
TicketsDisableCustomerEmail=Desactivar siempre los e-mails al crear tickets desde la interfaz pública
TicketsPublicNotificationNewMessage=Enviar e-mail(s) cuando se añade un nuevo mensaje
@@ -233,7 +231,6 @@ TicketLogStatusChanged=Estado cambiado: %s a %s
TicketNotNotifyTiersAtCreate=No notificar a la compañía al crear
Unread=No leído
TicketNotCreatedFromPublicInterface=No disponible. El ticket no se creó desde la interfaz pública.
-PublicInterfaceNotEnabled=La interfaz pública no estaba habilitada
ErrorTicketRefRequired=La referencia del ticket es obligatoria
#
diff --git a/htdocs/langs/es_ES/website.lang b/htdocs/langs/es_ES/website.lang
index 56cb631183f..7ea28bc2c96 100644
--- a/htdocs/langs/es_ES/website.lang
+++ b/htdocs/langs/es_ES/website.lang
@@ -30,7 +30,6 @@ EditInLine=Editar en línea
AddWebsite=Añadir sitio web
Webpage=Página web/Contenedor
AddPage=Añadir página/contenedor
-HomePage=Página de inicio
PageContainer=Página
PreviewOfSiteNotYetAvailable=La vista previa de su sitio web %s aún no está disponible. Primero debe 'Importar una plantilla de sitio web completa' o simplemente 'Agregar una página/contenedor'.
RequestedPageHasNoContentYet=La página pedida con id %s todavía no tiene contenido, o cache file.tpl.php ha sido eliminado. Editar el contenido de la página para resolverlo.
@@ -101,7 +100,7 @@ EmptyPage=Página vacía
ExternalURLMustStartWithHttp=La URL externa debe comenzar con http:// o https://
ZipOfWebsitePackageToImport=Cargue el archivo Zip del paquete de plantilla del sitio web
ZipOfWebsitePackageToLoad=o Elija un paquete de plantilla de sitio web incorporado disponible
-ShowSubcontainers=Incluir contenido dinámico
+ShowSubcontainers=Mostrar contenido dinámico
InternalURLOfPage=URL interna de la página
ThisPageIsTranslationOf=Esta página/contenedor es traducción de
ThisPageHasTranslationPages=Esta página/contenedor tiene traducción
@@ -136,4 +135,5 @@ RSSFeed=Hilos RSS
RSSFeedDesc=Puede obtener una fuente RSS de los últimos artículos con el tipo 'blogpost' usando esta URL
PagesRegenerated=%s página(s)/contenedor(s) regenerados
RegenerateWebsiteContent=Regenerar archivos de caché del sitio web
-AllowedInFrames=Allowed in Frames
+AllowedInFrames=Permitido en marcos
+DefineListOfAltLanguagesInWebsiteProperties=Defina la lista de todos los idiomas disponibles en las propiedades del sitio web.
diff --git a/htdocs/langs/es_ES/withdrawals.lang b/htdocs/langs/es_ES/withdrawals.lang
index b2e4eeb7439..522b85d51d7 100644
--- a/htdocs/langs/es_ES/withdrawals.lang
+++ b/htdocs/langs/es_ES/withdrawals.lang
@@ -1,6 +1,6 @@
# Dolibarr language file - Source file is en_US - withdrawals
-CustomersStandingOrdersArea=Payments by Direct debit orders
-SuppliersStandingOrdersArea=Payments by Credit transfer
+CustomersStandingOrdersArea=Pagos por domiciliación bancaria
+SuppliersStandingOrdersArea=Pagos por transferencia bancaria
StandingOrdersPayment=Domiciliaciones
StandingOrderPayment=Domiciliación
NewStandingOrder=Nueva domiciliación
@@ -11,37 +11,38 @@ PaymentByBankTransferLines=Líneas de orden de transferencia bancaria
WithdrawalsReceipts=Domiciliaciones
WithdrawalReceipt=Domiciliación
BankTransferReceipts=Órdenes de transferencia bancaria
-BankTransferReceipt=Credit transfer order
+BankTransferReceipt=Orden de transferencia bancaria
LatestBankTransferReceipts=Últimas %s órdenes de transferencia bancaria
LastWithdrawalReceipts=Últimas %s domiciliaciones
-WithdrawalsLine=Direct debit order line
-CreditTransferLine=Credit transfer line
+WithdrawalsLine=Línea de domiciliación bancaria
+CreditTransferLine=Línea de transferencia bancaria
WithdrawalsLines=Lineas de domiciliación
-CreditTransferLines=Credit transfer lines
-RequestStandingOrderToTreat=Requests for direct debit payment order to process
-RequestStandingOrderTreated=Requests for direct debit payment order processed
-RequestPaymentsByBankTransferToTreat=Requests for credit transfer to process
-RequestPaymentsByBankTransferTreated=Requests for credit transfer processed
+CreditTransferLines=Líneas de transferencia bancaria
+RequestStandingOrderToTreat=Órdenes de domiciliaciones a procesar
+RequestStandingOrderTreated=Órdenes de domiciliaciones procesadas
+RequestPaymentsByBankTransferToTreat=Órdenes de transferencias bancarias a procesar
+RequestPaymentsByBankTransferTreated=Órdenes de transferencias bancarias procesadas
NotPossibleForThisStatusOfWithdrawReceiptORLine=Todavía no es posible. El estado de la domiciliación debe ser 'abonada' antes de poder realizar devoluciones a sus líneas
NbOfInvoiceToWithdraw=Nº de facturas pendientes de domiciliación
NbOfInvoiceToWithdrawWithInfo=Número de facturas en espera de domiciliación para clientes que tienen su número de cuenta definida
NbOfInvoiceToPayByBankTransfer=Nº de facturas de proveedores pendientes de transferencia bancaria
SupplierInvoiceWaitingWithdraw=Factura de proveedor pendiente de transferencia bancaria
InvoiceWaitingWithdraw=Facturas en espera de domiciliación
-InvoiceWaitingPaymentByBankTransfer=Invoice waiting for credit transfer
+InvoiceWaitingPaymentByBankTransfer=Factura en espera de transferencia bancaria
AmountToWithdraw=Cantidad a domiciliar
-NoInvoiceToWithdraw=No invoice open for '%s' is waiting. Go on tab '%s' on invoice card to make a request.
+NoInvoiceToWithdraw=No hay niguna factura abierta esperando para '%s' . Vaya a la pestaña '%s' de la factura para realizar una solicitud.
NoSupplierInvoiceToWithdraw=No hay ninguna factura de proveedor con 'Solicitudes de crédito directas' pendientes. Vaya a la pestaña '%s' en la pestaña de factura para hacer una solicitud.
ResponsibleUser=Usuario responsable de las domiciliaciones
WithdrawalsSetup=Configuración de las domiciliaciones
-CreditTransferSetup=Credit transfer setup
+CreditTransferSetup=Configuración de transferencias bancarias
WithdrawStatistics=Estadísticas de domiciliaciones
-CreditTransferStatistics=Credit transfer statistics
+CreditTransferStatistics=Estadísticas de transferencias bancarias
Rejects=Devoluciones
LastWithdrawalReceipt=Las %s últimas domiciliaciones
MakeWithdrawRequest=Realizar una petición de domiciliación
-MakeBankTransferOrder=Make a credit transfer request
+MakeBankTransferOrder=Realizar una solicitud de transferencia bancaria
WithdrawRequestsDone=%s domiciliaciones registradas
+BankTransferRequestsDone=%s solicitudes de transferencia de crédito registradas
ThirdPartyBankCode=Código banco del tercero
NoInvoiceCouldBeWithdrawed=No se ha podido realizar la petición de domiciliación de ninguna factura. Compruebe que los terceros de las facturas relacionadas tienen una cuenta IBAN válida y dicho IBAN tiene un RUM con modo %s.
ClassCredited=Clasificar como "Abonada"
@@ -53,7 +54,7 @@ Lines=Líneas
StandingOrderReject=Emitir una devolución
WithdrawsRefused=Domiciliaciones devueltas
WithdrawalRefused=Devolución de domiciliación
-CreditTransfersRefused=Credit transfers refused
+CreditTransfersRefused=Transferencias bancarias rechazadas
WithdrawalRefusedConfirm=¿Está seguro de querer crear una devolución de domiciliación para la empresa
RefusedData=Fecha de devolución
RefusedReason=Motivo de devolución
@@ -63,7 +64,7 @@ InvoiceRefused=Factura rechazada (Cargar los gastos al cliente)
StatusDebitCredit=Estado de débito/crédito
StatusWaiting=En espera
StatusTrans=Enviada
-StatusDebited=Debited
+StatusDebited=Abonada
StatusCredited=Abonada
StatusPaid=Tratada
StatusRefused=Devuelta
@@ -79,13 +80,13 @@ StatusMotif8=Otro motivo
CreateForSepaFRST=Domiciliar (SEPA FRST)
CreateForSepaRCUR=Domiciliar (SEPA RCUR)
CreateAll=Domiciliar todas
-CreateFileForPaymentByBankTransfer=Create file for credit transfer
-CreateSepaFileForPaymentByBankTransfer=Create credit transfer file (SEPA)
+CreateFileForPaymentByBankTransfer=Crear archivo para transferencia bancaria
+CreateSepaFileForPaymentByBankTransfer=Crear archivo de transferencia bancaria (SEPA)
CreateGuichet=Sólo oficina
CreateBanque=Sólo banco
OrderWaiting=En espera de proceso
-NotifyTransmision=Record file transmission of order
-NotifyCredit=Record credit of order
+NotifyTransmision=Registro de envio del archivo de la orden
+NotifyCredit=Registro de abono de la orden
NumeroNationalEmetter=Número Nacional del Emisor
WithBankUsingRIB=Para las cuentas bancarias que utilizan CCC
WithBankUsingBANBIC=Para las cuentas bancarias que utilizan el código BAN/BIC/SWIFT
@@ -95,12 +96,12 @@ CreditDate=Abonada el
WithdrawalFileNotCapable=No es posible generar el fichero bancario de domiciliación para el país %s (El país no está soportado)
ShowWithdraw=Mostrar domiciliación
IfInvoiceNeedOnWithdrawPaymentWontBeClosed=Sin embargo, si la factura tiene pendiente algún pago por domiciliación no procesado, no será marcada como pagada para permitir la gestión de la domiciliación.
-DoStandingOrdersBeforePayments=This tab allows you to request a direct debit payment order. Once done, go into menu Bank->Payment by direct debit to generate and manage the direct debit order. When direct debit order is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null.
-DoCreditTransferBeforePayments=This tab allows you to request a credit transfer order. Once done, go into menu Bank->Payment by credit transfer to generate and manage the credit transfer order. When credit transfer order is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null.
-WithdrawalFile=Debit order file
-CreditTransferFile=Credit transfer file
+DoStandingOrdersBeforePayments=Esta pestaña le permite realizar una petición de domiciliación. Una vez realizadas las peticiones, vaya al menú Bancos->Pagos para gestionar la domiciliación. Al cerrar una domiciliación, los pagos de las facturas se registrarán automáticamente, y las facturas completamente pagadas serán cerradas.
+DoCreditTransferBeforePayments=Esta pestaña le permite realizar una petición de transferencia bancaria. Una vez realizadas las peticiones, vaya al menú Bancos->Pagos para gestionar la petición. Al cerrar una petición, los pagos de las facturas se registrarán automáticamente, y las facturas completamente pagadas serán cerradas.
+WithdrawalFile=Archivo de domiciliación
+CreditTransferFile=Archivo de transferencia bancaria
SetToStatusSent=Clasificar como "Archivo enviado"
-ThisWillAlsoAddPaymentOnInvoice=This will also record payments on invoices and will classify them as "Paid" if remain to pay is null
+ThisWillAlsoAddPaymentOnInvoice=Se crearán los pagos de las facturas y las clasificarán como pagadas si el resto a pagar es 0
StatisticsByLineStatus=Estadísticas por estados de líneas
RUM=RUM
DateRUM=Fecha de firma del mandato
@@ -108,7 +109,7 @@ RUMLong=Referencia Única de Mandato
RUMWillBeGenerated=Si está vacío,se generará un número RUM (Referencia Unica de Mandato) una vez que se guarde la información de la cuenta bancaria
WithdrawMode=Modo domiciliación (FRST o RECUR)
WithdrawRequestAmount=Importe de la domiciliación
-BankTransferAmount=Amount of Credit Transfer request:
+BankTransferAmount=Importe de transferencia bancaria:
WithdrawRequestErrorNilAmount=No es posible crear una domiciliación sin importe
SepaMandate=Mandato SEPA
SepaMandateShort=Mandato SEPA
@@ -124,18 +125,19 @@ SEPAFrstOrRecur=Tipo de pago
ModeRECUR=Pago recurrente
ModeFRST=Pago único
PleaseCheckOne=Escoja solamente uno
-CreditTransferOrderCreated=Credit transfer order %s created
+CreditTransferOrderCreated=Orden de transferencia bancaria %s creada
DirectDebitOrderCreated=Domiciliación %s creada
AmountRequested=Importe solicitado
SEPARCUR=SEPA CUR
SEPAFRST=SEPA FRST
ExecutionDate=Fecha de ejecución
CreateForSepa=Crear archivo SEPA
-ICS=Identificador de acreedor CI
+ICS=Identificador de acreedor CI para domiciliación bancaria
+ICSTransfer=Identificador de acreedor CI para transferencia bancaria
END_TO_END=Etiqueta XML SEPA "EndToEndId" - ID única asignada por transacción
USTRD=Etiqueta SEPA XML "Unstructured"
ADDDAYS=Añadir días a la fecha de ejecución
-NoDefaultIBANFound=No default IBAN found for this third party
+NoDefaultIBANFound=No se encontró ningún IBAN predeterminado para este tercero
### Notifications
InfoCreditSubject=Abono de domiciliación %s por el banco
InfoCreditMessage=La orden de domiciliación %s ha sido abonada por el banco Fecha de abono: %s
@@ -145,4 +147,5 @@ InfoTransData=Importe: %s Método: %s Fecha: %s
InfoRejectSubject=Domiciliación devuelta
InfoRejectMessage=Buenos días:
la domiciliación de la factura %s por cuenta de la empresa %s, con un importe de %s ha sido devuelta por el banco.
-- %s
ModeWarning=No se ha establecido la opción de modo real, nos detendremos después de esta simulación
-ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know wich one to use.
+ErrorCompanyHasDuplicateDefaultBAN=La empresa con id %s tiene más de una cuenta bancaria predeterminada. No hay forma de saber cuál usar.
+ErrorICSmissing=Falta ICS en la cuenta bancaria %s
diff --git a/htdocs/langs/es_GT/accountancy.lang b/htdocs/langs/es_GT/accountancy.lang
new file mode 100644
index 00000000000..552865118f1
--- /dev/null
+++ b/htdocs/langs/es_GT/accountancy.lang
@@ -0,0 +1,2 @@
+# Dolibarr language file - Source file is en_US - accountancy
+ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50)
diff --git a/htdocs/langs/es_GT/compta.lang b/htdocs/langs/es_GT/compta.lang
deleted file mode 100644
index c7c41488180..00000000000
--- a/htdocs/langs/es_GT/compta.lang
+++ /dev/null
@@ -1,2 +0,0 @@
-# Dolibarr language file - Source file is en_US - compta
-BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted ascending on %s and filtered for 1 bank account
diff --git a/htdocs/langs/es_GT/products.lang b/htdocs/langs/es_GT/products.lang
deleted file mode 100644
index 6e900475275..00000000000
--- a/htdocs/langs/es_GT/products.lang
+++ /dev/null
@@ -1,2 +0,0 @@
-# Dolibarr language file - Source file is en_US - products
-CustomCode=Customs / Commodity / HS code
diff --git a/htdocs/langs/es_GT/withdrawals.lang b/htdocs/langs/es_GT/withdrawals.lang
new file mode 100644
index 00000000000..facdefc082f
--- /dev/null
+++ b/htdocs/langs/es_GT/withdrawals.lang
@@ -0,0 +1,2 @@
+# Dolibarr language file - Source file is en_US - withdrawals
+ICS=Creditor Identifier CI for direct debit
diff --git a/htdocs/langs/es_HN/accountancy.lang b/htdocs/langs/es_HN/accountancy.lang
new file mode 100644
index 00000000000..552865118f1
--- /dev/null
+++ b/htdocs/langs/es_HN/accountancy.lang
@@ -0,0 +1,2 @@
+# Dolibarr language file - Source file is en_US - accountancy
+ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50)
diff --git a/htdocs/langs/es_HN/compta.lang b/htdocs/langs/es_HN/compta.lang
deleted file mode 100644
index c7c41488180..00000000000
--- a/htdocs/langs/es_HN/compta.lang
+++ /dev/null
@@ -1,2 +0,0 @@
-# Dolibarr language file - Source file is en_US - compta
-BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted ascending on %s and filtered for 1 bank account
diff --git a/htdocs/langs/es_HN/products.lang b/htdocs/langs/es_HN/products.lang
deleted file mode 100644
index 6e900475275..00000000000
--- a/htdocs/langs/es_HN/products.lang
+++ /dev/null
@@ -1,2 +0,0 @@
-# Dolibarr language file - Source file is en_US - products
-CustomCode=Customs / Commodity / HS code
diff --git a/htdocs/langs/es_HN/withdrawals.lang b/htdocs/langs/es_HN/withdrawals.lang
new file mode 100644
index 00000000000..facdefc082f
--- /dev/null
+++ b/htdocs/langs/es_HN/withdrawals.lang
@@ -0,0 +1,2 @@
+# Dolibarr language file - Source file is en_US - withdrawals
+ICS=Creditor Identifier CI for direct debit
diff --git a/htdocs/langs/es_MX/accountancy.lang b/htdocs/langs/es_MX/accountancy.lang
index 073d5f060b7..e0e66ccf761 100644
--- a/htdocs/langs/es_MX/accountancy.lang
+++ b/htdocs/langs/es_MX/accountancy.lang
@@ -79,7 +79,7 @@ VentilatedinAccount=Agregado exitosamente a la cuenta contable
NotVentilatedinAccount=No añadido a la cuenta contable
XLineSuccessfullyBinded=%s productos / servicios vinculados con éxito a una cuenta contable
XLineFailedToBeBinded=%s productos / servicios no estaban vinculados a ninguna cuenta contable
-ACCOUNTING_LIMIT_LIST_VENTILATION=Número de elementos a unir mostrados por página (máximo recomendado: 50)
+ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50)
ACCOUNTING_LIST_SORT_VENTILATION_TODO=Comience la ordenación de la página "Enlazar para hacer" por los elementos más recientes
ACCOUNTING_LIST_SORT_VENTILATION_DONE=Comience la ordenación de la página "Enlace realizado" por los elementos más recientes
BANK_DISABLE_DIRECT_INPUT=Deshabilitar el registro directo de la transacción en la cuenta bancaria
@@ -101,7 +101,6 @@ ACCOUNTING_PRODUCT_SOLD_EXPORT_ACCOUNT=Cuenta contable por defecto para los prod
ACCOUNTING_SERVICE_BUY_ACCOUNT=Cuenta contable por defecto para los servicios comprados (si no ha sido definida en la hoja \nservicio)
ACCOUNTING_SERVICE_SOLD_ACCOUNT=Cuenta contable por defecto para los servicios vendidos (si no ha sido definida en la hoja servicio)
LabelAccount=Descripción de la cuenta
-Sens=Significado
DelYear=Año a borrar
DelJournal=Diario a borrar
DescFinanceJournal=Diario financiero incluyendo todos los tipos de pagos por cuenta bancaria
diff --git a/htdocs/langs/es_MX/admin.lang b/htdocs/langs/es_MX/admin.lang
index 522f487bfb6..0b3f888ace9 100644
--- a/htdocs/langs/es_MX/admin.lang
+++ b/htdocs/langs/es_MX/admin.lang
@@ -56,7 +56,6 @@ AllowToSelectProjectFromOtherCompany=En documento de un tercero, puede seleccion
JavascriptDisabled=JavaScript desactivado
UsePreviewTabs=Utilizar pestañas de vista previa
ShowPreview=Mostrar previsualización
-CurrentTimeZone=Zona horaria PHP (servidor)
TZHasNoEffect=Las fechas son guardadas y retornadas por el servidor de base de datos como si fueran guardadas como cadenas sometidas. La zona horaria tiene efecto solo cuando usamos la función UNIX_TIMESTAMP (que no debe ser usada por Dolibarr, ya que TZ no debe tener efecto, incluso si cambió despues de que datos fueron ingresados).
Space=Espacio
NextValue=Valor siguiente
@@ -107,7 +106,6 @@ SystemToolsArea=Área de herramientas del sistema
SystemToolsAreaDesc=Esta área provee funciones administrativas. Usar el menú para seleccionar la característica requerida.
PurgeAreaDesc=Esta página te permite eliminar todos los archivos generados o guardados por Dolibarr (archivos temporales o todos los archivos en %s el directorio). Usar esta característica no es normalmente necesario. Esta es proporcionada como una solución alternativa para usuarios cuyo Dolibarr es hospedado por un proveedor que no ofrece permisos de borrado de archivos generados por el servidor web.
PurgeDeleteLogFile=Eliminar archivos log, incluyendo %s definido por módulo Syslog (sin riesgo de perdida de datos)
-PurgeDeleteTemporaryFiles=Eliminar todos los archivos temporales (sin riesgo de perdida de datos). Nota: La eliminación es hecha solo si el directorio temporal fue creado 24 horas antes.
PurgeDeleteAllFilesInDocumentsDir=Eliminar todos los archivos en el directorio: %s. Esto borrara todos los documentos generados relacionados a elementos (terceras partes, facturas etc...), archivos subidos a el módulo ECM, volcados de respaldo de base de datos y archivos temporales.
PurgeRunNow=Purgar ahora
PurgeNothingToDelete=Ningún directorio o archivos que desee eliminar.
diff --git a/htdocs/langs/es_MX/companies.lang b/htdocs/langs/es_MX/companies.lang
index 94d7e8f6bd4..811526bc5ac 100644
--- a/htdocs/langs/es_MX/companies.lang
+++ b/htdocs/langs/es_MX/companies.lang
@@ -167,7 +167,6 @@ VATIntraCheckableOnEUSite=Verificar el numero de control de IVA intracomunitario
VATIntraManualCheck=También puedes verificar manualmente desde el sitio web de la comision europea %s
ErrorVATCheckMS_UNAVAILABLE=No es posible realizar la verificación. El servicio de comprobación no es prestado por el país miembro (%s).
NorProspectNorCustomer=No es cliente potencial, ni cliente
-JuridicalStatus=Tipo de entidad legal
OthersNotLinkedToThirdParty=Otros, no vinculado a un tercero
ProspectStatus=Estatus del cliente potencial
TE_MEDIUM=Mediana empresa
diff --git a/htdocs/langs/es_MX/compta.lang b/htdocs/langs/es_MX/compta.lang
index 9c1cd218356..b8c48cab211 100644
--- a/htdocs/langs/es_MX/compta.lang
+++ b/htdocs/langs/es_MX/compta.lang
@@ -1,4 +1,9 @@
# Dolibarr language file - Source file is en_US - compta
+MenuFinancial=Facturación | Pago
+TaxModuleSetupToModifyRules=Vaya a la configuración del módulo de impuestos para modificar las reglas de cálculo
+TaxModuleSetupToModifyRulesLT=Vaya a Configuración de la empresa para modificar las reglas de cálculo
+OptionMode=Opción de contabilidad
+OptionModeVirtual=Opción Reclamaciones-Deudas
Param=Configuración
PaymentSocialContribution=Pago de impuesto social/fiscal
ByThirdParties=Por terceros
diff --git a/htdocs/langs/es_MX/main.lang b/htdocs/langs/es_MX/main.lang
index d2d2407adfe..b2b9ca9f0e5 100644
--- a/htdocs/langs/es_MX/main.lang
+++ b/htdocs/langs/es_MX/main.lang
@@ -20,6 +20,7 @@ FormatDateHourSecShort=%I:%M:%S %p %d/%m/%Y
FormatDateHourTextShort=%I:%M %p, %d %b %Y
FormatDateHourText=%I:%M %p, %d %B %Y
AvailableVariables=Variables de sustitución disponibles
+CurrentTimeZone=Zona horaria PHP (servidor)
NoRecordFound=Ningún registro fue encontrado
NoError=No hay error
ErrorFieldFormat=El campo '%s' contiene un valor incorrecto
@@ -40,6 +41,7 @@ SetDate=Ajustar fecha
SeeHere=Mira aquí
BackgroundColorByDefault=Color de fondo por defecto
FileWasNotUploaded=Un archivo fue seleccionado para adjuntar, sin embargo, no ha sido cargado aún. De clic en "Adjuntar archivo" para éllo.
+HomePage=Página Principal
LevelOfFeature=Nivel de características
NotDefined=No definido
ConnectedOnMultiCompany=Conectado a la entidad
diff --git a/htdocs/langs/es_MX/products.lang b/htdocs/langs/es_MX/products.lang
index 8bd908672b5..8ade985e293 100644
--- a/htdocs/langs/es_MX/products.lang
+++ b/htdocs/langs/es_MX/products.lang
@@ -10,7 +10,6 @@ NoMatchFound=No se encontraron coincidencias
DeleteProduct=Eliminar un producto / servicio
ExportDataset_produit_1=Productos
ImportDataset_produit_1=productos
-CustomCode=Customs / Commodity / HS code
BarCodePrintsheet=Imprimir código de barras
GlobalVariableUpdaterType0=Datos JSON
GlobalVariableUpdaterHelp0=Analiza los datos JSON de la URL especificada, VALUE especifica la ubicación del valor relevante,
diff --git a/htdocs/langs/es_MX/sendings.lang b/htdocs/langs/es_MX/sendings.lang
index 96689e2c322..96ffc6ab5ff 100644
--- a/htdocs/langs/es_MX/sendings.lang
+++ b/htdocs/langs/es_MX/sendings.lang
@@ -1,2 +1,5 @@
# Dolibarr language file - Source file is en_US - sendings
StatusSendingCanceled=Cancelado
+StatusSendingCanceledShort=Cancelado
+StatusSendingProcessed=Procesada
+StatusSendingProcessedShort=Procesada
diff --git a/htdocs/langs/es_MX/withdrawals.lang b/htdocs/langs/es_MX/withdrawals.lang
index 52a15f0786e..2f810c0c725 100644
--- a/htdocs/langs/es_MX/withdrawals.lang
+++ b/htdocs/langs/es_MX/withdrawals.lang
@@ -1,5 +1,8 @@
# Dolibarr language file - Source file is en_US - withdrawals
+StandingOrderToProcess=Procesar
WithdrawalReceipt=Orden de domiciliación bancaria
Rejects=Rechazos
StatusPaid=Pagado
StatusRefused=Rechazado
+StatusMotif4=Órdenes de venta
+ICS=Creditor Identifier CI for direct debit
diff --git a/htdocs/langs/es_PA/accountancy.lang b/htdocs/langs/es_PA/accountancy.lang
new file mode 100644
index 00000000000..552865118f1
--- /dev/null
+++ b/htdocs/langs/es_PA/accountancy.lang
@@ -0,0 +1,2 @@
+# Dolibarr language file - Source file is en_US - accountancy
+ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50)
diff --git a/htdocs/langs/es_PA/compta.lang b/htdocs/langs/es_PA/compta.lang
deleted file mode 100644
index c7c41488180..00000000000
--- a/htdocs/langs/es_PA/compta.lang
+++ /dev/null
@@ -1,2 +0,0 @@
-# Dolibarr language file - Source file is en_US - compta
-BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted ascending on %s and filtered for 1 bank account
diff --git a/htdocs/langs/es_PA/products.lang b/htdocs/langs/es_PA/products.lang
deleted file mode 100644
index 6e900475275..00000000000
--- a/htdocs/langs/es_PA/products.lang
+++ /dev/null
@@ -1,2 +0,0 @@
-# Dolibarr language file - Source file is en_US - products
-CustomCode=Customs / Commodity / HS code
diff --git a/htdocs/langs/es_PA/withdrawals.lang b/htdocs/langs/es_PA/withdrawals.lang
new file mode 100644
index 00000000000..facdefc082f
--- /dev/null
+++ b/htdocs/langs/es_PA/withdrawals.lang
@@ -0,0 +1,2 @@
+# Dolibarr language file - Source file is en_US - withdrawals
+ICS=Creditor Identifier CI for direct debit
diff --git a/htdocs/langs/es_PE/accountancy.lang b/htdocs/langs/es_PE/accountancy.lang
index 3fa654ee77c..94dd1838fd8 100644
--- a/htdocs/langs/es_PE/accountancy.lang
+++ b/htdocs/langs/es_PE/accountancy.lang
@@ -27,6 +27,7 @@ EndProcessing=Proceso finalizado.
Lineofinvoice=Línea de factura
VentilatedinAccount=Vinculado con éxito a la cuenta contable
NotVentilatedinAccount=No vinculado a la cuenta contable
+ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50)
ACCOUNTING_LIST_SORT_VENTILATION_TODO=Comienza la clasificación de la página "Vinculación a hacer" por los elementos más recientes
ACCOUNTING_LIST_SORT_VENTILATION_DONE=Comienza la clasificación de la página "Encuadernación realizada" por los elementos más recientes
ACCOUNTING_LENGTH_DESCRIPTION=Truncar la descripción de los productos y servicios en los listados después de los caracteres x (mejor = 50)
@@ -38,7 +39,6 @@ ACCOUNTING_MISCELLANEOUS_JOURNAL=Diario diverso
ACCOUNTING_EXPENSEREPORT_JOURNAL=Informe de Gastos Diario
ACCOUNTING_SOCIAL_JOURNAL=Diario Social
ACCOUNTING_ACCOUNT_SUSPENSE=Cuenta contable de espera
-Sens=Significado
Codejournal=Periódico
FinanceJournal=Periodo Financiero
TotalMarge=Margen total de ventas
diff --git a/htdocs/langs/es_PE/admin.lang b/htdocs/langs/es_PE/admin.lang
index 6c8dc0a38a9..6ab8ad59b97 100644
--- a/htdocs/langs/es_PE/admin.lang
+++ b/htdocs/langs/es_PE/admin.lang
@@ -1,7 +1,6 @@
# Dolibarr language file - Source file is en_US - admin
VersionProgram=Versión del programa
VersionLastInstall=Instalar versión inicial
-ExampleOfDirectoriesForModelGen=Ejemplo de sintaxis: c:\\mydir /home/mydir DOL_DATA_ROOT/ecm/ecmdir
Module30Name=Facturas
Permission91=Consultar impuestos e IGV
Permission92=Crear/modificar impuestos e IGV
diff --git a/htdocs/langs/es_PE/cron.lang b/htdocs/langs/es_PE/cron.lang
index 96e3d29ed2c..bde4921afff 100644
--- a/htdocs/langs/es_PE/cron.lang
+++ b/htdocs/langs/es_PE/cron.lang
@@ -1,3 +1,2 @@
# Dolibarr language file - Source file is en_US - cron
-CronStatusActiveBtn=Activado
CronStatusInactiveBtn=Inhabilitar
diff --git a/htdocs/langs/es_PE/products.lang b/htdocs/langs/es_PE/products.lang
index 2e576f6187d..d29e3ce3677 100644
--- a/htdocs/langs/es_PE/products.lang
+++ b/htdocs/langs/es_PE/products.lang
@@ -4,4 +4,3 @@ ProductLabel=Etiqueta del producto
ProductServiceCard=Ficha Productos/Servicios
ProductOrService=Producto o Servicio
ExportDataset_produit_1=Productos
-CustomCode=Customs / Commodity / HS code
diff --git a/htdocs/langs/es_PE/ticket.lang b/htdocs/langs/es_PE/ticket.lang
index 363410255e5..9b8429210d8 100644
--- a/htdocs/langs/es_PE/ticket.lang
+++ b/htdocs/langs/es_PE/ticket.lang
@@ -1,5 +1,4 @@
# Dolibarr language file - Source file is en_US - ticket
-NotRead=Sin leer
Read=Leer
Type=Tipo
TicketNewEmailBodyInfosTrackUrl=Puedes ver la progresión del ticket haciendo click sobre el seguimiento del ticket.
diff --git a/htdocs/langs/es_PE/withdrawals.lang b/htdocs/langs/es_PE/withdrawals.lang
new file mode 100644
index 00000000000..facdefc082f
--- /dev/null
+++ b/htdocs/langs/es_PE/withdrawals.lang
@@ -0,0 +1,2 @@
+# Dolibarr language file - Source file is en_US - withdrawals
+ICS=Creditor Identifier CI for direct debit
diff --git a/htdocs/langs/es_PY/accountancy.lang b/htdocs/langs/es_PY/accountancy.lang
new file mode 100644
index 00000000000..552865118f1
--- /dev/null
+++ b/htdocs/langs/es_PY/accountancy.lang
@@ -0,0 +1,2 @@
+# Dolibarr language file - Source file is en_US - accountancy
+ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50)
diff --git a/htdocs/langs/es_PY/compta.lang b/htdocs/langs/es_PY/compta.lang
deleted file mode 100644
index c7c41488180..00000000000
--- a/htdocs/langs/es_PY/compta.lang
+++ /dev/null
@@ -1,2 +0,0 @@
-# Dolibarr language file - Source file is en_US - compta
-BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted ascending on %s and filtered for 1 bank account
diff --git a/htdocs/langs/es_PY/products.lang b/htdocs/langs/es_PY/products.lang
deleted file mode 100644
index 6e900475275..00000000000
--- a/htdocs/langs/es_PY/products.lang
+++ /dev/null
@@ -1,2 +0,0 @@
-# Dolibarr language file - Source file is en_US - products
-CustomCode=Customs / Commodity / HS code
diff --git a/htdocs/langs/es_PY/withdrawals.lang b/htdocs/langs/es_PY/withdrawals.lang
new file mode 100644
index 00000000000..facdefc082f
--- /dev/null
+++ b/htdocs/langs/es_PY/withdrawals.lang
@@ -0,0 +1,2 @@
+# Dolibarr language file - Source file is en_US - withdrawals
+ICS=Creditor Identifier CI for direct debit
diff --git a/htdocs/langs/es_US/accountancy.lang b/htdocs/langs/es_US/accountancy.lang
new file mode 100644
index 00000000000..552865118f1
--- /dev/null
+++ b/htdocs/langs/es_US/accountancy.lang
@@ -0,0 +1,2 @@
+# Dolibarr language file - Source file is en_US - accountancy
+ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50)
diff --git a/htdocs/langs/es_US/compta.lang b/htdocs/langs/es_US/compta.lang
deleted file mode 100644
index c7c41488180..00000000000
--- a/htdocs/langs/es_US/compta.lang
+++ /dev/null
@@ -1,2 +0,0 @@
-# Dolibarr language file - Source file is en_US - compta
-BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted ascending on %s and filtered for 1 bank account
diff --git a/htdocs/langs/es_US/products.lang b/htdocs/langs/es_US/products.lang
deleted file mode 100644
index 6e900475275..00000000000
--- a/htdocs/langs/es_US/products.lang
+++ /dev/null
@@ -1,2 +0,0 @@
-# Dolibarr language file - Source file is en_US - products
-CustomCode=Customs / Commodity / HS code
diff --git a/htdocs/langs/es_US/withdrawals.lang b/htdocs/langs/es_US/withdrawals.lang
new file mode 100644
index 00000000000..facdefc082f
--- /dev/null
+++ b/htdocs/langs/es_US/withdrawals.lang
@@ -0,0 +1,2 @@
+# Dolibarr language file - Source file is en_US - withdrawals
+ICS=Creditor Identifier CI for direct debit
diff --git a/htdocs/langs/es_UY/accountancy.lang b/htdocs/langs/es_UY/accountancy.lang
new file mode 100644
index 00000000000..552865118f1
--- /dev/null
+++ b/htdocs/langs/es_UY/accountancy.lang
@@ -0,0 +1,2 @@
+# Dolibarr language file - Source file is en_US - accountancy
+ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50)
diff --git a/htdocs/langs/es_UY/compta.lang b/htdocs/langs/es_UY/compta.lang
deleted file mode 100644
index c7c41488180..00000000000
--- a/htdocs/langs/es_UY/compta.lang
+++ /dev/null
@@ -1,2 +0,0 @@
-# Dolibarr language file - Source file is en_US - compta
-BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted ascending on %s and filtered for 1 bank account
diff --git a/htdocs/langs/es_UY/products.lang b/htdocs/langs/es_UY/products.lang
deleted file mode 100644
index 6e900475275..00000000000
--- a/htdocs/langs/es_UY/products.lang
+++ /dev/null
@@ -1,2 +0,0 @@
-# Dolibarr language file - Source file is en_US - products
-CustomCode=Customs / Commodity / HS code
diff --git a/htdocs/langs/es_UY/withdrawals.lang b/htdocs/langs/es_UY/withdrawals.lang
new file mode 100644
index 00000000000..facdefc082f
--- /dev/null
+++ b/htdocs/langs/es_UY/withdrawals.lang
@@ -0,0 +1,2 @@
+# Dolibarr language file - Source file is en_US - withdrawals
+ICS=Creditor Identifier CI for direct debit
diff --git a/htdocs/langs/es_VE/accountancy.lang b/htdocs/langs/es_VE/accountancy.lang
new file mode 100644
index 00000000000..552865118f1
--- /dev/null
+++ b/htdocs/langs/es_VE/accountancy.lang
@@ -0,0 +1,2 @@
+# Dolibarr language file - Source file is en_US - accountancy
+ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50)
diff --git a/htdocs/langs/es_VE/products.lang b/htdocs/langs/es_VE/products.lang
index 7347e866031..7c5fda8bea0 100644
--- a/htdocs/langs/es_VE/products.lang
+++ b/htdocs/langs/es_VE/products.lang
@@ -1,5 +1,4 @@
# Dolibarr language file - Source file is en_US - products
TMenuProducts=Productos y servicios
ProductStatusNotOnBuyShort=Fuera compra
-CustomCode=Customs / Commodity / HS code
PriceExpressionEditorHelp2=Puede acceder a los atributos adicionales con variables como #extrafield_myextrafieldkey# y variables globales con #global_mycode#
diff --git a/htdocs/langs/es_VE/withdrawals.lang b/htdocs/langs/es_VE/withdrawals.lang
index fb9616a1788..0512b713a32 100644
--- a/htdocs/langs/es_VE/withdrawals.lang
+++ b/htdocs/langs/es_VE/withdrawals.lang
@@ -1,2 +1,3 @@
# Dolibarr language file - Source file is en_US - withdrawals
StatusPaid=Pagada
+ICS=Creditor Identifier CI for direct debit
diff --git a/htdocs/langs/et_EE/accountancy.lang b/htdocs/langs/et_EE/accountancy.lang
index 682433c526e..0b2bed4baae 100644
--- a/htdocs/langs/et_EE/accountancy.lang
+++ b/htdocs/langs/et_EE/accountancy.lang
@@ -48,6 +48,7 @@ CountriesExceptMe=All countries except %s
AccountantFiles=Export source documents
ExportAccountingSourceDocHelp=With this tool, you can export the source events (list and PDFs) that were used to generate your accountancy. To export your journals, use the menu entry %s - %s.
VueByAccountAccounting=View by accounting account
+VueBySubAccountAccounting=View by accounting subaccount
MainAccountForCustomersNotDefined=Main accounting account for customers not defined in setup
MainAccountForSuppliersNotDefined=Main accounting account for vendors not defined in setup
@@ -144,7 +145,7 @@ NotVentilatedinAccount=Not bound to the accounting account
XLineSuccessfullyBinded=%s products/services successfully bound to an accounting account
XLineFailedToBeBinded=%s products/services were not bound to any accounting account
-ACCOUNTING_LIMIT_LIST_VENTILATION=Number of elements to bind shown by page (maximum recommended: 50)
+ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50)
ACCOUNTING_LIST_SORT_VENTILATION_TODO=Begin the sorting of the page "Binding to do" by the most recent elements
ACCOUNTING_LIST_SORT_VENTILATION_DONE=Begin the sorting of the page "Binding done" by the most recent elements
@@ -198,7 +199,8 @@ Docdate=Kuupäev
Docref=Viide
LabelAccount=Label account
LabelOperation=Label operation
-Sens=Sens
+Sens=Direction
+AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received For an accounting account of a supplier, use Debit to record a payment you make
LetteringCode=Lettering code
Lettering=Lettering
Codejournal=Journal
@@ -206,7 +208,8 @@ JournalLabel=Journal label
NumPiece=Piece number
TransactionNumShort=Num. transaction
AccountingCategory=Personalized groups
-GroupByAccountAccounting=Group by accounting account
+GroupByAccountAccounting=Group by general ledger account
+GroupBySubAccountAccounting=Group by subledger account
AccountingAccountGroupsDesc=You can define here some groups of accounting account. They will be used for personalized accounting reports.
ByAccounts=By accounts
ByPredefinedAccountGroups=By predefined groups
@@ -248,7 +251,7 @@ PaymentsNotLinkedToProduct=Payment not linked to any product / service
OpeningBalance=Opening balance
ShowOpeningBalance=Show opening balance
HideOpeningBalance=Hide opening balance
-ShowSubtotalByGroup=Show subtotal by group
+ShowSubtotalByGroup=Show subtotal by level
Pcgtype=Group of account
PcgtypeDesc=Group of account are used as predefined 'filter' and 'grouping' criteria for some accounting reports. For example, 'INCOME' or 'EXPENSE' are used as groups for accounting accounts of products to build the expense/income report.
@@ -271,11 +274,13 @@ DescVentilExpenseReport=Consult here the list of expense report lines bound (or
DescVentilExpenseReportMore=If you setup accounting account on type of expense report lines, the application will be able to make all the binding between your expense report lines and the accounting account of your chart of accounts, just in one click with the button "%s". If account was not set on fees dictionary or if you still have some lines not bound to any account, you will have to make a manual binding from the menu "%s".
DescVentilDoneExpenseReport=Consult here the list of the lines of expenses reports and their fees accounting account
+Closure=Annual closure
DescClosure=Consult here the number of movements by month who are not validated & fiscal years already open
OverviewOfMovementsNotValidated=Step 1/ Overview of movements not validated. (Necessary to close a fiscal year)
+AllMovementsWereRecordedAsValidated=All movements were recorded as validated
+NotAllMovementsCouldBeRecordedAsValidated=Not all movements could be recorded as validated
ValidateMovements=Validate movements
DescValidateMovements=Any modification or deletion of writing, lettering and deletes will be prohibited. All entries for an exercise must be validated otherwise closing will not be possible
-SelectMonthAndValidate=Select month and validate movements
ValidateHistory=Bind Automatically
AutomaticBindingDone=Automatic binding done
@@ -293,6 +298,7 @@ Accounted=Accounted in ledger
NotYetAccounted=Not yet accounted in ledger
ShowTutorial=Show Tutorial
NotReconciled=Not reconciled
+WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view
## Admin
BindingOptions=Binding options
@@ -337,6 +343,7 @@ Modelcsv_LDCompta10=Export for LD Compta (v10 & higher)
Modelcsv_openconcerto=Export for OpenConcerto (Test)
Modelcsv_configurable=Export CSV Configurable
Modelcsv_FEC=Export FEC
+Modelcsv_FEC2=Export FEC (With dates generation writing / document reversed)
Modelcsv_Sage50_Swiss=Export for Sage 50 Switzerland
Modelcsv_winfic=Export Winfic - eWinfic - WinSis Compta
Modelcsv_Gestinumv3=Export for Gestinum (v3)
diff --git a/htdocs/langs/et_EE/admin.lang b/htdocs/langs/et_EE/admin.lang
index 268ecfbe48e..a65e94ed7bd 100644
--- a/htdocs/langs/et_EE/admin.lang
+++ b/htdocs/langs/et_EE/admin.lang
@@ -56,6 +56,8 @@ GUISetup=Kuva
SetupArea=Seadistamine
UploadNewTemplate=Upload new template(s)
FormToTestFileUploadForm=Failide üleslaadimise teistimiseks kasutatav vorm (vastavalt seadistustele)
+ModuleMustBeEnabled=The module/application %s must be enabled
+ModuleIsEnabled=The module/application %s has been enabled
IfModuleEnabled=Märkus: jah töötab vaid siis, kui moodul %s on sisse lülitatud.
RemoveLock=Remove/rename file %s if it exists, to allow usage of the Update/Install tool.
RestoreLock=Restore file %s, with read permission only, to disable any further use of the Update/Install tool.
@@ -85,7 +87,6 @@ ShowPreview=Kuva eelvaade
ShowHideDetails=Show-Hide details
PreviewNotAvailable=Eelvaade pole saadaval
ThemeCurrentlyActive=Hetkel kasutatav teema
-CurrentTimeZone=PHP ajavöönd (serveri ajavöönd)
MySQLTimeZone=MySQLi (andmebaasi) ajavöönd
TZHasNoEffect=Dates are stored and returned by database server as if they were kept as submitted string. The timezone has effect only when using the UNIX_TIMESTAMP function (that should not be used by Dolibarr, so database TZ should have no effect, even if changed after data was entered).
Space=Ruum
@@ -153,8 +154,8 @@ SystemToolsAreaDesc=This area provides administration functions. Use the menu to
Purge=Tühjenda
PurgeAreaDesc=This page allows you to delete all files generated or stored by Dolibarr (temporary files or all files in %s directory). Using this feature is not normally necessary. It is provided as a workaround for users whose Dolibarr is hosted by a provider that does not offer permissions to delete files generated by the web server.
PurgeDeleteLogFile=Delete log files, including %s defined for Syslog module (no risk of losing data)
-PurgeDeleteTemporaryFiles=Delete all temporary files (no risk of losing data). Note: Deletion is done only if the temp directory was created 24 hours ago.
-PurgeDeleteTemporaryFilesShort=Kustuta ajutised failid
+PurgeDeleteTemporaryFiles=Delete all log and temporary files (no risk of losing data). Note: Deletion of temporary files is done only if the temp directory was created more than 24 hours ago.
+PurgeDeleteTemporaryFilesShort=Delete log and temporary files
PurgeDeleteAllFilesInDocumentsDir=Delete all files in directory: %s. This will delete all generated documents related to elements (third parties, invoices etc...), files uploaded into the ECM module, database backup dumps and temporary files.
PurgeRunNow=Tühjenda nüüd
PurgeNothingToDelete=Pole ühtki faili ega kausta, mida kustutada.
@@ -256,6 +257,7 @@ ReferencedPreferredPartners=Eelistatud partnerid
OtherResources=Muud ressursid
ExternalResources=Välised ressursid
SocialNetworks=Sotsiaalvõrgud
+SocialNetworkId=Social Network ID
ForDocumentationSeeWiki=Kasutaja või arendaja dokumentatsiooni (KKK jms) võid leida ametlikust Dolibarri Wikist: %s
ForAnswersSeeForum=Muude küsimuste või abi küsimise tarbeks saab kasutada Dolibarri foorumit: %s
HelpCenterDesc1=Here are some resources for getting help and support with Dolibarr.
@@ -375,7 +377,7 @@ ExamplesWithCurrentSetup=Praeguse konfiguratsiooniga näited
ListOfDirectories=OpenDocument mallide kaustad
ListOfDirectoriesForModelGenODT=List of directories containing templates files with OpenDocument format.
Put here full path of directories. Add a carriage return between eah directory. To add a directory of the GED module, add here DOL_DATA_ROOT/ecm/yourdirectoryname.
Files in those directories must end with .odt or .ods.
NumberOfModelFilesFound=Nendes kataloogides leiduvate ODT / ODS-malli failide arv
-ExampleOfDirectoriesForModelGen=Süntaksi näited: c:\\mydir /home/mydir DOL_DATA_ROOT/ecm/ecmdir
+ExampleOfDirectoriesForModelGen=Examples of syntax: c:\\myapp\\mydocumentdir\\mysubdir /home/myapp/mydocumentdir/mysubdir DOL_DATA_ROOT/ecm/ecmdir
FollowingSubstitutionKeysCanBeUsed= Enne dokumendimallide loomist loe wikis olevat dokumentatsiooni:
FullListOnOnlineDocumentation=http://wiki.dolibarr.org/index.php/Create_an_ODT_document_template
FirstnameNamePosition=Nimi/perekonnanimi ametikoht
@@ -406,7 +408,7 @@ UrlGenerationParameters=URLide turvamise parameetrid
SecurityTokenIsUnique=Kasuta iga URLi jaoks unikaalset turvalise võtme parameetrit
EnterRefToBuildUrl=Sisesta viide objektile %s
GetSecuredUrl=Saada arvutatud URL
-ButtonHideUnauthorized=Hide buttons for non-admin users for unauthorized actions instead of showing greyed disabled buttons
+ButtonHideUnauthorized=Hide unauthorized action buttons also for internal users (just greyed otherwise)
OldVATRates=Vana käibemaksumäär
NewVATRates=Uus käibemaksumäär
PriceBaseTypeToChange=Muuda hindadel, mille baasväärtus on defineeritud kui
@@ -1689,7 +1691,7 @@ NotTopTreeMenuPersonalized=Personalized menus not linked to a top menu entry
NewMenu=Uus menüü
MenuHandler=Menüü töötleja
MenuModule=Lähtekoodi moodul
-HideUnauthorizedMenu= Peida volitamata menüüd (hall)
+HideUnauthorizedMenu=Hide unauthorized menus also for internal users (just greyed otherwise)
DetailId=ID menüü
DetailMenuHandler=Menüü töötleja uue menüü asukoha jaoks
DetailMenuModule=Mooduli nimi, kui menüükanne tuleb moodulist
@@ -1983,11 +1985,12 @@ EMailHost=Host of email IMAP server
MailboxSourceDirectory=Mailbox source directory
MailboxTargetDirectory=Mailbox target directory
EmailcollectorOperations=Operations to do by collector
+EmailcollectorOperationsDesc=Operations are executed from top to bottom order
MaxEmailCollectPerCollect=Max number of emails collected per collect
CollectNow=Collect now
ConfirmCloneEmailCollector=Are you sure you want to clone the Email collector %s ?
-DateLastCollectResult=Date latest collect tried
-DateLastcollectResultOk=Date latest collect successfull
+DateLastCollectResult=Date of latest collect try
+DateLastcollectResultOk=Date of latest collect success
LastResult=Latest result
EmailCollectorConfirmCollectTitle=Email collect confirmation
EmailCollectorConfirmCollect=Do you want to run the collection for this collector now ?
@@ -2005,7 +2008,7 @@ WithDolTrackingID=Message from a conversation initiated by a first email sent fr
WithoutDolTrackingID=Message from a conversation initiated by a first email NOT sent from Dolibarr
WithDolTrackingIDInMsgId=Message sent from Dolibarr
WithoutDolTrackingIDInMsgId=Message NOT sent from Dolibarr
-CreateCandidature=Create candidature
+CreateCandidature=Create job application
FormatZip=Postiindeks
MainMenuCode=Menu entry code (mainmenu)
ECMAutoTree=Show automatic ECM tree
@@ -2083,3 +2086,7 @@ CountryIfSpecificToOneCountry=Country (if specific to a given country)
YouMayFindSecurityAdviceHere=You may find security advisory here
ModuleActivatedMayExposeInformation=This module may expose sensitive data. If you don't need it, disable it.
ModuleActivatedDoNotUseInProduction=A module designed for the development has been enabled. Do not enable it on a production environment.
+CombinationsSeparator=Separator character for product combinations
+SeeLinkToOnlineDocumentation=See link to online documention on top menu for examples
+SHOW_SUBPRODUCT_REF_IN_PDF=If the feature "%s" of module %s is used, show details of subproducts of a kit on PDF.
+AskThisIDToYourBank=Contact your bank to get this ID
diff --git a/htdocs/langs/et_EE/banks.lang b/htdocs/langs/et_EE/banks.lang
index 60e4f3457b4..a1bb7028a82 100644
--- a/htdocs/langs/et_EE/banks.lang
+++ b/htdocs/langs/et_EE/banks.lang
@@ -173,8 +173,8 @@ SEPAMandate=SEPA mandate
YourSEPAMandate=Your SEPA mandate
FindYourSEPAMandate=This is your SEPA mandate to authorize our company to make direct debit order to your bank. Return it signed (scan of the signed document) or send it by mail to
AutoReportLastAccountStatement=Automatically fill the field 'number of bank statement' with last statement number when making reconciliation
-CashControl=POS cash fence
-NewCashFence=New cash fence
+CashControl=POS cash desk control
+NewCashFence=New cash desk closing
BankColorizeMovement=Colorize movements
BankColorizeMovementDesc=If this function is enable, you can choose specific background color for debit or credit movements
BankColorizeMovementName1=Background color for debit movement
diff --git a/htdocs/langs/et_EE/blockedlog.lang b/htdocs/langs/et_EE/blockedlog.lang
index ac567943c5c..7b3480de3b1 100644
--- a/htdocs/langs/et_EE/blockedlog.lang
+++ b/htdocs/langs/et_EE/blockedlog.lang
@@ -35,7 +35,7 @@ logDON_DELETE=Donation logical deletion
logMEMBER_SUBSCRIPTION_CREATE=Member subscription created
logMEMBER_SUBSCRIPTION_MODIFY=Member subscription modified
logMEMBER_SUBSCRIPTION_DELETE=Member subscription logical deletion
-logCASHCONTROL_VALIDATE=Cash fence recording
+logCASHCONTROL_VALIDATE=Cash desk closing recording
BlockedLogBillDownload=Customer invoice download
BlockedLogBillPreview=Customer invoice preview
BlockedlogInfoDialog=Log Details
diff --git a/htdocs/langs/et_EE/boxes.lang b/htdocs/langs/et_EE/boxes.lang
index 7c9fca21f40..204b90f03ea 100644
--- a/htdocs/langs/et_EE/boxes.lang
+++ b/htdocs/langs/et_EE/boxes.lang
@@ -46,9 +46,12 @@ BoxTitleLastModifiedDonations=Latest %s modified donations
BoxTitleLastModifiedExpenses=Latest %s modified expense reports
BoxTitleLatestModifiedBoms=Latest %s modified BOMs
BoxTitleLatestModifiedMos=Latest %s modified Manufacturing Orders
+BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded
BoxGlobalActivity=Üldine tegevus (arved, pakkumised, tellimused)
BoxGoodCustomers=Good customers
BoxTitleGoodCustomers=%s Good customers
+BoxScheduledJobs=Plaanitud käivitused
+BoxTitleFunnelOfProspection=Lead funnel
FailedToRefreshDataInfoNotUpToDate=Failed to refresh RSS flux. Latest successful refresh date: %s
LastRefreshDate=Latest refresh date
NoRecordedBookmarks=Järjehoidjaid pole määratletud.
@@ -102,5 +105,7 @@ SuspenseAccountNotDefined=Suspense account isn't defined
BoxLastCustomerShipments=Last customer shipments
BoxTitleLastCustomerShipments=Latest %s customer shipments
NoRecordedShipments=No recorded customer shipment
+BoxCustomersOutstandingBillReached=Customers with oustanding limit reached
# Pages
AccountancyHome=Raamatupidamine
+ValidatedProjects=Validated projects
diff --git a/htdocs/langs/et_EE/cashdesk.lang b/htdocs/langs/et_EE/cashdesk.lang
index ce7e0354ab2..0f87e95779e 100644
--- a/htdocs/langs/et_EE/cashdesk.lang
+++ b/htdocs/langs/et_EE/cashdesk.lang
@@ -49,8 +49,8 @@ Footer=Footer
AmountAtEndOfPeriod=Amount at end of period (day, month or year)
TheoricalAmount=Theorical amount
RealAmount=Real amount
-CashFence=Cash fence
-CashFenceDone=Cash fence done for the period
+CashFence=Cash desk closing
+CashFenceDone=Cash desk closing done for the period
NbOfInvoices=Arveid
Paymentnumpad=Type of Pad to enter payment
Numberspad=Numbers Pad
@@ -99,8 +99,9 @@ CashDeskRefNumberingModules=Numbering module for POS sales
CashDeskGenericMaskCodes6 = {TN} tag is used to add the terminal number
TakeposGroupSameProduct=Group same products lines
StartAParallelSale=Start a new parallel sale
-ControlCashOpening=Control cash box at opening POS
-CloseCashFence=Close cash fence
+SaleStartedAt=Sale started at %s
+ControlCashOpening=Control cash popup at opening POS
+CloseCashFence=Close cash desk control
CashReport=Cash report
MainPrinterToUse=Main printer to use
OrderPrinterToUse=Order printer to use
@@ -122,3 +123,4 @@ GiftReceipt=Gift receipt
ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled first
AllowDelayedPayment=Allow delayed payment
PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts
+WeighingScale=Weighing scale
diff --git a/htdocs/langs/et_EE/categories.lang b/htdocs/langs/et_EE/categories.lang
index ac9524d0f0d..f288163f0d9 100644
--- a/htdocs/langs/et_EE/categories.lang
+++ b/htdocs/langs/et_EE/categories.lang
@@ -19,6 +19,7 @@ ProjectsCategoriesArea=Projects tags/categories area
UsersCategoriesArea=Users tags/categories area
SubCats=Sub-categories
CatList=List of tags/categories
+CatListAll=List of tags/categories (all types)
NewCategory=New tag/category
ModifCat=Modify tag/category
CatCreated=Tag/category created
@@ -65,16 +66,22 @@ UsersCategoriesShort=Users tags/categories
StockCategoriesShort=Warehouse tags/categories
ThisCategoryHasNoItems=This category does not contain any items.
CategId=Tag/category id
-CatSupList=List of vendor tags/categories
-CatCusList=List of customer/prospect tags/categories
+ParentCategory=Parent tag/category
+ParentCategoryLabel=Label of parent tag/category
+CatSupList=List of vendors tags/categories
+CatCusList=List of customers/prospects tags/categories
CatProdList=List of products tags/categories
CatMemberList=List of members tags/categories
-CatContactList=List of contact tags/categories
-CatSupLinks=Links between suppliers and tags/categories
+CatContactList=List of contacts tags/categories
+CatProjectsList=List of projects tags/categories
+CatUsersList=List of users tags/categories
+CatSupLinks=Links between vendors and tags/categories
CatCusLinks=Links between customers/prospects and tags/categories
CatContactsLinks=Links between contacts/addresses and tags/categories
CatProdLinks=Links between products/services and tags/categories
-CatProJectLinks=Links between projects and tags/categories
+CatMembersLinks=Links between members and tags/categories
+CatProjectsLinks=Links between projects and tags/categories
+CatUsersLinks=Links between users and tags/categories
DeleteFromCat=Remove from tags/category
ExtraFieldsCategories=Complementary attributes
CategoriesSetup=Tags/categories setup
diff --git a/htdocs/langs/et_EE/companies.lang b/htdocs/langs/et_EE/companies.lang
index 7689d22553b..6bafeb504b3 100644
--- a/htdocs/langs/et_EE/companies.lang
+++ b/htdocs/langs/et_EE/companies.lang
@@ -358,7 +358,7 @@ VATIntraCheckableOnEUSite=Check the intra-Community VAT ID on the European Commi
VATIntraManualCheck=You can also check manually on the European Commission website %s
ErrorVATCheckMS_UNAVAILABLE=Kontrollida pole võimalik. Kontrolli, et liikmesriik (%s) võimaldab teenust kasutada.
NorProspectNorCustomer=Not prospect, nor customer
-JuridicalStatus=Legal Entity Type
+JuridicalStatus=Business entity type
Workforce=Workforce
Staff=Töötajad
ProspectLevelShort=Potentsiaalne
diff --git a/htdocs/langs/et_EE/compta.lang b/htdocs/langs/et_EE/compta.lang
index 5be099381a7..35f06da633f 100644
--- a/htdocs/langs/et_EE/compta.lang
+++ b/htdocs/langs/et_EE/compta.lang
@@ -111,7 +111,7 @@ Refund=Tagasimakse
SocialContributionsPayments=Social/fiscal taxes payments
ShowVatPayment=Näita käibemaksu makset
TotalToPay=Kokku maksta
-BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted ascending on %s and filtered for 1 bank account
+BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted on %s and filtered on 1 bank account (with no other filters)
CustomerAccountancyCode=Customer accounting code
SupplierAccountancyCode=Vendor accounting code
CustomerAccountancyCodeShort=Cust. account. code
@@ -140,7 +140,7 @@ ConfirmDeleteSocialContribution=Are you sure you want to delete this social/fisc
ExportDataset_tax_1=Social and fiscal taxes and payments
CalcModeVATDebt=Režiim %stekkepõhise raamatupidamise KM%s.
CalcModeVATEngagement=Režiim %stulude-kulude KM%s.
-CalcModeDebt=Analysis of known recorded invoices even if they are not yet accounted in ledger.
+CalcModeDebt=Analysis of known recorded documents even if they are not yet accounted in ledger.
CalcModeEngagement=Analysis of known recorded payments, even if they are not yet accounted in Ledger.
CalcModeBookkeeping=Analysis of data journalized in Bookkeeping Ledger table.
CalcModeLT1= Mode %sRE on customer invoices - suppliers invoices%s
@@ -154,9 +154,9 @@ AnnualSummaryInputOutputMode=Tulude ja kulude saldo, aasta kokkuvõte
AnnualByCompanies=Balance of income and expenses, by predefined groups of account
AnnualByCompaniesDueDebtMode=Balance of income and expenses, detail by predefined groups, mode %sClaims-Debts%s said Commitment accounting.
AnnualByCompaniesInputOutputMode=Balance of income and expenses, detail by predefined groups, mode %sIncomes-Expenses%s said cash accounting.
-SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation on actual payments made even if they are not yet accounted in Ledger.
-SeeReportInDueDebtMode=See %sanalysis of invoices%s for a calculation based on known recorded invoices even if they are not yet accounted in Ledger.
-SeeReportInBookkeepingMode=See %sBookeeping report%s for a calculation on Bookkeeping Ledger table
+SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation based on recorded payments made even if they are not yet accounted in Ledger
+SeeReportInDueDebtMode=See %sanalysis of recorded documents%s for a calculation based on known recorded documents even if they are not yet accounted in Ledger
+SeeReportInBookkeepingMode=See %sanalysis of bookeeping ledger table%s for a report based on Bookkeeping Ledger table
RulesAmountWithTaxIncluded=- Näidatud summad sisaldavad kõiki makse
RulesResultDue=- It includes outstanding invoices, expenses, VAT, donations whether they are paid or not. Is also includes paid salaries. - It is based on the billing date of invoices and on the due date for expenses or tax payments. For salaries defined with Salary module, the value date of payment is used.
RulesResultInOut=- It includes the real payments made on invoices, expenses, VAT and salaries. - It is based on the payment dates of the invoices, expenses, VAT and salaries. The donation date for donation.
@@ -169,12 +169,15 @@ RulesResultBookkeepingPersonalized=It show record in your Ledger with accounting
SeePageForSetup=See menu %s for setup
DepositsAreNotIncluded=- Down payment invoices are not included
DepositsAreIncluded=- Down payment invoices are included
+LT1ReportByMonth=Tax 2 report by month
+LT2ReportByMonth=Tax 3 report by month
LT1ReportByCustomers=Report tax 2 by third party
LT2ReportByCustomers=Report tax 3 by third party
LT1ReportByCustomersES=Report by third party RE
LT2ReportByCustomersES=Kolmandate isikute IRPFi aruanne
VATReport=Sale tax report
VATReportByPeriods=Sale tax report by period
+VATReportByMonth=Sale tax report by month
VATReportByRates=Sale tax report by rates
VATReportByThirdParties=Sale tax report by third parties
VATReportByCustomers=Sale tax report by customer
diff --git a/htdocs/langs/et_EE/cron.lang b/htdocs/langs/et_EE/cron.lang
index edf8cd714cf..f727eb118fc 100644
--- a/htdocs/langs/et_EE/cron.lang
+++ b/htdocs/langs/et_EE/cron.lang
@@ -6,14 +6,15 @@ Permission23102 = Create/update Scheduled job
Permission23103 = Delete Scheduled job
Permission23104 = Execute Scheduled job
# Admin
-CronSetup= Plaanitavata programmide haldamise seadistamine
-URLToLaunchCronJobs=URL to check and launch qualified cron jobs
-OrToLaunchASpecificJob=Või mõne kindla programmi kontrollimiseks ja käivitamiseks
+CronSetup=Plaanitavata programmide haldamise seadistamine
+URLToLaunchCronJobs=URL to check and launch qualified cron jobs from a browser
+OrToLaunchASpecificJob=Or to check and launch a specific job from a browser
KeyForCronAccess=Croni käivitatavate programmide URLile ligipääsu turvavõti
FileToLaunchCronJobs=Command line to check and launch qualified cron jobs
CronExplainHowToRunUnix=On Unix environment you should use the following crontab entry to run the command line each 5 minutes
-CronExplainHowToRunWin=On Microsoft(tm) Windows environement you can use Scheduled task tools to run the command line each 5 minutes
+CronExplainHowToRunWin=On Microsoft(tm) Windows environment you can use Scheduled Task tools to run the command line each 5 minutes
CronMethodDoesNotExists=Class %s does not contains any method %s
+CronMethodNotAllowed=Method %s of class %s is in blacklist of forbidden methods
CronJobDefDesc=Cron job profiles are defined into the module descriptor file. When module is activated, they are loaded and available so you can administer the jobs from the admin tools menu %s.
CronJobProfiles=List of predefined cron job profiles
# Menu
@@ -42,10 +43,11 @@ CronModule=Moodul
CronNoJobs=Pole ühtki registreeritud programm
CronPriority=Prioriteet
CronLabel=Nimi
-CronNbRun=Käivituste arv
-CronMaxRun=Max number launch
+CronNbRun=Number of launches
+CronMaxRun=Maximum number of launches
CronEach=Iga
JobFinished=Tegevus käivitatud ja lõpetatud
+Scheduled=Scheduled
#Page card
CronAdd= Lisa programme
CronEvery=Execute job each
@@ -56,16 +58,16 @@ CronNote=Kommentaar
CronFieldMandatory=Välja %s täitmine on nõutud
CronErrEndDateStartDt=Lõppkuupäev ei saa olla alguskuupäevast varasem
StatusAtInstall=Status at module installation
-CronStatusActiveBtn=Lülita sisse
+CronStatusActiveBtn=Schedule
CronStatusInactiveBtn=Lülita välja
CronTaskInactive=See tegevus on välja lülitatud
CronId=ID
CronClassFile=Filename with class
-CronModuleHelp=Name of Dolibarr module directory (also work with external Dolibarr module). For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for module is product
-CronClassFileHelp=The relative path and file name to load (path is relative to web server root directory). For exemple to call the fetch method of Dolibarr Product object htdocs/product/class/product.class.php, the value for class file name is product/class/product.class.php
-CronObjectHelp=The object name to load. For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for class file name is Product
-CronMethodHelp=The object method to launch. For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for method is fetch
-CronArgsHelp=The method arguments. For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for paramters can be 0, ProductRef
+CronModuleHelp=Name of Dolibarr module directory (also work with external Dolibarr module). For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for module is product
+CronClassFileHelp=The relative path and file name to load (path is relative to web server root directory). For example to call the fetch method of Dolibarr Product object htdocs/product/class/product.class.php, the value for class file name is product/class/product.class.php
+CronObjectHelp=The object name to load. For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for class file name is Product
+CronMethodHelp=The object method to launch. For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for method is fetch
+CronArgsHelp=The method arguments. For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for paramters can be 0, ProductRef
CronCommandHelp=Käivitatav süsteemi käsk.
CronCreateJob=Create new Scheduled Job
CronFrom=Kellelt
@@ -76,8 +78,14 @@ CronType_method=Call method of a PHP Class
CronType_command=Käsurea käsk
CronCannotLoadClass=Cannot load class file %s (to use class %s)
CronCannotLoadObject=Class file %s was loaded, but object %s was not found into it
-UseMenuModuleToolsToAddCronJobs=Go into menu "Home - Admin tools - Scheduled jobs" to see and edit scheduled jobs.
+UseMenuModuleToolsToAddCronJobs=Go into menu "Home - Admin tools - Scheduled jobs" to see and edit scheduled jobs.
JobDisabled=Job disabled
MakeLocalDatabaseDumpShort=Local database backup
-MakeLocalDatabaseDump=Create a local database dump. Parameters are: compression ('gz' or 'bz' or 'none'), backup type ('mysql' or 'pgsql'), 1, 'auto' or filename to build, number of backup files to keep
+MakeLocalDatabaseDump=Create a local database dump. Parameters are: compression ('gz' or 'bz' or 'none'), backup type ('mysql', 'pgsql', 'auto'), 1, 'auto' or filename to build, number of backup files to keep
WarningCronDelayed=Attention, for performance purpose, whatever is next date of execution of enabled jobs, your jobs may be delayed to a maximum of %s hours, before being run.
+DATAPOLICYJob=Data cleaner and anonymizer
+JobXMustBeEnabled=Job %s must be enabled
+# Cron Boxes
+LastExecutedScheduledJob=Last executed scheduled job
+NextScheduledJobExecute=Next scheduled job to execute
+NumberScheduledJobError=Number of scheduled jobs in error
diff --git a/htdocs/langs/et_EE/errors.lang b/htdocs/langs/et_EE/errors.lang
index 11b82753a43..4d3ae37fabc 100644
--- a/htdocs/langs/et_EE/errors.lang
+++ b/htdocs/langs/et_EE/errors.lang
@@ -5,8 +5,10 @@ NoErrorCommitIsDone=Ühtegi viga ei ole, teostame
# Errors
ErrorButCommitIsDone=Esines vigu, kuid kinnitame sellest hoolimata
ErrorBadEMail=Email %s is wrong
+ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record)
ErrorBadUrl=URL %s on vale
ErrorBadValueForParamNotAString=Bad value for your parameter. It appends generally when translation is missing.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorLoginAlreadyExists=Kasutajanimi %s on juba olemas.
ErrorGroupAlreadyExists=Grupp %s on juba olemas.
ErrorRecordNotFound=Kirjet ei leitud.
@@ -48,6 +50,7 @@ ErrorFieldsRequired=Mõned nõutud väljad on täitmata.
ErrorSubjectIsRequired=The email topic is required
ErrorFailedToCreateDir=Kausta loomine ebaõnnestus. Kontrolli, et veebiserveri kasutajal on piisavalt õigusi Dolibarri dokumentide kausta kirjutamiseks. Kui PHP safe_mode parameeter on sisse lülitatud, siis kontrolli, et veebiserveri kasutaja (või grupp) on Dolibarri PHP failide omanik.
ErrorNoMailDefinedForThisUser=Antud kasutaja e-posti aadressi pole määratletud
+ErrorSetupOfEmailsNotComplete=Setup of emails is not complete
ErrorFeatureNeedJavascript=See funktsioon vajab töötamiseks JavaScripti sisse lülitamist. Muuda seadeid Seadistamine->Kuva menüüs.
ErrorTopMenuMustHaveAParentWithId0='Ülemine' tüüpi menüül ei saa olla emamenüüd. Sisesta emamenüü lahtrisse 0 või vali menüütüübiks 'Vasakul'.
ErrorLeftMenuMustHaveAParentId='Vasak' tüüpi menüül peab olema ema ID.
@@ -75,7 +78,7 @@ ErrorExportDuplicateProfil=This profile name already exists for this export set.
ErrorLDAPSetupNotComplete=Dolibarr-LDAP sobitamine ei ole täielik.
ErrorLDAPMakeManualTest=Kausta %s on loodud .ldif fail. Vigade kohta lisainfo saamiseks proovi selle käsitsi käsurealt laadimist.
ErrorCantSaveADoneUserWithZeroPercentage=Can't save an action with "status not started" if field "done by" is also filled.
-ErrorRefAlreadyExists=Loomiseks kasutatav viide on juba olemas.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorPleaseTypeBankTransactionReportName=Please enter the bank statement name where the entry has to be reported (Format YYYYMM or YYYYMMDD)
ErrorRecordHasChildren=Failed to delete record since it has some child records.
ErrorRecordHasAtLeastOneChildOfType=Object has at least one child of type %s
@@ -216,7 +219,7 @@ ErrorChooseBetweenFreeEntryOrPredefinedProduct=You must choose if article is a p
ErrorDiscountLargerThanRemainToPaySplitItBefore=The discount you try to apply is larger than remain to pay. Split the discount in 2 smaller discounts before.
ErrorFileNotFoundWithSharedLink=File was not found. May be the share key was modified or file was removed recently.
ErrorProductBarCodeAlreadyExists=The product barcode %s already exists on another product reference.
-ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using virtual product to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number.
+ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using kits to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number.
ErrorDescRequiredForFreeProductLines=Description is mandatory for lines with free product
ErrorAPageWithThisNameOrAliasAlreadyExists=The page/container %s has the same name or alternative alias that the one your try to use
ErrorDuringChartLoad=Error when loading chart of accounts. If few accounts were not loaded, you can still enter them manually.
@@ -243,6 +246,16 @@ ErrorReplaceStringEmpty=Error, the string to replace into is empty
ErrorProductNeedBatchNumber=Error, product '%s' need a lot/serial number
ErrorProductDoesNotNeedBatchNumber=Error, product '%s' does not accept a lot/serial number
ErrorFailedToReadObject=Error, failed to read object of type %s
+ErrorParameterMustBeEnabledToAllwoThisFeature=Error, parameter %s must be enabled into conf/conf.php to allow use of Command Line Interface by the internal job scheduler
+ErrorLoginDateValidity=Error, this login is outside the validity date range
+ErrorValueLength=Length of field '%s' must be higher than '%s'
+ErrorReservedKeyword=The word '%s' is a reserved keyword
+ErrorNotAvailableWithThisDistribution=Not available with this distribution
+ErrorPublicInterfaceNotEnabled=Public interface was not enabled
+ErrorLanguageRequiredIfPageIsTranslationOfAnother=The language of new page must be defined if it is set as a translation of another page
+ErrorLanguageMustNotBeSourceLanguageIfPageIsTranslationOfAnother=The language of new page must not be the source language if it is set as a translation of another page
+ErrorAParameterIsRequiredForThisOperation=A parameter is mandatory for this operation
+
# Warnings
WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup.
WarningPasswordSetWithNoAccount=A password was set for this member. However, no user account was created. So this password is stored but can't be used to login to Dolibarr. It may be used by an external module/interface but if you don't need to define any login nor password for a member, you can disable option "Manage a login for each member" from Member module setup. If you need to manage a login but don't need any password, you can keep this field empty to avoid this warning. Note: Email can also be used as a login if the member is linked to a user.
@@ -267,6 +280,10 @@ WarningYourLoginWasModifiedPleaseLogin=Your login was modified. For security pur
WarningAnEntryAlreadyExistForTransKey=An entry already exists for the translation key for this language
WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different recipient is limited to %s when using the mass actions on lists
WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report
+WarningProjectDraft=Project is still in draft mode. Don't forget to validate it if you plan to use tasks.
WarningProjectClosed=Project is closed. You must re-open it first.
WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list.
-WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table
+WarningFailedToAddFileIntoDatabaseIndex=Warning, failed to add file entry into ECM database index table
+WarningTheHiddenOptionIsOn=Warning, the hidden option %s is on.
+WarningCreateSubAccounts=Warning, you can't create directly a sub account, you must create a third party or an user and assign them an accounting code to find them in this list
+WarningAvailableOnlyForHTTPSServers=Available only if using HTTPS secured connection.
diff --git a/htdocs/langs/et_EE/exports.lang b/htdocs/langs/et_EE/exports.lang
index 516ee5c69c2..ed1048c18f3 100644
--- a/htdocs/langs/et_EE/exports.lang
+++ b/htdocs/langs/et_EE/exports.lang
@@ -26,6 +26,8 @@ FieldTitle=Välja nimi
NowClickToGenerateToBuildExportFile=Now, select the file format in the combo box and click on "Generate" to build the export file...
AvailableFormats=Available Formats
LibraryShort=Teek
+ExportCsvSeparator=Csv caracter separator
+ImportCsvSeparator=Csv caracter separator
Step=Samm
FormatedImport=Import Assistant
FormatedImportDesc1=This module allows you to update existing data or add new objects into the database from a file without technical knowledge, using an assistant.
@@ -131,3 +133,4 @@ KeysToUseForUpdates=Key (column) to use for updating existing data
NbInsert=Number of inserted lines: %s
NbUpdate=Number of updated lines: %s
MultipleRecordFoundWithTheseFilters=Multiple records have been found with these filters: %s
+StocksWithBatch=Stocks and location (warehouse) of products with batch/serial number
diff --git a/htdocs/langs/et_EE/mails.lang b/htdocs/langs/et_EE/mails.lang
index bd62e283b06..9f3afdb2f66 100644
--- a/htdocs/langs/et_EE/mails.lang
+++ b/htdocs/langs/et_EE/mails.lang
@@ -92,6 +92,7 @@ MailingModuleDescEmailsFromUser=Emails input by user
MailingModuleDescDolibarrUsers=Users with Emails
MailingModuleDescThirdPartiesByCategories=Third parties (by categories)
SendingFromWebInterfaceIsNotAllowed=Sending from web interface is not allowed.
+EmailCollectorFilterDesc=All filters must match to have an email being collected
# Libelle des modules de liste de destinataires mailing
LineInFile=Rida %s failis
@@ -125,12 +126,13 @@ TagMailtoEmail=Recipient Email (including html "mailto:" link)
NoEmailSentBadSenderOrRecipientEmail=No email sent. Bad sender or recipient email. Verify user profile.
# Module Notifications
Notifications=Teated
-NoNotificationsWillBeSent=Selle tegevuse ja ettevõttega ei ole plaanis saata ühtki e-kirja teadet
-ANotificationsWillBeSent=E-posti teel saadetakse 1 teade
-SomeNotificationsWillBeSent=E-posti teel saadetakse %s teadet
-AddNewNotification=Activate a new email notification target/event
-ListOfActiveNotifications=List all active targets/events for email notification
-ListOfNotificationsDone=Loetle kõik saadetud e-posti teated
+NotificationsAuto=Notifications Auto.
+NoNotificationsWillBeSent=No automatic email notifications are planned for this event type and company
+ANotificationsWillBeSent=1 automatic notification will be sent by email
+SomeNotificationsWillBeSent=%s automatic notifications will be sent by email
+AddNewNotification=Subscribe to a new automatic email notification (target/event)
+ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification
+ListOfNotificationsDone=List all automatic email notifications sent
MailSendSetupIs=Configuration of email sending has been setup to '%s'. This mode can't be used to send mass emailing.
MailSendSetupIs2=You must first go, with an admin account, into menu %sHome - Setup - EMails%s to change parameter '%s' to use mode '%s'. With this mode, you can enter setup of the SMTP server provided by your Internet Service Provider and use Mass emailing feature.
MailSendSetupIs3=If you have any questions on how to setup your SMTP server, you can ask to %s.
@@ -140,7 +142,7 @@ UseFormatFileEmailToTarget=Imported file must have format email;name;fir
UseFormatInputEmailToTarget=Enter a string with format email;name;firstname;other
MailAdvTargetRecipients=Recipients (advanced selection)
AdvTgtTitle=Fill input fields to preselect the third parties or contacts/addresses to target
-AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima% will target all jean, joe, start with jim but not jimo and not everything that starts with jima
+AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima%% will target all jean, joe, start with jim but not jimo and not everything that starts with jima
AdvTgtSearchIntHelp=Use interval to select int or float value
AdvTgtMinVal=Minimum value
AdvTgtMaxVal=Maximum value
@@ -162,13 +164,14 @@ AdvTgtCreateFilter=Create filter
AdvTgtOrCreateNewFilter=Name of new filter
NoContactWithCategoryFound=No contact/address with a category found
NoContactLinkedToThirdpartieWithCategoryFound=No contact/address with a category found
-OutGoingEmailSetup=Outgoing email setup
-InGoingEmailSetup=Incoming email setup
-OutGoingEmailSetupForEmailing=Outgoing email setup (for module %s)
-DefaultOutgoingEmailSetup=Default outgoing email setup
+OutGoingEmailSetup=Outgoing emails
+InGoingEmailSetup=Incoming emails
+OutGoingEmailSetupForEmailing=Outgoing emails (for module %s)
+DefaultOutgoingEmailSetup=Same configuration than the global Outgoing email setup
Information=Informatsioon
ContactsWithThirdpartyFilter=Contacts with third-party filter
Unanswered=Unanswered
Answered=Answered
IsNotAnAnswer=Is not answer (initial email)
IsAnAnswer=Is an answer of an initial email
+RecordCreatedByEmailCollector=Record created by the Email Collector %s from email %s
diff --git a/htdocs/langs/et_EE/main.lang b/htdocs/langs/et_EE/main.lang
index 813ad00b669..14a0599dabe 100644
--- a/htdocs/langs/et_EE/main.lang
+++ b/htdocs/langs/et_EE/main.lang
@@ -28,7 +28,9 @@ NoTemplateDefined=No template available for this email type
AvailableVariables=Available substitution variables
NoTranslation=Tõlge puudub
Translation=Tõlge
+CurrentTimeZone=PHP ajavöönd (serveri ajavöönd)
EmptySearchString=Enter non empty search criterias
+EnterADateCriteria=Enter a date criteria
NoRecordFound=Kirjet ei leitud
NoRecordDeleted=No record deleted
NotEnoughDataYet=Pole piisavalt andmeid
@@ -85,6 +87,8 @@ FileWasNotUploaded=Fail on valitud manustamiseks, kuid on veel üles laadimata.
NbOfEntries=No. of entries
GoToWikiHelpPage=Read online help (Internet access needed)
GoToHelpPage=Loe abi
+DedicatedPageAvailable=There is a dedicated help page related to your current screen
+HomePage=Home Page
RecordSaved=Kirje salvestatud
RecordDeleted=Kirje kustutatud
RecordGenerated=Record generated
@@ -433,6 +437,7 @@ RemainToPay=Remain to pay
Module=Module/Application
Modules=Modules/Applications
Option=Valik
+Filters=Filters
List=Nimekiri
FullList=Täielik nimekiri
FullConversation=Full conversation
@@ -671,7 +676,7 @@ SendMail=Saada e-kiri
Email=E-post
NoEMail=E-posti aadress puudub
AlreadyRead=Already read
-NotRead=Not read
+NotRead=Unread
NoMobilePhone=Mobiiltelefon puudub
Owner=Omanik
FollowingConstantsWillBeSubstituted=Järgnevad konstandid asendatakse vastavate väärtustega.
@@ -1107,3 +1112,8 @@ UpToDate=Up-to-date
OutOfDate=Out-of-date
EventReminder=Event Reminder
UpdateForAllLines=Update for all lines
+OnHold=On hold
+AffectTag=Affect Tag
+ConfirmAffectTag=Bulk Tag Affect
+ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected record(s)?
+CategTypeNotFound=No tag type found for type of records
diff --git a/htdocs/langs/et_EE/modulebuilder.lang b/htdocs/langs/et_EE/modulebuilder.lang
index 460aef8103b..845dd12624d 100644
--- a/htdocs/langs/et_EE/modulebuilder.lang
+++ b/htdocs/langs/et_EE/modulebuilder.lang
@@ -40,6 +40,7 @@ PageForCreateEditView=PHP page to create/edit/view a record
PageForAgendaTab=PHP page for event tab
PageForDocumentTab=PHP page for document tab
PageForNoteTab=PHP page for note tab
+PageForContactTab=PHP page for contact tab
PathToModulePackage=Path to zip of module/application package
PathToModuleDocumentation=Path to file of module/application documentation (%s)
SpaceOrSpecialCharAreNotAllowed=Spaces or special characters are not allowed.
@@ -77,7 +78,7 @@ IsAMeasure=Is a measure
DirScanned=Directory scanned
NoTrigger=No trigger
NoWidget=No widget
-GoToApiExplorer=Go to API explorer
+GoToApiExplorer=API explorer
ListOfMenusEntries=List of menu entries
ListOfDictionariesEntries=List of dictionaries entries
ListOfPermissionsDefined=List of defined permissions
@@ -105,7 +106,7 @@ TryToUseTheModuleBuilder=If you have knowledge of SQL and PHP, you may use the n
SeeTopRightMenu=See on the top right menu
AddLanguageFile=Add language file
YouCanUseTranslationKey=You can use here a key that is the translation key found into language file (see tab "Languages")
-DropTableIfEmpty=(Delete table if empty)
+DropTableIfEmpty=(Destroy table if empty)
TableDoesNotExists=The table %s does not exists
TableDropped=Table %s deleted
InitStructureFromExistingTable=Build the structure array string of an existing table
@@ -126,7 +127,6 @@ UseSpecificEditorURL = Use a specific editor URL
UseSpecificFamily = Use a specific family
UseSpecificAuthor = Use a specific author
UseSpecificVersion = Use a specific initial version
-ModuleMustBeEnabled=The module/application must be enabled first
IncludeRefGeneration=The reference of object must be generated automatically
IncludeRefGenerationHelp=Check this if you want to include code to manage the generation automatically of the reference
IncludeDocGeneration=I want to generate some documents from the object
@@ -140,3 +140,4 @@ TypeOfFieldsHelp=Type of fields: varchar(99), double(24,8), real, text, html,
AsciiToHtmlConverter=Ascii to HTML converter
AsciiToPdfConverter=Ascii to PDF converter
TableNotEmptyDropCanceled=Table not empty. Drop has been canceled.
+ModuleBuilderNotAllowed=The module builder is available but not allowed to your user.
diff --git a/htdocs/langs/et_EE/other.lang b/htdocs/langs/et_EE/other.lang
index a1aa2f9a67b..40c748ce837 100644
--- a/htdocs/langs/et_EE/other.lang
+++ b/htdocs/langs/et_EE/other.lang
@@ -5,8 +5,6 @@ Tools=Tööriistad
TMenuTools=Tööriistad
ToolsDesc=All tools not included in other menu entries are grouped here. All the tools can be accessed via the left menu.
Birthday=Sünnipäev
-BirthdayDate=Birthday date
-DateToBirth=Birth date
BirthdayAlertOn=sünnipäeva hoiatus aktiivne
BirthdayAlertOff=sünnipäeva hoiatus mitteaktiivne
TransKey=Translation of the key TransKey
@@ -16,6 +14,8 @@ PreviousMonthOfInvoice=Previous month (number 1-12) of invoice date
TextPreviousMonthOfInvoice=Previous month (text) of invoice date
NextMonthOfInvoice=Following month (number 1-12) of invoice date
TextNextMonthOfInvoice=Following month (text) of invoice date
+PreviousMonth=Previous month
+CurrentMonth=Current month
ZipFileGeneratedInto=Zip file generated into %s.
DocFileGeneratedInto=Doc file generated into %s.
JumpToLogin=Disconnected. Go to login page...
@@ -99,6 +99,7 @@ PredefinedMailContentSendShipping=__(Hello)__\n\nPlease find shipping __REF__ at
PredefinedMailContentSendFichInter=__(Hello)__\n\nPlease find intervention __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.\n\n%s\n\n
PredefinedMailContentGeneric=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
+PredefinedMailContentSendActionComm=Event reminder "__EVENT_LABEL__" on __EVENT_DATE__ at __EVENT_TIME__
This is an automatic message, please do not reply.
DemoDesc=Dolibarr is a compact ERP/CRM supporting several business modules. A demo showcasing all modules makes no sense as this scenario never occurs (several hundred available). So, several demo profiles are available.
ChooseYourDemoProfil=Choose the demo profile that best suits your needs...
ChooseYourDemoProfilMore=...or build your own profile (manual module selection)
@@ -137,7 +138,7 @@ Right=Parem
CalculatedWeight=Arvutuslik kaal
CalculatedVolume=Arvutuslik ruumala
Weight=Kaal
-WeightUnitton=tonne
+WeightUnitton=ton
WeightUnitkg=kg
WeightUnitg=g
WeightUnitmg=mg
@@ -258,6 +259,7 @@ ContactCreatedByEmailCollector=Contact/address created by email collector from e
ProjectCreatedByEmailCollector=Project created by email collector from email MSGID %s
TicketCreatedByEmailCollector=Ticket created by email collector from email MSGID %s
OpeningHoursFormatDesc=Use a - to separate opening and closing hours. Use a space to enter different ranges. Example: 8-12 14-18
+PrefixSession=Prefix for session ID
##### Export #####
ExportsArea=Ekspordi ala
diff --git a/htdocs/langs/et_EE/products.lang b/htdocs/langs/et_EE/products.lang
index 9cd6afef593..1ae6f48c83c 100644
--- a/htdocs/langs/et_EE/products.lang
+++ b/htdocs/langs/et_EE/products.lang
@@ -108,7 +108,8 @@ FillWithLastServiceDates=Fill with last service line dates
MultiPricesAbility=Multiple price segments per product/service (each customer is in one price segment)
MultiPricesNumPrices=Hindasid
DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices
-AssociatedProductsAbility=Activate kits (virtual products)
+AssociatedProductsAbility=Enable Kits (set of other products)
+VariantsAbility=Enable Variants (variations of products, for example color, size)
AssociatedProducts=Kits
AssociatedProductsNumber=Number of products composing this kit
ParentProductsNumber=Number of parent packaging product
@@ -167,8 +168,10 @@ BuyingPrices=Buying prices
CustomerPrices=Customer prices
SuppliersPrices=Vendor prices
SuppliersPricesOfProductsOrServices=Vendor prices (of products or services)
-CustomCode=Customs / Commodity / HS code
+CustomCode=Customs|Commodity|HS code
CountryOrigin=Päritolumaa
+RegionStateOrigin=Region origin
+StateOrigin=State|Province origin
Nature=Nature of product (material/finished)
NatureOfProductShort=Nature of product
NatureOfProductDesc=Raw material or finished product
@@ -239,7 +242,7 @@ AlwaysUseFixedPrice=Kasuta fikseeritud hinda
PriceByQuantity=Different prices by quantity
DisablePriceByQty=Disable prices by quantity
PriceByQuantityRange=Koguse ulatus
-MultipriceRules=Price segment rules
+MultipriceRules=Automatic prices for segment
UseMultipriceRules=Use price segment rules (defined into product module setup) to auto calculate prices of all other segments according to first segment
PercentVariationOver=%% variation over %s
PercentDiscountOver=%% discount over %s
diff --git a/htdocs/langs/et_EE/recruitment.lang b/htdocs/langs/et_EE/recruitment.lang
index 8f3197e0311..1f6dab3f416 100644
--- a/htdocs/langs/et_EE/recruitment.lang
+++ b/htdocs/langs/et_EE/recruitment.lang
@@ -73,3 +73,4 @@ JobClosedTextCandidateFound=The job position is closed. The position has been fi
JobClosedTextCanceled=The job position is closed.
ExtrafieldsJobPosition=Complementary attributes (job positions)
ExtrafieldsCandidatures=Complementary attributes (job applications)
+MakeOffer=Make an offer
diff --git a/htdocs/langs/et_EE/sendings.lang b/htdocs/langs/et_EE/sendings.lang
index ec6b68fa3ea..92c76b98f03 100644
--- a/htdocs/langs/et_EE/sendings.lang
+++ b/htdocs/langs/et_EE/sendings.lang
@@ -30,6 +30,7 @@ OtherSendingsForSameOrder=Tellimusega seotud teised saadetised
SendingsAndReceivingForSameOrder=Shipments and receipts for this order
SendingsToValidate=Kinnitamast vajavad saadetised
StatusSendingCanceled=Tühistatud
+StatusSendingCanceledShort=Tühistatud
StatusSendingDraft=Mustand
StatusSendingValidated=Kinnitatud (väljastamisele minevad või juba väljastatud kaubad)
StatusSendingProcessed=Töödeldud
@@ -65,6 +66,7 @@ ValidateOrderFirstBeforeShipment=You must first validate the order before being
# Sending methods
# ModelDocument
DocumentModelTyphon=Täiuslikum saatelehtede dokumendi mudel (logo jne)
+DocumentModelStorm=More complete document model for delivery receipts and extrafields compatibility (logo...)
Error_EXPEDITION_ADDON_NUMBER_NotDefined=Konstant EXPEDITION_ADDON_NUMBER on määratlemata
SumOfProductVolumes=Toodete ruumala summa
SumOfProductWeights=Toodete kaalude summa
diff --git a/htdocs/langs/et_EE/stocks.lang b/htdocs/langs/et_EE/stocks.lang
index 51bb0035e42..fd742bbe14a 100644
--- a/htdocs/langs/et_EE/stocks.lang
+++ b/htdocs/langs/et_EE/stocks.lang
@@ -240,3 +240,4 @@ InventoryRealQtyHelp=Set value to 0 to reset qty Keep field empty, or remove
UpdateByScaning=Update by scaning
UpdateByScaningProductBarcode=Update by scan (product barcode)
UpdateByScaningLot=Update by scan (lot|serial barcode)
+DisableStockChangeOfSubProduct=Deactivate the stock change for all the subproducts of this Kit during this movement.
diff --git a/htdocs/langs/et_EE/ticket.lang b/htdocs/langs/et_EE/ticket.lang
index 6ebd80a96c2..fd7ed8ea019 100644
--- a/htdocs/langs/et_EE/ticket.lang
+++ b/htdocs/langs/et_EE/ticket.lang
@@ -31,10 +31,8 @@ TicketDictType=Ticket - Types
TicketDictCategory=Ticket - Groupes
TicketDictSeverity=Ticket - Severities
TicketDictResolution=Ticket - Resolution
-TicketTypeShortBUGSOFT=Dysfonctionnement logiciel
-TicketTypeShortBUGHARD=Dysfonctionnement matériel
-TicketTypeShortCOM=Commercial question
+TicketTypeShortCOM=Commercial question
TicketTypeShortHELP=Request for functionnal help
TicketTypeShortISSUE=Issue, bug or problem
TicketTypeShortREQUEST=Change or enhancement request
@@ -44,7 +42,7 @@ TicketTypeShortOTHER=Muu
TicketSeverityShortLOW=Madal
TicketSeverityShortNORMAL=Normal
TicketSeverityShortHIGH=Kõrge
-TicketSeverityShortBLOCKING=Critical/Blocking
+TicketSeverityShortBLOCKING=Critical, Blocking
ErrorBadEmailAddress=Field '%s' incorrect
MenuTicketMyAssign=My tickets
@@ -60,7 +58,6 @@ OriginEmail=Email source
Notify_TICKET_SENTBYMAIL=Send ticket message by email
# Status
-NotRead=Not read
Read=Loe
Assigned=Assigned
InProgress=In progress
@@ -126,6 +123,7 @@ TicketsActivatePublicInterfaceHelp=Public interface allow any visitors to create
TicketsAutoAssignTicket=Automatically assign the user who created the ticket
TicketsAutoAssignTicketHelp=When creating a ticket, the user can be automatically assigned to the ticket.
TicketNumberingModules=Tickets numbering module
+TicketsModelModule=Document templates for tickets
TicketNotifyTiersAtCreation=Notify third party at creation
TicketsDisableCustomerEmail=Always disable emails when a ticket is created from public interface
TicketsPublicNotificationNewMessage=Send email(s) when a new message is added
@@ -233,7 +231,6 @@ TicketLogStatusChanged=Status changed: %s to %s
TicketNotNotifyTiersAtCreate=Not notify company at create
Unread=Unread
TicketNotCreatedFromPublicInterface=Not available. Ticket was not created from public interface.
-PublicInterfaceNotEnabled=Public interface was not enabled
ErrorTicketRefRequired=Ticket reference name is required
#
diff --git a/htdocs/langs/et_EE/website.lang b/htdocs/langs/et_EE/website.lang
index b1d332fe020..780b74ae7da 100644
--- a/htdocs/langs/et_EE/website.lang
+++ b/htdocs/langs/et_EE/website.lang
@@ -30,7 +30,6 @@ EditInLine=Edit inline
AddWebsite=Add website
Webpage=Web page/container
AddPage=Add page/container
-HomePage=Home Page
PageContainer=Lehekülg
PreviewOfSiteNotYetAvailable=Preview of your website %s not yet available. You must first 'Import a full website template' or just 'Add a page/container'.
RequestedPageHasNoContentYet=Requested page with id %s has no content yet, or cache file .tpl.php was removed. Edit content of the page to solve this.
@@ -101,7 +100,7 @@ EmptyPage=Empty page
ExternalURLMustStartWithHttp=External URL must start with http:// or https://
ZipOfWebsitePackageToImport=Upload the Zip file of the website template package
ZipOfWebsitePackageToLoad=or Choose an available embedded website template package
-ShowSubcontainers=Include dynamic content
+ShowSubcontainers=Show dynamic content
InternalURLOfPage=Internal URL of page
ThisPageIsTranslationOf=This page/container is a translation of
ThisPageHasTranslationPages=This page/container has translation
@@ -137,3 +136,4 @@ RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using
PagesRegenerated=%s page(s)/container(s) regenerated
RegenerateWebsiteContent=Regenerate web site cache files
AllowedInFrames=Allowed in Frames
+DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languages into web site properties.
diff --git a/htdocs/langs/et_EE/withdrawals.lang b/htdocs/langs/et_EE/withdrawals.lang
index f1edf12b9b0..91462e241a0 100644
--- a/htdocs/langs/et_EE/withdrawals.lang
+++ b/htdocs/langs/et_EE/withdrawals.lang
@@ -42,6 +42,7 @@ LastWithdrawalReceipt=Latest %s direct debit receipts
MakeWithdrawRequest=Make a direct debit payment request
MakeBankTransferOrder=Make a credit transfer request
WithdrawRequestsDone=%s direct debit payment requests recorded
+BankTransferRequestsDone=%s credit transfer requests recorded
ThirdPartyBankCode=Third-party bank code
NoInvoiceCouldBeWithdrawed=No invoice debited successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s.
ClassCredited=Määra krediteerituks
@@ -131,7 +132,8 @@ SEPARCUR=SEPA CUR
SEPAFRST=SEPA FRST
ExecutionDate=Execution date
CreateForSepa=Create direct debit file
-ICS=Creditor Identifier CI
+ICS=Creditor Identifier CI for direct debit
+ICSTransfer=Creditor Identifier CI for bank transfer
END_TO_END="EndToEndId" SEPA XML tag - Unique id assigned per transaction
USTRD="Unstructured" SEPA XML tag
ADDDAYS=Add days to Execution Date
@@ -146,3 +148,4 @@ InfoRejectSubject=Direct debit payment order refused
InfoRejectMessage=Hello,
the direct debit payment order of invoice %s related to the company %s, with an amount of %s has been refused by the bank.
-- %s
ModeWarning=Tootmisrežiim ei olnud seadistatud, pärast seda peatatakse simulatsioon
ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know wich one to use.
+ErrorICSmissing=Missing ICS in Bank account %s
diff --git a/htdocs/langs/eu_ES/accountancy.lang b/htdocs/langs/eu_ES/accountancy.lang
index 3211a0b62df..33ba4d9fea7 100644
--- a/htdocs/langs/eu_ES/accountancy.lang
+++ b/htdocs/langs/eu_ES/accountancy.lang
@@ -48,6 +48,7 @@ CountriesExceptMe=All countries except %s
AccountantFiles=Export source documents
ExportAccountingSourceDocHelp=With this tool, you can export the source events (list and PDFs) that were used to generate your accountancy. To export your journals, use the menu entry %s - %s.
VueByAccountAccounting=View by accounting account
+VueBySubAccountAccounting=View by accounting subaccount
MainAccountForCustomersNotDefined=Main accounting account for customers not defined in setup
MainAccountForSuppliersNotDefined=Main accounting account for vendors not defined in setup
@@ -144,7 +145,7 @@ NotVentilatedinAccount=Not bound to the accounting account
XLineSuccessfullyBinded=%s products/services successfully bound to an accounting account
XLineFailedToBeBinded=%s products/services were not bound to any accounting account
-ACCOUNTING_LIMIT_LIST_VENTILATION=Number of elements to bind shown by page (maximum recommended: 50)
+ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50)
ACCOUNTING_LIST_SORT_VENTILATION_TODO=Begin the sorting of the page "Binding to do" by the most recent elements
ACCOUNTING_LIST_SORT_VENTILATION_DONE=Begin the sorting of the page "Binding done" by the most recent elements
@@ -198,7 +199,8 @@ Docdate=Date
Docref=Reference
LabelAccount=Label account
LabelOperation=Label operation
-Sens=Sens
+Sens=Direction
+AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received For an accounting account of a supplier, use Debit to record a payment you make
LetteringCode=Lettering code
Lettering=Lettering
Codejournal=Journal
@@ -206,7 +208,8 @@ JournalLabel=Journal label
NumPiece=Piece number
TransactionNumShort=Num. transaction
AccountingCategory=Personalized groups
-GroupByAccountAccounting=Group by accounting account
+GroupByAccountAccounting=Group by general ledger account
+GroupBySubAccountAccounting=Group by subledger account
AccountingAccountGroupsDesc=You can define here some groups of accounting account. They will be used for personalized accounting reports.
ByAccounts=By accounts
ByPredefinedAccountGroups=By predefined groups
@@ -248,7 +251,7 @@ PaymentsNotLinkedToProduct=Payment not linked to any product / service
OpeningBalance=Opening balance
ShowOpeningBalance=Show opening balance
HideOpeningBalance=Hide opening balance
-ShowSubtotalByGroup=Show subtotal by group
+ShowSubtotalByGroup=Show subtotal by level
Pcgtype=Group of account
PcgtypeDesc=Group of account are used as predefined 'filter' and 'grouping' criteria for some accounting reports. For example, 'INCOME' or 'EXPENSE' are used as groups for accounting accounts of products to build the expense/income report.
@@ -271,11 +274,13 @@ DescVentilExpenseReport=Consult here the list of expense report lines bound (or
DescVentilExpenseReportMore=If you setup accounting account on type of expense report lines, the application will be able to make all the binding between your expense report lines and the accounting account of your chart of accounts, just in one click with the button "%s". If account was not set on fees dictionary or if you still have some lines not bound to any account, you will have to make a manual binding from the menu "%s".
DescVentilDoneExpenseReport=Consult here the list of the lines of expenses reports and their fees accounting account
+Closure=Annual closure
DescClosure=Consult here the number of movements by month who are not validated & fiscal years already open
OverviewOfMovementsNotValidated=Step 1/ Overview of movements not validated. (Necessary to close a fiscal year)
+AllMovementsWereRecordedAsValidated=All movements were recorded as validated
+NotAllMovementsCouldBeRecordedAsValidated=Not all movements could be recorded as validated
ValidateMovements=Validate movements
DescValidateMovements=Any modification or deletion of writing, lettering and deletes will be prohibited. All entries for an exercise must be validated otherwise closing will not be possible
-SelectMonthAndValidate=Select month and validate movements
ValidateHistory=Bind Automatically
AutomaticBindingDone=Automatic binding done
@@ -293,6 +298,7 @@ Accounted=Accounted in ledger
NotYetAccounted=Not yet accounted in ledger
ShowTutorial=Show Tutorial
NotReconciled=Not reconciled
+WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view
## Admin
BindingOptions=Binding options
@@ -337,6 +343,7 @@ Modelcsv_LDCompta10=Export for LD Compta (v10 & higher)
Modelcsv_openconcerto=Export for OpenConcerto (Test)
Modelcsv_configurable=Export CSV Configurable
Modelcsv_FEC=Export FEC
+Modelcsv_FEC2=Export FEC (With dates generation writing / document reversed)
Modelcsv_Sage50_Swiss=Export for Sage 50 Switzerland
Modelcsv_winfic=Export Winfic - eWinfic - WinSis Compta
Modelcsv_Gestinumv3=Export for Gestinum (v3)
diff --git a/htdocs/langs/eu_ES/admin.lang b/htdocs/langs/eu_ES/admin.lang
index 4e1e3f4f917..2c22dcf86db 100644
--- a/htdocs/langs/eu_ES/admin.lang
+++ b/htdocs/langs/eu_ES/admin.lang
@@ -56,6 +56,8 @@ GUISetup=Itxura
SetupArea=Konfigurazioa
UploadNewTemplate=Upload new template(s)
FormToTestFileUploadForm=Form to test file upload (according to setup)
+ModuleMustBeEnabled=The module/application %s must be enabled
+ModuleIsEnabled=The module/application %s has been enabled
IfModuleEnabled=Note: yes is effective only if module %s is enabled
RemoveLock=Remove/rename file %s if it exists, to allow usage of the Update/Install tool.
RestoreLock=Restore file %s, with read permission only, to disable any further use of the Update/Install tool.
@@ -85,7 +87,6 @@ ShowPreview=Aurreikuspena aurkeztu
ShowHideDetails=Show-Hide details
PreviewNotAvailable=Aurreikuspena ez dago eskuragarri
ThemeCurrentlyActive=Aktibatuta dagoen gaia
-CurrentTimeZone=TimeZone PHP (zerbitzaria)
MySQLTimeZone=TimeZone MySql (database)
TZHasNoEffect=Dates are stored and returned by database server as if they were kept as submitted string. The timezone has effect only when using the UNIX_TIMESTAMP function (that should not be used by Dolibarr, so database TZ should have no effect, even if changed after data was entered).
Space=Space
@@ -153,8 +154,8 @@ SystemToolsAreaDesc=This area provides administration functions. Use the menu to
Purge=Garbitu
PurgeAreaDesc=This page allows you to delete all files generated or stored by Dolibarr (temporary files or all files in %s directory). Using this feature is not normally necessary. It is provided as a workaround for users whose Dolibarr is hosted by a provider that does not offer permissions to delete files generated by the web server.
PurgeDeleteLogFile=Delete log files, including %s defined for Syslog module (no risk of losing data)
-PurgeDeleteTemporaryFiles=Delete all temporary files (no risk of losing data). Note: Deletion is done only if the temp directory was created 24 hours ago.
-PurgeDeleteTemporaryFilesShort=Delete temporary files
+PurgeDeleteTemporaryFiles=Delete all log and temporary files (no risk of losing data). Note: Deletion of temporary files is done only if the temp directory was created more than 24 hours ago.
+PurgeDeleteTemporaryFilesShort=Delete log and temporary files
PurgeDeleteAllFilesInDocumentsDir=Delete all files in directory: %s. This will delete all generated documents related to elements (third parties, invoices etc...), files uploaded into the ECM module, database backup dumps and temporary files.
PurgeRunNow=Orain garbitu
PurgeNothingToDelete=No directory or files to delete.
@@ -256,6 +257,7 @@ ReferencedPreferredPartners=Preferred Partners
OtherResources=Other resources
ExternalResources=External Resources
SocialNetworks=Social Networks
+SocialNetworkId=Social Network ID
ForDocumentationSeeWiki=For user or developer documentation (Doc, FAQs...), take a look at the Dolibarr Wiki: %s
ForAnswersSeeForum=For any other questions/help, you can use the Dolibarr forum: %s
HelpCenterDesc1=Here are some resources for getting help and support with Dolibarr.
@@ -375,7 +377,7 @@ ExamplesWithCurrentSetup=Examples with current configuration
ListOfDirectories=List of OpenDocument templates directories
ListOfDirectoriesForModelGenODT=List of directories containing templates files with OpenDocument format.
Put here full path of directories. Add a carriage return between eah directory. To add a directory of the GED module, add here DOL_DATA_ROOT/ecm/yourdirectoryname.
Files in those directories must end with .odt or .ods.
NumberOfModelFilesFound=Number of ODT/ODS template files found in these directories
-ExampleOfDirectoriesForModelGen=Examples of syntax: c:\\mydir /home/mydir DOL_DATA_ROOT/ecm/ecmdir
+ExampleOfDirectoriesForModelGen=Examples of syntax: c:\\myapp\\mydocumentdir\\mysubdir /home/myapp/mydocumentdir/mysubdir DOL_DATA_ROOT/ecm/ecmdir
FollowingSubstitutionKeysCanBeUsed= To know how to create your odt document templates, before storing them in those directories, read wiki documentation:
FullListOnOnlineDocumentation=http://wiki.dolibarr.org/index.php/Create_an_ODT_document_template
FirstnameNamePosition=Izena/Abizena-ren kokapena
@@ -406,7 +408,7 @@ UrlGenerationParameters=Parameters to secure URLs
SecurityTokenIsUnique=Use a unique securekey parameter for each URL
EnterRefToBuildUrl=%s objektuen erreferentzia sartu
GetSecuredUrl=Kalkulatutako URL-a hartu
-ButtonHideUnauthorized=Hide buttons for non-admin users for unauthorized actions instead of showing greyed disabled buttons
+ButtonHideUnauthorized=Hide unauthorized action buttons also for internal users (just greyed otherwise)
OldVATRates=Old VAT rate
NewVATRates=New VAT rate
PriceBaseTypeToChange=Modify on prices with base reference value defined on
@@ -1689,7 +1691,7 @@ NotTopTreeMenuPersonalized=Personalized menus not linked to a top menu entry
NewMenu=New menu
MenuHandler=Menu handler
MenuModule=Source module
-HideUnauthorizedMenu= Hide unauthorized menus (gray)
+HideUnauthorizedMenu=Hide unauthorized menus also for internal users (just greyed otherwise)
DetailId=Id menu
DetailMenuHandler=Menu handler where to show new menu
DetailMenuModule=Module name if menu entry come from a module
@@ -1983,11 +1985,12 @@ EMailHost=Host of email IMAP server
MailboxSourceDirectory=Mailbox source directory
MailboxTargetDirectory=Mailbox target directory
EmailcollectorOperations=Operations to do by collector
+EmailcollectorOperationsDesc=Operations are executed from top to bottom order
MaxEmailCollectPerCollect=Max number of emails collected per collect
CollectNow=Collect now
ConfirmCloneEmailCollector=Are you sure you want to clone the Email collector %s ?
-DateLastCollectResult=Date latest collect tried
-DateLastcollectResultOk=Date latest collect successfull
+DateLastCollectResult=Date of latest collect try
+DateLastcollectResultOk=Date of latest collect success
LastResult=Latest result
EmailCollectorConfirmCollectTitle=Email collect confirmation
EmailCollectorConfirmCollect=Do you want to run the collection for this collector now ?
@@ -2005,7 +2008,7 @@ WithDolTrackingID=Message from a conversation initiated by a first email sent fr
WithoutDolTrackingID=Message from a conversation initiated by a first email NOT sent from Dolibarr
WithDolTrackingIDInMsgId=Message sent from Dolibarr
WithoutDolTrackingIDInMsgId=Message NOT sent from Dolibarr
-CreateCandidature=Create candidature
+CreateCandidature=Create job application
FormatZip=Zip
MainMenuCode=Menu entry code (mainmenu)
ECMAutoTree=Show automatic ECM tree
@@ -2083,3 +2086,7 @@ CountryIfSpecificToOneCountry=Country (if specific to a given country)
YouMayFindSecurityAdviceHere=You may find security advisory here
ModuleActivatedMayExposeInformation=This module may expose sensitive data. If you don't need it, disable it.
ModuleActivatedDoNotUseInProduction=A module designed for the development has been enabled. Do not enable it on a production environment.
+CombinationsSeparator=Separator character for product combinations
+SeeLinkToOnlineDocumentation=See link to online documention on top menu for examples
+SHOW_SUBPRODUCT_REF_IN_PDF=If the feature "%s" of module %s is used, show details of subproducts of a kit on PDF.
+AskThisIDToYourBank=Contact your bank to get this ID
diff --git a/htdocs/langs/eu_ES/banks.lang b/htdocs/langs/eu_ES/banks.lang
index cd868f74239..218733473be 100644
--- a/htdocs/langs/eu_ES/banks.lang
+++ b/htdocs/langs/eu_ES/banks.lang
@@ -173,8 +173,8 @@ SEPAMandate=SEPA mandate
YourSEPAMandate=Your SEPA mandate
FindYourSEPAMandate=This is your SEPA mandate to authorize our company to make direct debit order to your bank. Return it signed (scan of the signed document) or send it by mail to
AutoReportLastAccountStatement=Automatically fill the field 'number of bank statement' with last statement number when making reconciliation
-CashControl=POS cash fence
-NewCashFence=New cash fence
+CashControl=POS cash desk control
+NewCashFence=New cash desk closing
BankColorizeMovement=Colorize movements
BankColorizeMovementDesc=If this function is enable, you can choose specific background color for debit or credit movements
BankColorizeMovementName1=Background color for debit movement
diff --git a/htdocs/langs/eu_ES/blockedlog.lang b/htdocs/langs/eu_ES/blockedlog.lang
index 5afae6e9e53..0bba5605d0f 100644
--- a/htdocs/langs/eu_ES/blockedlog.lang
+++ b/htdocs/langs/eu_ES/blockedlog.lang
@@ -35,7 +35,7 @@ logDON_DELETE=Donation logical deletion
logMEMBER_SUBSCRIPTION_CREATE=Member subscription created
logMEMBER_SUBSCRIPTION_MODIFY=Member subscription modified
logMEMBER_SUBSCRIPTION_DELETE=Member subscription logical deletion
-logCASHCONTROL_VALIDATE=Cash fence recording
+logCASHCONTROL_VALIDATE=Cash desk closing recording
BlockedLogBillDownload=Customer invoice download
BlockedLogBillPreview=Customer invoice preview
BlockedlogInfoDialog=Log Details
diff --git a/htdocs/langs/eu_ES/boxes.lang b/htdocs/langs/eu_ES/boxes.lang
index ebe7ba3d683..fb6cacaea9b 100644
--- a/htdocs/langs/eu_ES/boxes.lang
+++ b/htdocs/langs/eu_ES/boxes.lang
@@ -46,9 +46,12 @@ BoxTitleLastModifiedDonations=Latest %s modified donations
BoxTitleLastModifiedExpenses=Latest %s modified expense reports
BoxTitleLatestModifiedBoms=Latest %s modified BOMs
BoxTitleLatestModifiedMos=Latest %s modified Manufacturing Orders
+BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded
BoxGlobalActivity=Global activity (invoices, proposals, orders)
BoxGoodCustomers=Good customers
BoxTitleGoodCustomers=%s Good customers
+BoxScheduledJobs=Scheduled jobs
+BoxTitleFunnelOfProspection=Lead funnel
FailedToRefreshDataInfoNotUpToDate=Failed to refresh RSS flux. Latest successful refresh date: %s
LastRefreshDate=Latest refresh date
NoRecordedBookmarks=No bookmarks defined.
@@ -102,5 +105,7 @@ SuspenseAccountNotDefined=Suspense account isn't defined
BoxLastCustomerShipments=Last customer shipments
BoxTitleLastCustomerShipments=Latest %s customer shipments
NoRecordedShipments=No recorded customer shipment
+BoxCustomersOutstandingBillReached=Customers with oustanding limit reached
# Pages
AccountancyHome=Accountancy
+ValidatedProjects=Validated projects
diff --git a/htdocs/langs/eu_ES/cashdesk.lang b/htdocs/langs/eu_ES/cashdesk.lang
index c671c19b97e..e108028d9cb 100644
--- a/htdocs/langs/eu_ES/cashdesk.lang
+++ b/htdocs/langs/eu_ES/cashdesk.lang
@@ -49,8 +49,8 @@ Footer=Footer
AmountAtEndOfPeriod=Amount at end of period (day, month or year)
TheoricalAmount=Theorical amount
RealAmount=Real amount
-CashFence=Cash fence
-CashFenceDone=Cash fence done for the period
+CashFence=Cash desk closing
+CashFenceDone=Cash desk closing done for the period
NbOfInvoices=Nb of invoices
Paymentnumpad=Type of Pad to enter payment
Numberspad=Numbers Pad
@@ -99,8 +99,9 @@ CashDeskRefNumberingModules=Numbering module for POS sales
CashDeskGenericMaskCodes6 = {TN} tag is used to add the terminal number
TakeposGroupSameProduct=Group same products lines
StartAParallelSale=Start a new parallel sale
-ControlCashOpening=Control cash box at opening POS
-CloseCashFence=Close cash fence
+SaleStartedAt=Sale started at %s
+ControlCashOpening=Control cash popup at opening POS
+CloseCashFence=Close cash desk control
CashReport=Cash report
MainPrinterToUse=Main printer to use
OrderPrinterToUse=Order printer to use
@@ -122,3 +123,4 @@ GiftReceipt=Gift receipt
ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled first
AllowDelayedPayment=Allow delayed payment
PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts
+WeighingScale=Weighing scale
diff --git a/htdocs/langs/eu_ES/categories.lang b/htdocs/langs/eu_ES/categories.lang
index ba37a43b4ec..4ddf0d6093f 100644
--- a/htdocs/langs/eu_ES/categories.lang
+++ b/htdocs/langs/eu_ES/categories.lang
@@ -19,6 +19,7 @@ ProjectsCategoriesArea=Projects tags/categories area
UsersCategoriesArea=Users tags/categories area
SubCats=Sub-categories
CatList=List of tags/categories
+CatListAll=List of tags/categories (all types)
NewCategory=New tag/category
ModifCat=Modify tag/category
CatCreated=Tag/category created
@@ -65,16 +66,22 @@ UsersCategoriesShort=Users tags/categories
StockCategoriesShort=Warehouse tags/categories
ThisCategoryHasNoItems=This category does not contain any items.
CategId=Tag/category id
-CatSupList=List of vendor tags/categories
-CatCusList=List of customer/prospect tags/categories
+ParentCategory=Parent tag/category
+ParentCategoryLabel=Label of parent tag/category
+CatSupList=List of vendors tags/categories
+CatCusList=List of customers/prospects tags/categories
CatProdList=List of products tags/categories
CatMemberList=List of members tags/categories
-CatContactList=List of contact tags/categories
-CatSupLinks=Links between suppliers and tags/categories
+CatContactList=List of contacts tags/categories
+CatProjectsList=List of projects tags/categories
+CatUsersList=List of users tags/categories
+CatSupLinks=Links between vendors and tags/categories
CatCusLinks=Links between customers/prospects and tags/categories
CatContactsLinks=Links between contacts/addresses and tags/categories
CatProdLinks=Links between products/services and tags/categories
-CatProJectLinks=Links between projects and tags/categories
+CatMembersLinks=Links between members and tags/categories
+CatProjectsLinks=Links between projects and tags/categories
+CatUsersLinks=Links between users and tags/categories
DeleteFromCat=Remove from tags/category
ExtraFieldsCategories=Complementary attributes
CategoriesSetup=Tags/categories setup
diff --git a/htdocs/langs/eu_ES/companies.lang b/htdocs/langs/eu_ES/companies.lang
index 50a8223fe7c..4318ea805b7 100644
--- a/htdocs/langs/eu_ES/companies.lang
+++ b/htdocs/langs/eu_ES/companies.lang
@@ -358,7 +358,7 @@ VATIntraCheckableOnEUSite=Check the intra-Community VAT ID on the European Commi
VATIntraManualCheck=You can also check manually on the European Commission website %s
ErrorVATCheckMS_UNAVAILABLE=Check not possible. Check service is not provided by the member state (%s).
NorProspectNorCustomer=Not prospect, nor customer
-JuridicalStatus=Legal Entity Type
+JuridicalStatus=Business entity type
Workforce=Workforce
Staff=Employees
ProspectLevelShort=Potential
diff --git a/htdocs/langs/eu_ES/compta.lang b/htdocs/langs/eu_ES/compta.lang
index 9aca33839a6..af1267b60ab 100644
--- a/htdocs/langs/eu_ES/compta.lang
+++ b/htdocs/langs/eu_ES/compta.lang
@@ -111,7 +111,7 @@ Refund=Refund
SocialContributionsPayments=Social/fiscal taxes payments
ShowVatPayment=Show VAT payment
TotalToPay=Total to pay
-BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted ascending on %s and filtered for 1 bank account
+BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted on %s and filtered on 1 bank account (with no other filters)
CustomerAccountancyCode=Customer accounting code
SupplierAccountancyCode=Vendor accounting code
CustomerAccountancyCodeShort=Cust. account. code
@@ -140,7 +140,7 @@ ConfirmDeleteSocialContribution=Are you sure you want to delete this social/fisc
ExportDataset_tax_1=Social and fiscal taxes and payments
CalcModeVATDebt=Mode %sVAT on commitment accounting%s.
CalcModeVATEngagement=Mode %sVAT on incomes-expenses%s.
-CalcModeDebt=Analysis of known recorded invoices even if they are not yet accounted in ledger.
+CalcModeDebt=Analysis of known recorded documents even if they are not yet accounted in ledger.
CalcModeEngagement=Analysis of known recorded payments, even if they are not yet accounted in Ledger.
CalcModeBookkeeping=Analysis of data journalized in Bookkeeping Ledger table.
CalcModeLT1= Mode %sRE on customer invoices - suppliers invoices%s
@@ -154,9 +154,9 @@ AnnualSummaryInputOutputMode=Balance of income and expenses, annual summary
AnnualByCompanies=Balance of income and expenses, by predefined groups of account
AnnualByCompaniesDueDebtMode=Balance of income and expenses, detail by predefined groups, mode %sClaims-Debts%s said Commitment accounting.
AnnualByCompaniesInputOutputMode=Balance of income and expenses, detail by predefined groups, mode %sIncomes-Expenses%s said cash accounting.
-SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation on actual payments made even if they are not yet accounted in Ledger.
-SeeReportInDueDebtMode=See %sanalysis of invoices%s for a calculation based on known recorded invoices even if they are not yet accounted in Ledger.
-SeeReportInBookkeepingMode=See %sBookeeping report%s for a calculation on Bookkeeping Ledger table
+SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation based on recorded payments made even if they are not yet accounted in Ledger
+SeeReportInDueDebtMode=See %sanalysis of recorded documents%s for a calculation based on known recorded documents even if they are not yet accounted in Ledger
+SeeReportInBookkeepingMode=See %sanalysis of bookeeping ledger table%s for a report based on Bookkeeping Ledger table
RulesAmountWithTaxIncluded=- Amounts shown are with all taxes included
RulesResultDue=- It includes outstanding invoices, expenses, VAT, donations whether they are paid or not. Is also includes paid salaries. - It is based on the billing date of invoices and on the due date for expenses or tax payments. For salaries defined with Salary module, the value date of payment is used.
RulesResultInOut=- It includes the real payments made on invoices, expenses, VAT and salaries. - It is based on the payment dates of the invoices, expenses, VAT and salaries. The donation date for donation.
@@ -169,12 +169,15 @@ RulesResultBookkeepingPersonalized=It show record in your Ledger with accounting
SeePageForSetup=See menu %s for setup
DepositsAreNotIncluded=- Down payment invoices are not included
DepositsAreIncluded=- Down payment invoices are included
+LT1ReportByMonth=Tax 2 report by month
+LT2ReportByMonth=Tax 3 report by month
LT1ReportByCustomers=Report tax 2 by third party
LT2ReportByCustomers=Report tax 3 by third party
LT1ReportByCustomersES=Report by third party RE
LT2ReportByCustomersES=Report by third party IRPF
VATReport=Sale tax report
VATReportByPeriods=Sale tax report by period
+VATReportByMonth=Sale tax report by month
VATReportByRates=Sale tax report by rates
VATReportByThirdParties=Sale tax report by third parties
VATReportByCustomers=Sale tax report by customer
diff --git a/htdocs/langs/eu_ES/cron.lang b/htdocs/langs/eu_ES/cron.lang
index d2da7ded67e..2ebdda1e685 100644
--- a/htdocs/langs/eu_ES/cron.lang
+++ b/htdocs/langs/eu_ES/cron.lang
@@ -6,14 +6,15 @@ Permission23102 = Create/update Scheduled job
Permission23103 = Delete Scheduled job
Permission23104 = Execute Scheduled job
# Admin
-CronSetup= Scheduled job management setup
-URLToLaunchCronJobs=URL to check and launch qualified cron jobs
-OrToLaunchASpecificJob=Or to check and launch a specific job
+CronSetup=Scheduled job management setup
+URLToLaunchCronJobs=URL to check and launch qualified cron jobs from a browser
+OrToLaunchASpecificJob=Or to check and launch a specific job from a browser
KeyForCronAccess=Security key for URL to launch cron jobs
FileToLaunchCronJobs=Command line to check and launch qualified cron jobs
CronExplainHowToRunUnix=On Unix environment you should use the following crontab entry to run the command line each 5 minutes
-CronExplainHowToRunWin=On Microsoft(tm) Windows environement you can use Scheduled task tools to run the command line each 5 minutes
+CronExplainHowToRunWin=On Microsoft(tm) Windows environment you can use Scheduled Task tools to run the command line each 5 minutes
CronMethodDoesNotExists=Class %s does not contains any method %s
+CronMethodNotAllowed=Method %s of class %s is in blacklist of forbidden methods
CronJobDefDesc=Cron job profiles are defined into the module descriptor file. When module is activated, they are loaded and available so you can administer the jobs from the admin tools menu %s.
CronJobProfiles=List of predefined cron job profiles
# Menu
@@ -42,10 +43,11 @@ CronModule=Module
CronNoJobs=No jobs registered
CronPriority=Priority
CronLabel=Label
-CronNbRun=Nb. launch
-CronMaxRun=Max number launch
+CronNbRun=Number of launches
+CronMaxRun=Maximum number of launches
CronEach=Every
JobFinished=Job launched and finished
+Scheduled=Scheduled
#Page card
CronAdd= Add jobs
CronEvery=Execute job each
@@ -56,16 +58,16 @@ CronNote=Comment
CronFieldMandatory=Fields %s is mandatory
CronErrEndDateStartDt=End date cannot be before start date
StatusAtInstall=Status at module installation
-CronStatusActiveBtn=Enable
+CronStatusActiveBtn=Schedule
CronStatusInactiveBtn=Disable
CronTaskInactive=This job is disabled
CronId=Id
CronClassFile=Filename with class
-CronModuleHelp=Name of Dolibarr module directory (also work with external Dolibarr module). For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for module is product
-CronClassFileHelp=The relative path and file name to load (path is relative to web server root directory). For exemple to call the fetch method of Dolibarr Product object htdocs/product/class/product.class.php, the value for class file name is product/class/product.class.php
-CronObjectHelp=The object name to load. For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for class file name is Product
-CronMethodHelp=The object method to launch. For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for method is fetch
-CronArgsHelp=The method arguments. For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for paramters can be 0, ProductRef
+CronModuleHelp=Name of Dolibarr module directory (also work with external Dolibarr module). For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for module is product
+CronClassFileHelp=The relative path and file name to load (path is relative to web server root directory). For example to call the fetch method of Dolibarr Product object htdocs/product/class/product.class.php, the value for class file name is product/class/product.class.php
+CronObjectHelp=The object name to load. For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for class file name is Product
+CronMethodHelp=The object method to launch. For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for method is fetch
+CronArgsHelp=The method arguments. For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for paramters can be 0, ProductRef
CronCommandHelp=The system command line to execute.
CronCreateJob=Create new Scheduled Job
CronFrom=From
@@ -76,8 +78,14 @@ CronType_method=Call method of a PHP Class
CronType_command=Shell command
CronCannotLoadClass=Cannot load class file %s (to use class %s)
CronCannotLoadObject=Class file %s was loaded, but object %s was not found into it
-UseMenuModuleToolsToAddCronJobs=Go into menu "Home - Admin tools - Scheduled jobs" to see and edit scheduled jobs.
+UseMenuModuleToolsToAddCronJobs=Go into menu "Home - Admin tools - Scheduled jobs" to see and edit scheduled jobs.
JobDisabled=Job disabled
MakeLocalDatabaseDumpShort=Local database backup
-MakeLocalDatabaseDump=Create a local database dump. Parameters are: compression ('gz' or 'bz' or 'none'), backup type ('mysql' or 'pgsql'), 1, 'auto' or filename to build, number of backup files to keep
+MakeLocalDatabaseDump=Create a local database dump. Parameters are: compression ('gz' or 'bz' or 'none'), backup type ('mysql', 'pgsql', 'auto'), 1, 'auto' or filename to build, number of backup files to keep
WarningCronDelayed=Attention, for performance purpose, whatever is next date of execution of enabled jobs, your jobs may be delayed to a maximum of %s hours, before being run.
+DATAPOLICYJob=Data cleaner and anonymizer
+JobXMustBeEnabled=Job %s must be enabled
+# Cron Boxes
+LastExecutedScheduledJob=Last executed scheduled job
+NextScheduledJobExecute=Next scheduled job to execute
+NumberScheduledJobError=Number of scheduled jobs in error
diff --git a/htdocs/langs/eu_ES/errors.lang b/htdocs/langs/eu_ES/errors.lang
index 893f4a35b65..5b26be724d9 100644
--- a/htdocs/langs/eu_ES/errors.lang
+++ b/htdocs/langs/eu_ES/errors.lang
@@ -5,8 +5,10 @@ NoErrorCommitIsDone=No error, we commit
# Errors
ErrorButCommitIsDone=Errors found but we validate despite this
ErrorBadEMail=Email %s is wrong
+ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record)
ErrorBadUrl=Url %s is wrong
ErrorBadValueForParamNotAString=Bad value for your parameter. It appends generally when translation is missing.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorLoginAlreadyExists=Login %s already exists.
ErrorGroupAlreadyExists=Group %s already exists.
ErrorRecordNotFound=Record not found.
@@ -48,6 +50,7 @@ ErrorFieldsRequired=Some required fields were not filled.
ErrorSubjectIsRequired=The email topic is required
ErrorFailedToCreateDir=Failed to create a directory. Check that Web server user has permissions to write into Dolibarr documents directory. If parameter safe_mode is enabled on this PHP, check that Dolibarr php files owns to web server user (or group).
ErrorNoMailDefinedForThisUser=No mail defined for this user
+ErrorSetupOfEmailsNotComplete=Setup of emails is not complete
ErrorFeatureNeedJavascript=This feature need javascript to be activated to work. Change this in setup - display.
ErrorTopMenuMustHaveAParentWithId0=A menu of type 'Top' can't have a parent menu. Put 0 in parent menu or choose a menu of type 'Left'.
ErrorLeftMenuMustHaveAParentId=A menu of type 'Left' must have a parent id.
@@ -75,7 +78,7 @@ ErrorExportDuplicateProfil=This profile name already exists for this export set.
ErrorLDAPSetupNotComplete=Dolibarr-LDAP matching is not complete.
ErrorLDAPMakeManualTest=A .ldif file has been generated in directory %s. Try to load it manually from command line to have more information on errors.
ErrorCantSaveADoneUserWithZeroPercentage=Can't save an action with "status not started" if field "done by" is also filled.
-ErrorRefAlreadyExists=Ref used for creation already exists.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorPleaseTypeBankTransactionReportName=Please enter the bank statement name where the entry has to be reported (Format YYYYMM or YYYYMMDD)
ErrorRecordHasChildren=Failed to delete record since it has some child records.
ErrorRecordHasAtLeastOneChildOfType=Object has at least one child of type %s
@@ -216,7 +219,7 @@ ErrorChooseBetweenFreeEntryOrPredefinedProduct=You must choose if article is a p
ErrorDiscountLargerThanRemainToPaySplitItBefore=The discount you try to apply is larger than remain to pay. Split the discount in 2 smaller discounts before.
ErrorFileNotFoundWithSharedLink=File was not found. May be the share key was modified or file was removed recently.
ErrorProductBarCodeAlreadyExists=The product barcode %s already exists on another product reference.
-ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using virtual product to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number.
+ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using kits to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number.
ErrorDescRequiredForFreeProductLines=Description is mandatory for lines with free product
ErrorAPageWithThisNameOrAliasAlreadyExists=The page/container %s has the same name or alternative alias that the one your try to use
ErrorDuringChartLoad=Error when loading chart of accounts. If few accounts were not loaded, you can still enter them manually.
@@ -243,6 +246,16 @@ ErrorReplaceStringEmpty=Error, the string to replace into is empty
ErrorProductNeedBatchNumber=Error, product '%s' need a lot/serial number
ErrorProductDoesNotNeedBatchNumber=Error, product '%s' does not accept a lot/serial number
ErrorFailedToReadObject=Error, failed to read object of type %s
+ErrorParameterMustBeEnabledToAllwoThisFeature=Error, parameter %s must be enabled into conf/conf.php to allow use of Command Line Interface by the internal job scheduler
+ErrorLoginDateValidity=Error, this login is outside the validity date range
+ErrorValueLength=Length of field '%s' must be higher than '%s'
+ErrorReservedKeyword=The word '%s' is a reserved keyword
+ErrorNotAvailableWithThisDistribution=Not available with this distribution
+ErrorPublicInterfaceNotEnabled=Public interface was not enabled
+ErrorLanguageRequiredIfPageIsTranslationOfAnother=The language of new page must be defined if it is set as a translation of another page
+ErrorLanguageMustNotBeSourceLanguageIfPageIsTranslationOfAnother=The language of new page must not be the source language if it is set as a translation of another page
+ErrorAParameterIsRequiredForThisOperation=A parameter is mandatory for this operation
+
# Warnings
WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup.
WarningPasswordSetWithNoAccount=A password was set for this member. However, no user account was created. So this password is stored but can't be used to login to Dolibarr. It may be used by an external module/interface but if you don't need to define any login nor password for a member, you can disable option "Manage a login for each member" from Member module setup. If you need to manage a login but don't need any password, you can keep this field empty to avoid this warning. Note: Email can also be used as a login if the member is linked to a user.
@@ -267,6 +280,10 @@ WarningYourLoginWasModifiedPleaseLogin=Your login was modified. For security pur
WarningAnEntryAlreadyExistForTransKey=An entry already exists for the translation key for this language
WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different recipient is limited to %s when using the mass actions on lists
WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report
+WarningProjectDraft=Project is still in draft mode. Don't forget to validate it if you plan to use tasks.
WarningProjectClosed=Project is closed. You must re-open it first.
WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list.
-WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table
+WarningFailedToAddFileIntoDatabaseIndex=Warning, failed to add file entry into ECM database index table
+WarningTheHiddenOptionIsOn=Warning, the hidden option %s is on.
+WarningCreateSubAccounts=Warning, you can't create directly a sub account, you must create a third party or an user and assign them an accounting code to find them in this list
+WarningAvailableOnlyForHTTPSServers=Available only if using HTTPS secured connection.
diff --git a/htdocs/langs/eu_ES/exports.lang b/htdocs/langs/eu_ES/exports.lang
index 45b56224b30..bcb14df4934 100644
--- a/htdocs/langs/eu_ES/exports.lang
+++ b/htdocs/langs/eu_ES/exports.lang
@@ -26,6 +26,8 @@ FieldTitle=Field title
NowClickToGenerateToBuildExportFile=Now, select the file format in the combo box and click on "Generate" to build the export file...
AvailableFormats=Available Formats
LibraryShort=Liburutegia
+ExportCsvSeparator=Csv caracter separator
+ImportCsvSeparator=Csv caracter separator
Step=Step
FormatedImport=Import Assistant
FormatedImportDesc1=This module allows you to update existing data or add new objects into the database from a file without technical knowledge, using an assistant.
@@ -131,3 +133,4 @@ KeysToUseForUpdates=Key (column) to use for updating existing data
NbInsert=Number of inserted lines: %s
NbUpdate=Number of updated lines: %s
MultipleRecordFoundWithTheseFilters=Multiple records have been found with these filters: %s
+StocksWithBatch=Stocks and location (warehouse) of products with batch/serial number
diff --git a/htdocs/langs/eu_ES/mails.lang b/htdocs/langs/eu_ES/mails.lang
index 1f26534ddc7..f64df420fab 100644
--- a/htdocs/langs/eu_ES/mails.lang
+++ b/htdocs/langs/eu_ES/mails.lang
@@ -92,6 +92,7 @@ MailingModuleDescEmailsFromUser=Emails input by user
MailingModuleDescDolibarrUsers=Users with Emails
MailingModuleDescThirdPartiesByCategories=Third parties (by categories)
SendingFromWebInterfaceIsNotAllowed=Sending from web interface is not allowed.
+EmailCollectorFilterDesc=All filters must match to have an email being collected
# Libelle des modules de liste de destinataires mailing
LineInFile=Line %s in file
@@ -125,12 +126,13 @@ TagMailtoEmail=Recipient Email (including html "mailto:" link)
NoEmailSentBadSenderOrRecipientEmail=No email sent. Bad sender or recipient email. Verify user profile.
# Module Notifications
Notifications=Jakinarazpenak
-NoNotificationsWillBeSent=No email notifications are planned for this event and company
-ANotificationsWillBeSent=1 notification will be sent by email
-SomeNotificationsWillBeSent=%s notifications will be sent by email
-AddNewNotification=Activate a new email notification target/event
-ListOfActiveNotifications=List all active targets/events for email notification
-ListOfNotificationsDone=List all email notifications sent
+NotificationsAuto=Notifications Auto.
+NoNotificationsWillBeSent=No automatic email notifications are planned for this event type and company
+ANotificationsWillBeSent=1 automatic notification will be sent by email
+SomeNotificationsWillBeSent=%s automatic notifications will be sent by email
+AddNewNotification=Subscribe to a new automatic email notification (target/event)
+ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification
+ListOfNotificationsDone=List all automatic email notifications sent
MailSendSetupIs=Configuration of email sending has been setup to '%s'. This mode can't be used to send mass emailing.
MailSendSetupIs2=You must first go, with an admin account, into menu %sHome - Setup - EMails%s to change parameter '%s' to use mode '%s'. With this mode, you can enter setup of the SMTP server provided by your Internet Service Provider and use Mass emailing feature.
MailSendSetupIs3=If you have any questions on how to setup your SMTP server, you can ask to %s.
@@ -140,7 +142,7 @@ UseFormatFileEmailToTarget=Imported file must have format email;name;fir
UseFormatInputEmailToTarget=Enter a string with format email;name;firstname;other
MailAdvTargetRecipients=Recipients (advanced selection)
AdvTgtTitle=Fill input fields to preselect the third parties or contacts/addresses to target
-AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima% will target all jean, joe, start with jim but not jimo and not everything that starts with jima
+AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima%% will target all jean, joe, start with jim but not jimo and not everything that starts with jima
AdvTgtSearchIntHelp=Use interval to select int or float value
AdvTgtMinVal=Minimum value
AdvTgtMaxVal=Maximum value
@@ -162,13 +164,14 @@ AdvTgtCreateFilter=Create filter
AdvTgtOrCreateNewFilter=Name of new filter
NoContactWithCategoryFound=No contact/address with a category found
NoContactLinkedToThirdpartieWithCategoryFound=No contact/address with a category found
-OutGoingEmailSetup=Outgoing email setup
-InGoingEmailSetup=Incoming email setup
-OutGoingEmailSetupForEmailing=Outgoing email setup (for module %s)
-DefaultOutgoingEmailSetup=Default outgoing email setup
+OutGoingEmailSetup=Outgoing emails
+InGoingEmailSetup=Incoming emails
+OutGoingEmailSetupForEmailing=Outgoing emails (for module %s)
+DefaultOutgoingEmailSetup=Same configuration than the global Outgoing email setup
Information=Informazioa
ContactsWithThirdpartyFilter=Contacts with third-party filter
Unanswered=Unanswered
Answered=Answered
IsNotAnAnswer=Is not answer (initial email)
IsAnAnswer=Is an answer of an initial email
+RecordCreatedByEmailCollector=Record created by the Email Collector %s from email %s
diff --git a/htdocs/langs/eu_ES/main.lang b/htdocs/langs/eu_ES/main.lang
index ce139e4fb15..a14fca3d91f 100644
--- a/htdocs/langs/eu_ES/main.lang
+++ b/htdocs/langs/eu_ES/main.lang
@@ -28,7 +28,9 @@ NoTemplateDefined=No template available for this email type
AvailableVariables=Available substitution variables
NoTranslation=No translation
Translation=Translation
+CurrentTimeZone=TimeZone PHP (zerbitzaria)
EmptySearchString=Enter non empty search criterias
+EnterADateCriteria=Enter a date criteria
NoRecordFound=No record found
NoRecordDeleted=No record deleted
NotEnoughDataYet=Not enough data
@@ -85,6 +87,8 @@ FileWasNotUploaded=A file is selected for attachment but was not yet uploaded. C
NbOfEntries=No. of entries
GoToWikiHelpPage=Read online help (Internet access needed)
GoToHelpPage=Read help
+DedicatedPageAvailable=There is a dedicated help page related to your current screen
+HomePage=Home Page
RecordSaved=Record saved
RecordDeleted=Record deleted
RecordGenerated=Record generated
@@ -433,6 +437,7 @@ RemainToPay=Remain to pay
Module=Module/Application
Modules=Modules/Applications
Option=Option
+Filters=Filters
List=List
FullList=Full list
FullConversation=Full conversation
@@ -671,7 +676,7 @@ SendMail=e-posta bidali
Email=E-posta
NoEMail=No email
AlreadyRead=Already read
-NotRead=Not read
+NotRead=Unread
NoMobilePhone=No mobile phone
Owner=Owner
FollowingConstantsWillBeSubstituted=The following constants will be replaced with the corresponding value.
@@ -1107,3 +1112,8 @@ UpToDate=Up-to-date
OutOfDate=Out-of-date
EventReminder=Event Reminder
UpdateForAllLines=Update for all lines
+OnHold=On hold
+AffectTag=Affect Tag
+ConfirmAffectTag=Bulk Tag Affect
+ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected record(s)?
+CategTypeNotFound=No tag type found for type of records
diff --git a/htdocs/langs/eu_ES/modulebuilder.lang b/htdocs/langs/eu_ES/modulebuilder.lang
index 460aef8103b..845dd12624d 100644
--- a/htdocs/langs/eu_ES/modulebuilder.lang
+++ b/htdocs/langs/eu_ES/modulebuilder.lang
@@ -40,6 +40,7 @@ PageForCreateEditView=PHP page to create/edit/view a record
PageForAgendaTab=PHP page for event tab
PageForDocumentTab=PHP page for document tab
PageForNoteTab=PHP page for note tab
+PageForContactTab=PHP page for contact tab
PathToModulePackage=Path to zip of module/application package
PathToModuleDocumentation=Path to file of module/application documentation (%s)
SpaceOrSpecialCharAreNotAllowed=Spaces or special characters are not allowed.
@@ -77,7 +78,7 @@ IsAMeasure=Is a measure
DirScanned=Directory scanned
NoTrigger=No trigger
NoWidget=No widget
-GoToApiExplorer=Go to API explorer
+GoToApiExplorer=API explorer
ListOfMenusEntries=List of menu entries
ListOfDictionariesEntries=List of dictionaries entries
ListOfPermissionsDefined=List of defined permissions
@@ -105,7 +106,7 @@ TryToUseTheModuleBuilder=If you have knowledge of SQL and PHP, you may use the n
SeeTopRightMenu=See on the top right menu
AddLanguageFile=Add language file
YouCanUseTranslationKey=You can use here a key that is the translation key found into language file (see tab "Languages")
-DropTableIfEmpty=(Delete table if empty)
+DropTableIfEmpty=(Destroy table if empty)
TableDoesNotExists=The table %s does not exists
TableDropped=Table %s deleted
InitStructureFromExistingTable=Build the structure array string of an existing table
@@ -126,7 +127,6 @@ UseSpecificEditorURL = Use a specific editor URL
UseSpecificFamily = Use a specific family
UseSpecificAuthor = Use a specific author
UseSpecificVersion = Use a specific initial version
-ModuleMustBeEnabled=The module/application must be enabled first
IncludeRefGeneration=The reference of object must be generated automatically
IncludeRefGenerationHelp=Check this if you want to include code to manage the generation automatically of the reference
IncludeDocGeneration=I want to generate some documents from the object
@@ -140,3 +140,4 @@ TypeOfFieldsHelp=Type of fields: varchar(99), double(24,8), real, text, html,
AsciiToHtmlConverter=Ascii to HTML converter
AsciiToPdfConverter=Ascii to PDF converter
TableNotEmptyDropCanceled=Table not empty. Drop has been canceled.
+ModuleBuilderNotAllowed=The module builder is available but not allowed to your user.
diff --git a/htdocs/langs/eu_ES/other.lang b/htdocs/langs/eu_ES/other.lang
index f855300b038..2f1a2c826fc 100644
--- a/htdocs/langs/eu_ES/other.lang
+++ b/htdocs/langs/eu_ES/other.lang
@@ -5,8 +5,6 @@ Tools=Tools
TMenuTools=Tools
ToolsDesc=All tools not included in other menu entries are grouped here. All the tools can be accessed via the left menu.
Birthday=Birthday
-BirthdayDate=Birthday date
-DateToBirth=Birth date
BirthdayAlertOn=birthday alert active
BirthdayAlertOff=birthday alert inactive
TransKey=Translation of the key TransKey
@@ -16,6 +14,8 @@ PreviousMonthOfInvoice=Previous month (number 1-12) of invoice date
TextPreviousMonthOfInvoice=Previous month (text) of invoice date
NextMonthOfInvoice=Following month (number 1-12) of invoice date
TextNextMonthOfInvoice=Following month (text) of invoice date
+PreviousMonth=Previous month
+CurrentMonth=Current month
ZipFileGeneratedInto=Zip file generated into %s.
DocFileGeneratedInto=Doc file generated into %s.
JumpToLogin=Disconnected. Go to login page...
@@ -99,6 +99,7 @@ PredefinedMailContentSendShipping=__(Hello)__\n\nPlease find shipping __REF__ at
PredefinedMailContentSendFichInter=__(Hello)__\n\nPlease find intervention __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.\n\n%s\n\n
PredefinedMailContentGeneric=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
+PredefinedMailContentSendActionComm=Event reminder "__EVENT_LABEL__" on __EVENT_DATE__ at __EVENT_TIME__
This is an automatic message, please do not reply.
DemoDesc=Dolibarr is a compact ERP/CRM supporting several business modules. A demo showcasing all modules makes no sense as this scenario never occurs (several hundred available). So, several demo profiles are available.
ChooseYourDemoProfil=Choose the demo profile that best suits your needs...
ChooseYourDemoProfilMore=...or build your own profile (manual module selection)
@@ -137,7 +138,7 @@ Right=Right
CalculatedWeight=Calculated weight
CalculatedVolume=Calculated volume
Weight=Weight
-WeightUnitton=tonne
+WeightUnitton=ton
WeightUnitkg=kg
WeightUnitg=g
WeightUnitmg=mg
@@ -258,6 +259,7 @@ ContactCreatedByEmailCollector=Contact/address created by email collector from e
ProjectCreatedByEmailCollector=Project created by email collector from email MSGID %s
TicketCreatedByEmailCollector=Ticket created by email collector from email MSGID %s
OpeningHoursFormatDesc=Use a - to separate opening and closing hours. Use a space to enter different ranges. Example: 8-12 14-18
+PrefixSession=Prefix for session ID
##### Export #####
ExportsArea=Exports area
diff --git a/htdocs/langs/eu_ES/products.lang b/htdocs/langs/eu_ES/products.lang
index 63ff9381818..21585dbd228 100644
--- a/htdocs/langs/eu_ES/products.lang
+++ b/htdocs/langs/eu_ES/products.lang
@@ -108,7 +108,8 @@ FillWithLastServiceDates=Fill with last service line dates
MultiPricesAbility=Multiple price segments per product/service (each customer is in one price segment)
MultiPricesNumPrices=Number of prices
DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices
-AssociatedProductsAbility=Activate kits (virtual products)
+AssociatedProductsAbility=Enable Kits (set of other products)
+VariantsAbility=Enable Variants (variations of products, for example color, size)
AssociatedProducts=Kits
AssociatedProductsNumber=Number of products composing this kit
ParentProductsNumber=Number of parent packaging product
@@ -167,8 +168,10 @@ BuyingPrices=Buying prices
CustomerPrices=Customer prices
SuppliersPrices=Vendor prices
SuppliersPricesOfProductsOrServices=Vendor prices (of products or services)
-CustomCode=Customs / Commodity / HS code
+CustomCode=Customs|Commodity|HS code
CountryOrigin=Origin country
+RegionStateOrigin=Region origin
+StateOrigin=State|Province origin
Nature=Nature of product (material/finished)
NatureOfProductShort=Nature of product
NatureOfProductDesc=Raw material or finished product
@@ -239,7 +242,7 @@ AlwaysUseFixedPrice=Use the fixed price
PriceByQuantity=Different prices by quantity
DisablePriceByQty=Disable prices by quantity
PriceByQuantityRange=Quantity range
-MultipriceRules=Price segment rules
+MultipriceRules=Automatic prices for segment
UseMultipriceRules=Use price segment rules (defined into product module setup) to auto calculate prices of all other segments according to first segment
PercentVariationOver=%% variation over %s
PercentDiscountOver=%% discount over %s
diff --git a/htdocs/langs/eu_ES/recruitment.lang b/htdocs/langs/eu_ES/recruitment.lang
index b775e78552e..437445f25dc 100644
--- a/htdocs/langs/eu_ES/recruitment.lang
+++ b/htdocs/langs/eu_ES/recruitment.lang
@@ -73,3 +73,4 @@ JobClosedTextCandidateFound=The job position is closed. The position has been fi
JobClosedTextCanceled=The job position is closed.
ExtrafieldsJobPosition=Complementary attributes (job positions)
ExtrafieldsCandidatures=Complementary attributes (job applications)
+MakeOffer=Make an offer
diff --git a/htdocs/langs/eu_ES/sendings.lang b/htdocs/langs/eu_ES/sendings.lang
index 52467f47a81..079b2533513 100644
--- a/htdocs/langs/eu_ES/sendings.lang
+++ b/htdocs/langs/eu_ES/sendings.lang
@@ -30,6 +30,7 @@ OtherSendingsForSameOrder=Other shipments for this order
SendingsAndReceivingForSameOrder=Shipments and receipts for this order
SendingsToValidate=Shipments to validate
StatusSendingCanceled=Canceled
+StatusSendingCanceledShort=Canceled
StatusSendingDraft=Draft
StatusSendingValidated=Validated (products to ship or already shipped)
StatusSendingProcessed=Processed
@@ -65,6 +66,7 @@ ValidateOrderFirstBeforeShipment=You must first validate the order before being
# Sending methods
# ModelDocument
DocumentModelTyphon=More complete document model for delivery receipts (logo...)
+DocumentModelStorm=More complete document model for delivery receipts and extrafields compatibility (logo...)
Error_EXPEDITION_ADDON_NUMBER_NotDefined=Constant EXPEDITION_ADDON_NUMBER not defined
SumOfProductVolumes=Sum of product volumes
SumOfProductWeights=Sum of product weights
diff --git a/htdocs/langs/eu_ES/stocks.lang b/htdocs/langs/eu_ES/stocks.lang
index d709920da07..afc5de4c285 100644
--- a/htdocs/langs/eu_ES/stocks.lang
+++ b/htdocs/langs/eu_ES/stocks.lang
@@ -240,3 +240,4 @@ InventoryRealQtyHelp=Set value to 0 to reset qty Keep field empty, or remove
UpdateByScaning=Update by scaning
UpdateByScaningProductBarcode=Update by scan (product barcode)
UpdateByScaningLot=Update by scan (lot|serial barcode)
+DisableStockChangeOfSubProduct=Deactivate the stock change for all the subproducts of this Kit during this movement.
diff --git a/htdocs/langs/eu_ES/ticket.lang b/htdocs/langs/eu_ES/ticket.lang
index d03e28f558d..086d398b0a1 100644
--- a/htdocs/langs/eu_ES/ticket.lang
+++ b/htdocs/langs/eu_ES/ticket.lang
@@ -31,10 +31,8 @@ TicketDictType=Ticket - Types
TicketDictCategory=Ticket - Groupes
TicketDictSeverity=Ticket - Severities
TicketDictResolution=Ticket - Resolution
-TicketTypeShortBUGSOFT=Dysfonctionnement logiciel
-TicketTypeShortBUGHARD=Dysfonctionnement matériel
-TicketTypeShortCOM=Commercial question
+TicketTypeShortCOM=Commercial question
TicketTypeShortHELP=Request for functionnal help
TicketTypeShortISSUE=Issue, bug or problem
TicketTypeShortREQUEST=Change or enhancement request
@@ -44,7 +42,7 @@ TicketTypeShortOTHER=Besteak
TicketSeverityShortLOW=Low
TicketSeverityShortNORMAL=Normal
TicketSeverityShortHIGH=High
-TicketSeverityShortBLOCKING=Critical/Blocking
+TicketSeverityShortBLOCKING=Critical, Blocking
ErrorBadEmailAddress=Field '%s' incorrect
MenuTicketMyAssign=My tickets
@@ -60,7 +58,6 @@ OriginEmail=Email source
Notify_TICKET_SENTBYMAIL=Send ticket message by email
# Status
-NotRead=Not read
Read=Read
Assigned=Assigned
InProgress=In progress
@@ -126,6 +123,7 @@ TicketsActivatePublicInterfaceHelp=Public interface allow any visitors to create
TicketsAutoAssignTicket=Automatically assign the user who created the ticket
TicketsAutoAssignTicketHelp=When creating a ticket, the user can be automatically assigned to the ticket.
TicketNumberingModules=Tickets numbering module
+TicketsModelModule=Document templates for tickets
TicketNotifyTiersAtCreation=Notify third party at creation
TicketsDisableCustomerEmail=Always disable emails when a ticket is created from public interface
TicketsPublicNotificationNewMessage=Send email(s) when a new message is added
@@ -233,7 +231,6 @@ TicketLogStatusChanged=Status changed: %s to %s
TicketNotNotifyTiersAtCreate=Not notify company at create
Unread=Unread
TicketNotCreatedFromPublicInterface=Not available. Ticket was not created from public interface.
-PublicInterfaceNotEnabled=Public interface was not enabled
ErrorTicketRefRequired=Ticket reference name is required
#
diff --git a/htdocs/langs/eu_ES/website.lang b/htdocs/langs/eu_ES/website.lang
index f00254a6c66..921f6edf20f 100644
--- a/htdocs/langs/eu_ES/website.lang
+++ b/htdocs/langs/eu_ES/website.lang
@@ -30,7 +30,6 @@ EditInLine=Edit inline
AddWebsite=Add website
Webpage=Web page/container
AddPage=Add page/container
-HomePage=Home Page
PageContainer=Page
PreviewOfSiteNotYetAvailable=Preview of your website %s not yet available. You must first 'Import a full website template' or just 'Add a page/container'.
RequestedPageHasNoContentYet=Requested page with id %s has no content yet, or cache file .tpl.php was removed. Edit content of the page to solve this.
@@ -101,7 +100,7 @@ EmptyPage=Empty page
ExternalURLMustStartWithHttp=External URL must start with http:// or https://
ZipOfWebsitePackageToImport=Upload the Zip file of the website template package
ZipOfWebsitePackageToLoad=or Choose an available embedded website template package
-ShowSubcontainers=Include dynamic content
+ShowSubcontainers=Show dynamic content
InternalURLOfPage=Internal URL of page
ThisPageIsTranslationOf=This page/container is a translation of
ThisPageHasTranslationPages=This page/container has translation
@@ -137,3 +136,4 @@ RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using
PagesRegenerated=%s page(s)/container(s) regenerated
RegenerateWebsiteContent=Regenerate web site cache files
AllowedInFrames=Allowed in Frames
+DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languages into web site properties.
diff --git a/htdocs/langs/eu_ES/withdrawals.lang b/htdocs/langs/eu_ES/withdrawals.lang
index 114a8d9dd6c..e3bec6f9cb8 100644
--- a/htdocs/langs/eu_ES/withdrawals.lang
+++ b/htdocs/langs/eu_ES/withdrawals.lang
@@ -42,6 +42,7 @@ LastWithdrawalReceipt=Latest %s direct debit receipts
MakeWithdrawRequest=Make a direct debit payment request
MakeBankTransferOrder=Make a credit transfer request
WithdrawRequestsDone=%s direct debit payment requests recorded
+BankTransferRequestsDone=%s credit transfer requests recorded
ThirdPartyBankCode=Third-party bank code
NoInvoiceCouldBeWithdrawed=No invoice debited successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s.
ClassCredited=Classify credited
@@ -131,7 +132,8 @@ SEPARCUR=SEPA CUR
SEPAFRST=SEPA FRST
ExecutionDate=Execution date
CreateForSepa=Create direct debit file
-ICS=Creditor Identifier CI
+ICS=Creditor Identifier CI for direct debit
+ICSTransfer=Creditor Identifier CI for bank transfer
END_TO_END="EndToEndId" SEPA XML tag - Unique id assigned per transaction
USTRD="Unstructured" SEPA XML tag
ADDDAYS=Add days to Execution Date
@@ -146,3 +148,4 @@ InfoRejectSubject=Direct debit payment order refused
InfoRejectMessage=Hello,
the direct debit payment order of invoice %s related to the company %s, with an amount of %s has been refused by the bank.
-- %s
ModeWarning=Option for real mode was not set, we stop after this simulation
ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know wich one to use.
+ErrorICSmissing=Missing ICS in Bank account %s
diff --git a/htdocs/langs/fa_IR/accountancy.lang b/htdocs/langs/fa_IR/accountancy.lang
index be45e5ff3ed..dad3cbd4038 100644
--- a/htdocs/langs/fa_IR/accountancy.lang
+++ b/htdocs/langs/fa_IR/accountancy.lang
@@ -48,6 +48,7 @@ CountriesExceptMe=همۀ کشورها باستثناء %s
AccountantFiles=Export source documents
ExportAccountingSourceDocHelp=With this tool, you can export the source events (list and PDFs) that were used to generate your accountancy. To export your journals, use the menu entry %s - %s.
VueByAccountAccounting=View by accounting account
+VueBySubAccountAccounting=View by accounting subaccount
MainAccountForCustomersNotDefined=در برپاسازی برای مشتریان حساب حسابداری اصلی تعریف نشده است
MainAccountForSuppliersNotDefined=در برپاسازی برای تامین کنندگان حساب حسابداری اصلی تعریف نشده است
@@ -144,7 +145,7 @@ NotVentilatedinAccount=به حساب حسابداری بند نشد
XLineSuccessfullyBinded=محصول/خدمت %s با موفقیت به حساب حسابداری بند شد
XLineFailedToBeBinded=محصول/خدمت %s به حساب حسابداری بند نشد
-ACCOUNTING_LIMIT_LIST_VENTILATION=تعداد عناصری که باید بند بشوند و در صفحه نمایش داده شوند (حداکثر پیشنهادی: 50 مورد)
+ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50)
ACCOUNTING_LIST_SORT_VENTILATION_TODO=آغاز مرتبکردن صفحۀ "بندکردن برای انجام" بواسطۀ عناصر اخیر
ACCOUNTING_LIST_SORT_VENTILATION_DONE=آغاز مرتبکردن صفحۀ "بندکردن انجام شد" بواسطۀ عناصر اخیر
@@ -198,7 +199,8 @@ Docdate=تاریخ
Docref=مرجع
LabelAccount=برچسب حساب
LabelOperation=عملیات برچسب
-Sens=Sens
+Sens=Direction
+AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received For an accounting account of a supplier, use Debit to record a payment you make
LetteringCode=کد حروفبندی
Lettering=حروفبندی
Codejournal=دفتر
@@ -206,7 +208,8 @@ JournalLabel=برچسب دفتر
NumPiece=شمارۀ بخش
TransactionNumShort=تعداد تراکنشها
AccountingCategory=گروههای دلخواه
-GroupByAccountAccounting=گروهبندی با حساب حسابداری
+GroupByAccountAccounting=Group by general ledger account
+GroupBySubAccountAccounting=Group by subledger account
AccountingAccountGroupsDesc=در این قسمت میتوانید گروههای متشکل از حسابحسابداری بسازید. این گروهها برای گزارشهای دلخواه حسابداری استفاده میشود.
ByAccounts=به واسطۀ حسابها
ByPredefinedAccountGroups=به واسطۀ گروههای از پیشتعریف شده
@@ -248,7 +251,7 @@ PaymentsNotLinkedToProduct=پرداخت به هیچ محصول/خدمتی وصل
OpeningBalance=Opening balance
ShowOpeningBalance=Show opening balance
HideOpeningBalance=Hide opening balance
-ShowSubtotalByGroup=Show subtotal by group
+ShowSubtotalByGroup=Show subtotal by level
Pcgtype=گروه حساب
PcgtypeDesc=Group of account are used as predefined 'filter' and 'grouping' criteria for some accounting reports. For example, 'INCOME' or 'EXPENSE' are used as groups for accounting accounts of products to build the expense/income report.
@@ -271,11 +274,13 @@ DescVentilExpenseReport=در این قسمت فهرستی از سطور گزار
DescVentilExpenseReportMore=در صورتیکه شما حسابحسابداری را از نوع سطور گزارش هزینه تنظیم میکنید، برنامه قادر خواهد بود همۀ بندهای لازم را بین سطور گزارش هزینههای شما و حساب حسابداری شما در ساختار حسابهایتان را ایجاد نماید، فقط با یک کلیک بر روی کلید "%s". در صورتیکه حساب بر روی واژهنامۀ پرداختها ثبت نشده باشد یا هنوز سطوری داشته باشید که به هیچ حسابی متصل نباشد، باید بندها را به شکل دستی از فهرست "%s: ایجاد نمائید.
DescVentilDoneExpenseReport=در این قسمت فهرستی از سطور گزارشات هزینه و حسابحسابداری پرداخت آنها را داشته باشید
+Closure=Annual closure
DescClosure=Consult here the number of movements by month who are not validated & fiscal years already open
OverviewOfMovementsNotValidated=Step 1/ Overview of movements not validated. (Necessary to close a fiscal year)
+AllMovementsWereRecordedAsValidated=All movements were recorded as validated
+NotAllMovementsCouldBeRecordedAsValidated=Not all movements could be recorded as validated
ValidateMovements=Validate movements
DescValidateMovements=Any modification or deletion of writing, lettering and deletes will be prohibited. All entries for an exercise must be validated otherwise closing will not be possible
-SelectMonthAndValidate=Select month and validate movements
ValidateHistory=بندکردن خودکار
AutomaticBindingDone=بندکردن خودکار انجام شد
@@ -293,6 +298,7 @@ Accounted=در دفترکل حسابشده است
NotYetAccounted=هنوز در دفترکل حساب نشدهاست
ShowTutorial=Show Tutorial
NotReconciled=وفق داده نشده
+WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view
## Admin
BindingOptions=Binding options
@@ -337,6 +343,7 @@ Modelcsv_LDCompta10=Export for LD Compta (v10 & higher)
Modelcsv_openconcerto=صادرکردن برای OpenConcerto (آزمایشی)
Modelcsv_configurable= صدور قابل پیکربندی CSV
Modelcsv_FEC=Export FEC
+Modelcsv_FEC2=Export FEC (With dates generation writing / document reversed)
Modelcsv_Sage50_Swiss=صادرکردن برای Sage 50 Switzerland
Modelcsv_winfic=Export Winfic - eWinfic - WinSis Compta
Modelcsv_Gestinumv3=Export for Gestinum (v3)
diff --git a/htdocs/langs/fa_IR/admin.lang b/htdocs/langs/fa_IR/admin.lang
index 047c4802f96..85ca56bff21 100644
--- a/htdocs/langs/fa_IR/admin.lang
+++ b/htdocs/langs/fa_IR/admin.lang
@@ -56,6 +56,8 @@ GUISetup=نمایش
SetupArea=برپاسازی
UploadNewTemplate=بارگذاری قالب(های) جدید
FormToTestFileUploadForm=برگه آزمایش بارگذاری فایل (با توجه به برپاسازی)
+ModuleMustBeEnabled=The module/application %s must be enabled
+ModuleIsEnabled=The module/application %s has been enabled
IfModuleEnabled=توجه: «بله» تنها در صورتی مؤثر است که واحد %s فعال باشد
RemoveLock=فایل %s را در صورت موجود بودن تغییر دهید تا امکان استفاده از ابزار نصب/روزآمدسازی وجود داشته باشد.
RestoreLock=فایل %s را با مجوز فقط خواندنی بازیابی کنید تا امکان استفاده از ابزار نصب/روزآمدسازی را غیرفعال کنید.
@@ -85,7 +87,6 @@ ShowPreview=نمایش پیشنمایش
ShowHideDetails=Show-Hide details
PreviewNotAvailable=پیشنمایش در دسترس نیست
ThemeCurrentlyActive=محیطی که اکنون فعال است
-CurrentTimeZone=منطقه زمانی PHP (سرور)
MySQLTimeZone=منطقه زمانی MySql (پایگاه داده)
TZHasNoEffect=در صورتی که تاریخها بهعنوان رشتۀ ارسال شده حفظ شوند، توسط سرویسدهندۀ بانکداده ذخیره شده و ارائه میشود. ناحیههای زمانی تنها در صورتی مؤثرند که از تابع UNIX_TIMESTAMP استفاده شده باشد ( در Dolibarr نباید استفاده شود، بنابراین ناحیۀ زمانی بانک داده نباید تاثیر داشته باشد، حتی اگر بعد از درج داده تغییر داده شود).
Space=فضا
@@ -153,8 +154,8 @@ SystemToolsAreaDesc=این واحد دربردارندۀ عوامل مربوط
Purge=پاککردن
PurgeAreaDesc=این صفحه به شما امکان حذف همۀ فایلهای تولید شده و ذخیره شده با Dolibarr را میدهد (فایلهای موقت یا همۀ فایلهای داخل پوشۀ %s). استفاده از این قابلیت در شرایط عادی ضرورتی ندارد. این قابلیت برای کاربرانی ایجاد شده است که میزبانی وبگاه آنها امکان حذف فایلهائی که توسط سرویسدهندۀ وب ایجاد شدهاند را نداده است.
PurgeDeleteLogFile=حذف فایلهای گزارشکار، شامل تعریف %s برای واحد گزارشکار سامانه Syslog (خطری برای از دست دادن دادهها نیست)
-PurgeDeleteTemporaryFiles=حذف همۀ فایلهای موقت (خطری برای از دست دادن داده نیست). توجه: حذف تها در صورتی انجام خواهد شد که پوشۀ موقتی حداقل 24 ساعت قبل ساخته شده باشد.
-PurgeDeleteTemporaryFilesShort=حذف فایلهای موقتی
+PurgeDeleteTemporaryFiles=Delete all log and temporary files (no risk of losing data). Note: Deletion of temporary files is done only if the temp directory was created more than 24 hours ago.
+PurgeDeleteTemporaryFilesShort=Delete log and temporary files
PurgeDeleteAllFilesInDocumentsDir=حذف همۀ فایلهای موجود در پوشۀ: %s. این باعث حذف همۀ مستنداتی که به عناصر مربوطند ( اشخاص سوم، صورتحساب و غیره ...)، فایلهائی که به واحد ECM ارسال شدهاند، نسخهبرداریهای پشتیبان بانکداده و فایلهای موقت خواهد شد.
PurgeRunNow=شروع پاکسازی
PurgeNothingToDelete=هیچ فایل یا پوشهای برای حذف وجود ندارد.
@@ -256,6 +257,7 @@ ReferencedPreferredPartners=همکاران پیشنهادی
OtherResources=سایر منابع
ExternalResources=منابع بیرونی
SocialNetworks=شبکههای اجتماعی
+SocialNetworkId=Social Network ID
ForDocumentationSeeWiki=مستندات مربوط به کاربر یا برنامهنویس (مستندات، سوال و جواب و غیره)، نگاهی به ویکی Dolibarr داشته باشید: %s
ForAnswersSeeForum=در صورتی که سوال دارید یا به کمک نیاز دارید میتوانید از تالارهای گفتمان Dolibarr استفاده نمائید: %s
HelpCenterDesc1=در اینجا منابعی برای دریافت کمک و پشتیبانی در خصوص Dolibarr مییابید:
@@ -375,7 +377,7 @@ ExamplesWithCurrentSetup=مثالهائی با پیکربندی کنونی
ListOfDirectories=فهرست پوشههای قالبهای OpenDocument
ListOfDirectoriesForModelGenODT=فهرست پوشههائی که دربردارندۀ قالبهای به شکل OpenDocument هستند.
مسیر کامل پوشهها را قرار دهید. بین هر پوشه یک ارجاع به اول سطر قرار دهید. برای افزودن پوشۀ واحد GED، اینجا قرار دهید DOL_DATA_ROOT/ecm/yourdirectoryname.
فایلهای موجود در آن پوشه باشید با .odt یا .ods خاتمه یابند.
NumberOfModelFilesFound=تعداد فایلهای قالب ODT/ODS پیدا شده در این پوشهها
-ExampleOfDirectoriesForModelGen=نمونههای روش نوشتاری: c:\\mydir /home/mydir DOL_DATA_ROOT/ecm/ecmdir
+ExampleOfDirectoriesForModelGen=Examples of syntax: c:\\myapp\\mydocumentdir\\mysubdir /home/myapp/mydocumentdir/mysubdir DOL_DATA_ROOT/ecm/ecmdir
FollowingSubstitutionKeysCanBeUsed= برای اطلاع از طرز ساخت مستندات قالب ODT دلخواه، قبل از اینکه آنها را در این پوشهها ذخیره کنید، مستندات راهنمای ویکی را بخوانید:
FullListOnOnlineDocumentation=http://wiki.dolibarr.org/index.php/Create_an_ODT_document_template
FirstnameNamePosition=مکان نام/نامخانوادگی
@@ -406,7 +408,7 @@ UrlGenerationParameters=مقادیر امنسازی نشانیهای ای
SecurityTokenIsUnique=استفاده از یک مقدار securekey منحصربهفرد برای هر نشانی اینترنتی
EnterRefToBuildUrl=مرجع را برای شیء %s وارد کنید
GetSecuredUrl=نشانی اینترنتی محاسبه شده را دریافت کنید
-ButtonHideUnauthorized=پنهان کردن کلیدهای مربوط به فعالیتهای غیرمجاز برای کاربران غیرمدیر به جای نمایش کلیدهای خاکستری غیرفعال
+ButtonHideUnauthorized=Hide unauthorized action buttons also for internal users (just greyed otherwise)
OldVATRates=نرخ قدیمی مالیاتبرارزشافزوده
NewVATRates=نرخ جدید قدیمی مالیاتبرارزشافزوده
PriceBaseTypeToChange=تغییر قیمتها بر پایۀ مقدار مرجع تعریف شده در
@@ -1689,7 +1691,7 @@ NotTopTreeMenuPersonalized=فهرستهای شخصی که به یکی از ق
NewMenu=فهرست جدید
MenuHandler=ادارهکنندۀ فهرست
MenuModule=واحد منبع
-HideUnauthorizedMenu= پنهان کردن فهرستهای غیرمجاز (خاکستری)
+HideUnauthorizedMenu=Hide unauthorized menus also for internal users (just greyed otherwise)
DetailId=فهرست شناسه
DetailMenuHandler=اداره کنندۀ فهرست برای تعیین مکان نمایش فهرست جدید
DetailMenuModule=نام واحد در صورتی که یک قسمت از فهرست از یک واحد میآید
@@ -1983,11 +1985,12 @@ EMailHost=میزبان سرور IMAP رایانامه
MailboxSourceDirectory=پوشۀ منبع صندوقپستی
MailboxTargetDirectory=پوشۀ مقصد صندوقپستی
EmailcollectorOperations=عملیات قابل انجام جمعکننده
+EmailcollectorOperationsDesc=Operations are executed from top to bottom order
MaxEmailCollectPerCollect=حداکثر تعداد رایانامههای جمعآوری شده در یک جمعآوری
CollectNow=الآن جمعآوری شود
ConfirmCloneEmailCollector=آیا مطمئن هستید میخواهد جمعآورندۀ رایانامۀ %s را نسخهبرداری کنید؟
-DateLastCollectResult=آخرین تاریخ تلاش برای جمعآوری
-DateLastcollectResultOk=آخرین تلاش جمعآوری موفق
+DateLastCollectResult=Date of latest collect try
+DateLastcollectResultOk=Date of latest collect success
LastResult=آخرین نتیجه
EmailCollectorConfirmCollectTitle=تائید جمعآوری رایانامه
EmailCollectorConfirmCollect=آیا میخواهید عملیات جمعآوری این جمعآورنده را حالا اجرا کنید؟
@@ -2005,7 +2008,7 @@ WithDolTrackingID=Message from a conversation initiated by a first email sent fr
WithoutDolTrackingID=Message from a conversation initiated by a first email NOT sent from Dolibarr
WithDolTrackingIDInMsgId=Message sent from Dolibarr
WithoutDolTrackingIDInMsgId=Message NOT sent from Dolibarr
-CreateCandidature=Create candidature
+CreateCandidature=Create job application
FormatZip=کدپستی
MainMenuCode=کد ورودی فهرست (فهرست اصلی)
ECMAutoTree=نمایش ساختاردرختی خودکار ECM
@@ -2083,3 +2086,7 @@ CountryIfSpecificToOneCountry=Country (if specific to a given country)
YouMayFindSecurityAdviceHere=You may find security advisory here
ModuleActivatedMayExposeInformation=This module may expose sensitive data. If you don't need it, disable it.
ModuleActivatedDoNotUseInProduction=A module designed for the development has been enabled. Do not enable it on a production environment.
+CombinationsSeparator=Separator character for product combinations
+SeeLinkToOnlineDocumentation=See link to online documention on top menu for examples
+SHOW_SUBPRODUCT_REF_IN_PDF=If the feature "%s" of module %s is used, show details of subproducts of a kit on PDF.
+AskThisIDToYourBank=Contact your bank to get this ID
diff --git a/htdocs/langs/fa_IR/banks.lang b/htdocs/langs/fa_IR/banks.lang
index b2492377312..230dd8c779c 100644
--- a/htdocs/langs/fa_IR/banks.lang
+++ b/htdocs/langs/fa_IR/banks.lang
@@ -173,8 +173,8 @@ SEPAMandate=تعهدنامۀ SEPA
YourSEPAMandate=تعهدنامۀ SEPAی شما
FindYourSEPAMandate=این تعهدنامۀ SEPAی شماست تا شرکت ما را مجاز کند سفارش پرداخت مستقیم از بانک داشته باشد. آن را امضا شده بازگردانید (نسخۀ اسکنشدۀ برگۀ امضا شده) یا آن را توسط رایانامه ارسال کنید:
AutoReportLastAccountStatement=پرکردن خودکار بخش "شمارۀ شرح کار بانک" با آخرین شمارۀ شرح کار در هنگام وفق دادن
-CashControl=محدودۀ مبلغنقدی صندوق-نقطۀ فروش-
-NewCashFence=محدودۀ جدید مبلغنقدی
+CashControl=POS cash desk control
+NewCashFence=New cash desk closing
BankColorizeMovement=Colorize movements
BankColorizeMovementDesc=If this function is enable, you can choose specific background color for debit or credit movements
BankColorizeMovementName1=Background color for debit movement
diff --git a/htdocs/langs/fa_IR/blockedlog.lang b/htdocs/langs/fa_IR/blockedlog.lang
index 116a6acbb42..f5999b78250 100644
--- a/htdocs/langs/fa_IR/blockedlog.lang
+++ b/htdocs/langs/fa_IR/blockedlog.lang
@@ -35,7 +35,7 @@ logDON_DELETE=حذف منطقی کمکمالی
logMEMBER_SUBSCRIPTION_CREATE=عضویت برای عضو ساخت شده
logMEMBER_SUBSCRIPTION_MODIFY=عضویت برای عضو ویرایش شد
logMEMBER_SUBSCRIPTION_DELETE=حذف منطقی عضویت برای عضیو
-logCASHCONTROL_VALIDATE=ثبت محدودۀ پولنقد
+logCASHCONTROL_VALIDATE=Cash desk closing recording
BlockedLogBillDownload=دریافت صورتحساب مشتری
BlockedLogBillPreview=پیشنمایش صورتحساب مشتری
BlockedlogInfoDialog=جزئیات گزارشکار
diff --git a/htdocs/langs/fa_IR/boxes.lang b/htdocs/langs/fa_IR/boxes.lang
index 3ee603aee83..d9d03656410 100644
--- a/htdocs/langs/fa_IR/boxes.lang
+++ b/htdocs/langs/fa_IR/boxes.lang
@@ -46,9 +46,12 @@ BoxTitleLastModifiedDonations=آخرین %s کمکِ تغییریافته
BoxTitleLastModifiedExpenses=آخرین %s گزارش هزینۀ تغییریافته
BoxTitleLatestModifiedBoms=Latest %s modified BOMs
BoxTitleLatestModifiedMos=Latest %s modified Manufacturing Orders
+BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded
BoxGlobalActivity=فعالیتهای سراسری (صورتحسابها، پیشنهادها، سفارشات)
BoxGoodCustomers=مشتریان خوب
BoxTitleGoodCustomers=%s مشتری خوب
+BoxScheduledJobs=وظایف برنامهریزیشده
+BoxTitleFunnelOfProspection=Lead funnel
FailedToRefreshDataInfoNotUpToDate=باسازی واکشی RSS ناموفق بود، آخرین تاریخ باسازی موفق: %s
LastRefreshDate=آخرین تاریخ نوسازی
NoRecordedBookmarks=هیچ نشانهای تعریف نشده است
@@ -102,5 +105,7 @@ SuspenseAccountNotDefined=Suspense account isn't defined
BoxLastCustomerShipments=Last customer shipments
BoxTitleLastCustomerShipments=Latest %s customer shipments
NoRecordedShipments=No recorded customer shipment
+BoxCustomersOutstandingBillReached=Customers with oustanding limit reached
# Pages
AccountancyHome=حسابداری
+ValidatedProjects=Validated projects
diff --git a/htdocs/langs/fa_IR/cashdesk.lang b/htdocs/langs/fa_IR/cashdesk.lang
index 40313762c8d..2c4889740bb 100644
--- a/htdocs/langs/fa_IR/cashdesk.lang
+++ b/htdocs/langs/fa_IR/cashdesk.lang
@@ -49,8 +49,8 @@ Footer=پاورقی
AmountAtEndOfPeriod=مبلغ در انتهای دوره (روز، ماه یا سال)
TheoricalAmount=مبلغ نظری
RealAmount=مقدار واقعی
-CashFence=Cash fence
-CashFenceDone=حصار نقدی برای دوره تعیین شده
+CashFence=Cash desk closing
+CashFenceDone=Cash desk closing done for the period
NbOfInvoices=Nb و از فاکتورها
Paymentnumpad=نوع بخشکناری
Numberspad=بخشکناری عددی
@@ -99,8 +99,9 @@ CashDeskRefNumberingModules=Numbering module for POS sales
CashDeskGenericMaskCodes6 = {TN} tag is used to add the terminal number
TakeposGroupSameProduct=Group same products lines
StartAParallelSale=Start a new parallel sale
-ControlCashOpening=Control cash box at opening POS
-CloseCashFence=Close cash fence
+SaleStartedAt=Sale started at %s
+ControlCashOpening=Control cash popup at opening POS
+CloseCashFence=Close cash desk control
CashReport=Cash report
MainPrinterToUse=Main printer to use
OrderPrinterToUse=Order printer to use
@@ -122,3 +123,4 @@ GiftReceipt=Gift receipt
ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled first
AllowDelayedPayment=Allow delayed payment
PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts
+WeighingScale=Weighing scale
diff --git a/htdocs/langs/fa_IR/categories.lang b/htdocs/langs/fa_IR/categories.lang
index adc3e73cfdb..5c7ca6a0f2e 100644
--- a/htdocs/langs/fa_IR/categories.lang
+++ b/htdocs/langs/fa_IR/categories.lang
@@ -19,6 +19,7 @@ ProjectsCategoriesArea=بخش کلیدواژهها/دستهبندیها
UsersCategoriesArea=بخش کلیدواژهها/دستهبندیهای کاربران
SubCats=زیردستهها
CatList=فهرست کلیدواژهها/دستهبندیها
+CatListAll=List of tags/categories (all types)
NewCategory=کلیدواژه/دستهبندی جدید
ModifCat=ویرایش کلیدواژه/دستهبندی
CatCreated=کلیدواژه/دستهبندی ساخته شد
@@ -65,16 +66,22 @@ UsersCategoriesShort=کلیدواژه/دستهبندیهای کاربرا
StockCategoriesShort=Warehouse tags/categories
ThisCategoryHasNoItems=This category does not contain any items.
CategId=شناسۀ کلیدواژه/دستهبندی
-CatSupList=فهرست کلیدواژه/دستهبندیهای فروشندگان
-CatCusList=فهرست کلیدواژه/دستهبندیهای مشتریان/احتمالیها
+ParentCategory=Parent tag/category
+ParentCategoryLabel=Label of parent tag/category
+CatSupList=List of vendors tags/categories
+CatCusList=List of customers/prospects tags/categories
CatProdList=فهرست گروهبندیها/برچسبهای محصولات
CatMemberList=فهرست کلیدواژه/دستهبندیهای اعضا
-CatContactList=فهرست کلیدواژه/دستهبندیهای طرفهای تماس
-CatSupLinks=پیوندهای میان تامینکنندگان و کلیدواژه/دستهبندیها
+CatContactList=List of contacts tags/categories
+CatProjectsList=List of projects tags/categories
+CatUsersList=List of users tags/categories
+CatSupLinks=Links between vendors and tags/categories
CatCusLinks=پیوندهای میان مشتریان/احتمالیها و کلیدواژه/دستهبندیها
CatContactsLinks=Links between contacts/addresses and tags/categories
CatProdLinks=پیوندهای میان محصولات/خدمات و کلیدواژه/دستهبندیها
-CatProJectLinks=پیوندهای میان طرحها و کلیدواژه/دستهبندیها
+CatMembersLinks=Links between members and tags/categories
+CatProjectsLinks=پیوندهای میان طرحها و کلیدواژه/دستهبندیها
+CatUsersLinks=Links between users and tags/categories
DeleteFromCat=حذف از کلیدواژه/دستهبندی
ExtraFieldsCategories=ویژگی های مکمل
CategoriesSetup=برپاسازی کلیدواژه/دستهبندی
diff --git a/htdocs/langs/fa_IR/companies.lang b/htdocs/langs/fa_IR/companies.lang
index 9a4bc483b57..ab78f11dd02 100644
--- a/htdocs/langs/fa_IR/companies.lang
+++ b/htdocs/langs/fa_IR/companies.lang
@@ -358,7 +358,7 @@ VATIntraCheckableOnEUSite=بررسی شناسۀ م.ب.ا.ا. داخل جامعه
VATIntraManualCheck=همچنین میتوانید بهطور دستی روی وبگاه کمیسیون اروپا بررسی کنید %s
ErrorVATCheckMS_UNAVAILABLE=بررسی مقدور نبود. خدمات بررسی برای کشور عضو (%s) ارائه نمیشود.
NorProspectNorCustomer=مشتریاحتمالی نیست/مشتری نیست
-JuridicalStatus=نوع موجودیت قانونی
+JuridicalStatus=Business entity type
Workforce=Workforce
Staff=کارمندان
ProspectLevelShort=توانبالقوه-پتانسیل
diff --git a/htdocs/langs/fa_IR/compta.lang b/htdocs/langs/fa_IR/compta.lang
index cdf21783347..5e300643567 100644
--- a/htdocs/langs/fa_IR/compta.lang
+++ b/htdocs/langs/fa_IR/compta.lang
@@ -111,7 +111,7 @@ Refund=بازپسگیری
SocialContributionsPayments=پرداختهای مالیات اجتماعی/ساختاری
ShowVatPayment=نمایش پرداخت م.ب.ا.ا
TotalToPay=مجموع قابل پرداخت
-BalanceVisibilityDependsOnSortAndFilters=موجودی در این فهرست تنها در صورتی قابل مشاهده خواهد بود که جدول به صورت صعودی برای %s انجام شده باشد و صافی برای 1 حساب بانکی تنظیم شده باشد
+BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted on %s and filtered on 1 bank account (with no other filters)
CustomerAccountancyCode=کد حسابداری مشتری
SupplierAccountancyCode=Vendor accounting code
CustomerAccountancyCodeShort=کد حسابداری مشتری
@@ -140,7 +140,7 @@ ConfirmDeleteSocialContribution=آیا مطمئن هستید میخواهید
ExportDataset_tax_1=مالیاتهای اجتماعی و ساختاری و پرداختها
CalcModeVATDebt=حالت %sحسابداری مالیاتبرارزش افزوده تعهدی%s.
CalcModeVATEngagement=حالت %sمالیات بر ارزش افزوده در ازای درآمد-هزینه%s.
-CalcModeDebt=تحلیل صورتحسابهای معلوم و ثبت شده حتی در صورتی که هنوز در دفترکل حساب نشده باشند.
+CalcModeDebt=Analysis of known recorded documents even if they are not yet accounted in ledger.
CalcModeEngagement=تحلیل پرداختهای معلوم و ثبت شده حتی در صورتی که هنوز در دفترکل حساب نشده باشند.
CalcModeBookkeeping=تحلیل دادههای ثبت شده در دفتر روزنامه در جدول دفترداری دفترکل
CalcModeLT1= حالت %sRE بر حسب صورتحساب مشتری - صورتحساب تامین کننده%s
@@ -154,9 +154,9 @@ AnnualSummaryInputOutputMode=ماندۀ درآمدها و هزینهها، ج
AnnualByCompanies=ماندۀ درآمدها و هزینهها، بر حسب حسابهای از گروهبندی شده
AnnualByCompaniesDueDebtMode=ماندۀ درآمدها و هزینهها، جزئیات بر حسب گروههای از قبل تعیین شده، حالت %s طلبها-بدهیها%s یا حسابداری تعهدی
AnnualByCompaniesInputOutputMode=ماندۀ درآمدها و هزینهها، جزئیات بر حسب گروههای از قبل تعیین شده، حالت %sدرآمدها-هزینهها%s یا حسابداری نقدی.
-SeeReportInInputOutputMode=برای محاسبۀ پرداختهای حقیقی که حتی هنوز در دفترکل حساب نشدهاند به %sتحلیل پرداختها%s نگاه کنید.
-SeeReportInDueDebtMode=برای محاسبۀ صورتحسابهای ثبت شده که حتی هنوز در دفترکل حساب نشدهاند به %sتحلیل صورتحسابها %s نگاه کنید.
-SeeReportInBookkeepingMode=برای محاسبهای بر روی جدول حسابداری دفترکل به %sگزارش حسابداری%s مراجعه کنید.
+SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation based on recorded payments made even if they are not yet accounted in Ledger
+SeeReportInDueDebtMode=See %sanalysis of recorded documents%s for a calculation based on known recorded documents even if they are not yet accounted in Ledger
+SeeReportInBookkeepingMode=See %sanalysis of bookeeping ledger table%s for a report based on Bookkeeping Ledger table
RulesAmountWithTaxIncluded=- تمام مالیاتها در مقادیر نمایش داده شده، گنجانده شدهاند
RulesResultDue=- It includes outstanding invoices, expenses, VAT, donations whether they are paid or not. Is also includes paid salaries. - It is based on the billing date of invoices and on the due date for expenses or tax payments. For salaries defined with Salary module, the value date of payment is used.
RulesResultInOut=- این شامل همۀ پرداختهای واقعی صورتحسابها، هزینهها، مالیات بر ارزش افزوده و حقوقها است. - بر حسب تاریخ پرداخت صورتحسابها، هزینهها، مالیات بر ارزش افزوده و حقوقها میباشد. تاریخ کمکمالی برای کمکهای مالی
@@ -169,12 +169,15 @@ RulesResultBookkeepingPersonalized=نمایش دهندۀ ردیف دفترکل
SeePageForSetup=برای برپاسازی فهرست %s را ببینید
DepositsAreNotIncluded=- صورتحسابهای پیشپرداخت شامل نشدهاند
DepositsAreIncluded=- صورتحسابهای پیشپرداخت شامل شدهاند
+LT1ReportByMonth=Tax 2 report by month
+LT2ReportByMonth=Tax 3 report by month
LT1ReportByCustomers=گزارش مالیات 2 توسط شخص سوم
LT2ReportByCustomers=گزارش مالیات 3 توسط شخص سوم
LT1ReportByCustomersES=گزارش توسط شخص سوم RE
LT2ReportByCustomersES=گزارش توسط شخص سوم IRPF
VATReport=گزارش مالیاتبرفروش
VATReportByPeriods=گزارش مالیاتبرفروش بر حسب دورۀ زمانی
+VATReportByMonth=Sale tax report by month
VATReportByRates=گزارش مالیاتبرفروش بر حسب نرخها
VATReportByThirdParties=گزارش مالیاتبرفروش بر حسب شخصسومها
VATReportByCustomers=گزارش مالیاتبرفروش بر حسب مشتری
diff --git a/htdocs/langs/fa_IR/cron.lang b/htdocs/langs/fa_IR/cron.lang
index 0302013fc26..b88af91c016 100644
--- a/htdocs/langs/fa_IR/cron.lang
+++ b/htdocs/langs/fa_IR/cron.lang
@@ -7,13 +7,14 @@ Permission23103 = حذف وظایف زمانبندیشده
Permission23104 = اجرای وظایف زمانبندیشده
# Admin
CronSetup=برپاسازی مدیریت وظایف زمانبندیشده
-URLToLaunchCronJobs=نشانی برای بررسی و اجرای وظایفزمانبندیشدۀ واجدشرایط
-OrToLaunchASpecificJob=یا برای بررسی و اجرای یک وظیفۀ خاص
+URLToLaunchCronJobs=URL to check and launch qualified cron jobs from a browser
+OrToLaunchASpecificJob=Or to check and launch a specific job from a browser
KeyForCronAccess=کلیدامنیتی نشانی برای اجرای وظایفزمانبندیشده
FileToLaunchCronJobs=خطفرمان برای بررسی و اجرای وظایفزمانی واجد شرایط
CronExplainHowToRunUnix=در فضای لینوکس شما باید ورودی crontab زیر را استفاده کنید تا در هر 5 دقیقه فرمان اجرا شود
CronExplainHowToRunWin=در فضای مایکروسافت ویندوز شما میتوانید از ابزارهای وظایف زمانبندی شده استفاده کنید تا در هر 5 دقیقه دستور را اجرا کنید
CronMethodDoesNotExists=کلاس %s دربردارندۀ هیچ متد %s نیست
+CronMethodNotAllowed=Method %s of class %s is in blacklist of forbidden methods
CronJobDefDesc=نمایههای وظایف زمانیبندی شده در فایل توضیح واحد مربوطه تعریف میشوند. در هنگامی که این واحد فعال شد، این فایلها بارگذاری شده و در دسترس خواهند بود و در نتیجه شما میتوانید واظیف را از فهرست ابزارهای مدیر %s مدیریت کنید.
CronJobProfiles=نمایههای از پیش تعیین شدۀ وظایفزمانبندیشده
# Menu
@@ -46,6 +47,7 @@ CronNbRun=تعداد اجراها
CronMaxRun=حداکثر تعداد اجراها
CronEach=هر
JobFinished=وظیفه اجرا شده و به سرانجام رسید
+Scheduled=Scheduled
#Page card
CronAdd= اضافهکردن وظیفه
CronEvery=اجرای وظیفه در هر
@@ -56,7 +58,7 @@ CronNote=توضیح
CronFieldMandatory=بخش %s الزامی است
CronErrEndDateStartDt=تاریخ پایان نمیتواند قبل از تاریخ شروع باشد
StatusAtInstall=وضعیت نصب واحد
-CronStatusActiveBtn=فعالکردن
+CronStatusActiveBtn=Schedule
CronStatusInactiveBtn=غیرفعالکردن
CronTaskInactive=این وظیفه غیرفعال است
CronId=شناسه
@@ -76,8 +78,14 @@ CronType_method=روش-متد فراخوان یک کلاس PHP
CronType_command=فرمان شل
CronCannotLoadClass=امکان بارگذاری فایل کلاس %s (برای بارگذاری کلاس %s)
CronCannotLoadObject=فایل کلاس %s بارگذاری شد، اما شیء %s درون آن پیدا نشد
-UseMenuModuleToolsToAddCronJobs=به فهرست "خانه-ابزارهای مدیر-وظایف زمانبندی شده" رفته تا این وظایف را مشاهده کرده یا ویرایش کنید.
+UseMenuModuleToolsToAddCronJobs=Go into menu "Home - Admin tools - Scheduled jobs" to see and edit scheduled jobs.
JobDisabled=وظیفه غیرفعال است
MakeLocalDatabaseDumpShort=پشتیبانگیری از پایگاه داده محلی
MakeLocalDatabaseDump=نسخهبرداری-dump از پایگاه دادۀ محلی. مؤلفههای مربوطه از قرار: فشردهسازی ('gz' یا 'bz' یا 'none')، نوع پشتیبانگیری ('mysql', 'pgsql', 'auto'), 1, 'auto' یا نام فایلی که ساخته میشود, تعداد فایلهائی که نگهداری میشود است
WarningCronDelayed=توجه، برای مقاصد بهینهسازی، زمان اجرای بعدی وظایف فعال، وظایف شما ممکن است حداکثر %s ساعت قبل از اجرا تاخیر داشته باشد.
+DATAPOLICYJob=Data cleaner and anonymizer
+JobXMustBeEnabled=Job %s must be enabled
+# Cron Boxes
+LastExecutedScheduledJob=Last executed scheduled job
+NextScheduledJobExecute=Next scheduled job to execute
+NumberScheduledJobError=Number of scheduled jobs in error
diff --git a/htdocs/langs/fa_IR/errors.lang b/htdocs/langs/fa_IR/errors.lang
index 3547d8ea6cb..43ad72288b6 100644
--- a/htdocs/langs/fa_IR/errors.lang
+++ b/htdocs/langs/fa_IR/errors.lang
@@ -5,8 +5,10 @@ NoErrorCommitIsDone=خطائی نیست، حرکت میکنیم
# Errors
ErrorButCommitIsDone=علیرغم وجود خطا، تائید میشود
ErrorBadEMail=رایانامۀ %s غلط است
+ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record)
ErrorBadUrl=نشانیاینترنتی %s اشتباه است
ErrorBadValueForParamNotAString=برای مؤلفۀ موردنظر مقدار خطائی وارد شده است. عموما در هنگام فقدان ترجمه، الحاق میشود.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorLoginAlreadyExists=نامکاربری %s قبلا وجود داشته است.
ErrorGroupAlreadyExists=گروه %s قبلا وجود داشته است.
ErrorRecordNotFound=ردیف موجود نیست.
@@ -48,6 +50,7 @@ ErrorFieldsRequired=برخی از بخشهای الزامی، پر نشده
ErrorSubjectIsRequired=موضوع رایانامه الزامی است.
ErrorFailedToCreateDir=ایجاد یک پوشه با شکست مواجه شد. بررسی کنید، کاربر سرور وب، دارای مجوزهای نوشتاری بر روی پوشۀ documents مربوط به Dolibarr باشد در صورتی که مؤلفۀ safe_mode روی این نسخه از PHP فعال باشد، بررسی کنید فایلهای PHP مربوط به Dolibarr متعلق به کاربر سرور وب (یا گروه مربوطه) باشد.
ErrorNoMailDefinedForThisUser=نشانی رایانامه برای این کاربر تعریف نشده است
+ErrorSetupOfEmailsNotComplete=Setup of emails is not complete
ErrorFeatureNeedJavascript=این قابلیت برای کار کردن نیاز به فعال بودن جاوااسکریپت دارد. این گزینه را در بخش برپاسازی-نمایش فعال کنید.
ErrorTopMenuMustHaveAParentWithId0=فهرستهائی از نوع "بالا" میتوانند دارای فهرست مادر باشند. برای اینکه فهرست "کنار" داشته باشید، عدد 0 را وارد کنید.
ErrorLeftMenuMustHaveAParentId=فهرستهای "کنار" باید یک شناسۀ مادر داشته باشند
@@ -75,7 +78,7 @@ ErrorExportDuplicateProfil=این نام نمایه برای این مجموعۀ
ErrorLDAPSetupNotComplete=تطبیق Dolibarr-LDAP کامل نیست.
ErrorLDAPMakeManualTest=یک فایل .ldif در پوشۀ %s تولید شد. تلاش کنید آن را از خط فرمان به شکل دستی اجرا کنید تا اطلاعات بیشتری در مورد خطاها داشته باشید.
ErrorCantSaveADoneUserWithZeroPercentage=در صورتی که بخش "انجام شده توسط" هم پر شده باشد، امکان ذخیرۀ یک کنش با "وضعیت شروع نشده" نیست.
-ErrorRefAlreadyExists=ارجاعی که برای مورد ساخته شده استفاده شده قبلا وجود داشته است.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorPleaseTypeBankTransactionReportName=لطفا نام اطلاعیۀ بانک را در خصوص چگونگی گزارش ورودی وارد کنید (حالت YYYYMM یا YYYYMMDD)
ErrorRecordHasChildren=هنگامی که یک ردیف دارای زیرمجموعه است، امکان حذف آن وجود ندارد.
ErrorRecordHasAtLeastOneChildOfType=این شیء حداقل یک فرزند از نوع %s دارد
@@ -216,7 +219,7 @@ ErrorChooseBetweenFreeEntryOrPredefinedProduct=شما باید تعیین کنی
ErrorDiscountLargerThanRemainToPaySplitItBefore=تخفیفی که میدهید بزرگتر از مقدار قابل پرداخت است. قبل از این کار تخفیف را به 2 تخفیف کوچکتر تقسیم کنید.
ErrorFileNotFoundWithSharedLink=فایل پیدا نشد. ممکن است کلید بهاشتراکگذاری ویرایش شده یا فایل حذف شده باشد
ErrorProductBarCodeAlreadyExists=بارکد محصول %s در یک ارجاع محصول دیگر قبلا وجود داشته است
-ErrorNoteAlsoThatSubProductCantBeFollowedByLot=همچنین توجه داشته باشید در هنگامی که حداقل یک زیرمحصول (یا زیرمحصولی از زیرمحصول) به یک شمارۀ سریساخت/شماره سریال احتیاج داشته باشد، استفاده از محصول مجازی برای افزایش/کاهش خودکار زیرمحصولات ممکن نیست.
+ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using kits to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number.
ErrorDescRequiredForFreeProductLines=برای سطوری که محصول مجانی دارند، توضیحات الزامی است
ErrorAPageWithThisNameOrAliasAlreadyExists=صفحه/دربردارندۀ %s نام مشابه یا ناممستعار جایگزین مشابه ورودی مورد استفادۀ شما دارد
ErrorDuringChartLoad=خطا در هنگام بارگذاری نمودار حسابها. در صورتی برخی حسابها بارگذاری نشوند، همچنان میتوانید به طور دستی آنها را وارد کنید
@@ -243,6 +246,16 @@ ErrorReplaceStringEmpty=Error, the string to replace into is empty
ErrorProductNeedBatchNumber=Error, product '%s' need a lot/serial number
ErrorProductDoesNotNeedBatchNumber=Error, product '%s' does not accept a lot/serial number
ErrorFailedToReadObject=Error, failed to read object of type %s
+ErrorParameterMustBeEnabledToAllwoThisFeature=Error, parameter %s must be enabled into conf/conf.php to allow use of Command Line Interface by the internal job scheduler
+ErrorLoginDateValidity=Error, this login is outside the validity date range
+ErrorValueLength=Length of field '%s' must be higher than '%s'
+ErrorReservedKeyword=The word '%s' is a reserved keyword
+ErrorNotAvailableWithThisDistribution=Not available with this distribution
+ErrorPublicInterfaceNotEnabled=Public interface was not enabled
+ErrorLanguageRequiredIfPageIsTranslationOfAnother=The language of new page must be defined if it is set as a translation of another page
+ErrorLanguageMustNotBeSourceLanguageIfPageIsTranslationOfAnother=The language of new page must not be the source language if it is set as a translation of another page
+ErrorAParameterIsRequiredForThisOperation=A parameter is mandatory for this operation
+
# Warnings
WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup.
WarningPasswordSetWithNoAccount=یک گذرواژه برای این عضو تنظیم شده است. با اینحال هیچ حساب کاربریای ساخته نشده است. بنابراین این گذرواژه برای ورود به Dolibarr قابل استفاده نیست. ممکن است برای یک رابط/واحد بیرونی قابل استفاده باشد، اما اگر شما نخواهید هیچ نام کاربری ورود و گذرواژهای برای یک عضو استفاده کنید، شما میتوانید گزینۀ "ایجاد یک نامورد برای هر عضو" را از برپاسازی واحد اعضاء غیرفعال کنید. در صورتی که نیاز دارید که نامورود داشته باشید اما گذرواژه نداشته باشید، میتوانید این بخش را خالی گذاشته تا از این هشدار بر حذر باشید. نکته: همچنین نشانی رایانامه میتواند در صورتی که عضو به یککاربر متصل باشد، میتواند مورد استفاده قرار گیرد
@@ -267,6 +280,10 @@ WarningYourLoginWasModifiedPleaseLogin=نامورود شما تغییر پی
WarningAnEntryAlreadyExistForTransKey=یک ورودی برای این کلید ترجمه برای این زبان قبلا وجود داشته است
WarningNumberOfRecipientIsRestrictedInMassAction=هشدار، در هنگام انجام عملیات انبوده روی فهرستها، تعداد دریافتکنندگان مختلف به %s محدود است.
WarningDateOfLineMustBeInExpenseReportRange=هشدار، تاریخ مربوط به سطر در بازۀ گزارش هزینهها نیست
+WarningProjectDraft=Project is still in draft mode. Don't forget to validate it if you plan to use tasks.
WarningProjectClosed=طرح بسته است. ابتدا باید آن را باز کنید
WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list.
-WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table
+WarningFailedToAddFileIntoDatabaseIndex=Warning, failed to add file entry into ECM database index table
+WarningTheHiddenOptionIsOn=Warning, the hidden option %s is on.
+WarningCreateSubAccounts=Warning, you can't create directly a sub account, you must create a third party or an user and assign them an accounting code to find them in this list
+WarningAvailableOnlyForHTTPSServers=Available only if using HTTPS secured connection.
diff --git a/htdocs/langs/fa_IR/exports.lang b/htdocs/langs/fa_IR/exports.lang
index 87e543c7259..c514c0638f1 100644
--- a/htdocs/langs/fa_IR/exports.lang
+++ b/htdocs/langs/fa_IR/exports.lang
@@ -26,6 +26,8 @@ FieldTitle=عنوان بخش
NowClickToGenerateToBuildExportFile=حالا نوع فایل را در کادرترکیبی وارد کرده و کلید "تولید" را برای ساخت فایل صادرات کلیک کنید..
AvailableFormats=انواعفایل ممکن
LibraryShort=کتابخانه
+ExportCsvSeparator=Csv caracter separator
+ImportCsvSeparator=Csv caracter separator
Step=گام
FormatedImport=دستیار واردات
FormatedImportDesc1=این واحد به شما امکان میدهد با استفاده از فایل و بدون دانش فنی، با استفاده از یک دستیار دادههای موجود را روزآمد کرده یا اشیاء جدید به پایگاهداده اضافه کنید.
@@ -131,3 +133,4 @@ KeysToUseForUpdates=کلید (ستون) برای استفاده در به
NbInsert=تعدا سطور درج شده: %s
NbUpdate=تعداد سطور روزآمد شده: %s
MultipleRecordFoundWithTheseFilters=ردیفهای متعددی با این صافی پیدا شد: %s
+StocksWithBatch=Stocks and location (warehouse) of products with batch/serial number
diff --git a/htdocs/langs/fa_IR/mails.lang b/htdocs/langs/fa_IR/mails.lang
index 75df4395c03..1f688c5cbdc 100644
--- a/htdocs/langs/fa_IR/mails.lang
+++ b/htdocs/langs/fa_IR/mails.lang
@@ -92,6 +92,7 @@ MailingModuleDescEmailsFromUser=ورودی رایانامه کاربر
MailingModuleDescDolibarrUsers=کاربران دارای رایانامه
MailingModuleDescThirdPartiesByCategories=شخصسومها (بر حسب دستهبندی)
SendingFromWebInterfaceIsNotAllowed=ارسال از رابط وب مجاز نیست.
+EmailCollectorFilterDesc=All filters must match to have an email being collected
# Libelle des modules de liste de destinataires mailing
LineInFile=خط٪ در فایل
@@ -125,12 +126,13 @@ TagMailtoEmail=Recipient Email (including html "mailto:" link)
NoEmailSentBadSenderOrRecipientEmail=No email sent. Bad sender or recipient email. Verify user profile.
# Module Notifications
Notifications=اطلاعیه ها
-NoNotificationsWillBeSent=بدون اطلاعیه ها ایمیل ها برای این رویداد و شرکت برنامه ریزی
-ANotificationsWillBeSent=1 اطلاع رسانی خواهد شد از طریق ایمیل ارسال می شود
-SomeNotificationsWillBeSent=اطلاعیه٪ خواهد شد از طریق ایمیل ارسال می شود
-AddNewNotification=Activate a new email notification target/event
-ListOfActiveNotifications=List all active targets/events for email notification
-ListOfNotificationsDone=لیست همه اطلاعیه ها ایمیل فرستاده شده
+NotificationsAuto=Notifications Auto.
+NoNotificationsWillBeSent=No automatic email notifications are planned for this event type and company
+ANotificationsWillBeSent=1 automatic notification will be sent by email
+SomeNotificationsWillBeSent=%s automatic notifications will be sent by email
+AddNewNotification=Subscribe to a new automatic email notification (target/event)
+ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification
+ListOfNotificationsDone=List all automatic email notifications sent
MailSendSetupIs=Configuration of email sending has been setup to '%s'. This mode can't be used to send mass emailing.
MailSendSetupIs2=You must first go, with an admin account, into menu %sHome - Setup - EMails%s to change parameter '%s' to use mode '%s'. With this mode, you can enter setup of the SMTP server provided by your Internet Service Provider and use Mass emailing feature.
MailSendSetupIs3=If you have any questions on how to setup your SMTP server, you can ask to %s.
@@ -140,7 +142,7 @@ UseFormatFileEmailToTarget=Imported file must have format email;name;fir
UseFormatInputEmailToTarget=Enter a string with format email;name;firstname;other
MailAdvTargetRecipients=Recipients (advanced selection)
AdvTgtTitle=Fill input fields to preselect the third parties or contacts/addresses to target
-AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima% will target all jean, joe, start with jim but not jimo and not everything that starts with jima
+AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima%% will target all jean, joe, start with jim but not jimo and not everything that starts with jima
AdvTgtSearchIntHelp=Use interval to select int or float value
AdvTgtMinVal=Minimum value
AdvTgtMaxVal=Maximum value
@@ -162,13 +164,14 @@ AdvTgtCreateFilter=Create filter
AdvTgtOrCreateNewFilter=Name of new filter
NoContactWithCategoryFound=No contact/address with a category found
NoContactLinkedToThirdpartieWithCategoryFound=No contact/address with a category found
-OutGoingEmailSetup=Outgoing email setup
-InGoingEmailSetup=Incoming email setup
-OutGoingEmailSetupForEmailing=Outgoing email setup (for module %s)
-DefaultOutgoingEmailSetup=Default outgoing email setup
+OutGoingEmailSetup=Outgoing emails
+InGoingEmailSetup=Incoming emails
+OutGoingEmailSetupForEmailing=Outgoing emails (for module %s)
+DefaultOutgoingEmailSetup=Same configuration than the global Outgoing email setup
Information=اطلاعات
ContactsWithThirdpartyFilter=Contacts with third-party filter
Unanswered=Unanswered
Answered=پاسخ داده شده
IsNotAnAnswer=Is not answer (initial email)
IsAnAnswer=Is an answer of an initial email
+RecordCreatedByEmailCollector=Record created by the Email Collector %s from email %s
diff --git a/htdocs/langs/fa_IR/main.lang b/htdocs/langs/fa_IR/main.lang
index c53d9860524..5e41a7d862e 100644
--- a/htdocs/langs/fa_IR/main.lang
+++ b/htdocs/langs/fa_IR/main.lang
@@ -28,7 +28,9 @@ NoTemplateDefined=برای این نوع رایانامه قالبی وجود ن
AvailableVariables=متغیرهای موجود برای جایگزینی
NoTranslation=بدون ترجمه
Translation=ترجمه
+CurrentTimeZone=منطقه زمانی PHP (سرور)
EmptySearchString=Enter non empty search criterias
+EnterADateCriteria=Enter a date criteria
NoRecordFound=هیچ ردیفی پیدا نشد
NoRecordDeleted=هیچ ردیفی حذف نشد
NotEnoughDataYet=دادۀ کافی وجود ندارد
@@ -85,6 +87,8 @@ FileWasNotUploaded=یک فایل برای پیوست کردن انتخاب شد
NbOfEntries=تعداد ورودیه
GoToWikiHelpPage=مطالعۀ راهنمای برخط (دسترسی به اینترنت نیاز است)
GoToHelpPage=مطالعۀ راهنما
+DedicatedPageAvailable=There is a dedicated help page related to your current screen
+HomePage=Home Page
RecordSaved=ردیف، ذخیره شد
RecordDeleted=ردیف، حذف شد
RecordGenerated=ردیف، تولید شد
@@ -433,6 +437,7 @@ RemainToPay=در انتظار پرداخت
Module=واحد/برنامه
Modules=واحد/برنامه
Option=گزینه
+Filters=Filters
List=فهرست
FullList=فهرست کامل
FullConversation=Full conversation
@@ -1107,3 +1112,8 @@ UpToDate=Up-to-date
OutOfDate=Out-of-date
EventReminder=Event Reminder
UpdateForAllLines=Update for all lines
+OnHold=On hold
+AffectTag=Affect Tag
+ConfirmAffectTag=Bulk Tag Affect
+ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected record(s)?
+CategTypeNotFound=No tag type found for type of records
diff --git a/htdocs/langs/fa_IR/modulebuilder.lang b/htdocs/langs/fa_IR/modulebuilder.lang
index 460aef8103b..845dd12624d 100644
--- a/htdocs/langs/fa_IR/modulebuilder.lang
+++ b/htdocs/langs/fa_IR/modulebuilder.lang
@@ -40,6 +40,7 @@ PageForCreateEditView=PHP page to create/edit/view a record
PageForAgendaTab=PHP page for event tab
PageForDocumentTab=PHP page for document tab
PageForNoteTab=PHP page for note tab
+PageForContactTab=PHP page for contact tab
PathToModulePackage=Path to zip of module/application package
PathToModuleDocumentation=Path to file of module/application documentation (%s)
SpaceOrSpecialCharAreNotAllowed=Spaces or special characters are not allowed.
@@ -77,7 +78,7 @@ IsAMeasure=Is a measure
DirScanned=Directory scanned
NoTrigger=No trigger
NoWidget=No widget
-GoToApiExplorer=Go to API explorer
+GoToApiExplorer=API explorer
ListOfMenusEntries=List of menu entries
ListOfDictionariesEntries=List of dictionaries entries
ListOfPermissionsDefined=List of defined permissions
@@ -105,7 +106,7 @@ TryToUseTheModuleBuilder=If you have knowledge of SQL and PHP, you may use the n
SeeTopRightMenu=See on the top right menu
AddLanguageFile=Add language file
YouCanUseTranslationKey=You can use here a key that is the translation key found into language file (see tab "Languages")
-DropTableIfEmpty=(Delete table if empty)
+DropTableIfEmpty=(Destroy table if empty)
TableDoesNotExists=The table %s does not exists
TableDropped=Table %s deleted
InitStructureFromExistingTable=Build the structure array string of an existing table
@@ -126,7 +127,6 @@ UseSpecificEditorURL = Use a specific editor URL
UseSpecificFamily = Use a specific family
UseSpecificAuthor = Use a specific author
UseSpecificVersion = Use a specific initial version
-ModuleMustBeEnabled=The module/application must be enabled first
IncludeRefGeneration=The reference of object must be generated automatically
IncludeRefGenerationHelp=Check this if you want to include code to manage the generation automatically of the reference
IncludeDocGeneration=I want to generate some documents from the object
@@ -140,3 +140,4 @@ TypeOfFieldsHelp=Type of fields: varchar(99), double(24,8), real, text, html,
AsciiToHtmlConverter=Ascii to HTML converter
AsciiToPdfConverter=Ascii to PDF converter
TableNotEmptyDropCanceled=Table not empty. Drop has been canceled.
+ModuleBuilderNotAllowed=The module builder is available but not allowed to your user.
diff --git a/htdocs/langs/fa_IR/other.lang b/htdocs/langs/fa_IR/other.lang
index 8bd88a5db5d..23a5df065e7 100644
--- a/htdocs/langs/fa_IR/other.lang
+++ b/htdocs/langs/fa_IR/other.lang
@@ -5,8 +5,6 @@ Tools=ابزار
TMenuTools=ابزارها
ToolsDesc=همۀ ابزارهائی که در سایر فهرستها نیامدهاند اینجا گروهبندی شدهاند. همۀ ابزارها از فهرست سمت راست در دسترس هستند
Birthday=تولد
-BirthdayDate=تاریخ تولد
-DateToBirth=Birth date
BirthdayAlertOn=اعلان تولد فعال است
BirthdayAlertOff=اعلان تولد غیرفعال است
TransKey=ترجمۀ کلیدواژۀ TransKey
@@ -16,6 +14,8 @@ PreviousMonthOfInvoice=Previous month (number 1-12) of invoice date
TextPreviousMonthOfInvoice=Previous month (text) of invoice date
NextMonthOfInvoice=Following month (number 1-12) of invoice date
TextNextMonthOfInvoice=Following month (text) of invoice date
+PreviousMonth=Previous month
+CurrentMonth=Current month
ZipFileGeneratedInto=Zip file generated into %s.
DocFileGeneratedInto=Doc file generated into %s.
JumpToLogin=Disconnected. Go to login page...
@@ -99,6 +99,7 @@ PredefinedMailContentSendShipping=__(Hello)__\n\nPlease find shipping __REF__ at
PredefinedMailContentSendFichInter=__(Hello)__\n\nPlease find intervention __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.\n\n%s\n\n
PredefinedMailContentGeneric=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
+PredefinedMailContentSendActionComm=Event reminder "__EVENT_LABEL__" on __EVENT_DATE__ at __EVENT_TIME__
This is an automatic message, please do not reply.
DemoDesc=Dolibarr is a compact ERP/CRM supporting several business modules. A demo showcasing all modules makes no sense as this scenario never occurs (several hundred available). So, several demo profiles are available.
ChooseYourDemoProfil=Choose the demo profile that best suits your needs...
ChooseYourDemoProfilMore=...or build your own profile (manual module selection)
@@ -137,7 +138,7 @@ Right=راست
CalculatedWeight=وزن محاسبه شده
CalculatedVolume=حجم محاسبه شده
Weight=وزن
-WeightUnitton=tonne
+WeightUnitton=ton
WeightUnitkg=کیلوگرم
WeightUnitg=گرم
WeightUnitmg=میلی گرم
@@ -258,6 +259,7 @@ ContactCreatedByEmailCollector=Contact/address created by email collector from e
ProjectCreatedByEmailCollector=Project created by email collector from email MSGID %s
TicketCreatedByEmailCollector=Ticket created by email collector from email MSGID %s
OpeningHoursFormatDesc=Use a - to separate opening and closing hours. Use a space to enter different ranges. Example: 8-12 14-18
+PrefixSession=Prefix for session ID
##### Export #####
ExportsArea=منطقه صادرات
diff --git a/htdocs/langs/fa_IR/products.lang b/htdocs/langs/fa_IR/products.lang
index 2a07d19a11f..80b1542d055 100644
--- a/htdocs/langs/fa_IR/products.lang
+++ b/htdocs/langs/fa_IR/products.lang
@@ -108,7 +108,8 @@ FillWithLastServiceDates=Fill with last service line dates
MultiPricesAbility=چند قسمت قیمتی در هر محصول/خدمات (هر مشتری در یک قسمت قیمتی است)
MultiPricesNumPrices=تعداد قیمتها
DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices
-AssociatedProductsAbility=Activate kits (virtual products)
+AssociatedProductsAbility=Enable Kits (set of other products)
+VariantsAbility=Enable Variants (variations of products, for example color, size)
AssociatedProducts=Kits
AssociatedProductsNumber=Number of products composing this kit
ParentProductsNumber=تعداد محصولات بستهبندی مادر
@@ -167,8 +168,10 @@ BuyingPrices=قیمتهای خرید
CustomerPrices=قیمتهای مشتری
SuppliersPrices=قیمتهای فروشنده
SuppliersPricesOfProductsOrServices=قیمتهای فروشنده (مربوط به محصولات و خدمات)
-CustomCode=گمرک / کالا / کدبندی هماهنگ کالا
+CustomCode=Customs|Commodity|HS code
CountryOrigin=کشور مبدا
+RegionStateOrigin=Region origin
+StateOrigin=State|Province origin
Nature=Nature of product (material/finished)
NatureOfProductShort=Nature of product
NatureOfProductDesc=Raw material or finished product
@@ -239,7 +242,7 @@ AlwaysUseFixedPrice=استفاده از قیمت ثابت
PriceByQuantity=استفاده از قیمت بر حسب تعداد
DisablePriceByQty=غیرفعال کردن استفاده از قیمت برحسب تعداد
PriceByQuantityRange=بازۀ تعدا
-MultipriceRules=مقررات قسمتبندی قیمت
+MultipriceRules=Automatic prices for segment
UseMultipriceRules=استفاده از مقررات قسمتبندی قیمت (که در برپاسازی واحد محصولات آمده است) برای محاسبۀ خودکار قیمت سایر قسمتها بر حسب اولین قسمت
PercentVariationOver=%% انواع بر حسب%s
PercentDiscountOver=%% تخفیف بر حسب%s
diff --git a/htdocs/langs/fa_IR/recruitment.lang b/htdocs/langs/fa_IR/recruitment.lang
index 082b58f6499..3647b8204d5 100644
--- a/htdocs/langs/fa_IR/recruitment.lang
+++ b/htdocs/langs/fa_IR/recruitment.lang
@@ -73,3 +73,4 @@ JobClosedTextCandidateFound=The job position is closed. The position has been fi
JobClosedTextCanceled=The job position is closed.
ExtrafieldsJobPosition=Complementary attributes (job positions)
ExtrafieldsCandidatures=Complementary attributes (job applications)
+MakeOffer=Make an offer
diff --git a/htdocs/langs/fa_IR/sendings.lang b/htdocs/langs/fa_IR/sendings.lang
index 4365e45f340..a042ba09638 100644
--- a/htdocs/langs/fa_IR/sendings.lang
+++ b/htdocs/langs/fa_IR/sendings.lang
@@ -30,6 +30,7 @@ OtherSendingsForSameOrder=دیگر محموله برای این منظور
SendingsAndReceivingForSameOrder=Shipments and receipts for this order
SendingsToValidate=حمل و نقل به اعتبار
StatusSendingCanceled=لغو شد
+StatusSendingCanceledShort=لغو ظده
StatusSendingDraft=پیش نویس
StatusSendingValidated=اعتبار (محصولات به کشتی و یا در حال حمل می شود)
StatusSendingProcessed=پردازش
@@ -65,6 +66,7 @@ ValidateOrderFirstBeforeShipment=You must first validate the order before being
# Sending methods
# ModelDocument
DocumentModelTyphon=مدل سند کامل بیشتر برای رسید تحویل (logo. ..)
+DocumentModelStorm=More complete document model for delivery receipts and extrafields compatibility (logo...)
Error_EXPEDITION_ADDON_NUMBER_NotDefined=EXPEDITION_ADDON_NUMBER ثابت تعریف نشده
SumOfProductVolumes=مجموع حجم محصول
SumOfProductWeights=مجموع وزن محصول
diff --git a/htdocs/langs/fa_IR/stocks.lang b/htdocs/langs/fa_IR/stocks.lang
index 2ebf520b14e..18ce5c1d53e 100644
--- a/htdocs/langs/fa_IR/stocks.lang
+++ b/htdocs/langs/fa_IR/stocks.lang
@@ -240,3 +240,4 @@ InventoryRealQtyHelp=Set value to 0 to reset qty Keep field empty, or remove
UpdateByScaning=Update by scaning
UpdateByScaningProductBarcode=Update by scan (product barcode)
UpdateByScaningLot=Update by scan (lot|serial barcode)
+DisableStockChangeOfSubProduct=Deactivate the stock change for all the subproducts of this Kit during this movement.
diff --git a/htdocs/langs/fa_IR/ticket.lang b/htdocs/langs/fa_IR/ticket.lang
index a1ad4eacc4e..8f525262ab5 100644
--- a/htdocs/langs/fa_IR/ticket.lang
+++ b/htdocs/langs/fa_IR/ticket.lang
@@ -31,10 +31,8 @@ TicketDictType=برگهها - انواع
TicketDictCategory=برگهها - دستهبندیها
TicketDictSeverity=برگهها - سطح اهمیت
TicketDictResolution=Ticket - Resolution
-TicketTypeShortBUGSOFT=اشکال نرمافزاری
-TicketTypeShortBUGHARD=اشکال نرمافزاری
-TicketTypeShortCOM=سوال تجاری
+TicketTypeShortCOM=سوال تجاری
TicketTypeShortHELP=Request for functionnal help
TicketTypeShortISSUE=Issue, bug or problem
TicketTypeShortREQUEST=Change or enhancement request
@@ -44,7 +42,7 @@ TicketTypeShortOTHER=سایر
TicketSeverityShortLOW=کم
TicketSeverityShortNORMAL=عادی
TicketSeverityShortHIGH=زیاد
-TicketSeverityShortBLOCKING=انتقادی/مسدودی
+TicketSeverityShortBLOCKING=Critical, Blocking
ErrorBadEmailAddress=بخش '%s' نادرست است
MenuTicketMyAssign=برگهها من
@@ -60,7 +58,6 @@ OriginEmail=منبع رایانامه
Notify_TICKET_SENTBYMAIL=ارسال پیام برگه با رایانامه
# Status
-NotRead=خوانده نشده
Read=خواندهشده
Assigned=نسبتداده شده
InProgress=در حال انجام
@@ -126,6 +123,7 @@ TicketsActivatePublicInterfaceHelp=رابط عمومی به کاربران ام
TicketsAutoAssignTicket=نسبت دادن خودکار کاربری که برگۀپشتیبانی را ساخته است
TicketsAutoAssignTicketHelp=در هنگام ساخت برگۀپشتیبانی، کاربر میتواند به شکل خودکار به برگه نسبت داده شود
TicketNumberingModules=واحد شمارهدهی برگههای پشتیبانی
+TicketsModelModule=Document templates for tickets
TicketNotifyTiersAtCreation=اطلاعرسانی به شخصسوم در هنگام ساخت
TicketsDisableCustomerEmail=همواره در هنگامی که یک برگۀپشتیبانی از طریق رابط عمومی ساخته میشود، قابلیت رایانامه غیرفعال شود
TicketsPublicNotificationNewMessage=Send email(s) when a new message is added
@@ -233,7 +231,6 @@ TicketLogStatusChanged=وضعیت تغییر پیدا کرد: %s به %s
TicketNotNotifyTiersAtCreate=عدم اطلاعرسانی به شرکت در هنگام ساخت
Unread=خوانده نشده
TicketNotCreatedFromPublicInterface=Not available. Ticket was not created from public interface.
-PublicInterfaceNotEnabled=Public interface was not enabled
ErrorTicketRefRequired=Ticket reference name is required
#
diff --git a/htdocs/langs/fa_IR/website.lang b/htdocs/langs/fa_IR/website.lang
index 3c1ada31ac4..5c5a464d39c 100644
--- a/htdocs/langs/fa_IR/website.lang
+++ b/htdocs/langs/fa_IR/website.lang
@@ -30,7 +30,6 @@ EditInLine=Edit inline
AddWebsite=Add website
Webpage=Web page/container
AddPage=Add page/container
-HomePage=Home Page
PageContainer=صفحه
PreviewOfSiteNotYetAvailable=Preview of your website %s not yet available. You must first 'Import a full website template' or just 'Add a page/container'.
RequestedPageHasNoContentYet=Requested page with id %s has no content yet, or cache file .tpl.php was removed. Edit content of the page to solve this.
@@ -101,7 +100,7 @@ EmptyPage=Empty page
ExternalURLMustStartWithHttp=External URL must start with http:// or https://
ZipOfWebsitePackageToImport=Upload the Zip file of the website template package
ZipOfWebsitePackageToLoad=or Choose an available embedded website template package
-ShowSubcontainers=Include dynamic content
+ShowSubcontainers=Show dynamic content
InternalURLOfPage=Internal URL of page
ThisPageIsTranslationOf=This page/container is a translation of
ThisPageHasTranslationPages=This page/container has translation
@@ -137,3 +136,4 @@ RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using
PagesRegenerated=%s page(s)/container(s) regenerated
RegenerateWebsiteContent=Regenerate web site cache files
AllowedInFrames=Allowed in Frames
+DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languages into web site properties.
diff --git a/htdocs/langs/fa_IR/withdrawals.lang b/htdocs/langs/fa_IR/withdrawals.lang
index 5c0b517c19a..ef958d540e4 100644
--- a/htdocs/langs/fa_IR/withdrawals.lang
+++ b/htdocs/langs/fa_IR/withdrawals.lang
@@ -42,6 +42,7 @@ LastWithdrawalReceipt=Latest %s direct debit receipts
MakeWithdrawRequest=Make a direct debit payment request
MakeBankTransferOrder=Make a credit transfer request
WithdrawRequestsDone=%s direct debit payment requests recorded
+BankTransferRequestsDone=%s credit transfer requests recorded
ThirdPartyBankCode=Third-party bank code
NoInvoiceCouldBeWithdrawed=No invoice debited successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s.
ClassCredited=طبقه بندی اعتبار
@@ -131,7 +132,8 @@ SEPARCUR=SEPA CUR
SEPAFRST=SEPA FRST
ExecutionDate=Execution date
CreateForSepa=Create direct debit file
-ICS=Creditor Identifier CI
+ICS=Creditor Identifier CI for direct debit
+ICSTransfer=Creditor Identifier CI for bank transfer
END_TO_END="EndToEndId" SEPA XML tag - Unique id assigned per transaction
USTRD="Unstructured" SEPA XML tag
ADDDAYS=Add days to Execution Date
@@ -146,3 +148,4 @@ InfoRejectSubject=Direct debit payment order refused
InfoRejectMessage=Hello,
the direct debit payment order of invoice %s related to the company %s, with an amount of %s has been refused by the bank.
-- %s
ModeWarning=انتخاب برای حالت واقعی تنظیم نشده بود، ما بعد از این شبیه سازی را متوقف کند
ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know wich one to use.
+ErrorICSmissing=Missing ICS in Bank account %s
diff --git a/htdocs/langs/fi_FI/accountancy.lang b/htdocs/langs/fi_FI/accountancy.lang
index 2e529b15833..f70614cf020 100644
--- a/htdocs/langs/fi_FI/accountancy.lang
+++ b/htdocs/langs/fi_FI/accountancy.lang
@@ -48,6 +48,7 @@ CountriesExceptMe=Kaikki maat, poislukien %s
AccountantFiles=Export source documents
ExportAccountingSourceDocHelp=With this tool, you can export the source events (list and PDFs) that were used to generate your accountancy. To export your journals, use the menu entry %s - %s.
VueByAccountAccounting=View by accounting account
+VueBySubAccountAccounting=View by accounting subaccount
MainAccountForCustomersNotDefined=Main accounting account for customers not defined in setup
MainAccountForSuppliersNotDefined=Main accounting account for vendors not defined in setup
@@ -144,7 +145,7 @@ NotVentilatedinAccount=Ei sidottu kirjanpitotilille
XLineSuccessfullyBinded=%s products/services successfully bound to an accounting account
XLineFailedToBeBinded=%s products/services were not bound to any accounting account
-ACCOUNTING_LIMIT_LIST_VENTILATION=Number of elements to bind shown by page (maximum recommended: 50)
+ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50)
ACCOUNTING_LIST_SORT_VENTILATION_TODO=Begin the sorting of the page "Binding to do" by the most recent elements
ACCOUNTING_LIST_SORT_VENTILATION_DONE=Begin the sorting of the page "Binding done" by the most recent elements
@@ -198,7 +199,8 @@ Docdate=Päiväys
Docref=Viite
LabelAccount=Label account
LabelOperation=Label operation
-Sens=Sens
+Sens=Direction
+AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received For an accounting account of a supplier, use Debit to record a payment you make
LetteringCode=Lettering code
Lettering=Lettering
Codejournal=Päiväkirja
@@ -206,7 +208,8 @@ JournalLabel=Journal label
NumPiece=Piece number
TransactionNumShort=Num. transaction
AccountingCategory=Personalized groups
-GroupByAccountAccounting=Group by accounting account
+GroupByAccountAccounting=Group by general ledger account
+GroupBySubAccountAccounting=Group by subledger account
AccountingAccountGroupsDesc=You can define here some groups of accounting account. They will be used for personalized accounting reports.
ByAccounts=By accounts
ByPredefinedAccountGroups=By predefined groups
@@ -248,7 +251,7 @@ PaymentsNotLinkedToProduct=Payment not linked to any product / service
OpeningBalance=Opening balance
ShowOpeningBalance=Show opening balance
HideOpeningBalance=Hide opening balance
-ShowSubtotalByGroup=Show subtotal by group
+ShowSubtotalByGroup=Show subtotal by level
Pcgtype=Group of account
PcgtypeDesc=Group of account are used as predefined 'filter' and 'grouping' criteria for some accounting reports. For example, 'INCOME' or 'EXPENSE' are used as groups for accounting accounts of products to build the expense/income report.
@@ -271,11 +274,13 @@ DescVentilExpenseReport=Consult here the list of expense report lines bound (or
DescVentilExpenseReportMore=If you setup accounting account on type of expense report lines, the application will be able to make all the binding between your expense report lines and the accounting account of your chart of accounts, just in one click with the button "%s". If account was not set on fees dictionary or if you still have some lines not bound to any account, you will have to make a manual binding from the menu "%s".
DescVentilDoneExpenseReport=Consult here the list of the lines of expenses reports and their fees accounting account
+Closure=Annual closure
DescClosure=Consult here the number of movements by month who are not validated & fiscal years already open
OverviewOfMovementsNotValidated=Step 1/ Overview of movements not validated. (Necessary to close a fiscal year)
+AllMovementsWereRecordedAsValidated=All movements were recorded as validated
+NotAllMovementsCouldBeRecordedAsValidated=Not all movements could be recorded as validated
ValidateMovements=Validate movements
DescValidateMovements=Any modification or deletion of writing, lettering and deletes will be prohibited. All entries for an exercise must be validated otherwise closing will not be possible
-SelectMonthAndValidate=Select month and validate movements
ValidateHistory=Bind Automatically
AutomaticBindingDone=Automatic binding done
@@ -293,6 +298,7 @@ Accounted=Kirjattu pääkirjanpitoon
NotYetAccounted=Not yet accounted in ledger
ShowTutorial=Show Tutorial
NotReconciled=Täsmäyttämätön
+WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view
## Admin
BindingOptions=Binding options
@@ -337,6 +343,7 @@ Modelcsv_LDCompta10=Export for LD Compta (v10 & higher)
Modelcsv_openconcerto=Export for OpenConcerto (Test)
Modelcsv_configurable=Export CSV Configurable
Modelcsv_FEC=Export FEC
+Modelcsv_FEC2=Export FEC (With dates generation writing / document reversed)
Modelcsv_Sage50_Swiss=Export for Sage 50 Switzerland
Modelcsv_winfic=Export Winfic - eWinfic - WinSis Compta
Modelcsv_Gestinumv3=Export for Gestinum (v3)
diff --git a/htdocs/langs/fi_FI/admin.lang b/htdocs/langs/fi_FI/admin.lang
index 59cee45e755..676dbbf41e0 100644
--- a/htdocs/langs/fi_FI/admin.lang
+++ b/htdocs/langs/fi_FI/admin.lang
@@ -56,6 +56,8 @@ GUISetup=Näyttö
SetupArea=Asetukset
UploadNewTemplate=Päivitä uusi pohja(t)
FormToTestFileUploadForm=Lomake tiedostonlähetyksen testaamiseen (asetusten mukainen)
+ModuleMustBeEnabled=The module/application %s must be enabled
+ModuleIsEnabled=The module/application %s has been enabled
IfModuleEnabled=Huomaa: kyllä on tehokas vain, jos moduuli %s on käytössä
RemoveLock=Mahdollistaaksesi Päivitys-/Asennustyökalun käytön, poista/nimeä uudelleen tarvittaessa tiedosto %s
RestoreLock=Palauta tiedosto %s vain lukuoikeuksin. Tämä estää myöhemmän Päivitys-/Asennustyökalun käytön
@@ -85,7 +87,6 @@ ShowPreview=Näytä esikatselu
ShowHideDetails=Show-Hide details
PreviewNotAvailable=Esikatselu ei ole käytettävissä
ThemeCurrentlyActive=Aktiivinen teema
-CurrentTimeZone=Aikavyöhyke PHP (palvelin)
MySQLTimeZone=Aikavyöhyke MySql (tietokanta)
TZHasNoEffect=Päivämäärät talletetaan ja palautetaan siinä muodossa kuin ne on syötetty. Aikavyöhykkeellä on merkitystä ainoastaan käytettäessä UNIX_TIMESTAMP - funktiota. (Dolibarr ei käytä tätä, joten tietokannan aikavyöhykeellä ei ole vaikutusta vaikka se muuttuisi tietojen tallentamisen jälkeen)
Space=Space
@@ -153,8 +154,8 @@ SystemToolsAreaDesc=Pääkäyttäjien toiminnot. Valitse valikosta haluttu omina
Purge=Poista
PurgeAreaDesc=This page allows you to delete all files generated or stored by Dolibarr (temporary files or all files in %s directory). Using this feature is not normally necessary. It is provided as a workaround for users whose Dolibarr is hosted by a provider that does not offer permissions to delete files generated by the web server.
PurgeDeleteLogFile=Delete log files, including %s defined for Syslog module (no risk of losing data)
-PurgeDeleteTemporaryFiles=Delete all temporary files (no risk of losing data). Note: Deletion is done only if the temp directory was created 24 hours ago.
-PurgeDeleteTemporaryFilesShort=Poista väliaikaiset tiedostot
+PurgeDeleteTemporaryFiles=Delete all log and temporary files (no risk of losing data). Note: Deletion of temporary files is done only if the temp directory was created more than 24 hours ago.
+PurgeDeleteTemporaryFilesShort=Delete log and temporary files
PurgeDeleteAllFilesInDocumentsDir=Delete all files in directory: %s. This will delete all generated documents related to elements (third parties, invoices etc...), files uploaded into the ECM module, database backup dumps and temporary files.
PurgeRunNow=Siivoa nyt
PurgeNothingToDelete=Ei poistettavia hakemistoja tai tiedostoja.
@@ -256,6 +257,7 @@ ReferencedPreferredPartners=Preferred Partners
OtherResources=Muut resurssit
ExternalResources=Ulkoiset resurssit
SocialNetworks=Sosiaaliset verkostot
+SocialNetworkId=Social Network ID
ForDocumentationSeeWiki=Käyttäjälle tai kehittäjän dokumentaatio (doc, FAQs ...), katsoa, että Dolibarr Wiki: %s
ForAnswersSeeForum=Muita kysymyksiä / apua, voit käyttää Dolibarr foorumilla: %s
HelpCenterDesc1=Here are some resources for getting help and support with Dolibarr.
@@ -375,7 +377,7 @@ ExamplesWithCurrentSetup=Examples with current configuration
ListOfDirectories=Luettelo OpenDocument malleja hakemistoja
ListOfDirectoriesForModelGenODT=List of directories containing templates files with OpenDocument format.
Put here full path of directories. Add a carriage return between eah directory. To add a directory of the GED module, add here DOL_DATA_ROOT/ecm/yourdirectoryname.
Files in those directories must end with .odt or .ods.
NumberOfModelFilesFound=Number of ODT/ODS template files found in these directories
-ExampleOfDirectoriesForModelGen=Esimerkkejä syntaksin: c: \\ mydir / Home / mydir DOL_DATA_ROOT / ECM / ecmdir
+ExampleOfDirectoriesForModelGen=Examples of syntax: c:\\myapp\\mydocumentdir\\mysubdir /home/myapp/mydocumentdir/mysubdir DOL_DATA_ROOT/ecm/ecmdir
FollowingSubstitutionKeysCanBeUsed= Jos haluat tietää, miten voit luoda odt asiakirjamalleja, ennen kuin laitat ne näistä hakemistoista, lue wiki dokumentaatio:
FullListOnOnlineDocumentation=http://wiki.dolibarr.org/index.php/Create_an_ODT_document_template
FirstnameNamePosition=Etunimi/Sukunimi - sijainti
@@ -406,7 +408,7 @@ UrlGenerationParameters=Parametrit turvata URL
SecurityTokenIsUnique=Käytä ainutlaatuinen securekey parametri jokaiselle URL
EnterRefToBuildUrl=Kirjoita viittaus objektin %s
GetSecuredUrl=Hanki lasketaan URL
-ButtonHideUnauthorized=Hide buttons for non-admin users for unauthorized actions instead of showing greyed disabled buttons
+ButtonHideUnauthorized=Hide unauthorized action buttons also for internal users (just greyed otherwise)
OldVATRates=Vanha ALV-prosentti
NewVATRates=Uusi ALV-prosentti
PriceBaseTypeToChange=Modify on prices with base reference value defined on
@@ -1689,7 +1691,7 @@ NotTopTreeMenuPersonalized=Personalized menus not linked to a top menu entry
NewMenu=Uusi valikko
MenuHandler=Valikko huolitsijan
MenuModule=Lähde moduuli
-HideUnauthorizedMenu= Piilota luvaton valikot (harmaa)
+HideUnauthorizedMenu=Hide unauthorized menus also for internal users (just greyed otherwise)
DetailId=Id-valikosta
DetailMenuHandler=Valikko huolitsijan missä osoittavat uuden valikon
DetailMenuModule=Moduulin nimi, jos Valikosta kotoisin moduuli
@@ -1983,11 +1985,12 @@ EMailHost=IMAP-palvelin
MailboxSourceDirectory=Sähköpostin lähdehakemisto
MailboxTargetDirectory=Mailbox target directory
EmailcollectorOperations=Operations to do by collector
+EmailcollectorOperationsDesc=Operations are executed from top to bottom order
MaxEmailCollectPerCollect=Max number of emails collected per collect
CollectNow=Collect now
ConfirmCloneEmailCollector=Are you sure you want to clone the Email collector %s ?
-DateLastCollectResult=Date latest collect tried
-DateLastcollectResultOk=Date latest collect successfull
+DateLastCollectResult=Date of latest collect try
+DateLastcollectResultOk=Date of latest collect success
LastResult=Latest result
EmailCollectorConfirmCollectTitle=Email collect confirmation
EmailCollectorConfirmCollect=Do you want to run the collection for this collector now ?
@@ -2005,7 +2008,7 @@ WithDolTrackingID=Message from a conversation initiated by a first email sent fr
WithoutDolTrackingID=Message from a conversation initiated by a first email NOT sent from Dolibarr
WithDolTrackingIDInMsgId=Message sent from Dolibarr
WithoutDolTrackingIDInMsgId=Message NOT sent from Dolibarr
-CreateCandidature=Create candidature
+CreateCandidature=Create job application
FormatZip=Postinumero
MainMenuCode=Menu entry code (mainmenu)
ECMAutoTree=Show automatic ECM tree
@@ -2083,3 +2086,7 @@ CountryIfSpecificToOneCountry=Country (if specific to a given country)
YouMayFindSecurityAdviceHere=You may find security advisory here
ModuleActivatedMayExposeInformation=This module may expose sensitive data. If you don't need it, disable it.
ModuleActivatedDoNotUseInProduction=A module designed for the development has been enabled. Do not enable it on a production environment.
+CombinationsSeparator=Separator character for product combinations
+SeeLinkToOnlineDocumentation=See link to online documention on top menu for examples
+SHOW_SUBPRODUCT_REF_IN_PDF=If the feature "%s" of module %s is used, show details of subproducts of a kit on PDF.
+AskThisIDToYourBank=Contact your bank to get this ID
diff --git a/htdocs/langs/fi_FI/banks.lang b/htdocs/langs/fi_FI/banks.lang
index ef24faa1c72..7ab1f895aa8 100644
--- a/htdocs/langs/fi_FI/banks.lang
+++ b/htdocs/langs/fi_FI/banks.lang
@@ -173,8 +173,8 @@ SEPAMandate=SEPA mandate
YourSEPAMandate=SEPA-toimeksiantonne
FindYourSEPAMandate=This is your SEPA mandate to authorize our company to make direct debit order to your bank. Return it signed (scan of the signed document) or send it by mail to
AutoReportLastAccountStatement=Automatically fill the field 'number of bank statement' with last statement number when making reconciliation
-CashControl=POS cash fence
-NewCashFence=New cash fence
+CashControl=POS cash desk control
+NewCashFence=New cash desk closing
BankColorizeMovement=Colorize movements
BankColorizeMovementDesc=If this function is enable, you can choose specific background color for debit or credit movements
BankColorizeMovementName1=Background color for debit movement
diff --git a/htdocs/langs/fi_FI/blockedlog.lang b/htdocs/langs/fi_FI/blockedlog.lang
index f9a07298706..6e6393f5cd1 100644
--- a/htdocs/langs/fi_FI/blockedlog.lang
+++ b/htdocs/langs/fi_FI/blockedlog.lang
@@ -35,7 +35,7 @@ logDON_DELETE=Donation logical deletion
logMEMBER_SUBSCRIPTION_CREATE=Member subscription created
logMEMBER_SUBSCRIPTION_MODIFY=Member subscription modified
logMEMBER_SUBSCRIPTION_DELETE=Member subscription logical deletion
-logCASHCONTROL_VALIDATE=Cash fence recording
+logCASHCONTROL_VALIDATE=Cash desk closing recording
BlockedLogBillDownload=Customer invoice download
BlockedLogBillPreview=Customer invoice preview
BlockedlogInfoDialog=Log Details
diff --git a/htdocs/langs/fi_FI/boxes.lang b/htdocs/langs/fi_FI/boxes.lang
index a63ed303fb5..8ca18cbccb6 100644
--- a/htdocs/langs/fi_FI/boxes.lang
+++ b/htdocs/langs/fi_FI/boxes.lang
@@ -46,9 +46,12 @@ BoxTitleLastModifiedDonations=Latest %s modified donations
BoxTitleLastModifiedExpenses=Viimeisimmät %s muokatut matka- ja kuluraportit
BoxTitleLatestModifiedBoms=Latest %s modified BOMs
BoxTitleLatestModifiedMos=Latest %s modified Manufacturing Orders
+BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded
BoxGlobalActivity=Yleisaktiviteetit (laskut, ehdotukset, tilaukset)
BoxGoodCustomers=Hyvät asiakkaat
BoxTitleGoodCustomers=%s Hyvät asiakkaat
+BoxScheduledJobs=Ajastetut työt
+BoxTitleFunnelOfProspection=Lead funnel
FailedToRefreshDataInfoNotUpToDate=Failed to refresh RSS flux. Latest successful refresh date: %s
LastRefreshDate=Latest refresh date
NoRecordedBookmarks=Kirjanmerkkejä ei ole määritelty.
@@ -102,5 +105,7 @@ SuspenseAccountNotDefined=Suspense account isn't defined
BoxLastCustomerShipments=Viimeisimmät asiakastoimitukset
BoxTitleLastCustomerShipments=Latest %s customer shipments
NoRecordedShipments=No recorded customer shipment
+BoxCustomersOutstandingBillReached=Customers with oustanding limit reached
# Pages
AccountancyHome=Kirjanpito
+ValidatedProjects=Validated projects
diff --git a/htdocs/langs/fi_FI/cashdesk.lang b/htdocs/langs/fi_FI/cashdesk.lang
index 3cb4a43d36f..ef8471c05da 100644
--- a/htdocs/langs/fi_FI/cashdesk.lang
+++ b/htdocs/langs/fi_FI/cashdesk.lang
@@ -49,8 +49,8 @@ Footer=Footer
AmountAtEndOfPeriod=Amount at end of period (day, month or year)
TheoricalAmount=Theorical amount
RealAmount=Real amount
-CashFence=Cash fence
-CashFenceDone=Cash fence done for the period
+CashFence=Cash desk closing
+CashFenceDone=Cash desk closing done for the period
NbOfInvoices=Nb laskuista
Paymentnumpad=Type of Pad to enter payment
Numberspad=Numbers Pad
@@ -99,8 +99,9 @@ CashDeskRefNumberingModules=Numbering module for POS sales
CashDeskGenericMaskCodes6 = {TN} tag is used to add the terminal number
TakeposGroupSameProduct=Group same products lines
StartAParallelSale=Start a new parallel sale
-ControlCashOpening=Control cash box at opening POS
-CloseCashFence=Close cash fence
+SaleStartedAt=Sale started at %s
+ControlCashOpening=Control cash popup at opening POS
+CloseCashFence=Close cash desk control
CashReport=Cash report
MainPrinterToUse=Main printer to use
OrderPrinterToUse=Order printer to use
@@ -122,3 +123,4 @@ GiftReceipt=Gift receipt
ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled first
AllowDelayedPayment=Allow delayed payment
PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts
+WeighingScale=Weighing scale
diff --git a/htdocs/langs/fi_FI/categories.lang b/htdocs/langs/fi_FI/categories.lang
index 371a1c6cbb7..8738530c575 100644
--- a/htdocs/langs/fi_FI/categories.lang
+++ b/htdocs/langs/fi_FI/categories.lang
@@ -19,6 +19,7 @@ ProjectsCategoriesArea=Projects tags/categories area
UsersCategoriesArea=Users tags/categories area
SubCats=Sub-categories
CatList=List of tags/categories
+CatListAll=List of tags/categories (all types)
NewCategory=New tag/category
ModifCat=Modify tag/category
CatCreated=Tag/category created
@@ -65,16 +66,22 @@ UsersCategoriesShort=Users tags/categories
StockCategoriesShort=Warehouse tags/categories
ThisCategoryHasNoItems=This category does not contain any items.
CategId=Tag/category id
-CatSupList=List of vendor tags/categories
-CatCusList=List of customer/prospect tags/categories
+ParentCategory=Parent tag/category
+ParentCategoryLabel=Label of parent tag/category
+CatSupList=List of vendors tags/categories
+CatCusList=List of customers/prospects tags/categories
CatProdList=List of products tags/categories
CatMemberList=List of members tags/categories
-CatContactList=List of contact tags/categories
-CatSupLinks=Links between suppliers and tags/categories
+CatContactList=List of contacts tags/categories
+CatProjectsList=List of projects tags/categories
+CatUsersList=List of users tags/categories
+CatSupLinks=Links between vendors and tags/categories
CatCusLinks=Links between customers/prospects and tags/categories
CatContactsLinks=Links between contacts/addresses and tags/categories
CatProdLinks=Links between products/services and tags/categories
-CatProJectLinks=Links between projects and tags/categories
+CatMembersLinks=Links between members and tags/categories
+CatProjectsLinks=Links between projects and tags/categories
+CatUsersLinks=Links between users and tags/categories
DeleteFromCat=Remove from tags/category
ExtraFieldsCategories=Täydentävät ominaisuudet
CategoriesSetup=Tags/categories setup
diff --git a/htdocs/langs/fi_FI/companies.lang b/htdocs/langs/fi_FI/companies.lang
index a542eed8fcc..9501c740d2c 100644
--- a/htdocs/langs/fi_FI/companies.lang
+++ b/htdocs/langs/fi_FI/companies.lang
@@ -358,7 +358,7 @@ VATIntraCheckableOnEUSite=Tarkasta ALV-tunnus E.U: n sivuilta
VATIntraManualCheck=Voit tehdä tarkastuksen myös käsin E.U: n sivuilla %s
ErrorVATCheckMS_UNAVAILABLE=Tarkistaminen ei mahdollista. Jäsenvaltio ei toimita tarkastuspalvelua ( %s).
NorProspectNorCustomer=Ei mahdollinen asiakas eikä asiakas
-JuridicalStatus=Yritysmuoto
+JuridicalStatus=Business entity type
Workforce=Workforce
Staff=Työntekijät
ProspectLevelShort=Potenttiaali
diff --git a/htdocs/langs/fi_FI/compta.lang b/htdocs/langs/fi_FI/compta.lang
index a4dbebfc263..d75596e0a5b 100644
--- a/htdocs/langs/fi_FI/compta.lang
+++ b/htdocs/langs/fi_FI/compta.lang
@@ -111,7 +111,7 @@ Refund=Refund
SocialContributionsPayments=Social/fiscal taxes payments
ShowVatPayment=Näytä arvonlisäveron maksaminen
TotalToPay=Yhteensä maksaa
-BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted ascending on %s and filtered for 1 bank account
+BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted on %s and filtered on 1 bank account (with no other filters)
CustomerAccountancyCode=Customer accounting code
SupplierAccountancyCode=Vendor accounting code
CustomerAccountancyCodeShort=Cust. account. code
@@ -140,7 +140,7 @@ ConfirmDeleteSocialContribution=Are you sure you want to delete this social/fisc
ExportDataset_tax_1=Social and fiscal taxes and payments
CalcModeVATDebt=Mode %sVAT on commitment accounting%s.
CalcModeVATEngagement=Mode %sVAT on incomes-expenses%s.
-CalcModeDebt=Analysis of known recorded invoices even if they are not yet accounted in ledger.
+CalcModeDebt=Analysis of known recorded documents even if they are not yet accounted in ledger.
CalcModeEngagement=Analysis of known recorded payments, even if they are not yet accounted in Ledger.
CalcModeBookkeeping=Analysis of data journalized in Bookkeeping Ledger table.
CalcModeLT1= Mode %sRE on customer invoices - suppliers invoices%s
@@ -154,9 +154,9 @@ AnnualSummaryInputOutputMode=Balance of income and expenses, annual summary
AnnualByCompanies=Balance of income and expenses, by predefined groups of account
AnnualByCompaniesDueDebtMode=Balance of income and expenses, detail by predefined groups, mode %sClaims-Debts%s said Commitment accounting.
AnnualByCompaniesInputOutputMode=Balance of income and expenses, detail by predefined groups, mode %sIncomes-Expenses%s said cash accounting.
-SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation on actual payments made even if they are not yet accounted in Ledger.
-SeeReportInDueDebtMode=See %sanalysis of invoices%s for a calculation based on known recorded invoices even if they are not yet accounted in Ledger.
-SeeReportInBookkeepingMode=See %sBookeeping report%s for a calculation on Bookkeeping Ledger table
+SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation based on recorded payments made even if they are not yet accounted in Ledger
+SeeReportInDueDebtMode=See %sanalysis of recorded documents%s for a calculation based on known recorded documents even if they are not yet accounted in Ledger
+SeeReportInBookkeepingMode=See %sanalysis of bookeeping ledger table%s for a report based on Bookkeeping Ledger table
RulesAmountWithTaxIncluded=- Amounts shown are with all taxes included
RulesResultDue=- It includes outstanding invoices, expenses, VAT, donations whether they are paid or not. Is also includes paid salaries. - It is based on the billing date of invoices and on the due date for expenses or tax payments. For salaries defined with Salary module, the value date of payment is used.
RulesResultInOut=- It includes the real payments made on invoices, expenses, VAT and salaries. - It is based on the payment dates of the invoices, expenses, VAT and salaries. The donation date for donation.
@@ -169,12 +169,15 @@ RulesResultBookkeepingPersonalized=It show record in your Ledger with accounting
SeePageForSetup=See menu %s for setup
DepositsAreNotIncluded=- Down payment invoices are not included
DepositsAreIncluded=- Down payment invoices are included
+LT1ReportByMonth=Tax 2 report by month
+LT2ReportByMonth=Tax 3 report by month
LT1ReportByCustomers=Report tax 2 by third party
LT2ReportByCustomers=Report tax 3 by third party
LT1ReportByCustomersES=Report by third party RE
LT2ReportByCustomersES=Raportti kolmannen osapuolen IRPF
VATReport=Sale tax report
VATReportByPeriods=Sale tax report by period
+VATReportByMonth=Sale tax report by month
VATReportByRates=Sale tax report by rates
VATReportByThirdParties=Sale tax report by third parties
VATReportByCustomers=Sale tax report by customer
diff --git a/htdocs/langs/fi_FI/cron.lang b/htdocs/langs/fi_FI/cron.lang
index beaef6c9fe0..289befd89cd 100644
--- a/htdocs/langs/fi_FI/cron.lang
+++ b/htdocs/langs/fi_FI/cron.lang
@@ -6,14 +6,15 @@ Permission23102 = Create/update Scheduled job
Permission23103 = Poista Ajastettu työ
Permission23104 = Suorita Ajastettu työ
# Admin
-CronSetup= Ajastettujen tehtävien asetusten hallinta
-URLToLaunchCronJobs=URL to check and launch qualified cron jobs
-OrToLaunchASpecificJob=Tai tietyn tehtävän tarkistamiseen ja ajamiseen
+CronSetup=Ajastettujen tehtävien asetusten hallinta
+URLToLaunchCronJobs=URL to check and launch qualified cron jobs from a browser
+OrToLaunchASpecificJob=Or to check and launch a specific job from a browser
KeyForCronAccess=Turva avain ajastettujen tehtävien ajamiseen URL-sta
FileToLaunchCronJobs=Command line to check and launch qualified cron jobs
CronExplainHowToRunUnix=On Unix environment you should use the following crontab entry to run the command line each 5 minutes
-CronExplainHowToRunWin=On Microsoft(tm) Windows environement you can use Scheduled task tools to run the command line each 5 minutes
+CronExplainHowToRunWin=On Microsoft(tm) Windows environment you can use Scheduled Task tools to run the command line each 5 minutes
CronMethodDoesNotExists=Class %s does not contains any method %s
+CronMethodNotAllowed=Method %s of class %s is in blacklist of forbidden methods
CronJobDefDesc=Cron job profiles are defined into the module descriptor file. When module is activated, they are loaded and available so you can administer the jobs from the admin tools menu %s.
CronJobProfiles=List of predefined cron job profiles
# Menu
@@ -42,10 +43,11 @@ CronModule=Moduuli
CronNoJobs=No jobs registered
CronPriority=Prioriteetti
CronLabel=Etiketti
-CronNbRun=Nb. launch
-CronMaxRun=Max number launch
+CronNbRun=Number of launches
+CronMaxRun=Maximum number of launches
CronEach=Every
JobFinished=Job launched and finished
+Scheduled=Scheduled
#Page card
CronAdd= Add jobs
CronEvery=Execute job each
@@ -56,16 +58,16 @@ CronNote=Kommentti
CronFieldMandatory=Fields %s is mandatory
CronErrEndDateStartDt=End date cannot be before start date
StatusAtInstall=Status at module installation
-CronStatusActiveBtn=Enable
+CronStatusActiveBtn=Schedule
CronStatusInactiveBtn=Poistaa käytöstä
CronTaskInactive=This job is disabled
CronId=Id
CronClassFile=Filename with class
-CronModuleHelp=Name of Dolibarr module directory (also work with external Dolibarr module). For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for module is product
-CronClassFileHelp=The relative path and file name to load (path is relative to web server root directory). For exemple to call the fetch method of Dolibarr Product object htdocs/product/class/product.class.php, the value for class file name is product/class/product.class.php
-CronObjectHelp=The object name to load. For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for class file name is Product
-CronMethodHelp=The object method to launch. For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for method is fetch
-CronArgsHelp=The method arguments. For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for paramters can be 0, ProductRef
+CronModuleHelp=Name of Dolibarr module directory (also work with external Dolibarr module). For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for module is product
+CronClassFileHelp=The relative path and file name to load (path is relative to web server root directory). For example to call the fetch method of Dolibarr Product object htdocs/product/class/product.class.php, the value for class file name is product/class/product.class.php
+CronObjectHelp=The object name to load. For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for class file name is Product
+CronMethodHelp=The object method to launch. For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for method is fetch
+CronArgsHelp=The method arguments. For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for paramters can be 0, ProductRef
CronCommandHelp=The system command line to execute.
CronCreateJob=Create new Scheduled Job
CronFrom=Mistä
@@ -76,8 +78,14 @@ CronType_method=Call method of a PHP Class
CronType_command=Shell command
CronCannotLoadClass=Cannot load class file %s (to use class %s)
CronCannotLoadObject=Class file %s was loaded, but object %s was not found into it
-UseMenuModuleToolsToAddCronJobs=Go into menu "Home - Admin tools - Scheduled jobs" to see and edit scheduled jobs.
+UseMenuModuleToolsToAddCronJobs=Go into menu "Home - Admin tools - Scheduled jobs" to see and edit scheduled jobs.
JobDisabled=Job disabled
MakeLocalDatabaseDumpShort=Local database backup
-MakeLocalDatabaseDump=Create a local database dump. Parameters are: compression ('gz' or 'bz' or 'none'), backup type ('mysql' or 'pgsql'), 1, 'auto' or filename to build, number of backup files to keep
+MakeLocalDatabaseDump=Create a local database dump. Parameters are: compression ('gz' or 'bz' or 'none'), backup type ('mysql', 'pgsql', 'auto'), 1, 'auto' or filename to build, number of backup files to keep
WarningCronDelayed=Attention, for performance purpose, whatever is next date of execution of enabled jobs, your jobs may be delayed to a maximum of %s hours, before being run.
+DATAPOLICYJob=Data cleaner and anonymizer
+JobXMustBeEnabled=Job %s must be enabled
+# Cron Boxes
+LastExecutedScheduledJob=Last executed scheduled job
+NextScheduledJobExecute=Next scheduled job to execute
+NumberScheduledJobError=Number of scheduled jobs in error
diff --git a/htdocs/langs/fi_FI/errors.lang b/htdocs/langs/fi_FI/errors.lang
index 90dc974eeeb..df9826daae0 100644
--- a/htdocs/langs/fi_FI/errors.lang
+++ b/htdocs/langs/fi_FI/errors.lang
@@ -5,8 +5,10 @@ NoErrorCommitIsDone=No error, we commit
# Errors
ErrorButCommitIsDone=Errors found but we validate despite this
ErrorBadEMail=Email %s is wrong
+ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record)
ErrorBadUrl=Url %s on väärä
ErrorBadValueForParamNotAString=Bad value for your parameter. It appends generally when translation is missing.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorLoginAlreadyExists=Kirjaudu %s on jo olemassa.
ErrorGroupAlreadyExists=Ryhmän %s on jo olemassa.
ErrorRecordNotFound=Levykauppa ei löytynyt.
@@ -48,6 +50,7 @@ ErrorFieldsRequired=Jotkin vaaditut kentät eivät ole täytetty.
ErrorSubjectIsRequired=The email topic is required
ErrorFailedToCreateDir=Luominen epäonnistui hakemiston. Tarkista, että Web-palvelin käyttäjällä on oikeudet kirjoittaa Dolibarr asiakirjat hakemistoon. Jos parametri safe_mode on käytössä tämän PHP, tarkista, että Dolibarr php tiedostot omistaa web-palvelimen käyttäjä (tai ryhmä).
ErrorNoMailDefinedForThisUser=Ei postia määritelty tälle käyttäjälle
+ErrorSetupOfEmailsNotComplete=Setup of emails is not complete
ErrorFeatureNeedJavascript=Tätä ominaisuutta tarvitaan JavaScript on aktivoitu työstä. Muuta tämän setup - näyttö.
ErrorTopMenuMustHaveAParentWithId0=A-valikosta tyyppi "Alkuun" ei voi olla emo-valikosta. Laita 0 vanhemman valikosta tai valita valikosta tyyppi "vasemmisto".
ErrorLeftMenuMustHaveAParentId=A-valikosta tyyppi "vasemmisto" on oltava vanhemman id.
@@ -75,7 +78,7 @@ ErrorExportDuplicateProfil=This profile name already exists for this export set.
ErrorLDAPSetupNotComplete=Dolibarr-LDAP yhteensovitus ei ole täydellinen.
ErrorLDAPMakeManualTest=A. LDIF tiedosto on luotu hakemistoon %s. Yritä ladata se manuaalisesti komentoriviltä on enemmän tietoa virheitä.
ErrorCantSaveADoneUserWithZeroPercentage=Can't save an action with "status not started" if field "done by" is also filled.
-ErrorRefAlreadyExists=Ref käytetään luomista jo olemassa.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorPleaseTypeBankTransactionReportName=Please enter the bank statement name where the entry has to be reported (Format YYYYMM or YYYYMMDD)
ErrorRecordHasChildren=Failed to delete record since it has some child records.
ErrorRecordHasAtLeastOneChildOfType=Object has at least one child of type %s
@@ -216,7 +219,7 @@ ErrorChooseBetweenFreeEntryOrPredefinedProduct=You must choose if article is a p
ErrorDiscountLargerThanRemainToPaySplitItBefore=The discount you try to apply is larger than remain to pay. Split the discount in 2 smaller discounts before.
ErrorFileNotFoundWithSharedLink=File was not found. May be the share key was modified or file was removed recently.
ErrorProductBarCodeAlreadyExists=The product barcode %s already exists on another product reference.
-ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using virtual product to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number.
+ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using kits to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number.
ErrorDescRequiredForFreeProductLines=Description is mandatory for lines with free product
ErrorAPageWithThisNameOrAliasAlreadyExists=The page/container %s has the same name or alternative alias that the one your try to use
ErrorDuringChartLoad=Error when loading chart of accounts. If few accounts were not loaded, you can still enter them manually.
@@ -243,6 +246,16 @@ ErrorReplaceStringEmpty=Error, the string to replace into is empty
ErrorProductNeedBatchNumber=Error, product '%s' need a lot/serial number
ErrorProductDoesNotNeedBatchNumber=Error, product '%s' does not accept a lot/serial number
ErrorFailedToReadObject=Error, failed to read object of type %s
+ErrorParameterMustBeEnabledToAllwoThisFeature=Error, parameter %s must be enabled into conf/conf.php to allow use of Command Line Interface by the internal job scheduler
+ErrorLoginDateValidity=Error, this login is outside the validity date range
+ErrorValueLength=Length of field '%s' must be higher than '%s'
+ErrorReservedKeyword=The word '%s' is a reserved keyword
+ErrorNotAvailableWithThisDistribution=Not available with this distribution
+ErrorPublicInterfaceNotEnabled=Public interface was not enabled
+ErrorLanguageRequiredIfPageIsTranslationOfAnother=The language of new page must be defined if it is set as a translation of another page
+ErrorLanguageMustNotBeSourceLanguageIfPageIsTranslationOfAnother=The language of new page must not be the source language if it is set as a translation of another page
+ErrorAParameterIsRequiredForThisOperation=A parameter is mandatory for this operation
+
# Warnings
WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup.
WarningPasswordSetWithNoAccount=A password was set for this member. However, no user account was created. So this password is stored but can't be used to login to Dolibarr. It may be used by an external module/interface but if you don't need to define any login nor password for a member, you can disable option "Manage a login for each member" from Member module setup. If you need to manage a login but don't need any password, you can keep this field empty to avoid this warning. Note: Email can also be used as a login if the member is linked to a user.
@@ -267,6 +280,10 @@ WarningYourLoginWasModifiedPleaseLogin=Your login was modified. For security pur
WarningAnEntryAlreadyExistForTransKey=An entry already exists for the translation key for this language
WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different recipient is limited to %s when using the mass actions on lists
WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report
+WarningProjectDraft=Project is still in draft mode. Don't forget to validate it if you plan to use tasks.
WarningProjectClosed=Project is closed. You must re-open it first.
WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list.
-WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table
+WarningFailedToAddFileIntoDatabaseIndex=Warning, failed to add file entry into ECM database index table
+WarningTheHiddenOptionIsOn=Warning, the hidden option %s is on.
+WarningCreateSubAccounts=Warning, you can't create directly a sub account, you must create a third party or an user and assign them an accounting code to find them in this list
+WarningAvailableOnlyForHTTPSServers=Available only if using HTTPS secured connection.
diff --git a/htdocs/langs/fi_FI/exports.lang b/htdocs/langs/fi_FI/exports.lang
index 038bf61ce23..00784ec6116 100644
--- a/htdocs/langs/fi_FI/exports.lang
+++ b/htdocs/langs/fi_FI/exports.lang
@@ -26,6 +26,8 @@ FieldTitle=Kentän nimi
NowClickToGenerateToBuildExportFile=Now, select the file format in the combo box and click on "Generate" to build the export file...
AvailableFormats=Available Formats
LibraryShort=Kirjasto
+ExportCsvSeparator=Csv caracter separator
+ImportCsvSeparator=Csv caracter separator
Step=Vaihe
FormatedImport=Import Assistant
FormatedImportDesc1=This module allows you to update existing data or add new objects into the database from a file without technical knowledge, using an assistant.
@@ -131,3 +133,4 @@ KeysToUseForUpdates=Key (column) to use for updating existing data
NbInsert=Number of inserted lines: %s
NbUpdate=Number of updated lines: %s
MultipleRecordFoundWithTheseFilters=Multiple records have been found with these filters: %s
+StocksWithBatch=Stocks and location (warehouse) of products with batch/serial number
diff --git a/htdocs/langs/fi_FI/mails.lang b/htdocs/langs/fi_FI/mails.lang
index c327a9bc3c9..9efd5a62a2f 100644
--- a/htdocs/langs/fi_FI/mails.lang
+++ b/htdocs/langs/fi_FI/mails.lang
@@ -92,6 +92,7 @@ MailingModuleDescEmailsFromUser=Emails input by user
MailingModuleDescDolibarrUsers=Users with Emails
MailingModuleDescThirdPartiesByCategories=Third parties (by categories)
SendingFromWebInterfaceIsNotAllowed=Sending from web interface is not allowed.
+EmailCollectorFilterDesc=All filters must match to have an email being collected
# Libelle des modules de liste de destinataires mailing
LineInFile=Rivi %s tiedosto
@@ -125,12 +126,13 @@ TagMailtoEmail=Recipient Email (including html "mailto:" link)
NoEmailSentBadSenderOrRecipientEmail=No email sent. Bad sender or recipient email. Verify user profile.
# Module Notifications
Notifications=Ilmoitukset
-NoNotificationsWillBeSent=Ei sähköposti-ilmoituksia on suunniteltu tähän tapahtumaan ja yritys
-ANotificationsWillBeSent=1 ilmoituksesta lähetetään sähköpostitse
-SomeNotificationsWillBeSent=%s ilmoitukset lähetetään sähköpostitse
-AddNewNotification=Aktivoi uusi sähköposti ilmoitus tavoittelle/tapahtumalle
-ListOfActiveNotifications=Luettelo kaikista aktiivisista kohteista / tapahtumista sähköpostin ilmoittamiselle
-ListOfNotificationsDone=Listaa kaikki sähköposti-ilmoitukset lähetetään
+NotificationsAuto=Notifications Auto.
+NoNotificationsWillBeSent=No automatic email notifications are planned for this event type and company
+ANotificationsWillBeSent=1 automatic notification will be sent by email
+SomeNotificationsWillBeSent=%s automatic notifications will be sent by email
+AddNewNotification=Subscribe to a new automatic email notification (target/event)
+ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification
+ListOfNotificationsDone=List all automatic email notifications sent
MailSendSetupIs=Sähköpostin lähettämisen määritys on asetettu "%s": ksi. Tätä tilaa ei voi käyttää massapostitusten lähettämiseen.
MailSendSetupIs2=Sinun on ensin siirryttävä admin-tilillä valikkoon %sHome - Setup - EMails%s parametrin '%s' muuttamiseksi käytettäväksi tilassa "%s". Tässä tilassa voit syöttää Internet-palveluntarjoajan antaman SMTP-palvelimen vaatimat asetukset ja käyttää Massa-sähköpostitoimintoa.
MailSendSetupIs3=Jos sinulla on kysyttävää SMTP-palvelimen määrittämisestä, voit kysyä osoitteesta %s.
@@ -140,7 +142,7 @@ UseFormatFileEmailToTarget=Imported file must have format email;name;fir
UseFormatInputEmailToTarget=Enter a string with format email;name;firstname;other
MailAdvTargetRecipients=Recipients (advanced selection)
AdvTgtTitle=Fill input fields to preselect the third parties or contacts/addresses to target
-AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima% will target all jean, joe, start with jim but not jimo and not everything that starts with jima
+AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima%% will target all jean, joe, start with jim but not jimo and not everything that starts with jima
AdvTgtSearchIntHelp=Use interval to select int or float value
AdvTgtMinVal=Minimum value
AdvTgtMaxVal=Maximum value
@@ -162,13 +164,14 @@ AdvTgtCreateFilter=Create filter
AdvTgtOrCreateNewFilter=Name of new filter
NoContactWithCategoryFound=No contact/address with a category found
NoContactLinkedToThirdpartieWithCategoryFound=No contact/address with a category found
-OutGoingEmailSetup=Outgoing email setup
-InGoingEmailSetup=Incoming email setup
-OutGoingEmailSetupForEmailing=Outgoing email setup (for module %s)
-DefaultOutgoingEmailSetup=Default outgoing email setup
+OutGoingEmailSetup=Outgoing emails
+InGoingEmailSetup=Incoming emails
+OutGoingEmailSetupForEmailing=Outgoing emails (for module %s)
+DefaultOutgoingEmailSetup=Same configuration than the global Outgoing email setup
Information=Information
ContactsWithThirdpartyFilter=Contacts with third-party filter
Unanswered=Unanswered
Answered=Answered
IsNotAnAnswer=Is not answer (initial email)
IsAnAnswer=Is an answer of an initial email
+RecordCreatedByEmailCollector=Record created by the Email Collector %s from email %s
diff --git a/htdocs/langs/fi_FI/main.lang b/htdocs/langs/fi_FI/main.lang
index a9649731ddb..0f20b7dedbf 100644
--- a/htdocs/langs/fi_FI/main.lang
+++ b/htdocs/langs/fi_FI/main.lang
@@ -28,7 +28,9 @@ NoTemplateDefined=Tämän tyyliselle sähköpostille ei ole pohjaa saatavilla
AvailableVariables=Available substitution variables
NoTranslation=Ei käännöstä
Translation=Käännös
+CurrentTimeZone=Aikavyöhyke PHP (palvelin)
EmptySearchString=Enter non empty search criterias
+EnterADateCriteria=Enter a date criteria
NoRecordFound=Tietueita ei löytynyt
NoRecordDeleted=Tallennuksia ei poistettu
NotEnoughDataYet=Ei tarpeeksi tietoja
@@ -85,6 +87,8 @@ FileWasNotUploaded=Tiedosto on valittu liite mutta ei ollut vielä ladattu. Klik
NbOfEntries=No. of entries
GoToWikiHelpPage=Lue online-ohjeet (tarvitaan Internet-yhteys)
GoToHelpPage=Lue auttaa
+DedicatedPageAvailable=There is a dedicated help page related to your current screen
+HomePage=Kotisivu
RecordSaved=Record tallennettu
RecordDeleted=Tallennus poistettu
RecordGenerated=Record generated
@@ -433,6 +437,7 @@ RemainToPay=Remain to pay
Module=Moduuli/Applikaatio
Modules=Moduulit/Applikaatiot
Option=Vaihtoehto
+Filters=Filters
List=Luettelo
FullList=Täydellinen luettelo
FullConversation=Full conversation
@@ -671,7 +676,7 @@ SendMail=Lähetä sähköpostia
Email=Sähköposti
NoEMail=Ei sähköpostia
AlreadyRead=Already read
-NotRead=Not read
+NotRead=Unread
NoMobilePhone=Ei matkapuhelinta
Owner=Omistaja
FollowingConstantsWillBeSubstituted=Seuraavat vakiot voidaan korvata ja vastaava arvo.
@@ -1107,3 +1112,8 @@ UpToDate=Up-to-date
OutOfDate=Out-of-date
EventReminder=Event Reminder
UpdateForAllLines=Update for all lines
+OnHold=On hold
+AffectTag=Affect Tag
+ConfirmAffectTag=Bulk Tag Affect
+ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected record(s)?
+CategTypeNotFound=No tag type found for type of records
diff --git a/htdocs/langs/fi_FI/modulebuilder.lang b/htdocs/langs/fi_FI/modulebuilder.lang
index 460aef8103b..845dd12624d 100644
--- a/htdocs/langs/fi_FI/modulebuilder.lang
+++ b/htdocs/langs/fi_FI/modulebuilder.lang
@@ -40,6 +40,7 @@ PageForCreateEditView=PHP page to create/edit/view a record
PageForAgendaTab=PHP page for event tab
PageForDocumentTab=PHP page for document tab
PageForNoteTab=PHP page for note tab
+PageForContactTab=PHP page for contact tab
PathToModulePackage=Path to zip of module/application package
PathToModuleDocumentation=Path to file of module/application documentation (%s)
SpaceOrSpecialCharAreNotAllowed=Spaces or special characters are not allowed.
@@ -77,7 +78,7 @@ IsAMeasure=Is a measure
DirScanned=Directory scanned
NoTrigger=No trigger
NoWidget=No widget
-GoToApiExplorer=Go to API explorer
+GoToApiExplorer=API explorer
ListOfMenusEntries=List of menu entries
ListOfDictionariesEntries=List of dictionaries entries
ListOfPermissionsDefined=List of defined permissions
@@ -105,7 +106,7 @@ TryToUseTheModuleBuilder=If you have knowledge of SQL and PHP, you may use the n
SeeTopRightMenu=See on the top right menu
AddLanguageFile=Add language file
YouCanUseTranslationKey=You can use here a key that is the translation key found into language file (see tab "Languages")
-DropTableIfEmpty=(Delete table if empty)
+DropTableIfEmpty=(Destroy table if empty)
TableDoesNotExists=The table %s does not exists
TableDropped=Table %s deleted
InitStructureFromExistingTable=Build the structure array string of an existing table
@@ -126,7 +127,6 @@ UseSpecificEditorURL = Use a specific editor URL
UseSpecificFamily = Use a specific family
UseSpecificAuthor = Use a specific author
UseSpecificVersion = Use a specific initial version
-ModuleMustBeEnabled=The module/application must be enabled first
IncludeRefGeneration=The reference of object must be generated automatically
IncludeRefGenerationHelp=Check this if you want to include code to manage the generation automatically of the reference
IncludeDocGeneration=I want to generate some documents from the object
@@ -140,3 +140,4 @@ TypeOfFieldsHelp=Type of fields: varchar(99), double(24,8), real, text, html,
AsciiToHtmlConverter=Ascii to HTML converter
AsciiToPdfConverter=Ascii to PDF converter
TableNotEmptyDropCanceled=Table not empty. Drop has been canceled.
+ModuleBuilderNotAllowed=The module builder is available but not allowed to your user.
diff --git a/htdocs/langs/fi_FI/other.lang b/htdocs/langs/fi_FI/other.lang
index 4a6a9b8c6c6..0da9959a710 100644
--- a/htdocs/langs/fi_FI/other.lang
+++ b/htdocs/langs/fi_FI/other.lang
@@ -5,8 +5,6 @@ Tools=Työkalut
TMenuTools=Tools
ToolsDesc=All tools not included in other menu entries are grouped here. All the tools can be accessed via the left menu.
Birthday=Syntymäpäivä
-BirthdayDate=Birthday date
-DateToBirth=Birth date
BirthdayAlertOn=syntymäpäivä hälytys aktiivinen
BirthdayAlertOff=syntymäpäivä varoituskynnysten inaktiivinen
TransKey=Translation of the key TransKey
@@ -16,6 +14,8 @@ PreviousMonthOfInvoice=Previous month (number 1-12) of invoice date
TextPreviousMonthOfInvoice=Previous month (text) of invoice date
NextMonthOfInvoice=Following month (number 1-12) of invoice date
TextNextMonthOfInvoice=Following month (text) of invoice date
+PreviousMonth=Previous month
+CurrentMonth=Current month
ZipFileGeneratedInto=Zip file generated into %s.
DocFileGeneratedInto=Doc file generated into %s.
JumpToLogin=Disconnected. Go to login page...
@@ -99,6 +99,7 @@ PredefinedMailContentSendShipping=__(Hello)__\n\nPlease find shipping __REF__ at
PredefinedMailContentSendFichInter=__(Hello)__\n\nPlease find intervention __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.\n\n%s\n\n
PredefinedMailContentGeneric=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
+PredefinedMailContentSendActionComm=Event reminder "__EVENT_LABEL__" on __EVENT_DATE__ at __EVENT_TIME__
This is an automatic message, please do not reply.
DemoDesc=Dolibarr is a compact ERP/CRM supporting several business modules. A demo showcasing all modules makes no sense as this scenario never occurs (several hundred available). So, several demo profiles are available.
ChooseYourDemoProfil=Choose the demo profile that best suits your needs...
ChooseYourDemoProfilMore=...or build your own profile (manual module selection)
@@ -137,7 +138,7 @@ Right=Oikeus
CalculatedWeight=Laskettu paino
CalculatedVolume=Laskettu määrä
Weight=Paino
-WeightUnitton=tonne
+WeightUnitton=ton
WeightUnitkg=kg
WeightUnitg=g
WeightUnitmg=mg
@@ -258,6 +259,7 @@ ContactCreatedByEmailCollector=Contact/address created by email collector from e
ProjectCreatedByEmailCollector=Project created by email collector from email MSGID %s
TicketCreatedByEmailCollector=Ticket created by email collector from email MSGID %s
OpeningHoursFormatDesc=Use a - to separate opening and closing hours. Use a space to enter different ranges. Example: 8-12 14-18
+PrefixSession=Prefix for session ID
##### Export #####
ExportsArea=Vienti alueen
diff --git a/htdocs/langs/fi_FI/products.lang b/htdocs/langs/fi_FI/products.lang
index fb19101c1ee..d9da0549768 100644
--- a/htdocs/langs/fi_FI/products.lang
+++ b/htdocs/langs/fi_FI/products.lang
@@ -108,7 +108,8 @@ FillWithLastServiceDates=Fill with last service line dates
MultiPricesAbility=Multiple price segments per product/service (each customer is in one price segment)
MultiPricesNumPrices=Hintojen lukumäärä
DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices
-AssociatedProductsAbility=Activate kits (virtual products)
+AssociatedProductsAbility=Enable Kits (set of other products)
+VariantsAbility=Enable Variants (variations of products, for example color, size)
AssociatedProducts=Kits
AssociatedProductsNumber=Number of products composing this kit
ParentProductsNumber=Number of parent packaging product
@@ -167,8 +168,10 @@ BuyingPrices=Ostohinnat
CustomerPrices=Asiakas hinnat
SuppliersPrices=Vendor prices
SuppliersPricesOfProductsOrServices=Vendor prices (of products or services)
-CustomCode=Customs / Commodity / HS code
+CustomCode=Customs|Commodity|HS code
CountryOrigin=Alkuperämaa
+RegionStateOrigin=Region origin
+StateOrigin=State|Province origin
Nature=Nature of product (material/finished)
NatureOfProductShort=Nature of product
NatureOfProductDesc=Raw material or finished product
@@ -239,7 +242,7 @@ AlwaysUseFixedPrice=Use the fixed price
PriceByQuantity=Different prices by quantity
DisablePriceByQty=Poista käytöstä hinnat kappalemäärän mukaan
PriceByQuantityRange=Quantity range
-MultipriceRules=Price segment rules
+MultipriceRules=Automatic prices for segment
UseMultipriceRules=Use price segment rules (defined into product module setup) to auto calculate prices of all other segments according to first segment
PercentVariationOver=%% variation over %s
PercentDiscountOver=%% discount over %s
diff --git a/htdocs/langs/fi_FI/recruitment.lang b/htdocs/langs/fi_FI/recruitment.lang
index eb65908493a..9702bc62631 100644
--- a/htdocs/langs/fi_FI/recruitment.lang
+++ b/htdocs/langs/fi_FI/recruitment.lang
@@ -73,3 +73,4 @@ JobClosedTextCandidateFound=The job position is closed. The position has been fi
JobClosedTextCanceled=The job position is closed.
ExtrafieldsJobPosition=Complementary attributes (job positions)
ExtrafieldsCandidatures=Complementary attributes (job applications)
+MakeOffer=Make an offer
diff --git a/htdocs/langs/fi_FI/sendings.lang b/htdocs/langs/fi_FI/sendings.lang
index f45dd858ab4..7c6e6c9e98e 100644
--- a/htdocs/langs/fi_FI/sendings.lang
+++ b/htdocs/langs/fi_FI/sendings.lang
@@ -30,6 +30,7 @@ OtherSendingsForSameOrder=Tämän tilauksen muut toimitukset
SendingsAndReceivingForSameOrder=Tämän tilauksen toimitukset ja kuittaukset
SendingsToValidate=Toimitu
StatusSendingCanceled=Peruttu
+StatusSendingCanceledShort=Peruttu
StatusSendingDraft=Vedos
StatusSendingValidated=Validoidut (lähetettävät tai lähetetyt tuotteet)
StatusSendingProcessed=Jalostettu
@@ -65,6 +66,7 @@ ValidateOrderFirstBeforeShipment=You must first validate the order before being
# Sending methods
# ModelDocument
DocumentModelTyphon=Täydellisempi mallin toimitusten kuitit (logo. ..)
+DocumentModelStorm=More complete document model for delivery receipts and extrafields compatibility (logo...)
Error_EXPEDITION_ADDON_NUMBER_NotDefined=Jatkuva EXPEDITION_ADDON_NUMBER ei määritelty
SumOfProductVolumes=Sum of product volumes
SumOfProductWeights=Sum of product weights
diff --git a/htdocs/langs/fi_FI/stocks.lang b/htdocs/langs/fi_FI/stocks.lang
index 3bd141f559b..7d6f3eae9eb 100644
--- a/htdocs/langs/fi_FI/stocks.lang
+++ b/htdocs/langs/fi_FI/stocks.lang
@@ -240,3 +240,4 @@ InventoryRealQtyHelp=Set value to 0 to reset qty Keep field empty, or remove
UpdateByScaning=Update by scaning
UpdateByScaningProductBarcode=Update by scan (product barcode)
UpdateByScaningLot=Update by scan (lot|serial barcode)
+DisableStockChangeOfSubProduct=Deactivate the stock change for all the subproducts of this Kit during this movement.
diff --git a/htdocs/langs/fi_FI/ticket.lang b/htdocs/langs/fi_FI/ticket.lang
index d25c38981fc..732f53a18fd 100644
--- a/htdocs/langs/fi_FI/ticket.lang
+++ b/htdocs/langs/fi_FI/ticket.lang
@@ -31,10 +31,8 @@ TicketDictType=Ticket - Types
TicketDictCategory=Ticket - Groupes
TicketDictSeverity=Ticket - Severities
TicketDictResolution=Ticket - Resolution
-TicketTypeShortBUGSOFT=Dysfonctionnement logiciel
-TicketTypeShortBUGHARD=Dysfonctionnement matériel
-TicketTypeShortCOM=Kaupallinen kysymys
+TicketTypeShortCOM=Kaupallinen kysymys
TicketTypeShortHELP=Request for functionnal help
TicketTypeShortISSUE=Issue, bug or problem
TicketTypeShortREQUEST=Change or enhancement request
@@ -44,7 +42,7 @@ TicketTypeShortOTHER=Muu
TicketSeverityShortLOW=Matala
TicketSeverityShortNORMAL=Normaali
TicketSeverityShortHIGH=Korkea
-TicketSeverityShortBLOCKING=Critical/Blocking
+TicketSeverityShortBLOCKING=Critical, Blocking
ErrorBadEmailAddress=Kohta '%s' on väärin
MenuTicketMyAssign=Minun tiketit
@@ -60,7 +58,6 @@ OriginEmail=Email source
Notify_TICKET_SENTBYMAIL=Send ticket message by email
# Status
-NotRead=Not read
Read=Luettu
Assigned=Assigned
InProgress=Käsittelyssä
@@ -126,6 +123,7 @@ TicketsActivatePublicInterfaceHelp=Public interface allow any visitors to create
TicketsAutoAssignTicket=Automatically assign the user who created the ticket
TicketsAutoAssignTicketHelp=When creating a ticket, the user can be automatically assigned to the ticket.
TicketNumberingModules=Tickets numbering module
+TicketsModelModule=Document templates for tickets
TicketNotifyTiersAtCreation=Notify third party at creation
TicketsDisableCustomerEmail=Always disable emails when a ticket is created from public interface
TicketsPublicNotificationNewMessage=Send email(s) when a new message is added
@@ -233,7 +231,6 @@ TicketLogStatusChanged=Status changed: %s to %s
TicketNotNotifyTiersAtCreate=Not notify company at create
Unread=Unread
TicketNotCreatedFromPublicInterface=Not available. Ticket was not created from public interface.
-PublicInterfaceNotEnabled=Public interface was not enabled
ErrorTicketRefRequired=Ticket reference name is required
#
diff --git a/htdocs/langs/fi_FI/website.lang b/htdocs/langs/fi_FI/website.lang
index 5ecbd8e3ca4..218d9313551 100644
--- a/htdocs/langs/fi_FI/website.lang
+++ b/htdocs/langs/fi_FI/website.lang
@@ -30,7 +30,6 @@ EditInLine=Edit inline
AddWebsite=Lisää sivusto
Webpage=Web page/container
AddPage=Add page/container
-HomePage=Kotisivu
PageContainer=Sivu
PreviewOfSiteNotYetAvailable=Preview of your website %s not yet available. You must first 'Import a full website template' or just 'Add a page/container'.
RequestedPageHasNoContentYet=Requested page with id %s has no content yet, or cache file .tpl.php was removed. Edit content of the page to solve this.
@@ -101,7 +100,7 @@ EmptyPage=Tyhjä sivu
ExternalURLMustStartWithHttp=Ulkoisen osoitteen on oltava muotoa http:// tai https://
ZipOfWebsitePackageToImport=Upload the Zip file of the website template package
ZipOfWebsitePackageToLoad=or Choose an available embedded website template package
-ShowSubcontainers=Sisällytä dynaaminen sisältö
+ShowSubcontainers=Show dynamic content
InternalURLOfPage=Internal URL of page
ThisPageIsTranslationOf=This page/container is a translation of
ThisPageHasTranslationPages=This page/container has translation
@@ -137,3 +136,4 @@ RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using
PagesRegenerated=%s page(s)/container(s) regenerated
RegenerateWebsiteContent=Regenerate web site cache files
AllowedInFrames=Allowed in Frames
+DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languages into web site properties.
diff --git a/htdocs/langs/fi_FI/withdrawals.lang b/htdocs/langs/fi_FI/withdrawals.lang
index aba0cc2a0cc..a09329f1302 100644
--- a/htdocs/langs/fi_FI/withdrawals.lang
+++ b/htdocs/langs/fi_FI/withdrawals.lang
@@ -42,6 +42,7 @@ LastWithdrawalReceipt=Latest %s direct debit receipts
MakeWithdrawRequest=Make a direct debit payment request
MakeBankTransferOrder=Make a credit transfer request
WithdrawRequestsDone=%s direct debit payment requests recorded
+BankTransferRequestsDone=%s credit transfer requests recorded
ThirdPartyBankCode=Third-party bank code
NoInvoiceCouldBeWithdrawed=No invoice debited successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s.
ClassCredited=Luokittele hyvitetyksi
@@ -131,7 +132,8 @@ SEPARCUR=SEPA CUR
SEPAFRST=SEPA FRST
ExecutionDate=Execution date
CreateForSepa=Create direct debit file
-ICS=Creditor Identifier CI
+ICS=Creditor Identifier CI for direct debit
+ICSTransfer=Creditor Identifier CI for bank transfer
END_TO_END="EndToEndId" SEPA XML tag - Unique id assigned per transaction
USTRD="Unstructured" SEPA XML tag
ADDDAYS=Add days to Execution Date
@@ -146,3 +148,4 @@ InfoRejectSubject=Direct debit payment order refused
InfoRejectMessage=Hello,
the direct debit payment order of invoice %s related to the company %s, with an amount of %s has been refused by the bank.
-- %s
ModeWarning=Vaihtoehto todellista tilaa ei ole asetettu, pysähdymme jälkeen simulointi
ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know wich one to use.
+ErrorICSmissing=Missing ICS in Bank account %s
diff --git a/htdocs/langs/fr_BE/accountancy.lang b/htdocs/langs/fr_BE/accountancy.lang
index 11b91eb3db3..5f291cc8cb7 100644
--- a/htdocs/langs/fr_BE/accountancy.lang
+++ b/htdocs/langs/fr_BE/accountancy.lang
@@ -1,6 +1,7 @@
# Dolibarr language file - Source file is en_US - accountancy
Processing=Exécution
Lineofinvoice=Lignes de facture
+ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50)
Doctype=Type de document
ErrorDebitCredit=Débit et crédit ne peuvent pas être non-nuls en même temps
TotalMarge=Marge de ventes totale
diff --git a/htdocs/langs/fr_BE/products.lang b/htdocs/langs/fr_BE/products.lang
deleted file mode 100644
index 6e900475275..00000000000
--- a/htdocs/langs/fr_BE/products.lang
+++ /dev/null
@@ -1,2 +0,0 @@
-# Dolibarr language file - Source file is en_US - products
-CustomCode=Customs / Commodity / HS code
diff --git a/htdocs/langs/fr_BE/withdrawals.lang b/htdocs/langs/fr_BE/withdrawals.lang
index eb336cadcc0..76b150a8eb2 100644
--- a/htdocs/langs/fr_BE/withdrawals.lang
+++ b/htdocs/langs/fr_BE/withdrawals.lang
@@ -1,2 +1,3 @@
# Dolibarr language file - Source file is en_US - withdrawals
StatusTrans=Envoyé
+ICS=Creditor Identifier CI for direct debit
diff --git a/htdocs/langs/fr_CA/accountancy.lang b/htdocs/langs/fr_CA/accountancy.lang
index c34f7d4c7ad..62afd3dc49d 100644
--- a/htdocs/langs/fr_CA/accountancy.lang
+++ b/htdocs/langs/fr_CA/accountancy.lang
@@ -87,6 +87,7 @@ LineOfExpenseReport=Ligne de rapport de dépenses
NoAccountSelected=Aucun compte comptable sélectionné
VentilatedinAccount=Lié avec succès au compte comptable
XLineFailedToBeBinded=%s produits / services n'étaient liés à aucun compte comptable
+ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50)
ACCOUNTING_LIST_SORT_VENTILATION_TODO=Commencez le tri de la page "Reliure à faire" par les éléments les plus récents
ACCOUNTING_LIST_SORT_VENTILATION_DONE=Commencez le tri de la page "Reliure faite" par les éléments les plus récents
ACCOUNTING_LENGTH_DESCRIPTION=Tronquer la description des produits et services dans les listes après les caractères X (Best = 50)
@@ -97,7 +98,6 @@ ACCOUNTING_EXPENSEREPORT_JOURNAL=Note de frais
DONATION_ACCOUNTINGACCOUNT=Compte comptable pour enregistrer des dons
ACCOUNTING_SERVICE_BUY_ACCOUNT=Compte comptable par défaut pour les services achetés (utilisé si non défini dans la fiche de service)
ACCOUNTING_SERVICE_SOLD_ACCOUNT=Compte comptable par défaut pour les services vendus (utilisé si non défini dans la fiche de service)
-GroupByAccountAccounting=Groupe par compte comptable
NotMatch=Pas encore défini
FinanceJournal=Journal des finances
ExpenseReportsJournal=Journal des rapports de dépenses
diff --git a/htdocs/langs/fr_CA/admin.lang b/htdocs/langs/fr_CA/admin.lang
index a0f940824b8..0d38f03c9fa 100644
--- a/htdocs/langs/fr_CA/admin.lang
+++ b/htdocs/langs/fr_CA/admin.lang
@@ -25,7 +25,6 @@ AllWidgetsWereEnabled=Tous les widgets disponibles sont activés
MenusDesc=Les gestionnaires de menu définissent le contenu des deux barres de menus (horizontales et verticales).
MenusEditorDesc=L'éditeur de menu vous permet de définir des entrées de menu personnalisées. Utilisez-le soigneusement pour éviter l'instabilité et les entrées de menu inaccessibles en permanence. Certains modules ajoutent des entrées de menu (dans le menu principal principalement). Si vous supprimez certaines de ces entrées par erreur, vous pouvez les restaurer en désactivant et en réactivant le module.
PurgeDeleteLogFile=Supprimer les fichiers journaux, y compris ceux%s définis pour le module Syslog (pas de risque de perte de données)
-PurgeDeleteTemporaryFilesShort=Supprimer les fichiers temporaires
PurgeNothingToDelete=Pas de répertoire ou de fichiers à supprimer.
PurgeNDirectoriesFailed=Impossible de supprimer %s fichiers ou les répertoires.
ConfirmPurgeAuditEvents=Êtes-vous sûr de vouloir purger tous les événements de sécurité? Tous les journaux de sécurité seront supprimés, aucune autre donnée ne sera supprimée.
diff --git a/htdocs/langs/fr_CA/categories.lang b/htdocs/langs/fr_CA/categories.lang
index 71116b8842c..ce7287abbe9 100644
--- a/htdocs/langs/fr_CA/categories.lang
+++ b/htdocs/langs/fr_CA/categories.lang
@@ -22,4 +22,4 @@ ProductsCategoriesShort=Tags/catégories de produits
MembersCategoriesShort=Tags/catégories de membres
AccountsCategoriesShort=Étiquettes / catégories de comptes
ProjectsCategoriesShort=Projets Tags / catégories
-CatProJectLinks=Liens entre projets et tags / catégories
+CatMembersLinks=Liens entre membres et libellés/catégories
diff --git a/htdocs/langs/fr_CA/compta.lang b/htdocs/langs/fr_CA/compta.lang
index 9426cca9d08..67522c477f0 100644
--- a/htdocs/langs/fr_CA/compta.lang
+++ b/htdocs/langs/fr_CA/compta.lang
@@ -32,7 +32,6 @@ VATPayments=Paiements d'impôt sur les ventes
VATRefund=Remboursement de la taxe de vente
SocialContributionsPayments=Règlements charges sociales
ShowVatPayment=Affiche paiement TPS/TVH
-BalanceVisibilityDependsOnSortAndFilters=La balance est visible dans cette liste uniquement si la table est triée en ascendant sur %s et filtrée pour 1 compte bancaire
CustomerAccountancyCodeShort=Cust. Compte. code
SupplierAccountancyCodeShort=Souper. Compte. code
ByExpenseIncome=Par dépenses et revenus
diff --git a/htdocs/langs/fr_CA/cron.lang b/htdocs/langs/fr_CA/cron.lang
index d4a1f4689f9..c0ac78610c3 100644
--- a/htdocs/langs/fr_CA/cron.lang
+++ b/htdocs/langs/fr_CA/cron.lang
@@ -4,11 +4,8 @@ Permission23102 =Créer/Modifier des travaux planifiées
Permission23103 =Effacer travail planifié
Permission23104 =Exécuté Travail planifié
CronSetup=Configuration programmée de la gestion des tâches
-URLToLaunchCronJobs=URL pour vérifier et lancer des emplois qualifiés cron
-OrToLaunchASpecificJob=Ou pour vérifier et lancer un travail spécifique
KeyForCronAccess=Clé de sécurité pour URL pour lancer des travaux de cron
CronExplainHowToRunUnix=Sur l'environnement Unix, vous devez utiliser l'entrée crontab suivante pour exécuter la ligne de commande toutes les 5 minutes
-CronExplainHowToRunWin=Sur Microsoft (tm) environnement Windows, vous pouvez utiliser les outils de tâches planifiés pour exécuter la ligne de commande toutes les 5 minutes
EnabledAndDisabled=Activé et désactivé
CronLastOutput=Dernier résultat d'exécution
CronLastResult=Le dernier code de résultat
@@ -24,7 +21,6 @@ CronNone=Aucune
CronDtLastLaunch=Date de début de la dernière exécution
CronDtLastResult=Date de fin de la dernière exécution
CronNoJobs=Aucun emploi enregistré
-CronNbRun=Nb. lancement
CronEach=Chaque
CronAdd=Ajouter des emplois
CronEvery=Exécuter le travail chaque
@@ -39,6 +35,5 @@ CronCreateJob=Créer un nouvel emploi planifié
CronFrom=De
CronType=Type d'emploi
CronType_command=Commande Shell
-UseMenuModuleToolsToAddCronJobs=Accédez au menu «Accueil - Outils d'administration - Emplois programmés» pour voir et modifier les tâches planifiées.
MakeLocalDatabaseDumpShort=Sauvegarde de la base de données locale
WarningCronDelayed=Attention, à des fins de performance, quelle que soit la prochaine date d'exécution des travaux activés, vos travaux peuvent être retardés jusqu'à un maximum de %s heures avant d'être exécutés.
diff --git a/htdocs/langs/fr_CA/errors.lang b/htdocs/langs/fr_CA/errors.lang
index 967bf583d1c..be3f8df0eb9 100644
--- a/htdocs/langs/fr_CA/errors.lang
+++ b/htdocs/langs/fr_CA/errors.lang
@@ -51,7 +51,6 @@ ErrorBadFormatValueList=La valeur de la liste ne peut pas contenir plus d'une vi
ErrorExportDuplicateProfil=Ce nom de profil existe déjà pour ce jeu d'exportation.
ErrorLDAPSetupNotComplete=La correspondance Dolibarr-LDAP n'est pas complète.
ErrorLDAPMakeManualTest=Un fichier .ldif a été généré dans le répertoire %s. Essayez de le charger manuellement à partir de la ligne de commande pour avoir plus d'informations sur les erreurs.
-ErrorRefAlreadyExists=La référence utilisée pour la création existe déjà.
ErrorModuleRequireJavascript=Javascript ne doit pas être désactivé pour que cette fonction fonctionne. Pour activer / désactiver Javascript, accédez au menu Accueil-> Configuration-> Affichage.
ErrorPasswordsMustMatch=Les deux mots de passe dactylographiés doivent correspondre les uns aux autres
ErrorFileIsInfectedWithAVirus=Le programme antivirus n'a pas pu valider le fichier (le fichier peut être infecté par un virus)
diff --git a/htdocs/langs/fr_CA/mails.lang b/htdocs/langs/fr_CA/mails.lang
index 9661c2d4ed1..cd12fe65172 100644
--- a/htdocs/langs/fr_CA/mails.lang
+++ b/htdocs/langs/fr_CA/mails.lang
@@ -76,12 +76,6 @@ YouCanUseCommaSeparatorForSeveralRecipients=Vous pouvez utiliser le séparateur
TagCheckMail=Suivre l'ouverture du courrier
TagUnsubscribe=Désinscription lien
NoEmailSentBadSenderOrRecipientEmail=Aucun courriel envoyé. Mauvais expéditeur ou courrier électronique du destinataire. Vérifiez le profil de l'utilisateur.
-NoNotificationsWillBeSent=Aucune notification par courrier électronique n'est prévue pour cet événement et cette entreprise
-ANotificationsWillBeSent=1 notification sera envoyée par courrier électronique
-SomeNotificationsWillBeSent=%s les notifications seront envoyées par courrier électronique
-AddNewNotification=Activer un nouvel objectif / événement de notification par courrier électronique
-ListOfActiveNotifications=Liste tous les cibles / événements actifs pour la notification par courrier électronique
-ListOfNotificationsDone=Liste toutes les notifications par courrier électronique envoyées
MailSendSetupIs=La configuration de l'envoi de courrier électronique a été configurée sur '%s'. Ce mode ne peut pas être utilisé pour envoyer des messages électroniques de masse.
MailSendSetupIs2=Vous devez d'abord aller, avec un compte admin, dans le menu %sHome - Configuration - EMails%s pour modifier le paramètre '%s' pour utiliser le mode '%s'. Avec ce mode, vous pouvez entrer dans la configuration du serveur SMTP fourni par votre fournisseur de services Internet et utiliser la fonctionnalité de messagerie en masse.
MailSendSetupIs3=Si vous avez des questions sur la configuration de votre serveur SMTP, vous pouvez demander à %s.
@@ -104,5 +98,3 @@ AdvTgtDeleteFilter=Supprimer le filtre
AdvTgtCreateFilter=Créer un filtre
NoContactWithCategoryFound=Aucun contact / adresse avec une catégorie trouvée
NoContactLinkedToThirdpartieWithCategoryFound=Aucun contact / adresse avec une catégorie trouvée
-OutGoingEmailSetup=Configuration de messagerie sortante
-InGoingEmailSetup=Configuration de messagerie entrante
diff --git a/htdocs/langs/fr_CA/other.lang b/htdocs/langs/fr_CA/other.lang
index 23fbaaa759a..f9ca31c6f78 100644
--- a/htdocs/langs/fr_CA/other.lang
+++ b/htdocs/langs/fr_CA/other.lang
@@ -1,4 +1,5 @@
# Dolibarr language file - Source file is en_US - other
+SecurityCode=Code de sécurité
NumberingShort=N °
BirthdayAlertOn=Alerte d'anniversaire active
BirthdayAlertOff=Alerte d'anniversaire inactive
diff --git a/htdocs/langs/fr_CA/products.lang b/htdocs/langs/fr_CA/products.lang
index 313aab6abb2..181bb2e3175 100644
--- a/htdocs/langs/fr_CA/products.lang
+++ b/htdocs/langs/fr_CA/products.lang
@@ -80,7 +80,6 @@ NewRefForClone=Réf. De nouveau produit / service
SellingPrices=Prix de vente
BuyingPrices=Prix d'achat
CustomerPrices=Prix client
-CustomCode=Customs / Commodity / HS code
ShortLabel=Étiquette courte
p=U.
s=S
@@ -100,7 +99,6 @@ AlwaysUseNewPrice=Toujours utiliser le prix actuel du produit / service
AlwaysUseFixedPrice=Utilisez le prix fixe
PriceByQuantity=Différents prix par quantité
PriceByQuantityRange=Gamme de quantité
-MultipriceRules=Règles du segment des prix
PercentVariationOver=%% variation par rapport à %s
PercentDiscountOver=%% discount sur %s
KeepEmptyForAutoCalculation=Restez vide pour que ceci soit calculé automatiquement à partir du poids ou du volume de produits
diff --git a/htdocs/langs/fr_CA/sendings.lang b/htdocs/langs/fr_CA/sendings.lang
index 1886150f850..9cf4c3906c4 100644
--- a/htdocs/langs/fr_CA/sendings.lang
+++ b/htdocs/langs/fr_CA/sendings.lang
@@ -19,6 +19,7 @@ OtherSendingsForSameOrder=Autres envois pour cette commande
SendingsAndReceivingForSameOrder=Livraisons et recettes pour cet ordre
SendingsToValidate=Livraisons à valider
StatusSendingCanceled=Annulé
+StatusSendingCanceledShort=Annulé
StatusSendingValidated=Validé (produits à expédier ou déjà expédiés)
StatusSendingProcessed=Traité
StatusSendingProcessedShort=Traité
diff --git a/htdocs/langs/fr_CA/withdrawals.lang b/htdocs/langs/fr_CA/withdrawals.lang
index d1c2577c8d4..75020c6fcaf 100644
--- a/htdocs/langs/fr_CA/withdrawals.lang
+++ b/htdocs/langs/fr_CA/withdrawals.lang
@@ -56,6 +56,7 @@ SEPAFormYourBAN=Votre nom de compte bancaire (IBAN)
SEPAFormYourBIC=Votre code d'identification de banque (BIC)
ModeFRST=Paiement unique
PleaseCheckOne=Veuillez cocher un seul
+ICS=Creditor Identifier CI for direct debit
InfoCreditSubject=Paiement de l'ordre de paiement de débit direct %s par la banque
InfoCreditMessage=La ligne de paiement de débit direct %s a été payée par la banque Données de paiement: %s
InfoTransSubject=Transmission de l'ordre de paiement de débit direct %s à la banque
diff --git a/htdocs/langs/fr_CH/accountancy.lang b/htdocs/langs/fr_CH/accountancy.lang
new file mode 100644
index 00000000000..552865118f1
--- /dev/null
+++ b/htdocs/langs/fr_CH/accountancy.lang
@@ -0,0 +1,2 @@
+# Dolibarr language file - Source file is en_US - accountancy
+ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50)
diff --git a/htdocs/langs/fr_CH/compta.lang b/htdocs/langs/fr_CH/compta.lang
deleted file mode 100644
index c7c41488180..00000000000
--- a/htdocs/langs/fr_CH/compta.lang
+++ /dev/null
@@ -1,2 +0,0 @@
-# Dolibarr language file - Source file is en_US - compta
-BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted ascending on %s and filtered for 1 bank account
diff --git a/htdocs/langs/fr_CH/products.lang b/htdocs/langs/fr_CH/products.lang
deleted file mode 100644
index 6e900475275..00000000000
--- a/htdocs/langs/fr_CH/products.lang
+++ /dev/null
@@ -1,2 +0,0 @@
-# Dolibarr language file - Source file is en_US - products
-CustomCode=Customs / Commodity / HS code
diff --git a/htdocs/langs/fr_CH/withdrawals.lang b/htdocs/langs/fr_CH/withdrawals.lang
new file mode 100644
index 00000000000..facdefc082f
--- /dev/null
+++ b/htdocs/langs/fr_CH/withdrawals.lang
@@ -0,0 +1,2 @@
+# Dolibarr language file - Source file is en_US - withdrawals
+ICS=Creditor Identifier CI for direct debit
diff --git a/htdocs/langs/fr_CI/accountancy.lang b/htdocs/langs/fr_CI/accountancy.lang
new file mode 100644
index 00000000000..552865118f1
--- /dev/null
+++ b/htdocs/langs/fr_CI/accountancy.lang
@@ -0,0 +1,2 @@
+# Dolibarr language file - Source file is en_US - accountancy
+ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50)
diff --git a/htdocs/langs/fr_CI/compta.lang b/htdocs/langs/fr_CI/compta.lang
deleted file mode 100644
index c7c41488180..00000000000
--- a/htdocs/langs/fr_CI/compta.lang
+++ /dev/null
@@ -1,2 +0,0 @@
-# Dolibarr language file - Source file is en_US - compta
-BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted ascending on %s and filtered for 1 bank account
diff --git a/htdocs/langs/fr_CI/products.lang b/htdocs/langs/fr_CI/products.lang
deleted file mode 100644
index 6e900475275..00000000000
--- a/htdocs/langs/fr_CI/products.lang
+++ /dev/null
@@ -1,2 +0,0 @@
-# Dolibarr language file - Source file is en_US - products
-CustomCode=Customs / Commodity / HS code
diff --git a/htdocs/langs/fr_CI/withdrawals.lang b/htdocs/langs/fr_CI/withdrawals.lang
new file mode 100644
index 00000000000..facdefc082f
--- /dev/null
+++ b/htdocs/langs/fr_CI/withdrawals.lang
@@ -0,0 +1,2 @@
+# Dolibarr language file - Source file is en_US - withdrawals
+ICS=Creditor Identifier CI for direct debit
diff --git a/htdocs/langs/fr_CM/accountancy.lang b/htdocs/langs/fr_CM/accountancy.lang
new file mode 100644
index 00000000000..552865118f1
--- /dev/null
+++ b/htdocs/langs/fr_CM/accountancy.lang
@@ -0,0 +1,2 @@
+# Dolibarr language file - Source file is en_US - accountancy
+ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50)
diff --git a/htdocs/langs/fr_CM/compta.lang b/htdocs/langs/fr_CM/compta.lang
deleted file mode 100644
index c7c41488180..00000000000
--- a/htdocs/langs/fr_CM/compta.lang
+++ /dev/null
@@ -1,2 +0,0 @@
-# Dolibarr language file - Source file is en_US - compta
-BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted ascending on %s and filtered for 1 bank account
diff --git a/htdocs/langs/fr_CM/products.lang b/htdocs/langs/fr_CM/products.lang
deleted file mode 100644
index 6e900475275..00000000000
--- a/htdocs/langs/fr_CM/products.lang
+++ /dev/null
@@ -1,2 +0,0 @@
-# Dolibarr language file - Source file is en_US - products
-CustomCode=Customs / Commodity / HS code
diff --git a/htdocs/langs/fr_CM/withdrawals.lang b/htdocs/langs/fr_CM/withdrawals.lang
new file mode 100644
index 00000000000..facdefc082f
--- /dev/null
+++ b/htdocs/langs/fr_CM/withdrawals.lang
@@ -0,0 +1,2 @@
+# Dolibarr language file - Source file is en_US - withdrawals
+ICS=Creditor Identifier CI for direct debit
diff --git a/htdocs/langs/fr_FR/accountancy.lang b/htdocs/langs/fr_FR/accountancy.lang
index 59ac095a763..f829a086456 100644
--- a/htdocs/langs/fr_FR/accountancy.lang
+++ b/htdocs/langs/fr_FR/accountancy.lang
@@ -48,6 +48,7 @@ CountriesExceptMe=Tous les pays sauf %s
AccountantFiles=Exporter les documents sources
ExportAccountingSourceDocHelp=Avec cet outil, vous pouvez exporter les événements sources (liste et PDF) qui ont été utilisés pour générer votre comptabilité. Pour exporter vos journaux, utilisez l'entrée de menu %s - %s.
VueByAccountAccounting=Vue par comptes comptables
+VueBySubAccountAccounting=Affichage par compte auxiliaire
MainAccountForCustomersNotDefined=Compte comptable général pour les clients non défini dans la configuration
MainAccountForSuppliersNotDefined=Compte comptable général pour les fournisseurs non défini dans la configuration
@@ -62,16 +63,16 @@ AccountancyAreaDescActionOnceBis=Les prochaines étapes doivent être faites pou
AccountancyAreaDescActionFreq=Les actions suivantes sont habituellement exécutées chaque mois, semaine, ou jour pour les très grandes entreprises ...
AccountancyAreaDescJournalSetup=Étape %s : Créer ou vérifier le contenu de la liste des journaux depuis le menu %s
-AccountancyAreaDescChartModel=ÉTAPE %s: Vérifiez qu'il existe un modèle de plan comptable ou créez-en un à partir du menu %s
-AccountancyAreaDescChart=ÉTAPE %s: Sélectionnez et | ou complétez votre plan de compte dans le menu %s
+AccountancyAreaDescChartModel=Étape %s : Vérifiez qu'il existe un modèle de plan comptable ou créez-en un à partir du menu %s
+AccountancyAreaDescChart=Étape %s : Sélectionnez et | ou complétez votre plan de compte dans le menu %s
AccountancyAreaDescVat=Étape %s : Définissez les comptes comptables de chaque taux de TVA utilisé. Pour cela, suivez le menu suivant %s.
-AccountancyAreaDescDefault=Étape %s: Définir les comptes de comptabilité par défaut. Pour cela, utilisez l'entrée de menu %s.
+AccountancyAreaDescDefault=Étape %s : Définir les comptes de comptabilité par défaut. Pour cela, utilisez l'entrée de menu %s.
AccountancyAreaDescExpenseReport=Étape %s : Définissez les comptes comptables par défaut des dépenses des notes de frais. Pour cela, suivez le menu suivant %s.
AccountancyAreaDescSal=Étape %s : Définissez les comptes comptables de paiements de salaires. Pour cela, suivez le menu suivant %s.
AccountancyAreaDescContrib=Étape %s : Définissez les comptes comptables des dépenses spéciales (taxes diverses). Pour cela, suivez le menu suivant %s.
AccountancyAreaDescDonation=Étape %s : Définissez le compte comptable par défaut des dons. Pour cela, suivez le menu suivant %s.
-AccountancyAreaDescSubscription=ÉTAPE %s: définissez les comptes de comptabilité par défaut pour les abonnements des membres. Pour cela, utilisez l’entrée de menu %s.
+AccountancyAreaDescSubscription=Étape %s : définissez les comptes de comptabilité par défaut pour les abonnements des membres. Pour cela, utilisez l’entrée de menu %s.
AccountancyAreaDescMisc=Étape %s : Définissez le compte par défaut obligatoire et les comptes comptables par défaut pour les transactions diverses. Pour cela, utilisez l'entrée du menu suivant %s.
AccountancyAreaDescLoan=Étape %s : Définissez les comptes comptables par défaut des emprunts. Pour cela, suivez le menu suivant %s.
AccountancyAreaDescBank=Étape %s : Définissez les comptes comptables et les codes des journaux de chaque compte bancaire et financier. Vous pouvez commencer à partir de la page %s.
@@ -144,7 +145,7 @@ NotVentilatedinAccount=Non lié au compte comptable
XLineSuccessfullyBinded=%s produits/service correctement liés à un compte comptable
XLineFailedToBeBinded=%s produits/services n'ont pu être liés à un compte comptable
-ACCOUNTING_LIMIT_LIST_VENTILATION=Nombre de ligne des listes et d'éléments à lier représentés par page (maximum recommandé: 50)
+ACCOUNTING_LIMIT_LIST_VENTILATION=Nombre maximum de lignes pour les listes et les pages de liaison comptable (recommandé : 50)
ACCOUNTING_LIST_SORT_VENTILATION_TODO=Commencez le tri de la page "Lien à réaliser" par les éléments les plus récents
ACCOUNTING_LIST_SORT_VENTILATION_DONE=Commencez le tri de la page "Liens réalisés" par les éléments les plus récents
@@ -199,6 +200,7 @@ Docref=Référence
LabelAccount=Libellé du compte
LabelOperation=Libellé opération
Sens=Sens
+AccountingDirectionHelp=Pour le compte comptable d'un client, utilisez Crédit pour enregistrer un règlement reçu. Pour le compte comptable d'un fournisseur, utilisez Débit pour enregistrer un règlement reçu.
LetteringCode=Code de lettrage
Lettering=Lettrage
Codejournal=Journal
@@ -206,7 +208,8 @@ JournalLabel=Libellé journal
NumPiece=Numéro de pièce
TransactionNumShort=Num. transaction
AccountingCategory=Groupes personnalisés
-GroupByAccountAccounting=Grouper par compte comptable
+GroupByAccountAccounting=Affichage par compte comptable
+GroupBySubAccountAccounting=Affichage par compte auxiliaire
AccountingAccountGroupsDesc=Vous pouvez définir ici des groupes de comptes comptable. Il seront utilisés pour les reporting comptables personnalisés
ByAccounts=Par compte comptable
ByPredefinedAccountGroups=Par groupes prédéfinis
@@ -248,7 +251,7 @@ PaymentsNotLinkedToProduct=Paiement non lié à un produit / service
OpeningBalance=Solde d'ouverture
ShowOpeningBalance=Afficher balance d'ouverture
HideOpeningBalance=Cacher balance d'ouverture
-ShowSubtotalByGroup=Afficher le sous-total par groupe
+ShowSubtotalByGroup=Afficher le sous-total par niveau
Pcgtype=Groupe de comptes comptables
PcgtypeDesc=Les groupes de comptes sont utilisés comme critères de filtre et de regroupement prédéfinis pour certains rapports de comptabilité. Par exemple, «INCOME» ou «EXPENSE» sont utilisés en tant que groupes pour la comptabilité afin de générer le rapport dépenses / revenus.
@@ -271,11 +274,13 @@ DescVentilExpenseReport=Consultez ici la liste des lignes de notes de frais lié
DescVentilExpenseReportMore=Si vous avez défini des comptes comptables au niveau des types de lignes notes de frais, l'application sera capable de faire l'association automatiquement entre les lignes de notes de frais et le compte comptable de votre plan comptable, en un simple clic sur le bouton "%s". Si aucun compte n'a été défini au niveau du dictionnaire de types de lignes de notes de frais ou si vous avez toujours des lignes de notes de frais non liables automatiquement à un compte comptable, vous devez faire l'association manuellement depuis le menu "%s".
DescVentilDoneExpenseReport=Consultez ici la liste des lignes des notes de frais et leur compte comptable
+Closure=Clôture annuelle
DescClosure=Consultez ici le nombre de mouvements par mois non validés et les périodes fiscales déjà ouvertes
OverviewOfMovementsNotValidated=Etape 1/ Aperçu des mouvements non validés. (Nécessaire pour clôturer un exercice comptable)
+AllMovementsWereRecordedAsValidated=Tous les mouvements ont été enregistrés et validés
+NotAllMovementsCouldBeRecordedAsValidated=Tous les mouvements n'ont pas pu être enregistrés et validés
ValidateMovements=Valider les mouvements
DescValidateMovements=Toute modification ou suppression d'écriture, de lettrage et de suppression sera interdite. Toutes les entrées pour un exercice doivent être validées, sinon la fermeture ne sera pas possible
-SelectMonthAndValidate=Sélectionnez le mois et validez les mouvements
ValidateHistory=Lier automatiquement
AutomaticBindingDone=Liaison automatique faite
@@ -293,6 +298,7 @@ Accounted=En comptabilité
NotYetAccounted=Pas encore en comptabilité
ShowTutorial=Afficher le tutoriel
NotReconciled=Non rapproché
+WarningRecordWithoutSubledgerAreExcluded=Attention : toutes les opérations sans compte auxiliaire défini sont filtrées et exclues de cet écran
## Admin
BindingOptions=Options de liaisons avec les codes comptables
@@ -337,6 +343,7 @@ Modelcsv_LDCompta10=Export pour LD Compta (v10 et supérieure)
Modelcsv_openconcerto=Export pour OpenConcerto (Test)
Modelcsv_configurable=Export configurable
Modelcsv_FEC=Export FEC
+Modelcsv_FEC2=Export FEC (avec dates enregistrement et document inversées)
Modelcsv_Sage50_Swiss=Export pour Sage 50 Suisse
Modelcsv_winfic=Export pour Winfic - eWinfic - WinSis Compta
Modelcsv_Gestinumv3=Export vers Gestinum (v3)
diff --git a/htdocs/langs/fr_FR/admin.lang b/htdocs/langs/fr_FR/admin.lang
index 601ed14f0c1..a8521c09de1 100644
--- a/htdocs/langs/fr_FR/admin.lang
+++ b/htdocs/langs/fr_FR/admin.lang
@@ -56,6 +56,8 @@ GUISetup=Affichage
SetupArea=Configuration
UploadNewTemplate=Téléverser un / des nouveau(x) modèle(s)
FormToTestFileUploadForm=Formulaire de test d'envoi de fichier (selon options choisies)
+ModuleMustBeEnabled=Le module %sdoit être activé
+ModuleIsEnabled=Le module %sà été désactivé
IfModuleEnabled=Rem: oui est effectif uniquement si le module %s est activé
RemoveLock=Effacer le fichier %s s'il existe afin d'autoriser l'outil de mise à jour.
RestoreLock=Replacer un fichier %s, en ne donnant que les droits de lecture sur ce fichier, afin d'interdire à nouveau les mises à jour.
@@ -85,7 +87,6 @@ ShowPreview=Afficher aperçu
ShowHideDetails=Afficher/masquer les détails
PreviewNotAvailable=Aperçu non disponible
ThemeCurrentlyActive=Thème actif actuellement
-CurrentTimeZone=Fuseau horaire PHP (serveur)
MySQLTimeZone=Fuseau horaire MySQL (serveur)
TZHasNoEffect=Les dates sont stockées et retournées par le serveur de base de données comme si elles étaient conservées sous forme de chaîne. Le fuseau horaire n'a d'effet que lorsque vous utilisez la fonction UNIX_TIMESTAMP (qui ne devrait pas être utilisé par Dolibarr, aussi le TZ de la base de données ne devrait avoir aucun effet, même si changé après que les données aient été saisies).
Space=Espace
@@ -153,8 +154,8 @@ SystemToolsAreaDesc=Cet espace offre des fonctions d'administration diverses. Ut
Purge=Purger
PurgeAreaDesc=Cette page vous permet d'effacer tous les fichiers construits ou stockés par Dolibarr (fichiers temporaires ou tous les fichiers du répertoire %s). L'utilisation de cette fonction n'est pas nécessaire. Elle est fournie pour les utilisateurs qui hébergent Dolibarr chez un hébergeur qui n'offre pas les permissions de supprimer les fichiers sauvegardés par le serveur Web.
PurgeDeleteLogFile=Effacer les fichiers de traces de debug, incluant %s défini dans le module 'Journaux et traces' (pas de risque de perte de données)
-PurgeDeleteTemporaryFiles=Effacer tous les fichiers temporaires (pas de risque de perte de données). Note: L'effacement n'est réalisé que si le répertoire temp a été créé depuis plus de 24h.
-PurgeDeleteTemporaryFilesShort=Effacer les fichiers temporaires
+PurgeDeleteTemporaryFiles=Effacer tous les fichiers de log et fichiers temporaires (pas de risque de perte de données). Note : La suppression s'applique aux fichiers supprimés depuis plus de 24 heures.
+PurgeDeleteTemporaryFilesShort=Effacer les fichiers de log et fichiers temporaires
PurgeDeleteAllFilesInDocumentsDir=Effacer tous les fichiers du répertoire %s. Les fichiers temporaires mais aussi les fichiers «dumps» de sauvegarde de base de données, les fichiers joints aux éléments (tiers, factures, ...) ou fichiers stockés dans le module GED seront irrémédiablement effacés.
PurgeRunNow=Lancer la purge maintenant
PurgeNothingToDelete=Aucun dossier ou fichier à supprimer.
@@ -256,6 +257,7 @@ ReferencedPreferredPartners=Preferred Partners
OtherResources=Autres ressources
ExternalResources=Ressources externes
SocialNetworks=Réseaux sociaux
+SocialNetworkId=ID du réseau social
ForDocumentationSeeWiki=Pour la documentation utilisateur, développeur ou les FAQs, consultez le wiki Dolibarr: %s
ForAnswersSeeForum=Pour tout autre question/aide, vous pouvez utiliser le forum Dolibarr: %s
HelpCenterDesc1=Voici quelques ressources pour obtenir de l’aide et du support avec Dolibarr.
@@ -375,7 +377,7 @@ ExamplesWithCurrentSetup=Exemples avec la configuration actuelle
ListOfDirectories=Liste des répertoires des modèles OpenDocument
ListOfDirectoriesForModelGenODT=Liste des répertoires contenant des documents modèles au format OpenDocument.
Indiquer ici les chemins complets de répertoire. Ajouter un retour à la ligne entre chaque répertoire. Pour indiquer un répertoire du module GED, mettre ici DOL_DATA_ROOT/ecm/nomdurepertoireged
Les fichiers modèles dans ces répertoires doivent se terminer par .odt ou .ods.
NumberOfModelFilesFound=Nombre de fichiers modèles ODT/ODS trouvés dans ce(s) répertoire(s)
-ExampleOfDirectoriesForModelGen=Exemple de syntaxe : c:\\mydir /home/mydir DOL_DATA_ROOT/ecm/ecmdir
+ExampleOfDirectoriesForModelGen=Exemples de syntaxe : c:\\myapp\\mydocumentdir\\mysubdir /home/myapp/mydocumentdir/mysubdir DOL_DATA_ROOT/ecm/ecmdir
FollowingSubstitutionKeysCanBeUsed= Pour savoir comment rédiger des modèles de document odt avant de les placer dans un de ces répertoires, consulter la documentation du wiki :
FullListOnOnlineDocumentation=http://wiki.dolibarr.org/index.php/Créer_un_modèle_de_document_ODT
FirstnameNamePosition=Ordre d'affichage prénom/nom
@@ -406,7 +408,7 @@ UrlGenerationParameters=Sécurisation des URLs
SecurityTokenIsUnique=Utiliser un paramètre securekey unique pour chaque URL ?
EnterRefToBuildUrl=Entrer la référence pour l'objet %s
GetSecuredUrl=Obtenir l'URL calculée
-ButtonHideUnauthorized=Cacher les boutons non autorisés, pour les utilisateurs non admin, au lieu de les voir grisés
+ButtonHideUnauthorized=Cacher les boutons non autorisés pour les utilisateurs internes également (sinon, il seront seulement grisés)
OldVATRates=Ancien taux de TVA
NewVATRates=Nouveau taux de TVA
PriceBaseTypeToChange=Modifier sur les prix dont la référence de base est le
@@ -1689,7 +1691,7 @@ NotTopTreeMenuPersonalized=Menus personalisés non liés à un menu haut
NewMenu=Nouveau menu
MenuHandler=Gestionnaire de menu
MenuModule=Module source
-HideUnauthorizedMenu= Masquer les menus non autorisés aussi pour les utilisateurs internes (sinon juste grisés)
+HideUnauthorizedMenu=Cacher les menus non autorisés aussi pour les utilisateurs internes également (sinon, il seront seulement grisés)
DetailId=Identifiant du menu
DetailMenuHandler=Nom du gestionnaire menu dans lequel faire apparaitre le nouveau menu
DetailMenuModule=Nom du module si l'entrée menu est issue d'un module
@@ -1983,11 +1985,12 @@ EMailHost=Hôte du serveur de messagerie IMAP
MailboxSourceDirectory=Répertoire source de la boîte aux lettres
MailboxTargetDirectory=Répertoire cible de la boîte aux lettres
EmailcollectorOperations=Opérations à effectuer par le collecteur
+EmailcollectorOperationsDesc=Les opérations sont exécutées de haut en bas
MaxEmailCollectPerCollect=Nombre maximum d'emails collectés par collecte
CollectNow=Collecter maintenant
ConfirmCloneEmailCollector=Êtes-vous sûr de vouloir cloner ce collecteur de courrier électronique %s?
-DateLastCollectResult=Date de dernière collecte essayée
-DateLastcollectResultOk=Date de dernière collecte réussie
+DateLastCollectResult=Date de la dernière tentative de collecte
+DateLastcollectResultOk=Date de la dernière collecte réussie
LastResult=Dernier résultat
EmailCollectorConfirmCollectTitle=Confirmation de la collecte Email
EmailCollectorConfirmCollect=Voulez-vous exécuter la collecte pour ce collecteur maintenant ?
@@ -2083,3 +2086,7 @@ CountryIfSpecificToOneCountry=Pays (si spécifique à un pays donné)
YouMayFindSecurityAdviceHere=Trouvez ici des conseils de sécurité.
ModuleActivatedMayExposeInformation=Ce module peut exposer des données sensibles. Si il n'est pas nécessaire, désactivez-le.
ModuleActivatedDoNotUseInProduction=Un module conçu pour le développement a été activé. Ne l'activez pas sur un environnement de production
+CombinationsSeparator=Séparateur de caractères pour les combinaisons de produits
+SeeLinkToOnlineDocumentation=Suivez le lien vers la documentation en ligne depuis le menu du haut pour des exemples
+SHOW_SUBPRODUCT_REF_IN_PDF=Afficher les détails des sous-produits d'un kit dans les PDF si la fonctionnalité "%s" du module %s est activée.
+AskThisIDToYourBank=Contacter votre établissement bancaire pour obtenir ce code
diff --git a/htdocs/langs/fr_FR/agenda.lang b/htdocs/langs/fr_FR/agenda.lang
index 3b7a9f0e8c0..072fd057dbf 100644
--- a/htdocs/langs/fr_FR/agenda.lang
+++ b/htdocs/langs/fr_FR/agenda.lang
@@ -14,7 +14,7 @@ EventsNb=Nombre d'événements
ListOfActions=Liste des événements
EventReports=Rapport des évènements
Location=Lieu
-ToUserOfGroup=Assigné à tout utilisateur du groupe
+ToUserOfGroup=Événement assigné à tout utilisateur du groupe
EventOnFullDay=Événement sur la(les) journée(s)
MenuToDoActions=Événements incomplets
MenuDoneActions=Événements terminés
@@ -152,6 +152,7 @@ ActionType=Type événement
DateActionBegin=Date début événément
ConfirmCloneEvent=Êtes-vous sûr de vouloir cloner cet événement %s ?
RepeatEvent=Evénement répétitif
+OnceOnly=Une seule fois
EveryWeek=Chaque semaine
EveryMonth=Chaque mois
DayOfMonth=Jour du mois
@@ -160,10 +161,9 @@ DateStartPlusOne=Date de début + 1 heure
SetAllEventsToTodo=Réglez tous les événements à "A faire"
SetAllEventsToInProgress=Définir tous les événements à "En cours"
SetAllEventsToFinished=Définir tous les événements sur "Terminés"
-ReminderTime=Délai de rappel avant l'événement
+ReminderTime=Période de rappel avant l'événement
TimeType=Type de durée
ReminderType=Type de rappel
-AddReminder=Créer une notification de rappel automatique pour cet évènement
-ErrorReminderActionCommCreation=Erreur lors de la création de la notification de rappel de cet événement
-BrowserPush=Notification navigateur
-EventReminder=Rappel événement
+AddReminder=Créer une notification de rappel automatique pour cet événement
+ErrorReminderActionCommCreation=Erreur lors de la création de la notification de rappel pour cet événement
+BrowserPush=Notification par Popup navigateur
diff --git a/htdocs/langs/fr_FR/banks.lang b/htdocs/langs/fr_FR/banks.lang
index 17a6d56823f..74f682dffb3 100644
--- a/htdocs/langs/fr_FR/banks.lang
+++ b/htdocs/langs/fr_FR/banks.lang
@@ -173,7 +173,7 @@ SEPAMandate=Mandat SEPA
YourSEPAMandate=Votre mandat SEPA
FindYourSEPAMandate=Voici votre mandat SEPA pour autoriser notre société à réaliser les prélèvements depuis votre compte bancaire. Merci de retourner ce mandat signé (scan du document signé) ou en l'envoyant par courrier à
AutoReportLastAccountStatement=Remplissez automatiquement le champ 'numéro de relevé bancaire' avec le dernier numéro lors du rapprochement
-CashControl=Clôture de caisse
+CashControl=Contrôle de caisse POS
NewCashFence=Nouvelle clôture de caisse
BankColorizeMovement=Coloriser les mouvements
BankColorizeMovementDesc=Si cette fonction est activée, vous pouvez choisir une couleur de fond spécifique pour les mouvements de débit ou de crédit.
diff --git a/htdocs/langs/fr_FR/blockedlog.lang b/htdocs/langs/fr_FR/blockedlog.lang
index c0619d33371..be1cefc6ef7 100644
--- a/htdocs/langs/fr_FR/blockedlog.lang
+++ b/htdocs/langs/fr_FR/blockedlog.lang
@@ -8,7 +8,7 @@ BrowseBlockedLog=Logs inaltérables
ShowAllFingerPrintsMightBeTooLong=Afficher tous les journaux archivés (peut être long)
ShowAllFingerPrintsErrorsMightBeTooLong=Afficher tous les journaux d'archives non valides (peut être long)
DownloadBlockChain=Télécharger les empreintes
-KoCheckFingerprintValidity=Archived log entry is not valid. It means someone (a hacker?) has modified some data of this record after it was recorded, or has erased the previous archived record (check that line with previous # exists).
+KoCheckFingerprintValidity=Le journal archivé n'est pas valide. Cela signifie que quelqu'un (un pirate informatique ?) a modifié certaines données de ce journal archivé après son enregistrement ou a effacé l'enregistrement archivé précédent (vérifiez que la ligne avec le numéro précédent existe).
OkCheckFingerprintValidity=Le journal archivé est valide. Les données de cette ligne n'ont pas été modifiées et l'enregistrement suit le précédent.
OkCheckFingerprintValidityButChainIsKo=Le journal archivé semble valide par rapport au précédent mais la chaîne était corrompue auparavant.
AddedByAuthority=Stocké dans une autorité distante
diff --git a/htdocs/langs/fr_FR/boxes.lang b/htdocs/langs/fr_FR/boxes.lang
index e2964afd6a3..c889696c75e 100644
--- a/htdocs/langs/fr_FR/boxes.lang
+++ b/htdocs/langs/fr_FR/boxes.lang
@@ -46,9 +46,12 @@ BoxTitleLastModifiedDonations=Les %s derniers dons modifiés
BoxTitleLastModifiedExpenses=Les %s dernières notes de frais modifiées
BoxTitleLatestModifiedBoms=Les %s dernières nomenclatures modifiées
BoxTitleLatestModifiedMos=Les %s dernières Ordres de Fabrication modifiées
+BoxTitleLastOutstandingBillReached=Clients dont l'en-cours autorisé est dépassé
BoxGlobalActivity=Activité globale (factures, propositions, commandes)
BoxGoodCustomers=Bons clients
BoxTitleGoodCustomers=%s bons clients
+BoxScheduledJobs=Travaux planifiés
+BoxTitleFunnelOfProspection=Tunnel de prospection
FailedToRefreshDataInfoNotUpToDate=Échec du rafraichissement du flux RSS. Date du dernier rafraichissement : %s
LastRefreshDate=Date dernier rafraichissement
NoRecordedBookmarks=Pas de marques-pages personnels.
@@ -102,5 +105,7 @@ SuspenseAccountNotDefined=Le compte d'attente n'est pas défini
BoxLastCustomerShipments=Dernières expéditions clients
BoxTitleLastCustomerShipments=Les %s dernières expéditions clients
NoRecordedShipments=Aucune expédition client
+BoxCustomersOutstandingBillReached=Clients dont l'en-cours de facturation est dépassé
# Pages
AccountancyHome=Comptabilité
+ValidatedProjects=Projets validés
diff --git a/htdocs/langs/fr_FR/cashdesk.lang b/htdocs/langs/fr_FR/cashdesk.lang
index 525062f1f32..5e292b0b637 100644
--- a/htdocs/langs/fr_FR/cashdesk.lang
+++ b/htdocs/langs/fr_FR/cashdesk.lang
@@ -49,8 +49,8 @@ Footer=Bas de page
AmountAtEndOfPeriod=Montant en fin de période (jour, mois ou année)
TheoricalAmount=Montant théorique
RealAmount=Montant réel
-CashFence=Clôture de caisse
-CashFenceDone=Clôture de caisse faite pour la période
+CashFence=Fermeture de caisse
+CashFenceDone=Clôture de caisse effectuée pour la période
NbOfInvoices=Nb de factures
Paymentnumpad=Type de pavé pour entrer le paiement
Numberspad=Pavé numérique
@@ -99,7 +99,8 @@ CashDeskRefNumberingModules=Module de numérotation pour le POS
CashDeskGenericMaskCodes6 = La balise {TN} est utilisée pour ajouter le numéro de terminal
TakeposGroupSameProduct=Regrouper les mêmes lignes de produits
StartAParallelSale=Lancer une nouvelle vente en parallèle
-ControlCashOpening=Fenêtre de contrôle de caisse à l'ouverture du PDV
+SaleStartedAt=Ventes démarrées le %s
+ControlCashOpening=Pop-up de contrôle de caisse à l'ouverture du POS
CloseCashFence=Clôturer la caisse
CashReport=Rapport de caisse
MainPrinterToUse=Imprimante principale à utiliser
@@ -121,4 +122,5 @@ GiftReceiptButton=Ajouter un bouton "Reçu cadeau"
GiftReceipt=Reçu cadeau
ModuleReceiptPrinterMustBeEnabled=Le module Imprimante de reçus doit d'abord avoir été activée
AllowDelayedPayment=Autoriser le paiement différé
-PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts
+PrintPaymentMethodOnReceipts=Imprimer le mode de paiement sur les tickets | reçus
+WeighingScale=échelle de poids
diff --git a/htdocs/langs/fr_FR/categories.lang b/htdocs/langs/fr_FR/categories.lang
index f69d8573827..a28bf476eeb 100644
--- a/htdocs/langs/fr_FR/categories.lang
+++ b/htdocs/langs/fr_FR/categories.lang
@@ -19,6 +19,7 @@ ProjectsCategoriesArea=Zone des tags/catégories des projets
UsersCategoriesArea=Espace tags/catégories des utlisateurs
SubCats=Sous-catégories
CatList=Liste des tags/catégories
+CatListAll=Liste de toutes les catégories (de tous types)
NewCategory=Nouveau tag/catégorie
ModifCat=Modifier tag/catégorie
CatCreated=Tags/catégorie créé(e)
@@ -65,22 +66,22 @@ UsersCategoriesShort=Tags utlisateurs
StockCategoriesShort=Tags/catégories d’entrepôt
ThisCategoryHasNoItems=Cette catégorie ne contient aucun élément.
CategId=ID du(de la) tag/catégorie
-ParentCategory=Tag/catégorie parent
-ParentCategoryLabel=Libellé du/de la tag/catégorie parent
-CatSupList=Liste des tags/catégories de fournisseurs
-CatCusList=Liste des tags/catégories de clients/prospects
+ParentCategory=Catégorie parente
+ParentCategoryLabel=Libellé du tag/catégorie parent
+CatSupList=Liste des tags/catégories des fournisseurs
+CatCusList=Liste des tags/catégories des clients/prospects
CatProdList=Liste des tags/catégories de produits/services
CatMemberList=Liste des tags/catégories de membres
-CatContactList=Liste des tags/catégories de contacts
-CatProjectsList=Liste des tags/catégories de projets
-CatUsersList=Liste des tags/catégories d'utilisateurs
+CatContactList=Liste des tags/catégories des contacts
+CatProjectsList=Liste des tags/catégories des projets
+CatUsersList=Liste des tags/catégories des utilisateurs
CatSupLinks=Liens entre fournisseurs et tags/catégories
CatCusLinks=Liens entre clients/prospects et tags/catégories
CatContactsLinks=Liens entre contacts/adresses et tags/catégories
CatProdLinks=Liens entre produits/services et tags/catégories
CatMembersLinks=Liens entre membres et tags/catégories
CatProjectsLinks=Liens entre projets et tags/catégories
-CatUsersLinks=Liens entre utilisateurs et tags/catégories
+CatUsersLinks=Liaisons entre les utilisateurs et les tags/catégories
DeleteFromCat=Enlever des tags/catégories
ExtraFieldsCategories=Attributs supplémentaires
CategoriesSetup=Configuration des tags/catégories
diff --git a/htdocs/langs/fr_FR/companies.lang b/htdocs/langs/fr_FR/companies.lang
index 1fc19440a1c..c07b5c4611f 100644
--- a/htdocs/langs/fr_FR/companies.lang
+++ b/htdocs/langs/fr_FR/companies.lang
@@ -213,7 +213,7 @@ ProfId1MA=Id. prof. 1 (R.C.)
ProfId2MA=Id. prof. 2 (Patente)
ProfId3MA=Id. prof. 3 (I.F.)
ProfId4MA=Id. prof. 4 (C.N.S.S.)
-ProfId5MA=Identifiant Commun de l’Entreprise (ICE)
+ProfId5MA=Identifiant Commun d’Entreprise (ICE)
ProfId6MA=-
ProfId1MX=Id. prof. 1 (R.F.C).
ProfId2MX=ID. prof. 2 (R..P. IMSS)
diff --git a/htdocs/langs/fr_FR/compta.lang b/htdocs/langs/fr_FR/compta.lang
index bc79d32d709..648d8541d28 100644
--- a/htdocs/langs/fr_FR/compta.lang
+++ b/htdocs/langs/fr_FR/compta.lang
@@ -111,7 +111,7 @@ Refund=Rembourser
SocialContributionsPayments=Paiements de charges fiscales/sociales
ShowVatPayment=Affiche paiement TVA
TotalToPay=Total à payer
-BalanceVisibilityDependsOnSortAndFilters=Le solde est visible dans cette liste que si la table est triée en ordre croissant sur %s et filtré pour 1 compte bancaire
+BalanceVisibilityDependsOnSortAndFilters=Le solde est visible dans cette liste que si la table est triée sur %s et filtré sur 1 compte bancaire (sans autres filtres)
CustomerAccountancyCode=Code comptable client
SupplierAccountancyCode=Code comptable fournisseur
CustomerAccountancyCodeShort=Compte comptable client
@@ -154,9 +154,9 @@ AnnualSummaryInputOutputMode=Bilan des recettes et dépenses, résumé annuel
AnnualByCompanies=Balance revenus et dépenses, par groupes prédéfinis de comptes
AnnualByCompaniesDueDebtMode=Bilan des recettes et dépenses, détaillé par regroupements prédéfinis, mode %sCréances-Dettes%s dit comptabilité d'engagement.
AnnualByCompaniesInputOutputMode=Bilan des recettes et dépenses, détaillé par regroupements prédéfinis, mode %sRecettes-Dépenses%s dit comptabilité de caisse.
-SeeReportInInputOutputMode=Voir %sanalyse des paiements%s pour un calcul sur les paiements réels effectués même s'ils ne sont pas encore comptabilisés dans le Grand Livre.
-SeeReportInDueDebtMode=Voir %sanalyse des factures%s pour un calcul basé sur les factures enregistrées connues même si elles ne sont pas encore comptabilisées dans le Grand Livre.
-SeeReportInBookkeepingMode=Voir le %sRapport sur le Grand Livre%s pour un calcul sur les tables du Grand Livre
+SeeReportInInputOutputMode=Voir %sanalyse des paiements%s pour un calcul sur les paiements réels effectués même s'ils ne sont pas encore comptabilisés dans le grand livre.
+SeeReportInDueDebtMode=Voir %sanalyse des documents enregistrés%s pour un calcul basé sur les documents enregistrées même s'ils ne sont pas encore comptabilisés dans le Grand Livre.
+SeeReportInBookkeepingMode=Voir %sanalyse du grand livre%s pour un rapport basé sur la comptabilité
RulesAmountWithTaxIncluded=- Les montants affichés sont les montants taxe incluse
RulesResultDue=- Il comprend les factures impayées, les dépenses, la TVA, les dons, qu'ils soient payées ou non. Il comprend également les salaires versés. - Il est basé sur la date de facturation des factures et sur la date des dépenses et paiement des taxes. Pour les salaires définis avec le module Salaire, la date de valeur du paiement est utilisée.
RulesResultInOut=- Il comprend les paiements réels effectués sur les factures, les dépenses, la TVA et les salaires. - Il est basé sur les dates de paiement des factures, les dépenses, la TVA et les salaires. La date du don pour le don.
@@ -169,12 +169,15 @@ RulesResultBookkeepingPersonalized=Cela inclut les enregistrements dans votre Gr
SeePageForSetup=Voir le menu %s pour la configuration
DepositsAreNotIncluded=- Les factures d'acomptes ne sont pas incluses
DepositsAreIncluded=- Les factures d'acomptes sont incluses
+LT1ReportByMonth=Rapport de taxe 2 par mois
+LT2ReportByMonth=Rapport de taxe 3 par mois
LT1ReportByCustomers=Rapport Tax 2 par Tiers
LT2ReportByCustomers=Rapport Tax 3 par Tiers
LT1ReportByCustomersES=Rapport par tiers des RE
LT2ReportByCustomersES=Rapport par client des IRPF
VATReport=Rapport TVA
VATReportByPeriods=Rapport de TVA par période
+VATReportByMonth=Rapport de TVA par mois
VATReportByRates=Rapport TVA par taux
VATReportByThirdParties=Rapport TVA par Tiers
VATReportByCustomers=Rapport par client
diff --git a/htdocs/langs/fr_FR/cron.lang b/htdocs/langs/fr_FR/cron.lang
index b154c5de72c..5d7b0fc7462 100644
--- a/htdocs/langs/fr_FR/cron.lang
+++ b/htdocs/langs/fr_FR/cron.lang
@@ -84,4 +84,8 @@ MakeLocalDatabaseDumpShort=Sauvegarde locale de base
MakeLocalDatabaseDump=Créez un fichier dump de base local. Les paramètres sont: compression ('gz' ou 'bz' ou 'none'), type de sauvegarde ('mysql', 'pgsql', 'auto'), 1, 'auto' ou nom du fichier à générer, nombre de fichiers de sauvegarde à garder
WarningCronDelayed=Attention, à des fins de performance, quelle que soit la prochaine date d'exécution des travaux activés, vos travaux peuvent être retardés jusqu'à %s heures avant d'être exécutés.
DATAPOLICYJob=Nettoyeur de données et anonymiseur
-JobXMustBeEnabled=Le poste %s doit être activé
+JobXMustBeEnabled=La tâche planifiée %s doit être activée
+# Cron Boxes
+LastExecutedScheduledJob=Dernier travail planifié exécuté
+NextScheduledJobExecute=Prochaine travail planifié à exécuter
+NumberScheduledJobError=Nombre de travaux planifiées en erreur
diff --git a/htdocs/langs/fr_FR/deliveries.lang b/htdocs/langs/fr_FR/deliveries.lang
index 29cbd5736cf..bd13cce814c 100644
--- a/htdocs/langs/fr_FR/deliveries.lang
+++ b/htdocs/langs/fr_FR/deliveries.lang
@@ -27,6 +27,6 @@ Recipient=Destinataire
ErrorStockIsNotEnough=Le stock est insuffisant
Shippable=Expédiable
NonShippable=Non expédiable
-ShowShippableCommand=Afficher statut expédiabilité
+ShowShippableStatus=Afficher le statut Expédiable
ShowReceiving=Afficher le bon de réception
NonExistentOrder=Commande inexistante
diff --git a/htdocs/langs/fr_FR/errors.lang b/htdocs/langs/fr_FR/errors.lang
index abd1c6ec9f9..f2e046506f7 100644
--- a/htdocs/langs/fr_FR/errors.lang
+++ b/htdocs/langs/fr_FR/errors.lang
@@ -5,9 +5,10 @@ NoErrorCommitIsDone=Pas d'erreur, on valide
# Errors
ErrorButCommitIsDone=Erreurs trouvées mais on valide malgré tout
ErrorBadEMail=email %s invalide
+ErrorBadMXDomain=L'adresse e-mail %s ne semble pas correcte (le domaine n'a pas d'enregistrement MX valide)
ErrorBadUrl=Url %s invalide
ErrorBadValueForParamNotAString=Mauvaise valeur de paramètre. Ceci arrive lors d'une tentative de traduction d'une clé non renseignée.
-ErrorRefAlreadyExists=La référence %s existe déjà.
+ErrorRefAlreadyExists=La référence %s existe déjà.
ErrorLoginAlreadyExists=L'identifiant %s existe déjà.
ErrorGroupAlreadyExists=Le groupe %s existe déjà.
ErrorRecordNotFound=Enregistrement non trouvé.
@@ -49,6 +50,7 @@ ErrorFieldsRequired=Des champs obligatoires n'ont pas été renseignés
ErrorSubjectIsRequired=Le sujet du mail est obligatoire
ErrorFailedToCreateDir=Echec à la création d'un répertoire. Vérifiez que le user du serveur Web ait bien les droits d'écriture dans les répertoires documents de Dolibarr. Si le paramètre safe_mode a été activé sur ce PHP, vérifiez que les fichiers php dolibarr appartiennent à l'utilisateur du serveur Web.
ErrorNoMailDefinedForThisUser=Email non défini pour cet utilisateur
+ErrorSetupOfEmailsNotComplete=La configuration de l'envoi des e-mails n'est pas terminée
ErrorFeatureNeedJavascript=Cette fonctionnalité a besoin de javascript activé pour fonctionner. Modifiez dans configuration - affichage.
ErrorTopMenuMustHaveAParentWithId0=Un menu de type 'Top' ne peut avoir de menu père. Mettre 0 dans l'id père ou choisir un menu de type 'Left'.
ErrorLeftMenuMustHaveAParentId=Un menu de type 'Left' doit avoir un id de père.
@@ -76,7 +78,7 @@ ErrorExportDuplicateProfil=Ce nom de profil existe déjà pour ce lot d'export.
ErrorLDAPSetupNotComplete=Le matching Dolibarr-LDAP est incomplet.
ErrorLDAPMakeManualTest=Un fichier .ldif a été généré dans le répertoire %s. Essayez de charger ce fichier manuellement depuis la ligne de commande pour plus de détail sur l'erreur.
ErrorCantSaveADoneUserWithZeroPercentage=Impossible de sauver une action à l'état "non commencé" si le champ "réalisé par" est aussi défini.
-ErrorRefAlreadyExists=La référence utilisée pour la création existe déjà
+ErrorRefAlreadyExists=Le référence %s existe déjà.
ErrorPleaseTypeBankTransactionReportName=Choisissez le nom du relevé bancaire sur lequel la ligne est rapportées (Format AAAAMM ou AAAAMMJJ)
ErrorRecordHasChildren=Impossible de supprimer l'enregistrement car il possède des enregistrements fils.
ErrorRecordHasAtLeastOneChildOfType=L'objet a au moins un enfant de type %s
@@ -217,7 +219,7 @@ ErrorChooseBetweenFreeEntryOrPredefinedProduct=Vous devez choisir si l'article e
ErrorDiscountLargerThanRemainToPaySplitItBefore=La réduction que vous essayez d'appliquer est supérieure au montant du paiement. Auparavant, divisez le rabais en 2 rabais plus petits.
ErrorFileNotFoundWithSharedLink=Fichier non trouvé. Peut être que la clé de partage a été modifiée ou le fichier a été récemment supprimé.
ErrorProductBarCodeAlreadyExists=Le code-barre du produit %s existe déjà sur une autre référence de produit
-ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Notez également que l'utilisation d'un produit virtuel pour augmenter ou réduire automatiquement les sous-produits n'est pas possible lorsqu'au moins un sous-produit (ou sous-produit de sous-produits) a besoin d'un numéro de série/lot.
+ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Notez également que l'utilisation d'un kit pour augmenter ou réduire automatiquement les sous-produits n'est pas possible lorsqu'au moins un sous-produit (ou sous-produit de sous-produits) a besoin d'un numéro de série/lot.
ErrorDescRequiredForFreeProductLines=La description est obligatoire pour les lignes avec un produit non prédéfini
ErrorAPageWithThisNameOrAliasAlreadyExists=La page / container %s a le même nom ou un autre alias que celui que vous tentez d'utiliser.
ErrorDuringChartLoad=Erreur lors du chargement du tableau de compte. Si certains comptes n'ont pas été chargés, vous pouvez toujours les entrer manuellement.
@@ -244,6 +246,16 @@ ErrorReplaceStringEmpty=Erreur, la chaîne à remplacer est vide
ErrorProductNeedBatchNumber=Erreur, le produit ' %s ' a besoin d'un numéro de lot/série
ErrorProductDoesNotNeedBatchNumber=Erreur, le produit ' %s ' n'accepte pas un numéro de lot/série
ErrorFailedToReadObject=Erreur, échec de la lecture de l'objet de type %s
+ErrorParameterMustBeEnabledToAllwoThisFeature=Erreur, le paramètre %s doit être activé dans conf/conf.php pour permettre l'utilisation de l'interface de ligne de commande par le planificateur de travaux interne
+ErrorLoginDateValidity=Erreur, cet identifiant est hors de la plage de date de validité
+ErrorValueLength=La longueur du champ %s doit être supérieure à %s
+ErrorReservedKeyword=Le terme '%s' est un mot clé réservé
+ErrorNotAvailableWithThisDistribution=Non disponible dans cette distribution
+ErrorPublicInterfaceNotEnabled=L’interface publique n’a pas été activée
+ErrorLanguageRequiredIfPageIsTranslationOfAnother=La langue d'une nouvelle page, si elle est la traduction d'une autre page, doit être définie
+ErrorLanguageMustNotBeSourceLanguageIfPageIsTranslationOfAnother=La langue d'une nouvelle page, si elle est définie comme traduction d'une autre page, ne peut pas être la langue principale.
+ErrorAParameterIsRequiredForThisOperation=Un paramètre est obligatoire pour cette opération
+
# Warnings
WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Votre paramètre PHP upload_max_filesize (%s) est supérieur au paramètre PHP post_max_size (%s). Ceci n'est pas une configuration cohérente.
WarningPasswordSetWithNoAccount=Un mot de passe a été fixé pour cet adhérent. Cependant, aucun compte d'utilisateur n'a été créé. Donc, ce mot de passe est stocké, mais ne peut être utilisé pour accéder à Dolibarr. Il peut être utilisé par un module/interface externe, mais si vous n'avez pas besoin de définir ni login ni mot de passe pour un adhérent, vous pouvez désactiver l'option «Gérer un login pour chaque adhérent" depuis la configuration du module Adhérents. Si vous avez besoin de gérer un login, mais pas de mot de passe, vous pouvez laisser ce champ vide pour éviter cet avertissement. Remarque: L'email peut également être utilisé comme login si l'adhérent est lié à un utilisateur.
@@ -268,6 +280,10 @@ WarningYourLoginWasModifiedPleaseLogin=Votre identifiant a été modifié. Par s
WarningAnEntryAlreadyExistForTransKey=Une donnée identique existe déjà pour la traduction du code dans cette langue
WarningNumberOfRecipientIsRestrictedInMassAction=Attention, le nombre de destinataires différents est limité à %s lorsque vous utilisez les actions en masse sur les listes
WarningDateOfLineMustBeInExpenseReportRange=Attention, la date de la ligne n'est pas dans la plage de la note de frais
+WarningProjectDraft=Le projet est au statut brouillon. Validez-le pour utiliser les tâches
WarningProjectClosed=Le projet est fermé. Vous devez d'abord le rouvrir.
WarningSomeBankTransactionByChequeWereRemovedAfter=Certaines transactions bancaires ont été supprimées après que le relevé les incluant ait été généré. Aussi, le nombre de chèques et le total des encaissements peuvent différer du nombre et du total dans la liste.
WarningFailedToAddFileIntoDatabaseIndex=Avertissement, échec de l’ajout d’une entrée de fichier dans le tableau d’index de la base de données GED
+WarningTheHiddenOptionIsOn=Attention, l'option cachée %s est activée
+WarningCreateSubAccounts=Attention, vous ne pouvez pas créer directement un compte auxiliaire, vous devez créer un tiers ou un utilisateur et leur attribuer un code comptable pour les retrouver dans cette liste
+WarningAvailableOnlyForHTTPSServers=Disponible uniquement si une connexion sécurisée HTTPS est utilisée
diff --git a/htdocs/langs/fr_FR/exports.lang b/htdocs/langs/fr_FR/exports.lang
index 3de20e83d20..c3c426daf4e 100644
--- a/htdocs/langs/fr_FR/exports.lang
+++ b/htdocs/langs/fr_FR/exports.lang
@@ -133,4 +133,4 @@ KeysToUseForUpdates=Clé à utiliser pour mettre à jour les données
NbInsert=Nombre de lignes insérées: %s
NbUpdate=Nombre de lignes mises à jour: %s
MultipleRecordFoundWithTheseFilters=Plusieurs enregistrements ont été trouvés avec ces filtres: %s
-StocksWithBatch=Stocks et emplacements (entrepôts) des produits avec numéros de lots/séries
\ No newline at end of file
+StocksWithBatch=Stocks et entrepôts des produits avec numéro de lot/série
diff --git a/htdocs/langs/fr_FR/install.lang b/htdocs/langs/fr_FR/install.lang
index 29d8c39b8b3..f696c06c241 100644
--- a/htdocs/langs/fr_FR/install.lang
+++ b/htdocs/langs/fr_FR/install.lang
@@ -133,7 +133,7 @@ MigrationCustomerOrderShipping=Mise à jour stockage des expéditions des comman
MigrationShippingDelivery=Mise à jour stockage des expéditions
MigrationShippingDelivery2=Mise à jour stockage des expéditions 2
MigrationFinished=Migration terminée
-LastStepDesc= Dernière étape : définissez ici le nom d'utilisateur et le mot de passe que vous souhaitez utiliser pour vous connecter à Dolibarr. Ne perdez pas cette information, car il s’agit du compte principal pour administrer tous les comptes d’utilisateurs supplémentaires / supplémentaires.
+LastStepDesc= Dernière étape : définissez ici le nom d'utilisateur et le mot de passe que vous souhaitez utiliser pour vous connecter à Dolibarr. Ne perdez pas cette information, car il s’agit du compte principal pour administrer tous les comptes d’utilisateurs autres / supplémentaires.
ActivateModule=Activation du module %s
ShowEditTechnicalParameters=Cliquer ici pour afficher/éditer les paramètres techniques (mode expert)
WarningUpgrade=Attention:\nAvez-vous d'abord effectué une sauvegarde de base de données?\nCeci est hautement recommandé. Une perte de données (due par exemple à des bogues dans mysql version 5.5.40/41/42/43) peut être possible au cours de ce processus. Il est donc essentiel de réaliser un vidage complet de votre base de données avant de commencer toute migration.\n\nCliquez sur OK pour démarrer le processus de migration ...
diff --git a/htdocs/langs/fr_FR/mails.lang b/htdocs/langs/fr_FR/mails.lang
index 66bc8728cd4..418c76be10e 100644
--- a/htdocs/langs/fr_FR/mails.lang
+++ b/htdocs/langs/fr_FR/mails.lang
@@ -92,6 +92,7 @@ MailingModuleDescEmailsFromUser=E-mails entrés par l'utilisateur
MailingModuleDescDolibarrUsers=Utilisateurs avec e-mail
MailingModuleDescThirdPartiesByCategories=Tiers (par catégories/tags)
SendingFromWebInterfaceIsNotAllowed=L'envoyer depuis l'interface Web n'est pas autorisé.
+EmailCollectorFilterDesc=Tous les filtres doivent correspondre pour qu'un e-mail soit collecté
# Libelle des modules de liste de destinataires mailing
LineInFile=Ligne %s du fichier
@@ -125,12 +126,13 @@ TagMailtoEmail=Email destinataire (incluant le lien "mailto:" html)
NoEmailSentBadSenderOrRecipientEmail=Aucune email envoyé. Mauvais email expéditeur ou le destinataire. Vérifiez le profil de l'utilisateur.
# Module Notifications
Notifications=Notifications
-NoNotificationsWillBeSent=Aucune notification par email n'est prévue pour cet événement et société
-ANotificationsWillBeSent=1 notification va être envoyée par email
-SomeNotificationsWillBeSent=%s notifications vont être envoyées par email
-AddNewNotification=Activer un nouveau couple cible/évènement pour notification email
-ListOfActiveNotifications=Liste des cibles/évènements actifs pour notification par emails
-ListOfNotificationsDone=Liste des notifications emails envoyées
+NotificationsAuto=Notifications automatiques
+NoNotificationsWillBeSent=Aucune notification automatique prévue pour ce type d'événement et de tiers.
+ANotificationsWillBeSent=1 notification automatique sera envoyée par e-mail
+SomeNotificationsWillBeSent=%s notification(s) automatique(s) sera enviyée par e-mail
+AddNewNotification=Souscrire à une nouvelle notification automatique (cible/évènement)
+ListOfActiveNotifications=Liste de toutes les souscriptions (cibles/évènements) pour des notifications emails automatiques
+ListOfNotificationsDone=Liste des toutes les notifications automatiques envoyées par e-mail
MailSendSetupIs=La configuration d'envoi d'emails a été définir sur '%s'. Ce mode ne peut pas être utilisé pour envoyer des e-mailing en masse.
MailSendSetupIs2=Vous devez d'abord aller, avec un compte d'administrateur, dans le menu %sAccueil - Configuration - EMails%s pour changer le paramètre '%s' pour utiliser le mode '%s'. Avec ce mode, vous pouvez entrer le paramétrage du serveur SMTP fourni par votre fournisseur de services Internet et utiliser la fonction d'envoi d'email en masse.
MailSendSetupIs3=Si vous avez des questions sur la façon de configurer votre serveur SMTP, vous pouvez demander à %s.
@@ -140,7 +142,7 @@ UseFormatFileEmailToTarget=Le fichier d'import doit être au format emai
UseFormatInputEmailToTarget=Saisissez une chaîne de caractères au format email;nom;prénom;autre
MailAdvTargetRecipients=Destinataires (sélection avancée)
AdvTgtTitle=Remplissez les champs de saisie pour pré-sélectionner les tiers ou contacts/adresses cibles
-AdvTgtSearchTextHelp=Utilisez %% comme caractères génériques. Par exemple, pour rechercher tous les éléments tels que jean, joe, jim , vous pouvez saisir j%%, vous pouvez également utiliser ; comme séparateur de valeur et utiliser ! pour exclure cette valeur. Par exemple, jean; joe; jim%%;! jimo;!jima% ciblera tous les jean, joe, commence par jim mais pas jimo et pas tout ce qui commence par jima.
+AdvTgtSearchTextHelp=Utilisez %% comme caractères génériques. Par exemple, pour rechercher tous les éléments tels que jean, joe, jim , vous pouvez saisir j%%, vous pouvez également utiliser ; comme séparateur de valeur et utiliser ! pour exclure cette valeur. Par exemple, jean; joe; jim%%;! jimo;!jima%% ciblera tous les jean, joe, ce qui commence par jim mais pas jimo et pas tout ce qui commence par jima.
AdvTgtSearchIntHelp=Utiliser un intervalle pour sélectionner un entier ou décimal
AdvTgtMinVal=Valeur minimum
AdvTgtMaxVal=Valeur maximum
@@ -162,13 +164,14 @@ AdvTgtCreateFilter=Créer filtre
AdvTgtOrCreateNewFilter=Nom du nouveau filtre
NoContactWithCategoryFound=Pas de contact/adresses avec cette catégorie
NoContactLinkedToThirdpartieWithCategoryFound=Pas de contact/adresses associés à un ters avec cette catégorie
-OutGoingEmailSetup=Configuration email sortant
-InGoingEmailSetup=Configuration email entrant
-OutGoingEmailSetupForEmailing=Configuration des e-mails sortants (pour le module %s)
-DefaultOutgoingEmailSetup=Configuration des emails sortant
+OutGoingEmailSetup=E-mails sortants
+InGoingEmailSetup=E-mails entrants
+OutGoingEmailSetupForEmailing=E-mails sortants (module %s)
+DefaultOutgoingEmailSetup=Même configuration que la configuration globale des e-mails sortants
Information=Information
ContactsWithThirdpartyFilter=Contacts ayant pour tiers
Unanswered=Sans réponse
Answered=Répondu
IsNotAnAnswer=N'est pas une réponse (e-mail initial)
IsAnAnswer=Est une réponse à un e-mail initial
+RecordCreatedByEmailCollector=Enregistrement créé par le Collecteur d'e-mails%s depuis l'email %s
diff --git a/htdocs/langs/fr_FR/main.lang b/htdocs/langs/fr_FR/main.lang
index 3f1076eb335..f5e71e4e48b 100644
--- a/htdocs/langs/fr_FR/main.lang
+++ b/htdocs/langs/fr_FR/main.lang
@@ -28,7 +28,9 @@ NoTemplateDefined=Pas de modèle défini pour ce type d'email
AvailableVariables=Variables de substitution disponibles
NoTranslation=Pas de traduction
Translation=Traduction
+CurrentTimeZone=Fuseau horaire PHP (serveur)
EmptySearchString=Entrez des critères de recherche non vides
+EnterADateCriteria=Saisissez une date
NoRecordFound=Aucun enregistrement trouvé
NoRecordDeleted=Aucun enregistrement supprimé
NotEnoughDataYet=Pas assez de données
@@ -85,6 +87,8 @@ FileWasNotUploaded=Un fichier a été sélectionné pour attachement mais n'a pa
NbOfEntries=Nb d'entrées
GoToWikiHelpPage=Consulter l'aide (nécessite un accès internet)
GoToHelpPage=Consulter l'aide
+DedicatedPageAvailable=Une page d'aide dédiée à cette page existe
+HomePage=Page d'accueil
RecordSaved=Enregistrement sauvegardé
RecordDeleted=Enregistrement supprimé
RecordGenerated=Enregistrement généré
@@ -433,6 +437,7 @@ RemainToPay=Reste à payer
Module=Module/Application
Modules=Modules/Applications
Option=Option
+Filters=Filtres
List=Liste
FullList=Liste complète
FullConversation=Conversation complète
@@ -672,7 +677,6 @@ Email=Email
NoEMail=Pas d'email
AlreadyRead=Déjà lu
NotRead=Non lu
-Unread=Non lu
NoMobilePhone=Pas de téléphone portable
Owner=Propriétaire
FollowingConstantsWillBeSubstituted=Les constantes suivantes seront substituées par leur valeur correspondante.
@@ -1108,3 +1112,8 @@ UpToDate=Adhésion à jour
OutOfDate=Adhésion expirée
EventReminder=Rappel d'événement
UpdateForAllLines=Mise à jour de toutes les lignes
+OnHold=En attente
+AffectTag=Affecter une catégorie
+ConfirmAffectTag=Affectation de catégories en masse
+ConfirmAffectTagQuestion=Êtes-vous sur de vouloir affecter ces catégories aux %s lignes sélectionnées ?
+CategTypeNotFound=Aucune catégorie trouvée
diff --git a/htdocs/langs/fr_FR/modulebuilder.lang b/htdocs/langs/fr_FR/modulebuilder.lang
index 9dea25a8b29..15d87656f4b 100644
--- a/htdocs/langs/fr_FR/modulebuilder.lang
+++ b/htdocs/langs/fr_FR/modulebuilder.lang
@@ -40,6 +40,7 @@ PageForCreateEditView=Page PHP pour créer/modifier/afficher un enregistrement
PageForAgendaTab=Page PHP pour l'onglet événement
PageForDocumentTab=Page PHP pour l'onglet document
PageForNoteTab=Page PHP pour l'onglet note
+PageForContactTab=Page PHP pour l'onglet contact
PathToModulePackage=Chemin du zip du package du module/application
PathToModuleDocumentation=Chemin d'accès au fichier de documentation du module (%s)
SpaceOrSpecialCharAreNotAllowed=Les espaces et les caractères spéciaux ne sont pas autorisés.
@@ -77,7 +78,7 @@ IsAMeasure=Est une mesure
DirScanned=Répertoire scanné
NoTrigger=Pas de trigger
NoWidget=Aucun widget
-GoToApiExplorer=Se rendre sur l'explorateur d'API
+GoToApiExplorer=Explorateur d'API
ListOfMenusEntries=Liste des entrées du menu
ListOfDictionariesEntries=Liste des entrées de dictionnaires
ListOfPermissionsDefined=Liste des permissions
@@ -105,7 +106,7 @@ TryToUseTheModuleBuilder=Si vous connaissez SQL et PHP, vous pouvez utiliser l'a
SeeTopRightMenu=Voir à droite de votre barre de menu principal
AddLanguageFile=Ajouter le fichier de langue
YouCanUseTranslationKey=Vous pouvez utiliser ici une clé qui est la clé de traduction trouvée dans le fichier de langue (voir l'onglet "Langues")
-DropTableIfEmpty=(Supprimer la table si vide)
+DropTableIfEmpty=(Supprimer la table si elle est vide)
TableDoesNotExists=La table %s n'existe pas
TableDropped=La table %s a été supprimée
InitStructureFromExistingTable=Construire la chaîne du tableau de structure d'une table existante
@@ -126,7 +127,6 @@ UseSpecificEditorURL = Utiliser une URL d'éditeur spécifique
UseSpecificFamily = Utiliser une famille spécifique
UseSpecificAuthor = Utiliser un auteur spécifique
UseSpecificVersion = Utiliser une version initiale spécifique
-ModuleMustBeEnabled=Le module / application doit être activé d'abord
IncludeRefGeneration=La référence de l'objet doit être générée automatiquement
IncludeRefGenerationHelp=Cochez cette option si vous souhaitez inclure du code pour gérer la génération automatique de la référence
IncludeDocGeneration=Je veux générer des documents à partir de l'objet
@@ -140,3 +140,4 @@ TypeOfFieldsHelp=Type de champs: varchar (99), double (24,8), réel, texte,
AsciiToHtmlConverter=Convertisseur Ascii en HTML
AsciiToPdfConverter=Convertisseur Ascii en PDF
TableNotEmptyDropCanceled=La table n’est pas vide. La suppression a été annulée.
+ModuleBuilderNotAllowed=Le module builder est activé mais son accès n'est pas autorisé à l'utilisateur courant
diff --git a/htdocs/langs/fr_FR/mrp.lang b/htdocs/langs/fr_FR/mrp.lang
index f1eaeffdfed..011ce1f8964 100644
--- a/htdocs/langs/fr_FR/mrp.lang
+++ b/htdocs/langs/fr_FR/mrp.lang
@@ -77,4 +77,4 @@ UnitCost=Coût unitaire
TotalCost=Coût total
BOMTotalCost=Le coût de production de cette nomenclature basé sur chaque quantité et produit à consommer (utilise le prix de revient si défini, sinon le PMP si défini, sinon le meilleur prix d'achat)
GoOnTabProductionToProduceFirst=Vous devez avoir la production pour clôturer un Ordre de Fabrication (voir onglet '%s'). Mais vous pouvez l'annuler.
-ErrorAVirtualProductCantBeUsedIntoABomOrMo=Un kit ne peut pas être utilisé dans une nomenclature ou un ordre de fabrication.
+ErrorAVirtualProductCantBeUsedIntoABomOrMo=Un kit ne peut pas être utilisé dans une Nomenclature ou un Ordre de fabrication.
diff --git a/htdocs/langs/fr_FR/other.lang b/htdocs/langs/fr_FR/other.lang
index 5120fd52e67..b9fb4cc0d41 100644
--- a/htdocs/langs/fr_FR/other.lang
+++ b/htdocs/langs/fr_FR/other.lang
@@ -1,12 +1,10 @@
# Dolibarr language file - Source file is en_US - other
-SecurityCode=Code de sécurité
+SecurityCode=Code sécurité
NumberingShort=N°
Tools=Outils
TMenuTools=Outils
ToolsDesc=Cet espace regroupe divers outils non accessibles par les autres entrées du menu. Tous ces outils sont accessibles depuis le menu sur le côté..
Birthday=Anniversaire
-BirthdayDate=Date anniversaire
-DateToBirth=Date de naissance
BirthdayAlertOn=alerte anniversaire active
BirthdayAlertOff=alerte anniversaire inactive
TransKey=Traduction de la clé TransKey
@@ -16,6 +14,8 @@ PreviousMonthOfInvoice=Mois précédent (numéro 1-12) la date de facturation
TextPreviousMonthOfInvoice=Mois précédent (texte) de la date de facturation
NextMonthOfInvoice=Le mois suivant (numéro 1-12) la date de facturation
TextNextMonthOfInvoice=Le mois suivant (texte) la date de facturation
+PreviousMonth=Mois précédent
+CurrentMonth=Mois en cours
ZipFileGeneratedInto=Fichier zip généré dans %s
DocFileGeneratedInto=Fichier doc généré dans %s.
JumpToLogin=Déconnecté. Aller à la page de connexion ...
@@ -98,12 +98,9 @@ PredefinedMailContentSendSupplierOrder=__(Hello)__\n\nVeuillez trouver, ci-joint
PredefinedMailContentSendSupplierInvoice=__(Hello)__\n\nVeuillez trouver, ci-joint, la facture __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
PredefinedMailContentSendShipping=__(Hello)__\n\nVeuillez trouver, ci-joint, le bon d'expédition __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
PredefinedMailContentSendFichInter=__(Hello)__\n\nVeuillez trouver, ci-joint, la fiche intervention __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
-PredefinedMailContentThirdparty=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
-PredefinedMailContentContact=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
-PredefinedMailContentUser=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
PredefinedMailContentLink=Vous pouvez cliquer sur le lien ci-dessous pour effectuer votre paiement si ce n'est déjà fait.\n\n%s\n\n
PredefinedMailContentGeneric=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
-PredefinedMailContentSendActionComm=Rappel événement "__EVENT_LABEL__" le __EVENT_DATE__ à __EVENT_TIME__
Ceci est un message automatique, merci de ne pas répondre.
+PredefinedMailContentSendActionComm=Rappel de l'événement "__EVENT_LABEL__" le __EVENT_DATE__ à __EVENT_TIME__
Ceci est un message automatique. Veuillez ne pas y répondre.
DemoDesc=Dolibarr est un logiciel de gestion proposant plusieurs modules métiers. Une démonstration qui inclut tous ces modules n'a pas de sens car ce cas n'existe jamais (plusieurs centaines de modules disponibles). Aussi, quelques profils type de démo sont disponibles.
ChooseYourDemoProfil=Veuillez choisir le profil de démonstration qui correspond le mieux à votre activité…
ChooseYourDemoProfilMore=...ou construisez votre propre profil (sélection manuelle des modules)
@@ -142,7 +139,7 @@ Right=Droite
CalculatedWeight=Poids calculé
CalculatedVolume=Volume calculé
Weight=Poids
-WeightUnitton=tonnes
+WeightUnitton=tonne
WeightUnitkg=Kg
WeightUnitg=g
WeightUnitmg=mg
@@ -264,6 +261,7 @@ ContactCreatedByEmailCollector=Contact/adresse créé par le collecteur de courr
ProjectCreatedByEmailCollector=Projet créé par le collecteur de courrier électronique à partir du courrier électronique MSGID %s
TicketCreatedByEmailCollector=Ticket créé par le collecteur de courrier électronique à partir du courrier électronique MSGID %s
OpeningHoursFormatDesc=Utilisez un - pour séparer les heures d'ouverture et de fermeture. Utilisez un espace pour entrer différentes plages. Exemple: 8-12 14-18
+PrefixSession=Préfixe pour l'ID de la session
##### Export #####
ExportsArea=Espace exports
diff --git a/htdocs/langs/fr_FR/products.lang b/htdocs/langs/fr_FR/products.lang
index c380edd77f3..92ca1b00c0f 100644
--- a/htdocs/langs/fr_FR/products.lang
+++ b/htdocs/langs/fr_FR/products.lang
@@ -108,7 +108,8 @@ FillWithLastServiceDates=Remplissez avec la date de la dernière ligne de servic
MultiPricesAbility=Plusieurs niveaux de prix par produit/service (chaque client est dans un et un seul niveau)
MultiPricesNumPrices=Nombre de prix
DefaultPriceType=Base des prix par défaut (avec ou hors taxes) lors de l’ajout de nouveaux prix de vente
-AssociatedProductsAbility=Activer les kits (produits virtuels)
+AssociatedProductsAbility=Activer les kits (ensemble d'autres produits)
+VariantsAbility=Activer les variantes (variantes de produits, par exemple couleur, taille,...)
AssociatedProducts=Kits
AssociatedProductsNumber=Nombre de sous-produits constituant ce kit
ParentProductsNumber=Nbre de produits virtuels/packages parent
@@ -167,8 +168,10 @@ BuyingPrices=Prix d'achat
CustomerPrices=Prix clients
SuppliersPrices=Prix fournisseurs
SuppliersPricesOfProductsOrServices=Prix fournisseurs (des produits ou services)
-CustomCode=Nomenclature douanière / Code SH
+CustomCode=Nomenclature douanière ou Code SH
CountryOrigin=Pays d'origine
+RegionStateOrigin=Région d'origine
+StateOrigin=Département d'origine
Nature=Nature du produit (matière première / produit fini)
NatureOfProductShort=Nature de produit
NatureOfProductDesc=Matière première ou produit fini
@@ -239,7 +242,7 @@ AlwaysUseFixedPrice=Utiliser le prix fixé
PriceByQuantity=Prix différents par quantité
DisablePriceByQty=Désactiver les prix par quantité
PriceByQuantityRange=Grille de quantités
-MultipriceRules=Règles du niveau de prix
+MultipriceRules=Prix automatiques pour le niveau
UseMultipriceRules=Utilisation des règles de niveau de prix (définies dans la configuration du module de produit) pour calculer automatiquement le prix de tous les autres niveaux en fonction de premier niveau
PercentVariationOver=%% de variation sur %s
PercentDiscountOver=%% de remis sur %s
diff --git a/htdocs/langs/fr_FR/recruitment.lang b/htdocs/langs/fr_FR/recruitment.lang
index bea2b2fa539..c3fcd8fece3 100644
--- a/htdocs/langs/fr_FR/recruitment.lang
+++ b/htdocs/langs/fr_FR/recruitment.lang
@@ -73,3 +73,4 @@ JobClosedTextCandidateFound=Le poste n'est plus ouvert. Le poste a été pourvu.
JobClosedTextCanceled=Le poste n'est plus ouvert.
ExtrafieldsJobPosition=Attributs complémentaires (postes)
ExtrafieldsCandidatures=Attributs complémentaires (candidature)
+MakeOffer=Faire un offre
diff --git a/htdocs/langs/fr_FR/sendings.lang b/htdocs/langs/fr_FR/sendings.lang
index 49586113bd9..d2b56dfe677 100644
--- a/htdocs/langs/fr_FR/sendings.lang
+++ b/htdocs/langs/fr_FR/sendings.lang
@@ -30,6 +30,7 @@ OtherSendingsForSameOrder=Autres expéditions pour cette commande
SendingsAndReceivingForSameOrder=Expéditions et réceptions pour cette commande
SendingsToValidate=Expéditions à valider
StatusSendingCanceled=Annulée
+StatusSendingCanceledShort=Annulée
StatusSendingDraft=Brouillon
StatusSendingValidated=Validée (produits à envoyer ou envoyés)
StatusSendingProcessed=Traitée
@@ -65,6 +66,7 @@ ValidateOrderFirstBeforeShipment=Vous devez d'abord valider la commande pour pou
# Sending methods
# ModelDocument
DocumentModelTyphon=Modèle de bon de réception/livraison complet (logo…)
+DocumentModelStorm=Modèle de document plus complet des fiches expéditions et compatibilité avec les attributs complémentaires (logo,...)
Error_EXPEDITION_ADDON_NUMBER_NotDefined=Constante EXPEDITION_ADDON_NUMBER non définie
SumOfProductVolumes=Somme des volumes des produits
SumOfProductWeights=Somme des poids des produits
diff --git a/htdocs/langs/fr_FR/stocks.lang b/htdocs/langs/fr_FR/stocks.lang
index f5c3c9453e3..f07c003d9c8 100644
--- a/htdocs/langs/fr_FR/stocks.lang
+++ b/htdocs/langs/fr_FR/stocks.lang
@@ -240,3 +240,4 @@ InventoryRealQtyHelp=Définissez la valeur sur 0 pour réinitialiser la quantit
UpdateByScaning=Mise à jour par scan
UpdateByScaningProductBarcode=Mettre à jour par scan (code-barres produit)
UpdateByScaningLot=Mise à jour par scan (code barres lot/série)
+DisableStockChangeOfSubProduct=Désactiver les mouvements de stock des composants pour tout mouvement de stock de ce kit
diff --git a/htdocs/langs/fr_FR/ticket.lang b/htdocs/langs/fr_FR/ticket.lang
index 926ca24d3da..d2dbef92452 100644
--- a/htdocs/langs/fr_FR/ticket.lang
+++ b/htdocs/langs/fr_FR/ticket.lang
@@ -31,10 +31,8 @@ TicketDictType=Ticket - Types
TicketDictCategory=Ticket - Groupes
TicketDictSeverity=Ticket - Sévérités
TicketDictResolution=Ticket - Résolution
-TicketTypeShortBUGSOFT=Dysfonctionnement logiciel
-TicketTypeShortBUGHARD=Dysfonctionnement matériel
-TicketTypeShortCOM=Question commerciale
+TicketTypeShortCOM=Question commerciale
TicketTypeShortHELP=Demande d'aide fonctionnelle
TicketTypeShortISSUE=Problème ou bogue
TicketTypeShortREQUEST=Demande de changement ou d'amélioration
@@ -44,7 +42,7 @@ TicketTypeShortOTHER=Autre
TicketSeverityShortLOW=Faible
TicketSeverityShortNORMAL=Normal
TicketSeverityShortHIGH=Élevé
-TicketSeverityShortBLOCKING=Critique/Bloquant
+TicketSeverityShortBLOCKING=Critique, bloquant
ErrorBadEmailAddress=Champ '%s' incorrect
MenuTicketMyAssign=Mes tickets
@@ -125,6 +123,7 @@ TicketsActivatePublicInterfaceHelp=L'interface publique permet à tous les visit
TicketsAutoAssignTicket=Affecter automatiquement l'utilisateur qui a créé le ticket
TicketsAutoAssignTicketHelp=Lors de la création d'un ticket, l'utilisateur peut être automatiquement affecté au ticket.
TicketNumberingModules=Module de numérotation des tickets
+TicketsModelModule=Modèles de documents pour les tickets
TicketNotifyTiersAtCreation=Notifier le tiers à la création
TicketsDisableCustomerEmail=Toujours désactiver les courriels lorsqu'un ticket est créé depuis l'interface publique
TicketsPublicNotificationNewMessage=Envoyer un (des) courriel (s) lorsqu’un nouveau message est ajouté
@@ -230,8 +229,8 @@ TicketChangeStatus=Changer l'état
TicketConfirmChangeStatus=Confirmez le changement d'état: %s?
TicketLogStatusChanged=Statut modifié: %s à %s
TicketNotNotifyTiersAtCreate=Ne pas notifier l'entreprise à la création
+Unread=Non lu
TicketNotCreatedFromPublicInterface=Non disponible. Le ticket n’a pas été créé à partir de l'interface publique.
-PublicInterfaceNotEnabled=L’interface publique n’a pas été activée
ErrorTicketRefRequired=La référence du ticket est requise
#
diff --git a/htdocs/langs/fr_FR/website.lang b/htdocs/langs/fr_FR/website.lang
index 0db2af94537..ce277cc5f52 100644
--- a/htdocs/langs/fr_FR/website.lang
+++ b/htdocs/langs/fr_FR/website.lang
@@ -30,7 +30,6 @@ EditInLine=Editer en ligne
AddWebsite=Ajouter site web
Webpage=Page/container Web
AddPage=Ajouter une page/container
-HomePage=Page d'accueil
PageContainer=Page
PreviewOfSiteNotYetAvailable=La prévisualisation de votre site web %s n'est pas disponible actuellement. Vous devez d'abord 'Importer un modèle de site web complet' ou juste 'Ajouter une page/container.
RequestedPageHasNoContentYet=La page demandée avec l'id=%s ne présente encore aucun contenu ou le fichier cache .tpl.php a été supprimé. Ajoutez du contenu à la page pour résoudre cela.
@@ -136,4 +135,5 @@ RSSFeed=Flux RSS
RSSFeedDesc=Vous pouvez obtenir un flux RSS des derniers articles de type 'blogpost' en utilisant cette URL
PagesRegenerated=%s page(s)/conteneur(s) régénéré(s)
RegenerateWebsiteContent=Régénérer les fichiers de cache du site Web
-AllowedInFrames=Autorisé dans les cadres
+AllowedInFrames=Autorisé dans les Frames
+DefineListOfAltLanguagesInWebsiteProperties=Définir la liste des langues disponibles dans les propriétés du site web.
diff --git a/htdocs/langs/fr_FR/withdrawals.lang b/htdocs/langs/fr_FR/withdrawals.lang
index 1649b7271de..5c524abfe58 100644
--- a/htdocs/langs/fr_FR/withdrawals.lang
+++ b/htdocs/langs/fr_FR/withdrawals.lang
@@ -42,6 +42,7 @@ LastWithdrawalReceipt=Les %s derniers bons de prélèvements
MakeWithdrawRequest=Faire une demande de prélèvement
MakeBankTransferOrder=Faire une demande de virement
WithdrawRequestsDone=%s demandes de prélèvements enregistrées
+BankTransferRequestsDone=%s demande de prélèvement enregistrée
ThirdPartyBankCode=Code banque du tiers
NoInvoiceCouldBeWithdrawed=Aucune facture traitée avec succès. Vérifiez que les factures sont sur les sociétés avec un BAN par défaut valide et que le BAN a un RUM avec le mode %s .
ClassCredited=Classer crédité
@@ -131,7 +132,8 @@ SEPARCUR=SEPA RCUR
SEPAFRST=SEPA FRST
ExecutionDate=Date d'éxecution
CreateForSepa=Créer fichier de prélèvement automatique
-ICS=Identifiant du créancier CI
+ICS=Identifiant du créditeur (CI) du prélèvement
+ICSTransfer=Identifiant créditeur (CI) du virement bancaire
END_TO_END=Balise XML SEPA "EndToEndId" - Identifiant unique attribué par transaction
USTRD=Balise XML SEPA "Non structurée"
ADDDAYS=Ajouter des jours à la date d'exécution
@@ -146,3 +148,4 @@ InfoRejectSubject=Ordre de prélèvement rejeté
InfoRejectMessage=Bonjour,
l'ordre de prélèvement de la facture %s liée à la société %s, avec un montant de %s a été refusé par la banque.
-- %s
ModeWarning=Option mode réel non établi, nous allons arrêter après cette simulation
ErrorCompanyHasDuplicateDefaultBAN=La société avec l'identifiant %s a plus d'un compte bancaire par défaut. Aucun moyen de savoir lequel utiliser.
+ErrorICSmissing=ICS manquant pour le compte bancaire %s
diff --git a/htdocs/langs/fr_GA/accountancy.lang b/htdocs/langs/fr_GA/accountancy.lang
new file mode 100644
index 00000000000..552865118f1
--- /dev/null
+++ b/htdocs/langs/fr_GA/accountancy.lang
@@ -0,0 +1,2 @@
+# Dolibarr language file - Source file is en_US - accountancy
+ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50)
diff --git a/htdocs/langs/fr_GA/compta.lang b/htdocs/langs/fr_GA/compta.lang
deleted file mode 100644
index c7c41488180..00000000000
--- a/htdocs/langs/fr_GA/compta.lang
+++ /dev/null
@@ -1,2 +0,0 @@
-# Dolibarr language file - Source file is en_US - compta
-BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted ascending on %s and filtered for 1 bank account
diff --git a/htdocs/langs/fr_GA/products.lang b/htdocs/langs/fr_GA/products.lang
deleted file mode 100644
index 6e900475275..00000000000
--- a/htdocs/langs/fr_GA/products.lang
+++ /dev/null
@@ -1,2 +0,0 @@
-# Dolibarr language file - Source file is en_US - products
-CustomCode=Customs / Commodity / HS code
diff --git a/htdocs/langs/fr_GA/withdrawals.lang b/htdocs/langs/fr_GA/withdrawals.lang
new file mode 100644
index 00000000000..facdefc082f
--- /dev/null
+++ b/htdocs/langs/fr_GA/withdrawals.lang
@@ -0,0 +1,2 @@
+# Dolibarr language file - Source file is en_US - withdrawals
+ICS=Creditor Identifier CI for direct debit
diff --git a/htdocs/langs/gl_ES/accountancy.lang b/htdocs/langs/gl_ES/accountancy.lang
index 1aa15550b74..ee77a166128 100644
--- a/htdocs/langs/gl_ES/accountancy.lang
+++ b/htdocs/langs/gl_ES/accountancy.lang
@@ -18,14 +18,14 @@ DefaultForService=Predeterminado para o servizo
DefaultForProduct=Predeterminado para o produto
CantSuggest=Non pode suxerirse
AccountancySetupDoneFromAccountancyMenu=A maior parte da configuración da contabilidade realizase dende o menú %s
-ConfigAccountingExpert=Configuration of the module accounting (double entry)
+ConfigAccountingExpert=Configuración do módulo contabilidade (entrada doble)
Journalization=Procesar diarios
Journals=Diarios
JournalFinancial=Diarios financieiros
BackToChartofaccounts=Voltar ao plan contable
Chartofaccounts=Plan contable
-ChartOfSubaccounts=Chart of individual accounts
-ChartOfIndividualAccountsOfSubsidiaryLedger=Chart of individual accounts of the subsidiary ledger
+ChartOfSubaccounts=Gráficos de contas individuais
+ChartOfIndividualAccountsOfSubsidiaryLedger=Graficos de contas indivudais dependendets do libro maior
CurrentDedicatedAccountingAccount=Conta contable adicada
AssignDedicatedAccountingAccount=Nova conta a asignar
InvoiceLabel=Etiqueta factura
@@ -35,8 +35,8 @@ OtherInfo=Outra información
DeleteCptCategory=Eliminar a conta contable do grupo
ConfirmDeleteCptCategory=¿Está certo de querer eliminar esta conta contable do grupo de contas contables?
JournalizationInLedgerStatus=Estado de diario
-AlreadyInGeneralLedger=Already transferred in accounting journals and ledger
-NotYetInGeneralLedger=Not yet transferred in accouting journals and ledger
+AlreadyInGeneralLedger=Xa rexistrado en contas contables e no Libro Maior
+NotYetInGeneralLedger=Non foi rexistrado aínda en contas contables nin no Libro Maior
GroupIsEmptyCheckSetup=O grupo está baleiro, comprobe a configuración da personalización de grupos contables
DetailByAccount=Amosar detalles por conta
AccountWithNonZeroValues=Contas con valores non cero
@@ -45,9 +45,10 @@ CountriesInEEC=Países na CEE
CountriesNotInEEC=Países non CEE
CountriesInEECExceptMe=Todos os paises incluidos na CEE excepto %s
CountriesExceptMe=Todos os países excepto %s
-AccountantFiles=Export source documents
-ExportAccountingSourceDocHelp=With this tool, you can export the source events (list and PDFs) that were used to generate your accountancy. To export your journals, use the menu entry %s - %s.
-VueByAccountAccounting=View by accounting account
+AccountantFiles=Exportar documentos contables
+ExportAccountingSourceDocHelp=Con esta utilidade, pode exportar os eventos de orixe (lista e PDFs) que foron empregados para xerar a súa contabilidade. Para exportar os seus diarios, use a entrada de menú% s -% s.
+VueByAccountAccounting=Ver por conta contable
+VueBySubAccountAccounting=Ver pos subconta contable
MainAccountForCustomersNotDefined=Conta contable principal para clientes non definida na configuración
MainAccountForSuppliersNotDefined=Conta contable principal para provedores non definida na configuración
@@ -83,7 +84,7 @@ AccountancyAreaDescAnalyze=PASO %s: Engadir ou editar transaccións existentes,
AccountancyAreaDescClosePeriod=PASO %s: Pechar periodo, polo que non poderá facer modificacións nun futuro.
-TheJournalCodeIsNotDefinedOnSomeBankAccount=A mandatory step in setup has not been completed (accounting code journal not defined for all bank accounts)
+TheJournalCodeIsNotDefinedOnSomeBankAccount=Non foi completado un paso obrigatorio na configuración (conta contable non definida en todas as contas bancarias)
Selectchartofaccounts=Seleccione un plan contable activo
ChangeAndLoad=Cambiar e cargar
Addanaccount=Engadir unha conta contable
@@ -93,8 +94,8 @@ SubledgerAccount=Subconta contable
SubledgerAccountLabel=Etiqueta subconta contable
ShowAccountingAccount=Amosar contabilidade
ShowAccountingJournal=Amosar diario contable
-ShowAccountingAccountInLedger=Show accounting account in ledger
-ShowAccountingAccountInJournals=Show accounting account in journals
+ShowAccountingAccountInLedger=Amosar a conta contable no libro maior
+ShowAccountingAccountInJournals=Amosar a conta contable nos diarios
AccountAccountingSuggest=Conta contable suxerida
MenuDefaultAccounts=Contas contables por defecto
MenuBankAccounts=Contas Bancarias
@@ -116,9 +117,9 @@ ExpenseReportsVentilation=Contabilizar informes de gastos
CreateMvts=Crear nova transacción
UpdateMvts=Modificación dunha transacción
ValidTransaction=Transacción validada
-WriteBookKeeping=Register transactions in accounting
+WriteBookKeeping=Rexistrar movementos en contabilidade
Bookkeeping=Libro Maior
-BookkeepingSubAccount=Subledger
+BookkeepingSubAccount=Librp maior auxiliar
AccountBalance=Saldo da conta
ObjectsRef=Referencia de obxecto orixe
CAHTF=Total compras a provedor antes de impostos
@@ -128,7 +129,7 @@ InvoiceLinesDone=Liñas de facturas contabilizadas
ExpenseReportLines=Liñas de informes de gastos a contabilizar
ExpenseReportLinesDone=Liñas de informes de gastos contabilizadas
IntoAccount=Contabilizar liña coa conta contable
-TotalForAccount=Total para a conta contable
+TotalForAccount=Total for accounting account
Ventilate=Contabilizar
@@ -144,20 +145,20 @@ NotVentilatedinAccount=Conta sen contabilización na contabilidad
XLineSuccessfullyBinded=%s produtos/servizos relacionados correctamente nunha conta contable
XLineFailedToBeBinded=%s produtos/servizos sen conta contable
-ACCOUNTING_LIMIT_LIST_VENTILATION=Número de elementos a contabilizar que amósanse por páxina (máximo recomendado: 50)
+ACCOUNTING_LIMIT_LIST_VENTILATION=Número máximo de liñas na listaxe e na páxina de ligazón (recomendado: 50)
ACCOUNTING_LIST_SORT_VENTILATION_TODO=Ordear as páxinas de contabilización "A contabilizar" polos elementos mais recentes
ACCOUNTING_LIST_SORT_VENTILATION_DONE=Ordear as páxinas de contabilización "Contabilizadas" polos elementos mais recentes
-ACCOUNTING_LENGTH_DESCRIPTION=Truncate product & services description in listings after x chars (Best = 50)
-ACCOUNTING_LENGTH_DESCRIPTION_ACCOUNT=Truncate product & services account description form in listings after x chars (Best = 50)
-ACCOUNTING_LENGTH_GACCOUNT=Length of the general accounting accounts (If you set value to 6 here, the account '706' will appear like '706000' on screen)
-ACCOUNTING_LENGTH_AACCOUNT=Length of the third-party accounting accounts (If you set value to 6 here, the account '401' will appear like '401000' on screen)
-ACCOUNTING_MANAGE_ZERO=Allow to manage different number of zeros at the end of an accounting account. Needed by some countries (like Switzerland). If set to off (default), you can set the following two parameters to ask the application to add virtual zeros.
+ACCOUNTING_LENGTH_DESCRIPTION=Acortar a descrición de produtoe e servizos nas listaxes despois de x caracteres (Mellor = 50)
+ACCOUNTING_LENGTH_DESCRIPTION_ACCOUNT=Acortar no formulario de descrición da conta de produtos e servizos nas listaxes despois de x caracteres (Mellor = 50)
+ACCOUNTING_LENGTH_GACCOUNT=Lonxitude das contas contables en xeral (Se define o valor 6 aquí, a conta "706" aparecerá como "706000" na pantalla)
+ACCOUNTING_LENGTH_AACCOUNT=Lonxitude das contas contables de terceiros (Se define o valor 6 aquí, a conta "401" aparecerá como "401000" na pantalla)
+ACCOUNTING_MANAGE_ZERO=Permitir xestionar un número diferente de ceros ao final dunha conta contable. Preciso por algúns países (como Suíza). Se está desactivado (predeterminado), pode configurar os seguintes dous parámetros para solicitar á aplicación que engada ceros virtuais.
BANK_DISABLE_DIRECT_INPUT=Desactivar transaccións directas en conta bancaria
ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Habilitar exportación de borradores al diario
-ACCOUNTANCY_COMBO_FOR_AUX=Habilita a listaxe combinada para a conta subsidiaria (pode ser lento se ten moitos terceiros)
-ACCOUNTING_DATE_START_BINDING=Define a date to start binding & transfer in accountancy. Below this date, the transactions will not be transferred to accounting.
-ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=On accountancy transfer, select period show by default
+ACCOUNTANCY_COMBO_FOR_AUX=Habilita a listaxe combinada para a conta contable subsidiaria (pode ser lento se ten moitos terceiros)
+ACCOUNTING_DATE_START_BINDING=Define unha data para comezar a ligar e transferir na contabilidade. Por debaixo desta data, as transaccións non se transferirán á contabilidade.
+ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=Na transferencia de contabilidade, selecciona amosar o período por defecto
ACCOUNTING_SELL_JOURNAL=Diario de vendas
ACCOUNTING_PURCHASE_JOURNAL=Diario de compras
@@ -177,18 +178,18 @@ ACCOUNTING_ACCOUNT_SUSPENSE=Conta contable de operacións pendentes de asignar
DONATION_ACCOUNTINGACCOUNT=Conta contable de rexistro de doacións/subvencións
ADHERENT_SUBSCRIPTION_ACCOUNTINGACCOUNT=Conta contable de rexistro subscricións
-ACCOUNTING_ACCOUNT_CUSTOMER_DEPOSIT=Accounting account by default to register customer deposit
+ACCOUNTING_ACCOUNT_CUSTOMER_DEPOSIT=Conta contable por defecto para rexistrar os ingresos do cliente
-ACCOUNTING_PRODUCT_BUY_ACCOUNT=Conta contable predeterminada para produtos comprados (usada se non están definidos na folla de produtos)
-ACCOUNTING_PRODUCT_BUY_INTRA_ACCOUNT=Accounting account by default for the bought products in EEC (used if not defined in the product sheet)
-ACCOUNTING_PRODUCT_BUY_EXPORT_ACCOUNT=Accounting account by default for the bought products and imported out of EEC (used if not defined in the product sheet)
+ACCOUNTING_PRODUCT_BUY_ACCOUNT=Conta contable predeterminada para os produtos comprados (usada se non están definidos na folla de produtos)
+ACCOUNTING_PRODUCT_BUY_INTRA_ACCOUNT=Conta contable predeterminada para os produtos comprados na CEE (usados se non están definidos na folla de produto)
+ACCOUNTING_PRODUCT_BUY_EXPORT_ACCOUNT=Conta contable predeterminada para os produtos comprados e importados fóra da CEE (usada se non está definido na folla de produto)
ACCOUNTING_PRODUCT_SOLD_ACCOUNT=Conta contable predeterminada para os produtos vendidos (usada se non están definidos na folla de produtos)
-ACCOUNTING_PRODUCT_SOLD_INTRA_ACCOUNT=Accounting account by default for the products sold in EEC (used if not defined in the product sheet)
-ACCOUNTING_PRODUCT_SOLD_EXPORT_ACCOUNT=Accounting account by default for the products sold and exported out of EEC (used if not defined in the product sheet)
+ACCOUNTING_PRODUCT_SOLD_INTRA_ACCOUNT=Conta contable predeterminada para os produtos vendidos na CEE (usados se non están definidos na folla de produto)
+ACCOUNTING_PRODUCT_SOLD_EXPORT_ACCOUNT=Conta contable predeterminada para os produtos vendidos e exportados fóra da CEE (usados se non están definidos na folla de produto)
ACCOUNTING_SERVICE_BUY_ACCOUNT=Conta contable predeterminada para os servizos comprados (usada se non están definidos na folla de servizos)
-ACCOUNTING_SERVICE_BUY_INTRA_ACCOUNT=Accounting account by default for the bought services in EEC (used if not defined in the service sheet)
-ACCOUNTING_SERVICE_BUY_EXPORT_ACCOUNT=Accounting account by default for the bought services and imported out of EEC (used if not defined in the service sheet)
+ACCOUNTING_SERVICE_BUY_INTRA_ACCOUNT=Conta contable predeterminada para os servizos comprados na CEE (usada se non está definido na folla de servizos)
+ACCOUNTING_SERVICE_BUY_EXPORT_ACCOUNT=Conta contable predeterminada para os servizos comprados e importados fóra da CEE (úsase se non está definido na folla de servizos)
ACCOUNTING_SERVICE_SOLD_ACCOUNT=Conta contable predeterminada para os servizos vendidos (usada se non están definidos na folla de servizos)
ACCOUNTING_SERVICE_SOLD_INTRA_ACCOUNT=Conta contable predeterminada para os servizos vendidos en EU (usada se non están definidos na folla de servizos)
ACCOUNTING_SERVICE_SOLD_EXPORT_ACCOUNT=AConta contable predeterminada para os servizos vendidos e exportados fora da EU (usada se non están definidos na folla de servizos)
@@ -198,7 +199,8 @@ Docdate=Data
Docref=Referencia
LabelAccount=Etiqueta conta
LabelOperation=Etiqueta operación
-Sens=Sentido
+Sens=Dirección
+AccountingDirectionHelp=Para unha conta contable dun cliente, use o crédito para rexistrar o pago recibido. . Para unha conta contable dun provedor, use Débito para rexistrar o pago realizado
LetteringCode=Codigo de letras
Lettering=Letras
Codejournal=Diario
@@ -206,23 +208,24 @@ JournalLabel=Etiqueta diario
NumPiece=Apunte
TransactionNumShort=Núm. transacción
AccountingCategory=Grupos persoalizados
-GroupByAccountAccounting=Agrupar por conta contable
+GroupByAccountAccounting=Agrupar por Libro Maior
+GroupBySubAccountAccounting=Agrupar por subconta contable
AccountingAccountGroupsDesc=Pode definir aquí algúns grupos de contas contables. Serán usadas para informes de contabilidade personalizados.
ByAccounts=Por contas
ByPredefinedAccountGroups=Por grupos predefinidos
ByPersonalizedAccountGroups=Por grupos persoalizados
ByYear=Por ano
NotMatch=Non establecido
-DeleteMvt=Delete some operation lines from accounting
+DeleteMvt=Eliminar liñas do Libro Maior
DelMonth=Mes a eliminar
DelYear=Ano a eliminar
DelJournal=Diario a eliminar
-ConfirmDeleteMvt=This will delete all operation lines of the accounting for the year/month and/or for a specific journal (At least one criterion is required). You will have to reuse the feature '%s' to have the deleted record back in the ledger.
-ConfirmDeleteMvtPartial=This will delete the transaction from the accounting (all operation lines related to the same transaction will be deleted)
+ConfirmDeleteMvt=Isto eliminará todas as liñas da contabilidade do ano/mes e/ou dun diario específico. (Precísase alo menos un criterio). Terá que reutilizar a función '% s' para que o rexistro eliminado volte ao libro maior.
+ConfirmDeleteMvtPartial=Isto eliminará a transacción d da contabilidade (eliminaranse todas as liñas relacionadas coa mesma transacción)
FinanceJournal=Diario financiero
ExpenseReportsJournal=Diario informe de gastos
DescFinanceJournal=O diario financiero inclúe todos os tipos de pagos por conta bancaria
-DescJournalOnlyBindedVisible=This is a view of record that are bound to an accounting account and can be recorded into the Journals and Ledger.
+DescJournalOnlyBindedVisible=Ista é una vista do rexistro ligada a unha conta contable e que pode ser rexistrada nos diarios e Libro Maior.
VATAccountNotDefined=Conta contable para IVE non definida
ThirdpartyAccountNotDefined=Conta contable para terceiro non definida
ProductAccountNotDefined=Conta contable para produto non definida
@@ -241,19 +244,19 @@ ListAccounts=Listaxe de contas contables
UnknownAccountForThirdparty=Conta contable de terceiro descoñecida, usaremos %s
UnknownAccountForThirdpartyBlocking=Conta contable de terceiro descoñecida. Erro de bloqueo.
ThirdpartyAccountNotDefinedOrThirdPartyUnknown=Conta contable de terceiro non definida ou terceiro descoñecido. Usaremos a %s
-ThirdpartyAccountNotDefinedOrThirdPartyUnknownSubledgerIgnored=Third-party unknown and subledger not defined on the payment. We will keep the subledger account value empty.
+ThirdpartyAccountNotDefinedOrThirdPartyUnknownSubledgerIgnored=Terceiro descoñecido e conta vinculada non definidos no pago. Manteremos o valor da conta vinculada baleiro.
ThirdpartyAccountNotDefinedOrThirdPartyUnknownBlocking=Conta do terceiro descoñecida ou terceiro descoñecido. Erro de bloqueo
-UnknownAccountForThirdpartyAndWaitingAccountNotDefinedBlocking=Conta do terceiros descoñecida e conta de espera non definida. Erro de bloqueo
+UnknownAccountForThirdpartyAndWaitingAccountNotDefinedBlocking=Conta de terceiros descoñecida e conta de espera non definida. Erro de bloqueo
PaymentsNotLinkedToProduct=Pagos non ligados a un produto/servizo
OpeningBalance=Saldo de apertura
ShowOpeningBalance=Amosar saldo de apertura
HideOpeningBalance=Ocultar saldo de apertura
-ShowSubtotalByGroup=Amosar subtotal por grupo
+ShowSubtotalByGroup=Amosar subtotal por nivel
Pcgtype=Grupo de conta
PcgtypeDesc=Grupo e subgrupo de conta utilízanse como criterios predefinidos de "filtro" e "agrupación" para algúns informes de contabilidade. Por exemplo, "INGRESOS" ou "GASTOS" usanse como grupos para contas contables de produtos para construir o informe de gastos/ingresos.
-Reconcilable=Reconcilable
+Reconcilable=Reconciliable
TotalVente=Total facturación antes de impostos
TotalMarge=Total marxe vendas
@@ -271,11 +274,13 @@ DescVentilExpenseReport=Consulte aquí a listaxe de liñas de informes de gastos
DescVentilExpenseReportMore=Se configura as contas contables dos tipos de informes de gastos, a aplicación será capaz de facer a ligazón entre as súas liñas de informes de gastos e as contas contables, simplemente cun clic no botón "%s" , Se non estableceu a conta contable no diccionario ou se aínda ten algunhas liñas non contabilizadas a alguna conta, terá que facer unha contabilización manual dende o menú "%s".
DescVentilDoneExpenseReport=Consulte aquí as liñas de informes de gastos e as súas contas contables
+Closure=Peche anual
DescClosure=Consult here the number of movements by month who are not validated & fiscal years already open
OverviewOfMovementsNotValidated=Step 1/ Overview of movements not validated. (Necessary to close a fiscal year)
+AllMovementsWereRecordedAsValidated=Todos os movementos foron rexistrados e validados
+NotAllMovementsCouldBeRecordedAsValidated=Non todos os movementos puideron ser rexistrados e validados
ValidateMovements=Validar os movementos
-DescValidateMovements=Any modification or deletion of writing, lettering and deletes will be prohibited. All entries for an exercise must be validated otherwise closing will not be possible
-SelectMonthAndValidate=Selecciona mes e valida movementos
+DescValidateMovements=Prohíbese calquera modificación ou eliminación de rexistros. Todas as entradas para un exercicio deben validarse doutro xeito ou non será posible pechalo
ValidateHistory=Contabilizar automáticamente
AutomaticBindingDone=Ligazón automática finalizada
@@ -293,9 +298,10 @@ Accounted=Contabilizada no Libro Maior
NotYetAccounted=Aínda non contabilizada no Libro Maior
ShowTutorial=Amosar Tutorial
NotReconciled=Non reconciliado
+WarningRecordWithoutSubledgerAreExcluded=Aviso: todas as operacións sen subcontas contables defininidas están filtradas e excluídas desta vista
## Admin
-BindingOptions=Binding options
+BindingOptions=Opcións de ligazón
ApplyMassCategories=Aplicar categorías en masa
AddAccountFromBookKeepingWithNoCategories=Conta dispoñible sen grupo persoalizado
CategoryDeleted=A categoría para a conta contable foi eliminada
@@ -315,9 +321,9 @@ ErrorAccountingJournalIsAlreadyUse=Este diario xa está a ser utilizado
AccountingAccountForSalesTaxAreDefinedInto=Nota: A conta contable do IVE nas vendas defínese no menú %s - %s
NumberOfAccountancyEntries=Número de entradas
NumberOfAccountancyMovements=Número de movementos
-ACCOUNTING_DISABLE_BINDING_ON_SALES=Disable binding & transfer in accountancy on sales (customer invoices will not be taken into account in accounting)
-ACCOUNTING_DISABLE_BINDING_ON_PURCHASES=Disable binding & transfer in accountancy on purchases (vendor invoices will not be taken into account in accounting)
-ACCOUNTING_DISABLE_BINDING_ON_EXPENSEREPORTS=Disable binding & transfer in accountancy on expense reports (expense reports will not be taken into account in accounting)
+ACCOUNTING_DISABLE_BINDING_ON_SALES=Desactivar a ligazón e transferencia na contabilidade das vendas (as facturas do cliente non se terán en conta na contabilidade)
+ACCOUNTING_DISABLE_BINDING_ON_PURCHASES=Desactivar a ligazón e transferencia na contabilidade das compras (as facturas do provedor non se terán en conta na contabilidade)
+ACCOUNTING_DISABLE_BINDING_ON_EXPENSEREPORTS=Desactivar a ligazón e transferencia na contabilidade dos informes de gastos (os informes de gastos non se terán en conta na contabilidade)
## Export
ExportDraftJournal=Exportar libro borrador
@@ -335,12 +341,13 @@ Modelcsv_agiris=Exportar a Agiris
Modelcsv_LDCompta=Exportar a LD Compta (v9 & maior) (En Probas)
Modelcsv_LDCompta10=Exportar a LD Compta (v10 & maior)
Modelcsv_openconcerto=Exportar a OpenConcerto (En probas)
-Modelcsv_configurable=Exportar a CSV Configurable
-Modelcsv_FEC=Exportar FEC (Art. L47 A)
-Modelcsv_Sage50_Swiss=Exportar a Sage 50 Suiza
+Modelcsv_configurable=Exportación CSV Configurable
+Modelcsv_FEC=Exportación FEC (Art. L47 A)
+Modelcsv_FEC2=Exportar FEC (con escritura de xeración de datas / documento inverso)
+Modelcsv_Sage50_Swiss=Exportación a Sage 50 Suiza
Modelcsv_winfic=Exportar a Winfic - eWinfic - WinSis Conta
-Modelcsv_Gestinumv3=Export for Gestinum (v3)
-Modelcsv_Gestinumv5Export for Gestinum (v5)
+Modelcsv_Gestinumv3=Exportar a Gestinum (v3)
+Modelcsv_Gestinumv5Export para Gestinum (v5)
ChartofaccountsId=Id do plan contable
## Tools - Init accounting account on product / service
@@ -353,16 +360,16 @@ OptionModeProductSell=Modo vendas
OptionModeProductSellIntra=Modo Vendas exportación CEE
OptionModeProductSellExport=Modo vendas exportación outros paises
OptionModeProductBuy=Modo compras
-OptionModeProductBuyIntra=Mode purchases imported in EEC
-OptionModeProductBuyExport=Mode purchased imported from other countries
+OptionModeProductBuyIntra=Modo compras importadas importadas de EEC
+OptionModeProductBuyExport=Modo compras importadas doutros paises
OptionModeProductSellDesc=Amosar todos os produtos con conta contable de vendas
OptionModeProductSellIntraDesc=Amosar todos os produtos con conta contable para vendas na CEE.
OptionModeProductSellExportDesc=Amosar todos os produtos con conta contable para outras vendas ao exterior.
OptionModeProductBuyDesc=Amosar todos os produtos con conta contable de compras
-OptionModeProductBuyIntraDesc=Show all products with accounting account for purchases in EEC.
-OptionModeProductBuyExportDesc=Show all products with accounting account for other foreign purchases.
+OptionModeProductBuyIntraDesc=Amosar todos os produtos con conta contable para compras en CEE
+OptionModeProductBuyExportDesc=Amosar todos os produtos con conta contable para outras compras no extranxeiro.
CleanFixHistory=Eliminar código contable das liñas que no existen no plan contable
-CleanHistory=Resetear todos os vínculos do ano seleccionado
+CleanHistory=Resetear todas as ligazóns do ano seleccionado
PredefinedGroups=Grupos persoalizados
WithoutValidAccount=Sen conta adicada válida
WithValidAccount=Con conta adicada válida
@@ -371,8 +378,8 @@ AccountRemovedFromGroup=Conta eliminada do grupo
SaleLocal=Venda local
SaleExport=Venda de exportación
SaleEEC=Venda na CEE
-SaleEECWithVAT=Sale in EEC with a VAT not null, so we suppose this is NOT an intracommunautary sale and the suggested account is the standard product account.
-SaleEECWithoutVATNumber=Sale in EEC with no VAT but the VAT ID of thirdparty is not defined. We fallback on the product account for standard sales. You can fix the VAT ID of thirdparty or the product account if needed.
+SaleEECWithVAT=Vendas na CEE con IVE non nulo, polo que supoñemos que isto non é unha venda intracomunitaria e a conta suxerida é a conta estandar de produto.
+SaleEECWithoutVATNumber=Venda na CEE sen IVE pero non se define o número de identificación do IVE de terceiros. Respondemos á conta do produto para as vendas estándar. Pode corrixir o ID de IVE de terceiros ou a conta do produto se é preciso.
## Dictionary
Range=Rango de conta contable
@@ -380,7 +387,7 @@ Calculated=Calculado
Formula=Fórmula
## Error
-SomeMandatoryStepsOfSetupWereNotDone=Algúns pasos precisoss da configuración non foron realizados, prégase completalos.
+SomeMandatoryStepsOfSetupWereNotDone=Algúns pasos precisos da configuración non foron realizados, prégase completalos.
ErrorNoAccountingCategoryForThisCountry=Non hai grupos contables dispoñibles para %s (Vexa Inicio - Configuración - Diccionarios)
ErrorInvoiceContainsLinesNotYetBounded=Tenta facer un diario de algunhas liñas da factura %s, pero algunhas outras liñas aínda non están ligadas a contas contables. Rexeitase a contabilización de todas as liñas de factura desta factura.
ErrorInvoiceContainsLinesNotYetBoundedShort=Algunhas liñas da factura non están ligadas a contas contables.
diff --git a/htdocs/langs/gl_ES/admin.lang b/htdocs/langs/gl_ES/admin.lang
index dc2f2aa0a84..df51036e9e9 100644
--- a/htdocs/langs/gl_ES/admin.lang
+++ b/htdocs/langs/gl_ES/admin.lang
@@ -18,10 +18,10 @@ GlobalChecksum=Suma de comprobación global
MakeIntegrityAnalysisFrom=Realizar o análise da integridade dos ficheiros da aplicación dende
LocalSignature=Sinatura local incrustada (menos segura)
RemoteSignature=Sinatura remota (mais segura)
-FilesMissing=Arquivos non atopados
-FilesUpdated=Arquivos actualizados
-FilesModified=Arquivos modificados
-FilesAdded=Arquivos engadidos
+FilesMissing=Ficheiros non atopados
+FilesUpdated=Ficheiros actualizados
+FilesModified=Ficheiros modificados
+FilesAdded=Ficheiros engadidos
FileCheckDolibarr=Comprobar a integradade dos ficheiros da aplicación
AvailableOnlyOnPackagedVersions=O ficheiro local para a comprobación da integridade só está dispoñible cando a aplicación instálase dende un paquete oficial
XmlNotFound=Non atópase o ficheiro xml de Integridade
@@ -37,8 +37,8 @@ UnlockNewSessions=Eliminar bloqueo de conexións
YourSession=A súa sesión
Sessions=Sesións de usuarios
WebUserGroup=Usuario/grupo do servidor web
-PermissionsOnFilesInWebRoot=Permissions on files in web root directory
-PermissionsOnFile=Permissions on file %s
+PermissionsOnFilesInWebRoot=Permisos de ficheiros no directorio web raiz
+PermissionsOnFile=Permisos de ficheiro %s
NoSessionFound=Parece que o seu PHP non pode listar as sesións activas. El directorio de salvaguardado de sesións (%s) puede estar protegido (por ejemplo, por los permisos del sistema operativo o por la directiva open_basedir de su PHP).
DBStoringCharset=Codificación da base de datos para o almacenamento de datos
DBSortingCharset=Codificación da base de datos para clasificar os datos
@@ -56,6 +56,8 @@ GUISetup=Entorno
SetupArea=Configuración
UploadNewTemplate=Nova(s) prantilla(s) actualizada(s)
FormToTestFileUploadForm=Formulario de proba de subida de ficheiro (según opcións escollidas)
+ModuleMustBeEnabled=O módulo/aplicación %s debe estar activado
+ModuleIsEnabled=The O módulo/aplicación %s has foi activado
IfModuleEnabled=Nota: só é eficaz se o módulo %s está activado
RemoveLock=Elimine o ficheiro %s, se existe, para permitir a utilidade de actualización.
RestoreLock=Substituir un ficheiro %s, dándolle só dereitos de lectura a este ficheiro con el fin de prohibir nuevas actualizaciones.
@@ -68,12 +70,12 @@ DictionarySetup=Configuración do diccionario
Dictionary=Diccionario
ErrorReservedTypeSystemSystemAuto=O valor 'system' e 'systemauto' para o tipo está reservado. Vostede pode empregar 'user' como valor para engadir o seu propio rexistro
ErrorCodeCantContainZero=O código non pode conter o valor 0
-DisableJavascript=Deshabilitar Javascript e funcións Ajax (Recomendado para personas ciegas ou navegadores de texto)
-DisableJavascriptNote=Nota: Para propósitos de proba ou depuración. Para a optimización para persoas ciegas ou navegadores de texto, é posible que prefira utilizar a configuración no perfil do usuario.
-UseSearchToSelectCompanyTooltip=Also if you have a large number of third parties (> 100 000), you can increase speed by setting constant COMPANY_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string.
-UseSearchToSelectContactTooltip=Also if you have a large number of third parties (> 100 000), you can increase speed by setting constant CONTACT_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string.
-DelaiedFullListToSelectCompany=Agardar a que presione unha tecla antes de cargar o contido da listaxe combinada de terceiros Isto pode incrementar o rendemento se ten un grande número de terceiros, pero é menos convinte.
-DelaiedFullListToSelectContact=Wait until a key is pressed before loading content of Contact combo list. This may increase performance if you have a large number of contacts, but it is less convenient.
+DisableJavascript=Deshabilitar Javascript e funcións Ajax
+DisableJavascriptNote=Nota: Para propósitos de proba ou depuración. Para a optimización para persoas cegas ou navegadores de texto, é posible que prefira utilizar a configuración no perfil do usuario.
+UseSearchToSelectCompanyTooltip=Tamén se ten un grande número de terceiros (> 100 000), pode aumentar a velocidade mediante a constante COMPANY_DONOTSEARCH_ANYWHERE establecendo a 1 en Configuración-> Outros. A procura será limitada á creación de cadea.
+UseSearchToSelectContactTooltip=Tamén se ten un grande número de terceiros (> 100 000), pode aumentar a velocidade mediante a constante CONTACT_DONOTSEARCH_ANYWHERE establecendo a 1 en Configuración-> Outros. A procura será limitada á creación de cadea.
+DelaiedFullListToSelectCompany=Agardar a que presione unha tecla antes de cargar o contido da lista combinada de terceiros Isto pode incrementar o rendemento se ten un grande número de terceiros, pero é menos convinte.
+DelaiedFullListToSelectContact=Agardar a que presione unha tecla antes de cargar o contido da lista combinada de contactos. Isto pode incrementar o rendemento se ten un grande número de contactos, pero é menos convinte.
NumberOfKeyToSearch=Nº de caracteres para desencadenar a busca: %s
NumberOfBytes=Número de Bytes
SearchString=Buscar cadea
@@ -82,12 +84,11 @@ AllowToSelectProjectFromOtherCompany=Nun documento dun terceiro, pode escoller u
JavascriptDisabled=Javascript desactivado
UsePreviewTabs=Ver lapelas vista previa
ShowPreview=Ver vista previa
-ShowHideDetails=Show-Hide details
+ShowHideDetails=Show-Ocultar detalles
PreviewNotAvailable=Vista previa non dispoñible
ThemeCurrentlyActive=Tema actualmente activo
-CurrentTimeZone=Zona horaria PHP (Servidor)
MySQLTimeZone=Zona horaria MySql (base de datos)
-TZHasNoEffect=Dates are stored and returned by database server as if they were kept as submitted string. The timezone has effect only when using the UNIX_TIMESTAMP function (that should not be used by Dolibarr, so database TZ should have no effect, even if changed after data was entered).
+TZHasNoEffect=As datas son almacenadas e servidas polo servidor da base de datos coma se foran enviadas coma unha cadea. A zona horaria só ten efecto se é usada a función UNIX_TIMESTAMP (que no debera ser usada pol Dolibarr, polo que a zona horaria da base de datos non debe tener efecto, qínda que fora cambiada despois de introducir os datos).
Space=Área
Table=Taboa
Fields=Campos
@@ -98,14 +99,14 @@ NextValueForInvoices=Próximo valor (facturas)
NextValueForCreditNotes=Próximo valor (abonos)
NextValueForDeposit=Próximo valor (anticipos)
NextValueForReplacements=Próximo valor (rectificativas)
-MustBeLowerThanPHPLimit=Nota: A configuración actual do PHP limita o tamaño máximo de subida a %s %s, cualquera que sexa o valor deste parámetro
+MustBeLowerThanPHPLimit=Nota: A configuración actual do PHP limita o tamaño máximo de subida a %s %s, calquera que sexa o valor deste parámetro
NoMaxSizeByPHPLimit=Ningunha limitación interna configurada no seu servidor PHP
MaxSizeForUploadedFiles=Tamaño máximo dos ficheiros a subir (0 para desactivar a subida)
UseCaptchaCode=Utilización de código gráfico (CAPTCHA) na página de inicio de sesión
AntiVirusCommand=Ruta completa ao comando do antivirus
-AntiVirusCommandExample=Exemplo para ClamWin: c:\\Program Files (x86)\\ClamWin\\bin\\clamscan.exe Exemplo para ClamAv: /usr/bin/clamscan
+AntiVirusCommandExample=Exemplo para ClamAv (require clamav-daemon):/usr/bin/clamdscan Exemplo para ClamWin (moi moi lento): c::\\Progra~1\\ClamWin\\bin\\clamscan.exe
AntiVirusParam= Mais parámetors na liña de comandos
-AntiVirusParamExample=Exemplo para o demo ClamWin: --database="C:\\Program Files (x86)\\ClamWin\\lib"
+AntiVirusParamExample=Exemplo para o ClamAv: --fdpass Exemplo para ClamWin: --database="C:\\Program Files (x86)\\ClamWin\\lib"
ComptaSetup=Configuración do módulo Contabilidade
UserSetup=Configuración na xestión de usuarios
MultiCurrencySetup=Configuración do módulo multimoeda
@@ -133,7 +134,7 @@ PHPTZ=Zona Horaria Servidor PHP
DaylingSavingTime=Horario de verán (usuario)
CurrentHour=Hora PHP (servidor)
CurrentSessionTimeOut=Timeout sesión actual
-YouCanEditPHPTZ=To set a different PHP timezone (not required), you can try to add a .htaccess file with a line like this "SetEnv TZ Europe/Paris"
+YouCanEditPHPTZ=Para definir unha zona horaria PHP diferente (non é preciso), probe a engadir un ficheiro .htacces cunha liña coma esta "SetEnvTZ Europe/Madrid"
HoursOnThisPageAreOnServerTZ=Atención, ao contrario doutras pantallas, o horario nesta páxina non atópase na súa zona horaria local, atópase na zona horaria do servidor.
Box=Panel
Boxes=Paneis
@@ -141,8 +142,8 @@ MaxNbOfLinesForBoxes=Número máximo de liñas para paneis
AllWidgetsWereEnabled=Todos os widgets dispoñibles están activados
PositionByDefault=Posición por defecto
Position=Posición
-MenusDesc=Menu managers set content of the two menu bars (horizontal and vertical).
-MenusEditorDesc=The menu editor allows you to define custom menu entries. Use it carefully to avoid instability and permanently unreachable menu entries. Some modules add menu entries (in menu All mostly). If you remove some of these entries by mistake, you can restore them disabling and reenabling the module.
+MenusDesc=Os xestores de menús definen o contido das dúas barras de menú (horizontal e vertical)
+MenusEditorDesc=O editor de menús permite definir entradas de menú persoalizadas. Useo con coidado para evitar inestabilidade e entradas de menús erróneos. Algúns módulos engaden entradas do menú (no menú Todo maioritariamente). Se elimina algunhas destas entradas por erro, pode restauralas desactivando e reactivando o módulo.
MenuForUsers=Menú para os usuarios
LangFile=ficheiro .lang
Language_en_US_es_MX_etc=Lingua (en_US, es_MX, ...)
@@ -153,9 +154,9 @@ SystemToolsAreaDesc=Esta área ofrece distintas funcións de administración. Ut
Purge=Purga
PurgeAreaDesc=Esta páxina permitelle borrar todos os ficheiros xerados ou almacenados por Dolibarr (ficheiros temporais ou todos os ficheiros do directorio %s). O uso desta función non é precisa. Se proporciona como solución para os usuarios cuxos Dolibarr atópanse nun provedor que non ofrece permisos para eliminar os ficheiros xerados polo servidor web.
PurgeDeleteLogFile=Eliminar ficheiros de rexistro, incluidos %s definidos polo módulo Syslog (sen risco de perda de datos)
-PurgeDeleteTemporaryFiles=Eliminar todos os ficheros temporais (sen risco de perda de datos)
-PurgeDeleteTemporaryFilesShort=Eliminar ficheiros temporais purgados
-PurgeDeleteAllFilesInDocumentsDir=Eliminar todos os ficheiros do directorio %s. Ficheiros temporais e ficheiros relacionados con elementos (terceiros, facturas, etc.) serán eliminados.
+PurgeDeleteTemporaryFiles=Eliminar todos os logs e ficheros temporais (sen risco de perda de datos). Nota: A eliminación dos ficheiros temporais é realizada só de o directorio temporal foi creado hai mas de 24h.
+PurgeDeleteTemporaryFilesShort=Eliminar logs e ficheiros temporais.
+PurgeDeleteAllFilesInDocumentsDir=Eliminar todos os ficheiros do directorio %s. Isto eliminará todos os documentos xerados relacionados con elementos (terceiros, facturas, etc...), ficheiros actualizados no módulo ECM, copias de seguridade de bases de datos e ficheiros temporais.
PurgeRunNow=Purgar agora
PurgeNothingToDelete=Sen directorios ou ficheiros a eliminar.
PurgeNDirectoriesDeleted=%s ficheiros ou directorios eliminados
@@ -173,14 +174,14 @@ NoBackupFileAvailable=Ningunha copia dispoñible
ExportMethod=Método de exportación
ImportMethod=Método de importación
ToBuildBackupFileClickHere=Para crear unha copia, faga click aquí.
-ImportMySqlDesc=Para importar unha copia, hai que utilizar o comando mysql na liña seguinte:
+ImportMySqlDesc=Para importar un ficheiro de copia de seguridade de MYQL, pode usar phpMyAdmin a través do se aloxamento web ou usar o comando mysql desde a liña de comandos Por exemplo:
ImportPostgreSqlDesc=Para importar unha copia de seguridade, debe usar o comando pg_restore dende a línea de comandos:
ImportMySqlCommand=%s %s < meuficheirobackup.sql
ImportPostgreSqlCommand=%s %s meuficheirobackup.sql
FileNameToGenerate=Nome do ficheiro a xerar
Compression=Compresión
-CommandsToDisableForeignKeysForImport=Command to disable foreign keys on import
-CommandsToDisableForeignKeysForImportWarning=Mandatory if you want to be able to restore your sql dump later
+CommandsToDisableForeignKeysForImport=Comando para desactivar as claves externas á importación
+CommandsToDisableForeignKeysForImportWarning=Obrigatorio se quiere poder restaurar mais tarde o seu volcado SQL
ExportCompatibility=Compatibilidade do ficheiro de exportación xerado
ExportUseMySQLQuickParameter=Use a opción --quick
ExportUseMySQLQuickParameterHelp=A opción'--quick' parameter axuda a limitar o consumo de RAM en táboas longas.
@@ -201,30 +202,30 @@ IgnoreDuplicateRecords=Ignorar os erros por rexistro duplicado (INSERT IGNORE)
AutoDetectLang=Autodetección (navegador)
FeatureDisabledInDemo=Opción deshabilitada no demo
FeatureAvailableOnlyOnStable=Funcionaliade dispoñible exclusivamente en versións oficiais estables
-BoxesDesc=Widgets are components showing some information that you can add to personalize some pages. You can choose between showing the widget or not by selecting target page and clicking 'Activate', or by clicking the trashcan to disable it.
-OnlyActiveElementsAreShown=Only elements from enabled modules are shown.
-ModulesDesc=The modules/applications determine which features are available in the software. Some modules require permissions to be granted to users after activating the module. Click the on/off button %s of each module to enable or disable a module/application.
-ModulesMarketPlaceDesc=You can find more modules to download on external websites on the Internet...
-ModulesDeployDesc=If permissions on your file system allow it, you can use this tool to deploy an external module. The module will then be visible on the tab %s.
-ModulesMarketPlaces=Find external app/modules
-ModulesDevelopYourModule=Develop your own app/modules
-ModulesDevelopDesc=You may also develop your own module or find a partner to develop one for you.
-DOLISTOREdescriptionLong=Instead of switching on www.dolistore.com web site to find an external module, you can use this embedded tool that will perform the search on the external market place for you (may be slow, need an internet access)...
-NewModule=New module
-FreeModule=Free
+BoxesDesc=Os paneis son compoñentes que amosan algunha información que pode engadires para persoalizar algunhas páxinas. Pode escoller entre amosar ou non o panel seleccionando a páxina de destino e facendo clic en 'Activar', ou facendo clic na papeleira para desactivalo.
+OnlyActiveElementsAreShown=Só os elementos de módulos activados son amosados.
+ModulesDesc=Os módulos/aplicacións determinan qué funcionalidade está habilitada no software. Algúns módulos requiren permisos que teñen que ser concedidos aos usuarios logo de activar o módulo. Faga clic no botón %s de acendido/apagado de cada módulo para habilitar ou desactivar un módulo/aplicación.
+ModulesMarketPlaceDesc=Pode atopar mais módulos para descargar en sitios web externos da Internet ...
+ModulesDeployDesc=Se os permisos no seu sistema de ficheiros llo permiten, pode utilizar esta ferramenta para instalar un módulo externo. O módulo estará entón visible na lapela %s.
+ModulesMarketPlaces=Procurar módulos externos...
+ModulesDevelopYourModule=Desenvolva as súas propias aplicacións/módulos
+ModulesDevelopDesc=Vostede pode desenvolver o seu propio módulo ou atopar un socio para que desenvolva un para vostede.
+DOLISTOREdescriptionLong=En lugar de ir al sitio web www.dolistore.com para encontrar un módulo externo, puede utilizar esta herramienta incorporada que hará la búsqueda en la tienda por usted (puede ser lento, es necesario acceso a Internet)...
+NewModule=Novo
+FreeModule=Gratis
CompatibleUpTo=Compatible coa versión %s
-NotCompatible=This module does not seem compatible with your Dolibarr %s (Min %s - Max %s).
-CompatibleAfterUpdate=This module requires an update to your Dolibarr %s (Min %s - Max %s).
-SeeInMarkerPlace=See in Market place
-SeeSetupOfModule=See setup of module %s
+NotCompatible=Este módulo non parece compatible co seu Dolibarr %s (Min %s - Max %s).
+CompatibleAfterUpdate=Este módulo require unha actualización do seu Dolibarr %s (Min %s - Max %s).
+SeeInMarkerPlace=Ver na tenda
+SeeSetupOfModule=Ver a configuración do módulo %s
Updated=Actualizado
Nouveauté=Novidade
AchatTelechargement=Compra/Descarga
-GoModuleSetupArea=To deploy/install a new module, go to the Module setup area: %s.
-DoliStoreDesc=DoliStore, the official market place for Dolibarr ERP/CRM external modules
-DoliPartnersDesc=List of companies providing custom-developed modules or features. Note: since Dolibarr is an open source application, anyone experienced in PHP programming should be able to develop a module.
-WebSiteDesc=External websites for more add-on (non-core) modules...
-DevelopYourModuleDesc=Some solutions to develop your own module...
+GoModuleSetupArea=Para aplicar/instalar un novo módulo, ir ao área de configuración de módulos %s.
+DoliStoreDesc=DoliStore, o sitio oficial de módulos externos e para Dolibarr ERP/CRM
+DoliPartnersDesc=Listaxe de empresas que ofrecen módulos-desenvolvementos a medida. Nota: dende que Dolibarr é una aplicación de código aberto, calquera persoa con experiencia en programación PHP pode desenvolver un módulo.
+WebSiteDesc=Sitios web de referencia para atopar mais módulos (non core)...
+DevelopYourModuleDesc=Algunhas solucións para desenvolver o seu propio módulo ...
URL=Ligazón
RelativeURL=Ligazón relativa
BoxesAvailable=Paneis dispoñibles
@@ -232,17 +233,17 @@ BoxesActivated=Paneis activos
ActivateOn=Activar en
ActiveOn=Activo en
SourceFile=Ficheiro orixe
-AvailableOnlyIfJavascriptAndAjaxNotDisabled=Available only if JavaScript is not disabled
+AvailableOnlyIfJavascriptAndAjaxNotDisabled=Dispoñible só se Javascript e Ajax non están desactivados
Required=Requirido
UsedOnlyWithTypeOption=Usado só por algunha opción da axenda
Security=Seguridade
Passwords=Contrasinais
-DoNotStoreClearPassword=Encrypt passwords stored in database (NOT as plain-text). It is strongly recommended to activate this option.
-MainDbPasswordFileConfEncrypted=Encrypt database password stored in conf.php. It is strongly recommended to activate this option.
-InstrucToEncodePass=To have password encoded into the conf.php file, replace the line $dolibarr_main_db_pass="..."; by $dolibarr_main_db_pass="crypted:%s";
-InstrucToClearPass=To have password decoded (clear) into the conf.php file, replace the line $dolibarr_main_db_pass="crypted:..."; by $dolibarr_main_db_pass="%s";
-ProtectAndEncryptPdfFiles=Protect generated PDF files. This is NOT recommended as it breaks bulk PDF generation.
-ProtectAndEncryptPdfFilesDesc=Protection of a PDF document keeps it available to read and print with any PDF browser. However, editing and copying is not possible anymore. Note that using this feature makes building of a global merged PDFs not working.
+DoNotStoreClearPassword=Non almacenar o contrasinal sen cifrar na base de datos (NON en texto plano). É moi recomendable activar esta opción.
+MainDbPasswordFileConfEncrypted=Cifrar o contrasinal da base de datos no ficheiro conf.php. É moi recomendable activar esta opción.
+InstrucToEncodePass=Para ter o contrasinal codificado en conf.php, mude a liña $dolibarr_main_db_pass = "..."; por $dolibarr_main_db_pass = "crypted:%s";
+InstrucToClearPass=Para ter o contrasinal decodificado (visible) en conf.php, mude a liña $dolibarr_main_db_pass = "crypted:..."; por $dolibarr_main_db_pass = "%s";
+ProtectAndEncryptPdfFiles=Protección dos ficheros PDF xerados. Isto NON está recomendado, pode fallar a xeración de PDF en masa
+ProtectAndEncryptPdfFilesDesc=A protección dun documento PDF o garda dispoñible para ler e imprimir con calquera navegador PDF. Porén, a edición e a copia non son posibles. Teña conta de que o uso desta característica fai que a creación global dun conxunto de PDFs non funcione.
Feature=Función
DolibarrLicense=Licenza
Developpers=Desenvolvedores/contribuidores
@@ -256,11 +257,12 @@ ReferencedPreferredPartners=Partners preferidos
OtherResources=Outros recursos
ExternalResources=Recursos externos
SocialNetworks=Redes sociais
-ForDocumentationSeeWiki=For user or developer documentation (Doc, FAQs...), take a look at the Dolibarr Wiki: %s
-ForAnswersSeeForum=For any other questions/help, you can use the Dolibarr forum: %s
-HelpCenterDesc1=Here are some resources for getting help and support with Dolibarr.
-HelpCenterDesc2=Some of these resources are only available in english.
-CurrentMenuHandler=Current menu handler
+SocialNetworkId=ID Rede Social
+ForDocumentationSeeWiki=Para a documentación de usuario, desenvolvedor (Doc, FAQS), visite o wiki Dolibarr: %s
+ForAnswersSeeForum=Para calquera outra dúbida/axuda, pode facer uso do foro Dolibarr: %s
+HelpCenterDesc1=Aquí hai algúns recursos para obter axuda e soporte de Dolibarr
+HelpCenterDesc2=Algúns destes recursos só están dispoñibles en inglés.
+CurrentMenuHandler=Xestor de menú actual
MeasuringUnit=Unidade de medida
LeftMargin=Marxe esquerdo
TopMargin=Marxe superior
@@ -274,41 +276,41 @@ NoticePeriod=Prazo de aviso
NewByMonth=Novo por mes
Emails=E-Mails
EMailsSetup=Configuración e-mails
-EMailsDesc=This page allows you to set parameters or options for email sending.
+EMailsDesc=Esta páxina permite configurar parámetros ou opcións para envíos de correos electrónicos.
EmailSenderProfiles=Perfís de remitentes de e-mails
EMailsSenderProfileDesc=Pode gardar esta sección baleira. Se vostede introduce algúns enderezos de correo aquí, estes serán engadidos a listaxe de posibles emisores dentro da caixa cando escribe un novo enderezo.
-MAIN_MAIL_SMTP_PORT=Porto do servidor SMTP (Por defecto en php.ini: %s)
-MAIN_MAIL_SMTP_SERVER=SMTP/SMTPS Host (default value in php.ini: %s)
-MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=SMTP/SMTPS Port (Not defined into PHP on Unix-like systems)
-MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP/SMTPS Host (Not defined into PHP on Unix-like systems)
-MAIN_MAIL_EMAIL_FROM=Sender email for automatic emails (default value in php.ini: %s)
-MAIN_MAIL_ERRORS_TO=Email used for error returns emails (fields 'Errors-To' in emails sent)
-MAIN_MAIL_AUTOCOPY_TO= Copy (Bcc) all sent emails to
-MAIN_DISABLE_ALL_MAILS=Disable all email sending (for test purposes or demos)
-MAIN_MAIL_FORCE_SENDTO=Send all emails to (instead of real recipients, for test purposes)
-MAIN_MAIL_ENABLED_USER_DEST_SELECT=Suggest emails of employees (if defined) into the list of predefined recipient when writing a new email
-MAIN_MAIL_SENDMODE=Email sending method
-MAIN_MAIL_SMTPS_ID=SMTP ID (if sending server requires authentication)
-MAIN_MAIL_SMTPS_PW=SMTP Password (if sending server requires authentication)
-MAIN_MAIL_EMAIL_TLS=Use TLS (SSL) encryption
-MAIN_MAIL_EMAIL_STARTTLS=Use TLS (STARTTLS) encryption
-MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Authorise les certificats auto-signés
-MAIN_MAIL_EMAIL_DKIM_ENABLED=Use DKIM to generate email signature
-MAIN_MAIL_EMAIL_DKIM_DOMAIN=Email Domain for use with dkim
-MAIN_MAIL_EMAIL_DKIM_SELECTOR=Name of dkim selector
-MAIN_MAIL_EMAIL_DKIM_PRIVATE_KEY=Private key for dkim signing
-MAIN_DISABLE_ALL_SMS=Disable all SMS sending (for test purposes or demos)
-MAIN_SMS_SENDMODE=Method to use to send SMS
-MAIN_MAIL_SMS_FROM=Default sender phone number for SMS sending
-MAIN_MAIL_DEFAULT_FROMTYPE=Default sender email for manual sending (User email or Company email)
-UserEmail=User email
-CompanyEmail=Company Email
-FeatureNotAvailableOnLinux=Feature not available on Unix like systems. Test your sendmail program locally.
-FixOnTransifex=Fix the translation on the online translation platform of project
-SubmitTranslation=If the translation for this language is not complete or you find errors, you can correct this by editing files in directory langs/%s and submit your change to www.transifex.com/dolibarr-association/dolibarr/
-SubmitTranslationENUS=If translation for this language is not complete or you find errors, you can correct this by editing files into directory langs/%s and submit modified files on dolibarr.org/forum or, if you are a developer, with a PR on github.com/Dolibarr/dolibarr
-ModuleSetup=Configuración do Módulo
-ModulesSetup=Configuración dos Módulos/Aplicacións
+MAIN_MAIL_SMTP_PORT=Porto do servidor SMTP (Valor por defecto en php.ini: %s)
+MAIN_MAIL_SMTP_SERVER=Host SMTP/SMTPS (Valor por defecto en php.ini: %s)
+MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=Porto SMTP/SMTPS (Non definido en PHP en sistemas de tipo Unix)
+MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=Nome/ip servidor SMTP/SMTPS (Non definido en PHP en sistemas tipo Unix)
+MAIN_MAIL_EMAIL_FROM=Correo electrónico do remitente para correos electrónicos automáticos (valor predeterminado en php.ini: %s )
+MAIN_MAIL_ERRORS_TO=Correo electrónico utilizado enviar os correos electrónicos con erros (campos "Errors-To" nos correos electrónicos enviados)
+MAIN_MAIL_AUTOCOPY_TO= Enviar a copia oculta (Bcc) de todos os correos electrónicos enviados a
+MAIN_DISABLE_ALL_MAILS=Deshabilitar todo o envío de correo electrónico (para fins de proba ou demostracións)
+MAIN_MAIL_FORCE_SENDTO=Enviar todos os correos electrónicos a (en lugar de destinatarios reais, para fins de proba)
+MAIN_MAIL_ENABLED_USER_DEST_SELECT=Engadir correos electrónicos dos empregados (se se define) na lista de destinatarios predefinidos ao escribir un novo correo electrónico
+MAIN_MAIL_SENDMODE=Método de envío de correos electrónico
+MAIN_MAIL_SMTPS_ID=ID de autentificación SMTP (se o servidor de envío require autenticación)
+MAIN_MAIL_SMTPS_PW=Contrasinal SMTP (se o servidor de envío require autenticación)
+MAIN_MAIL_EMAIL_TLS=Usar cifrado TLS (SSL)
+MAIN_MAIL_EMAIL_STARTTLS=Usar cifrado TLS (STARTTLS)
+MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Autorizar os certificados autosinados
+MAIN_MAIL_EMAIL_DKIM_ENABLED=Use DKIM para xerar sinatura de correo electrónico
+MAIN_MAIL_EMAIL_DKIM_DOMAIN=Dominio de correo electrónico para usar con DKIM
+MAIN_MAIL_EMAIL_DKIM_SELECTOR=Nome do selector DKIM
+MAIN_MAIL_EMAIL_DKIM_PRIVATE_KEY=Chave privada para a sinatura de DKIM
+MAIN_DISABLE_ALL_SMS=Desactivar todo o envío de SMS (para fins de proba ou demostracións)
+MAIN_SMS_SENDMODE=Método de envío de SMS
+MAIN_MAIL_SMS_FROM=Número de teléfono por defecto do remitente para os envíos SMS
+MAIN_MAIL_DEFAULT_FROMTYPE=Correo electrónico predeterminado do remitente para o envío manual (correo electrónico do usuario ou correo electrónico da Empresa)
+UserEmail=Correo electrónico de usuario
+CompanyEmail=Correo electrónico da empresa
+FeatureNotAvailableOnLinux=Funcionalidad non dispoñible en sistemas similares a Unix. Proba localmente o teu programa sendmail..
+FixOnTransifex=Corrixa a tradución na plataforma de tradución en liña do proxecto Transifex
+SubmitTranslation=Se a tradución deste idioma non está completa ou atopa erros, pode corrixilo editando ficheiros no directorio langs/%s e envía o teu cambio a www.transifex.com/dolibarr-association/dolibarr/
+SubmitTranslationENUS=Se a tradución deste idioma non está completa ou atopa erros, pode corrixilo editando ficheiros no directorio langs/%s e enviar os ficheiros modificados a dolibarr.org/forum ou, se son desenvolvedores, cun PR a github.com/Dolibarr/dolibarr.
+ModuleSetup=Configuración do módulo
+ModulesSetup=Configuración dos módulos
ModuleFamilyBase=Sistema
ModuleFamilyCrm=Xestión de Relacións cos Clientes (CRM)
ModuleFamilySrm=Xestión de Relacións cos Provedores (VRM)
@@ -335,7 +337,7 @@ UnpackPackageInModulesRoot=Para instalar un módulo externo, descomprima o fiche
SetupIsReadyForUse=A instalación do módulo rematou. Porén, debe habilitar e configurar o módulo na súa aplicación, indo á páxina para configurar os módulos: %s.
NotExistsDirect=O directorio raíz alternativo non está configurado nun directorio existente.
InfDirAlt=Dende a versión 3, é posible definir un directorio raíz alternativo. Isto permítelle almacenar, nun directorio adicado, plug-ins e prantillas persoalizadas. Só en que crear un directorio na raíz de Dolibarr (por exemplo: custom).
-InfDirExample= Despois indíqueo no ficheiro conf.php $ dolibarr_main_url_root_alt = 'http://miservidor /custom' $ dolibarr_main_document_root_alt = '/ruta/de/dolibarr/htdocs/custom ' Se estas liñas atópanse comentadas con "#", para habilitalas, chega con descomentar eliminando o carácter "#".
+InfDirExample= Despois indíqueo no ficheiro conf.php $dolibarr_main_url_root_alt ='/custom' $dolibarr_main_document_root_alt= '/path/of/dolibarr/htdocs/custom ' Se estas liñas atópanse comentadas con "#", para habilitalas, chega con descomentar eliminando o carácter "#".
YouCanSubmitFile=Alternativamente, pode subir o módulo .zip comprimido:
CurrentVersion=Versión actual de Dolibarr
CallUpdatePage=Ir á páxina de actualización da estrutura da base de datos e os seus datos: %s.
@@ -348,7 +350,7 @@ WithCounter=Con contador
GenericMaskCodes=Pode introducir calquera máscara numérica. Nsta máscara, pode utilizar as seguintes etiquetas: {000000} corresponde a un número que incrementase en cada un de %s. Introduza tantos ceros como lonxitude desexa amosar. O contador complétase a partir de ceros pola esquerda coa finalidade de ter tantos ceros como a máscara. {000000+000} b> Igual que o anterior, cunha compensación correspondente ao número á dereita do sinal + aplícase a partires do primeiro %s. {000000@x} igual que o anterior, pero o contador restablecese a cero cando chega a x meses (x entre 1 e 12). Se esta opción é utilizada e x é de 2 ou superior, entón a secuencia {yy}{mm} o {yyyy}{mm} tamén é precisa. {dd} días (01 a 31). {mm} mes (01 a 12). {yy}, {yyyy} ou {y} ano en 2, 4 ou 1 cifra.
GenericMaskCodes2={cccc} código de cliente con n caracteres {cccc000} código de cliente con n caracteres é seguido por un contador adicado a clientes. Este contador adicado a clientes será reseteado ao mismo tempo que o contador global. {tttt} O código do tipo de empresa con n caracteres (vexa diccionarios->tipos de empresa).
GenericMaskCodes3=Calquera outro caracter na máscara quedará sen cambios. Non son permitidos espazos
-GenericMaskCodes4a=Exemplo na 99ª %s do terceiro. A empresa realizada o 31/03/2007:
+GenericMaskCodes4a=Exemplo no 99th %s do terceiro a Empresa con data do 31/01/2007:
GenericMaskCodes4b=Exemplo sobre un terceiro creado o 31/03/2007:
GenericMaskCodes4c=Exemplo nun produto/servizo creado o 31/03/2007:
GenericMaskCodes5=ABC {yy} {mm} - {000000} dará ABC0701-000099 {0000+100@1}-ZZZ/{dd}/XXX dará 0199-ZZZ/31/ XXX IN{yy}{mm}-{0000}-{t} dará IN0701-0099-A se o tipo de empresa é 'Responsable Inscrito' con código para o tipo 'A_RI'
@@ -364,7 +366,7 @@ UMask=Parámetro UMask de novos ficheiros en Unix/Linux/BSD.
UMaskExplanation=Este parámetro determina os dereitos dos ficheiros creados no servidor Dolibarr (durante a subida, por exemplo). Este debe ser o valor octal (por exemplo, 0666 significa leitura / escritura para todos). Este parámetro non ten ningún efecto sobre un servidor Windows.
SeeWikiForAllTeam=Vexa o wiki para mais detalles de todos os actores e da súa organización
UseACacheDelay= Demora en caché da exportación en segundos (0 o vacio sen caché)
-DisableLinkToHelpCenter=Ocultar a ligazón "¿Precisa soporte ou axuda?" na páxina de login
+DisableLinkToHelpCenter=Ocultar a ligazón "¿Precisa soporte ou axuda?" na páxina de login
DisableLinkToHelp=Ocultar a ligazón á axuda en liña "%s"
AddCRIfTooLong=Non hai liñas de corte automático, de tal xeito que se o texto é longo demais non será amosado nos documentos. Prégase que engada un salto de liña na área de texto se fora preciso
ConfirmPurge=¿Está certo de querer realizar esta purga? Isto borrará definitivamente todos os datos dos seus ficheiros (área GED, ficheiros axuntados...).
@@ -373,11 +375,11 @@ LanguageFilesCachedIntoShmopSharedMemory=ficheiros .lang en memoria compartida
LanguageFile=Ficheiro de idioma
ExamplesWithCurrentSetup=Exemplos coa configuración actual
ListOfDirectories=Listaxe de directorios de prantillas OpenDocument
-ListOfDirectoriesForModelGenODT=Listaxe de directorios que conteñen as prantillas de ficheiros co formato OpenDocument. Poña aquí a ruta completa de directorios. Engada un retorno de carro entre cada directorio Para engadir un directorio de módulo GED, engada aquí DOL_DATA_ROOT/ecm/seunomededirectorio.
Os ficheiros deses directorios deben terminar co .odt o .ods.
+ListOfDirectoriesForModelGenODT=Listaxe de directorios que conteñen as prantillas de ficheiros co formato OpenDocument.
Poña aquí a ruta completa de directorios. Engada un retorno de carro entre cada directorio Para engadir un directorio de módulo GED, engada aquí DOL_DATA_ROOT/ecm/seunomededirectorio.
Os ficheiros deses directorios deben terminar co .odt o .ods.
NumberOfModelFilesFound=Número de ficheiros de prantillas ODT/ODS atopados nestes directorios
ExampleOfDirectoriesForModelGen=Exemplos de sintaxe: c:\\mydir /home/mydir DOL_DATA_ROOT/ecm/ecmdir
-FollowingSubstitutionKeysCanBeUsed=Colocando as seguintes etiquetas na prantilla, obterá uhna substitución co valor persoalizado ao xerar o documento:
-FullListOnOnlineDocumentation=http://wiki.dolibarr.org/index.php/Crear_un_modelo_de_documento_ODT
+FollowingSubstitutionKeysCanBeUsed= Colocando as seguintes etiquetas na prantilla, obterá uhna substitución co valor persoalizado ao xerar o documento:
+FullListOnOnlineDocumentation=http://wiki.dolibarr.org/index.php/Create_an_ODT_document_template
FirstnameNamePosition=Orde visualización nome/apelidos
DescWeather=Os seguintes gráficos serán amosados no panel se o número de elementos chega a estes valores:
KeyForWebServicesAccess=Clave para usar os Web Services (parámetro "dolibarrkey" en webservices)
@@ -391,12 +393,12 @@ ModuleMustBeEnabledFirst=O módulo %s debe ser activado antes se precisa
SecurityToken=Chave para cifrar urls
NoSmsEngine=Non hai dispoñible ningún xestor de envío de SMS. Os xestores de envío de SMS no son instalados por defecto xa que dependen de cada provedor, porén pode atopalos na plataforma %s
PDF=PDF
-PDFDesc=Global options for PDF generation
-PDFAddressForging=Rules for address section
+PDFDesc=Opcións globais para xerar os PDF
+PDFAddressForging=Regras de visualización de enderezos
HideAnyVATInformationOnPDF=Ocultar toda a información relacionada co IVE ao xerar os PDF
PDFRulesForSalesTax=Regras de IVE
PDFLocaltax=Regras para %s
-HideLocalTaxOnPDF=Hide %s rate in column Sale Tax / VAT
+HideLocalTaxOnPDF=Ocultar a taxa %s na columna de impostos do pdf
HideDescOnPDF=Ocultar descrición dos produtos ao xerar os PDF
HideRefOnPDF=Ocultar referencia dos produtos ao xerar os PDF
HideDetailsOnPDF=Ocultar detalles das liñas ao xerar os PDF
@@ -406,16 +408,16 @@ UrlGenerationParameters=Seguridade das URLs
SecurityTokenIsUnique=¿Usar un parámetro securekey único para cada URL?
EnterRefToBuildUrl=Introduza a referencia do obxecto %s
GetSecuredUrl=Obter a URL calculada
-ButtonHideUnauthorized=Ocultar botóns de accións non permitidas aos usuarios non administradores en vez de amosalos atenuados
+ButtonHideUnauthorized=Ocultar botóns de accións non permitidas tamén aos usuarios internos (en gris doutro xeito)
OldVATRates=Taxa de IVE antiga
NewVATRates=Taxa de IVE nova
PriceBaseTypeToChange=Cambiar o prezo cuxa referencia de base é
MassConvert=Convertir masivamente
PriceFormatInCurrentLanguage=Formato de prezo na lingua utilizada
String=Cadea de texto
-String1Line=String (1 line)
+String1Line=Cadea (1 liña)
TextLong=Texto longo
-TextLongNLines=Long text (n lines)
+TextLongNLines=Texto longo (n liñas)
HtmlText=Texto html
Int=Numérico enteiro
Float=Decimal
@@ -435,31 +437,31 @@ ExtrafieldCheckBox=Caixa de verificación
ExtrafieldCheckBoxFromList=Caixa de verificación da táboa
ExtrafieldLink=Vínculo a un obxecto
ComputedFormula=Campo combinado
-ComputedFormulaDesc=You can enter here a formula using other properties of object or any PHP coding to get a dynamic computed value. You can use any PHP compatible formulas including the "?" condition operator, and following global object: $db, $conf, $langs, $mysoc, $user, $object. WARNING: Only some properties of $object may be available. If you need a properties not loaded, just fetch yourself the object into your formula like in the second example. Using a computed field means you can't enter yourself any value from interface. Also, if there is a syntax error, the formula may return nothing.
Example to reload object (($reloadedobj = new Societe($db)) && ($reloadedobj->fetchNoCompute($obj->id ? $obj->id: ($obj->rowid ? $obj->rowid: $object->id)) > 0)) ? $reloadedobj->array_options['options_extrafieldkey'] * $reloadedobj->capital / 5: '-1'
Other example of formula to force load of object and its parent object: (($reloadedobj = new Task($db)) && ($reloadedobj->fetchNoCompute($object->id) > 0) && ($secondloadedobj = new Project($db)) && ($secondloadedobj->fetchNoCompute($reloadedobj->fk_project) > 0)) ? $secondloadedobj->ref: 'Parent project not found'
-Computedpersistent=Store computed field
-ComputedpersistentDesc=Computed extra fields will be stored in the database, however, the value will only be recalculated when the object of this field is changed. If the computed field depends on other objects or global data this value might be wrong!!
-ExtrafieldParamHelpPassword=Leaving this field blank means this value will be stored without encryption (field must be only hidden with star on screen). Set 'auto' to use the default encryption rule to save password into database (then value read will be the hash only, no way to retrieve original value)
-ExtrafieldParamHelpselect=List of values must be lines with format key,value (where key can't be '0')
for example: 1,value1 2,value2 code3,value3 ...
In order to have the list depending on another complementary attribute list: 1,value1|options_parent_list_code:parent_key 2,value2|options_parent_list_code:parent_key
In order to have the list depending on another list: 1,value1|parent_list_code:parent_key 2,value2|parent_list_code:parent_key
-ExtrafieldParamHelpcheckbox=List of values must be lines with format key,value (where key can't be '0')
for example: 1,value1 2,value2 3,value3 ...
-ExtrafieldParamHelpradio=List of values must be lines with format key,value (where key can't be '0')
for example: 1,value1 2,value2 3,value3 ...
-ExtrafieldParamHelpsellist=List of values comes from a table Syntax: table_name:label_field:id_field::filter Example: c_typent:libelle:id::filter
- id_field is necessarly a primary int key - filter can be a simple test (eg active=1) to display only active value You can also use $ID$ in filter which is the current id of current object To use a SELECT into the filter use the keyword $SEL$ to bypass anti-injection protection. if you want to filter on extrafields use syntax extra.fieldcode=... (where field code is the code of extrafield)
In order to have the list depending on another complementary attribute list: c_typent:libelle:id:options_parent_list_code|parent_column:filter
In order to have the list depending on another list: c_typent:libelle:id:parent_list_code|parent_column:filter
-ExtrafieldParamHelpchkbxlst=List of values comes from a table Syntax: table_name:label_field:id_field::filter Example: c_typent:libelle:id::filter
filter can be a simple test (eg active=1) to display only active value You can also use $ID$ in filter witch is the current id of current object To do a SELECT in filter use $SEL$ if you want to filter on extrafields use syntax extra.fieldcode=... (where field code is the code of extrafield)
In order to have the list depending on another complementary attribute list: c_typent:libelle:id:options_parent_list_code|parent_column:filter
In order to have the list depending on another list: c_typent:libelle:id:parent_list_code|parent_column:filter
-ExtrafieldParamHelplink=Parameters must be ObjectName:Classpath Syntax: ObjectName:Classpath
-ExtrafieldParamHelpSeparator=Keep empty for a simple separator Set this to 1 for a collapsing separator (open by default for new session, then status is kept for each user session) Set this to 2 for a collapsing separator (collapsed by default for new session, then status is kept fore each user session)
-LibraryToBuildPDF=Library used for PDF generation
-LocalTaxDesc=Some countries may apply two or three taxes on each invoice line. If this is the case, choose the type for the second and third tax and its rate. Possible type are: 1: local tax apply on products and services without vat (localtax is calculated on amount without tax) 2: local tax apply on products and services including vat (localtax is calculated on amount + main tax) 3: local tax apply on products without vat (localtax is calculated on amount without tax) 4: local tax apply on products including vat (localtax is calculated on amount + main vat) 5: local tax apply on services without vat (localtax is calculated on amount without tax) 6: local tax apply on services including vat (localtax is calculated on amount + tax)
+ComputedFormulaDesc=Puede introducir aquí unha fórmula utilizando outras propiedades de obxecto o calquera código PHP para obter un valor calculado dinámico. Pode utilizar calquera fórmula compatible con PHP, incluído o operador de condición "?" e os obxectos globais seguintes: $db, $conf, $langs, $mysoc, $user, $object. ATENCIÓN: Só algunhas propiedades de $object poden estar dispoñibles. Se precisa propiedades non cargadas, só procure o obxecto na súa fórmula como no segundo exemplo. Usar un campo computado significa que non pode ingresar ningún valor dende a interfaz. Además, se hai un error de sintaxe, e posible que a fórmula non devolva nada.
Exemlo de recarga de obxectto (($reloadedobj = new Societe($db)) && ($reloadedobj->fetch($obj->id ? $obj->id : ($obj->rowid ? $obj->rowid : $object->id)) > 0)) ? $reloadedobj->array_options['options_extrafieldkey'] * $reloadedobj->capital / 5 : '-1'
Outro exemplo de fórmula para forzar a carga do objeto e su obxecto principal: (($reloadedobj = new Task($db)) && ($reloadedobj->fetch($object->id) > 0) && ($secondloadedobj = new Project($db)) && ($secondloadedobj->fetch($reloadedobj->fk_project) > 0)) ? $secondloadedobj->ref : 'Parent project not found'
+Computedpersistent=Almacenar campo combinado
+ComputedpersistentDesc=Os campos adicionais calculados gardaranse na base de datos, con todo, o valor só se recalculará cando se cambie o obxecto deste campo. Se o campo calculado depende doutros obxectos ou datos globais, este valor pode ser incorrecto.
+ExtrafieldParamHelpPassword=Deixar este campo en branco significa que este valor gardarase sen cifrado (o campo estará oculto coa estrelas na pantalla). Estableza aquí o valor "auto" para usar a regra de cifrado predeterminada para gardar o contrasinal na base de datos (entón o valor lido será só o hash, non hai forma de recuperar o valor orixinal)
+ExtrafieldParamHelpselect=A listaxe de parámetros ten que ser key,valor
por exemplo: 1,value1 2,value2 3,value3 ...
Para ter unha lista en funcion de campos adicionais de lista: 1,value1|options_parent_list_code:parent_key 2,value2|options_parent_list_code:parent_key
Para ter unha lista en función doutra: 1,value1|parent_list_code:parent_key 2,value2|parent_list_code:parent_key
+ExtrafieldParamHelpcheckbox=A listaxe de parámetros debe ser ser liñas con formato key,value (onde key non pode ser '0')
por exemplo: 1,value1 2,value2 3,value3 ...
+ExtrafieldParamHelpradio=A listaxe de parámetros tiene que ser key,valor (onde key non pode ser 0)
por exemplo: 1,value1 2,value2 3,value3 ...
+ExtrafieldParamHelpsellist=A listaxe de parámetros provén dunha táboa Syntax: table_name:label_field:id_field::filter Exemplo: c_typent: libelle:id::filter
- id_field é necesariamente unha chave int primaria -filter pode ser unha proba sinxela (por exemplo, activa = 1) Para amosar só o valor activo Tamén pode utilizar $ID$ no filtro o cal é o id do obxecto actual Para facer un SELECT no filtro de uso $SEL$ se desexa filtrar en campos adicionais pode utilizar a sintaxe extra.fieldcode=... (onde código de campo é o código de campo adicional)
Para que a lista dependa doutra lista de campos adicionais list: c_typent:libelle:id: options_ parent_list_code |parent_column:filter
Para que a lista dependa doutra lista: c_typent:libelle:id: parent_list_code |parent_column:filter
+ExtrafieldParamHelpchkbxlst=A listaxe de parámetros provén dunha táboa Sintaxe: table_name:label_field:id_field::filter Exemplo: c_typent: libelle: id:: filter
o filtro pode ser unha proba sinxela (por exemplo, activa = 1) Para amosar só o valor activo Tamén pode utilizar $ID$ no filtro no que é o id do obxecto actual Para facer un SELECT no filtro use $SEL$ se desexa filtrar en campos adicionais pode utilizar a sintaxe extra.fieldcode = ... (onde o código de campo é o código de campo adicional)
Para que a lista dependa doutra lista de campos adicionais: c_typent: libelle: id: options_ parent_list_code |parent_column: filter
Para que a lista dependa doutra lista: c_typent: libelle:id: parent_list_code |parent_column:filter
+ExtrafieldParamHelplink=Os parámetros deben ser ObjectName:Classpath Sintaxe: ObjectName:Classpath
+ExtrafieldParamHelpSeparator=Manter baleiro para un separador simple. Estableza isto en 1 para un separador colapsado (aberto por defecto para a nova sesión, entón o estado manterase para cada sesión de usuario) Estableza isto a 2 para un separador colapsado (contraído por defecto para a nova sesión, o estado mantense antes de cada sesión de usuario)
+LibraryToBuildPDF=Libreria usada na xeración dos PDF
+LocalTaxDesc=Algúns países poden aplicar dous ou tres impostos en cada liña de factura. Se é o caso, escolla o tipo da segunda e terceira taxa e o seu valor. Os tipos posibles son: 1: aplícase o imposto local sobre produtos e servizos sen IVE (a taxa local calcúlase sobre a base impoñible) 2: aplícase o imposto local sobre produtos e servizos incluíndo o IVE (a taxa local calcúlase sobre a base impoñible + imposto principal ) 3: aplicar o imposto local sobre produtos sen IVE (a taxa local calcúlase sobre a base impoñible) 4: aplicar o imposto local sobre produtos incluíndo a IVE (a taxa local calcúlase sobre a base impoñible + ive principal) 5: local imposto aplicable a servizos sen IVE (a taxa local calcúlase sobre a base impoñible) 6: aplícase o imposto local a servizos incluíndo a IVE (a taxa local calcúlase sobre a base impoñible + imposto)
SMS=SMS
-LinkToTestClickToDial=Enter a phone number to call to show a link to test the ClickToDial url for user %s
+LinkToTestClickToDial=Insira un número de teléfono ao que chamar para amosar unha ligazón e probar a URL ClickToDial para o usuario %s
RefreshPhoneLink=Refrescar ligazón
-LinkToTest=Clickable link generated for user %s (click phone number to test)
-KeepEmptyToUseDefault=Keep empty to use default value
-KeepThisEmptyInMostCases=In most cases, you can keep this field empy.
+LinkToTest=Ligazón seleccionable xarada para o usuario %s (faga clic no número de teléfono para probar)
+KeepEmptyToUseDefault=Deixe baleiro este campo para usar o valor por defecto
+KeepThisEmptyInMostCases=En moitos casos, pode deixar este campo baleiro.
DefaultLink=Ligazón por defecto
SetAsDefault=Establecer por defecto
ValueOverwrittenByUserSetup=Atención: Este valor pode ser sobreescrito por un valor específico da configuración do usuario (cada usuario pode ter a súa propia url clicktodial)
-ExternalModule=Módulo externo - Instalado no directorio %s
+ExternalModule=Módulo externo
InstalledInto=Instalado no directory %s
-BarcodeInitForThirdparties=Mass barcode init for third-parties
+BarcodeInitForThirdparties=Inicio de código de barras masivo para terceiros
BarcodeInitForProductsOrServices=Inicio masivo de código de barras para produtos ou servizos
CurrentlyNWithoutBarCode=Actualmente ten %s rexistros de %s %s sen código de barras definido.
InitEmptyBarCode=Iniciar valor para os %s rexistros baleiros.
@@ -478,44 +480,44 @@ ModuleCompanyCodeCustomerAquarium=%s seguido por un código de cliente para cód
ModuleCompanyCodeSupplierAquarium=%s seguido por un código de provedor para código de contabilidade de provedor
ModuleCompanyCodePanicum=Volta un código contable baleiro.
ModuleCompanyCodeDigitaria=O código contable depende do código do terceiro. O código está formado polo caracter ' C ' na primeira posición seguido dos 5 primeiros caracteres do código terceiro.
-ModuleCompanyCodeCustomerDigitaria=%s followed by the truncated customer name by the number of characters: %s for the customer accounting code.
-ModuleCompanyCodeSupplierDigitaria=%s followed by the truncated supplier name by the number of characters: %s for the supplier accounting code.
+ModuleCompanyCodeCustomerDigitaria=%s seguido do nome de cliente acortado polo número de caracteres:%s para o código de contabilidade do cliente.
+ModuleCompanyCodeSupplierDigitaria=%s seguido do nome do provedor acortado polo número de caracteres:%s para o código de contabilidade do provedor.
Use3StepsApproval=De forma predeterminada, os pedimentos a provedor teñen que ser creados e aprobados por 2 usuarios diferentes (un paso/usuario para crear e un paso/usuario para aprobar. Teña conta de que se o usuario ten tanto o permiso para crear e aprobar, un paso/usuario será suficiente. Pode pedir con esta opción introducir unha terceira etapa de aprobación/usuario, se a cantidade é superior a un valor específico (polo que serán precisos 3 pasos: 1 validación, 2=primeira aprobación e 3=segunda aprobación se a cantidade é suficiente). Deixe baleiro se unha aprobación (2 pasos) é suficiente, se establece un valor moi baixo (0,1) requírese unha segunda aprobación sempre (3 pasos).
UseDoubleApproval=Usar 3 pasos de aprobación se o importe (sen IVE) é maior que...
-WarningPHPMail=WARNING: The setup to send emails from the application is using the default generic setup. It is often better to setup outgoing emails to use the email server of your Email Service Provider instead of the default setup for several reasons:
-WarningPHPMailA=- Using the server of the Email Service Provider increases the trustability of your email, so it increases the deliverablity without being flagged as SPAM
-WarningPHPMailB=- Some Email Service Providers (like Yahoo) do not allow you to send an email from another server than their own server. Your current setup uses the server of the application to send email and not the server of your email provider, so some recipients (the one compatible with the restrictive DMARC protocol), will ask your email provider if they can accept your email and some email providers (like Yahoo) may respond "no" because the server is not theirs, so few of your sent Emails may not be accepted for delivery (be careful also of your email provider's sending quota).
-WarningPHPMailC=- Using the SMTP server of your own Email Service Provider to send emails is also interesting so all emails sent from application will also be saved into your "Sent" directory of your mailbox.
-WarningPHPMailD=If the method 'PHP Mail' is really the method you would like to use, you can remove this warning by adding the constant MAIN_HIDE_WARNING_TO_ENCOURAGE_SMTP_SETUP to 1 in Home - Setup - Other.
-WarningPHPMail2=Se o seu provedor SMTP de correo electrónico precisa restrinxir o cliente de correo electrónico a algunhos enderezos IP (moi raro), este é o seu enderezo IP da súa aplicación ERP CRM: %s.
-WarningPHPMailSPF=If the domain name in your sender email address is protected by a SPF record (ask you domain name registar), you must add the following IPs in the SPF record of the DNS of your domain: %s.
+WarningPHPMail=AVISO: a configuración para enviar correos electrónicos desde a aplicación está a usar a configuración xenérica predeterminada. Moitas veces é mellor configurar os correos electrónicos saíntes para usar o servidor de correo electrónico do seu fornecedor de servizos de correo electrónico en lugar da configuración predeterminada por varios motivos:
+WarningPHPMailA=- Usar o servidor do fornecedor de servizos de correo electrónico aumenta a confiabilidade do seu correo electrónico, polo que aumenta a entrega sen ser marcado como SPAM
+WarningPHPMailB=- Algúns provedores de servizos de correo electrónico (como Yahoo) non permiten enviar un correo electrónico desde outro servidor que o seu propio. A súa configuración actual usa o servidor da aplicación para enviar correo electrónico e non o servidor do seu fornecedor de correo electrónico, polo que algúns destinatarios (o compatible co protocolo DMARC restritivo) preguntarán ao seu fornecedor de correo electrónico se poden aceptar o seu correo electrónico e algúns provedores de correo electrónico. (como Yahoo) pode responder "non" porque o servidor non é seu, polo que poucos dos seus correos electrónicos enviados poden non ser aceptados para a súa entrega (teña coidado tamén coa cota de envío do seu fornecedor de correo electrónico).
+WarningPHPMailC=- Tamén é interesante usar o servidor SMTP do seu propio fornecedor de servizos de correo electrónico para enviar correos electrónicos, polo que todos os correos electrónicos enviados desde a aplicación tamén se gardarán no directorio "Enviado" da súa caixa de correo.
+WarningPHPMailD=Se o método 'PHP Mail' é realmente o método que desexa usar, pode eliminar este aviso engadindo a constante MAIN_HIDE_WARNING_TO_ENCOURAGE_SMTP_SETUP a 1 en Inicio-Configuración-Outro. MAIN_HIDE_WARNING_TO_ENCOURAGE_SMTP_SETUP to 1 in Home-Setup-Other.
+WarningPHPMail2=Se o seu fornecedorr SMTP de correo electrónico precisa restrinxir o cliente de correo electrónico a algúns enderezos IP (moi raro), este é o seu enderezo IP do seu axente de usuario de correo (MUA) da súa aplicación ERP CRM: %s.
+WarningPHPMailSPF=Se o nome de dominio do seu enderezo de correo electrónico do remitente está protexido por un rexistro SPF (pregúntelle ao seu rexistro de nome de dominio), debe engadir as seguintes IPs no rexistro SPF do DNS do seu dominio: %s.
ClickToShowDescription=Clic para ver a descrición
DependsOn=Este módulo precisa o módulo(s)
-RequiredBy=Este módulo é requirido polos módulos
+RequiredBy=Este módulo é requirido polo(s) módulo(s)
TheKeyIsTheNameOfHtmlField=Este é o nome do campo HTML. Son precisos coñecementos técnicos para ler o contido da páxina HTML para obter o nome clave dun campo.
PageUrlForDefaultValues=Debe introducir aquí a URL relativa da páxina. Se inclúe parámetros na URL, os valores predeterminados serán efectivos se todos os parámetros están configurados co mesmo valor.
PageUrlForDefaultValuesCreate= Exemplo: Para o formulario para crear un novo terceiro, é %s . Para a URL dos módulos externos instalados no directorio custom, non inclúa "custom/", use a ruta como mymodule/mypage.php e non custom/mymodule/mypage.php. Se desexa un valor predeterminado só se a url ten algún parámetro, pode usar %s
-PageUrlForDefaultValuesList= Example: For the page that lists third parties, it is %s. For URL of external modules installed into custom directory, do not include the "custom/" so use a path like mymodule/mypagelist.php and not custom/mymodule/mypagelist.php. If you want default value only if url has some parameter, you can use %s
-AlsoDefaultValuesAreEffectiveForActionCreate=Also note that overwritting default values for form creation works only for pages that were correctly designed (so with parameter action=create or presend...)
-EnableDefaultValues=Enable customization of default values
-EnableOverwriteTranslation=Enable usage of overwritten translation
-GoIntoTranslationMenuToChangeThis=A translation has been found for the key with this code. To change this value, you must edit it from Home-Setup-translation.
-WarningSettingSortOrder=Warning, setting a default sort order may result in a technical error when going on the list page if field is an unknown field. If you experience such an error, come back to this page to remove the default sort order and restore default behavior.
+PageUrlForDefaultValuesList= Exemplo: Para a páxina que lista terceiros, é %s. Para o URL de módulos externos instalados no directorio custom, non inclúa o "custom/" use un camiño como mymodule/mypagelist.php e non custom/mymodule/mypagelist.php. Se quere un valor predeterminado só se a URL ten algún parámetro, pode usar %s
+AlsoDefaultValuesAreEffectiveForActionCreate=Teña conta tamén que sobreescribir os valores predeterminados para a creación de formularios só funciona para páxinas que foron deseñadas correctamente (polo tanto, co parámetro action = create ou presend ...)
+EnableDefaultValues=Activar a personalización dos valores predeterminados
+EnableOverwriteTranslation=Activar o uso de traducións sobreescritas
+GoIntoTranslationMenuToChangeThis=Atopouse unha tradución para a clave con este código. Para cambiar este valor, debe editalo desde Inicio-Configuración-Tradución.
+WarningSettingSortOrder=Aviso, establecer unha orde de clasificación predeterminada pode producir un erro técnico ao entrar na páxina da listaxe se o campo é un campo descoñecido. Se experimentas tal erro, volte a esta páxina para eliminar a orde de clasificación predeterminada e restaurar o comportamento predeterminado.Field=Campo
Field=Campo
ProductDocumentTemplates=Prantillas de documentos para xerar documento de produto
FreeLegalTextOnExpenseReports=Texto libre legal nos informes de gastos
WatermarkOnDraftExpenseReports=Marca de auga nos informes de gastos
-AttachMainDocByDefault=Establezca esto en 1 se desexa axuntar o documento principal ao e-mail de forma predeterminada (se corresponde)
+AttachMainDocByDefault=Establezca isto en 1 se desexa axuntar o documento principal ao e-mail de forma predeterminada (se corresponde)
FilesAttachedToEmail=Axuntar ficheiro
SendEmailsReminders=Enviar recordatorios da axenda por correo electrónico
davDescription=Configuración do servidor DAV
DAVSetup=Configuración do módulo DAV
-DAV_ALLOW_PRIVATE_DIR=Enable the generic private directory (WebDAV dedicated directory named "private" - login required)
-DAV_ALLOW_PRIVATE_DIRTooltip=The generic private directory is a WebDAV directory anybody can access with its application login/pass.
-DAV_ALLOW_PUBLIC_DIR=Enable the generic public directory (WebDAV dedicated directory named "public" - no login required)
-DAV_ALLOW_PUBLIC_DIRTooltip=The generic public directory is a WebDAV directory anybody can access (in read and write mode), with no authorization required (login/password account).
-DAV_ALLOW_ECM_DIR=Enable the DMS/ECM private directory (root directory of the DMS/ECM module - login required)
-DAV_ALLOW_ECM_DIRTooltip=The root directory where all files are manually uploaded when using the DMS/ECM module. Similarly as access from the web interface, you will need a valid login/password with adecuate permissions to access it.
+DAV_ALLOW_PRIVATE_DIR=Active o directorio privado xenérico (o directorio adicado de WebDAV chamado "privado" é preciso iniciar sesión)
+DAV_ALLOW_PRIVATE_DIRTooltip=O directorio privado xenérico é un directorio WebDAV ao que calquera pode acceder co seu inicio de sesión/contrasinal de aplicación.
+DAV_ALLOW_PUBLIC_DIR=Active o directorio público xenérico (o directorio adicado de WebDAV chamado "público" - non é preciso iniciar sesión)
+DAV_ALLOW_PUBLIC_DIRTooltip=O directorio público xenérico é un directorio WebDAV ao que calquera pode acceder (en modo de lectura e escritura), sen autorización necesaria (conta de inicio de sesión/contrasinal).
+DAV_ALLOW_ECM_DIR=Active o directorio privado DMS/ECM (directorio raíz do módulo DMS/ECM - é preciso iniciar sesión)
+DAV_ALLOW_ECM_DIRTooltip=O directorio raíz onde son cargados todos os ficheiros manualmente cando se usa o módulo DMS/ECM. Do mesmo xeito que o acceso desde a interface web, precisará un inicio de sesión/contrasinal válido con permisos adecuados para acceder a ela.
# Modules
Module0Name=Usuarios e grupos
Module0Desc=Xestión de Usuarios / Empregados e grupos
@@ -546,17 +548,17 @@ Module50Desc=Xestión de produtos
Module51Name=Mailings masivos
Module51Desc=Administraciónde correo de papel en masa
Module52Name=Stocks
-Module52Desc=Xestión de stocks (só produtos)
+Module52Desc=Xestión de stock
Module53Name=Servizos
Module53Desc=Xestión de servizos
Module54Name=Contratos/Suscricións
Module54Desc=Xestión de contratos (servizos ou suscripcións recurrentes)
Module55Name=Códigos de barras
Module55Desc=Xestión dos códigos de barras
-Module56Name=Payment by credit transfer
-Module56Desc=Management of payment of suppliers by Credit Transfer orders. It includes generation of SEPA file for European countries.
-Module57Name=Payments by Direct Debit
-Module57Desc=Management of Direct Debit orders. It includes generation of SEPA file for European countries.
+Module56Name=Pagamento por transferencia bancaria
+Module56Desc=Xestión do pagamento de provedores mediante pedidos de transferencia. Inclúe a xeración de ficheiros SEPA para países europeos.
+Module57Name=Domiciliacións bancarias
+Module57Desc=Xestión de domiciliacións. Tamén inclue xeración de ficheiro SEPA para países Europeos.
Module58Name=ClickToDial
Module58Desc=Integración con sistema ClickToDial (Asterisk, ...)
Module60Name=Pegatinas
@@ -615,14 +617,14 @@ Module1520Desc=Xeración de documentos de correo masivo
Module1780Name=Etiquetas/Categorías
Module1780Desc=Crear etiquetas/categoría (produtos, clientes, provedores, contactos ou membros)
Module2000Name=Editor WYSIWYG
-Module2000Desc=Permite a edición dn área de texto usando CKEditor
+Module2000Desc=Permite edictar/formatar campos de texto usando CKEditor (html)
Module2200Name=Precios dinámicos
-Module2200Desc=Activar o uso de expresións matemáticas para auto xerarprezos
+Module2200Desc=Activar o uso de expresións matemáticas para auto xerar prezos
Module2300Name=Tarefas programadas
Module2300Desc=Xestión do traballo programado (alias cron ou chrono taboa)
Module2400Name=Eventos/Axenda
-Module2400Desc=Track events. Log automatic events for tracking purposes or record manual events or meetings. This is the principal module for good Customer or Vendor Relationship Management.
-Module2500Name=DMS / ECM
+Module2400Desc=Siga os eventos ou citas. Deixe que Dolibarr rexistre eventos automáticos co fin de realizar seguemento ou rexistre eventos manuais ou xuntanzas. Este é o módulo principal para unha bona xestión de relacións cos clientes ou provedores.
+Module2500Name=GED / SGD
Module2500Desc=Sistema de Xestión de Documentos / Xestión Electrónica de Contidos. Organización automática dos seus documentos xerados o almacenados. Compárta cando o precise.
Module2600Name=API/Servizos web (servidor SOAP)
Module2600Desc=Habilitar os servizos Dolibarr SOAP proporcionando servizos API
@@ -644,7 +646,7 @@ Module5000Desc=Permite xestionar varias empresas
Module6000Name=Fluxo de traballo
Module6000Desc=Xestión de fluxos de traballo (creación automática dun obxecto e/ou cambio de estado automático)
Module10000Name=Sitios web
-Module10000Desc=Cree sitios web públicos cun editor WYSIWYG. Configure o servidor web (Apache, Nginx,...) para que apunte ao directorio adicado para telo en líña en Internet.
+Module10000Desc=Crea sitios web (públicos) cun editor WYSIWYG. Trátase dun CMS orientado a administradores web ou desenvolvedores (é mellor coñecer linguaxe HTML e CSS). Só ten que configurar o seu servidor web (Apache, Nginx, ...) para que apunte ao directorio Dolibarr adicado para que estexa en liña en internet co seu propio nome de dominio.
Module20000Name=Xestión de días libres retribuidos
Module20000Desc=Xestión dos días libres dos empregados
Module39000Name=Lotes de produtos
@@ -662,9 +664,9 @@ Module50200Desc=Ofrece aos clientes pagamentos online vía PayPal (cuenta PayPa
Module50300Name=Stripe
Module50300Desc=Offer customers a Stripe online payment page (credit/debit cards). This can be used to allow your customers to make ad-hoc payments or payments related to a specific Dolibarr object (invoice, order etc...)
Module50400Name=Contabilidade (avanzada)
-Module50400Desc=Accounting management (double entries, support General and Subsidiary Ledgers). Export the ledger in several other accounting software formats.
+Module50400Desc=Xestión contable (dobre partida, libros xerais e auxiliares). Exporte a varios formatos de software de contabilidade.
Module54000Name=PrintIPP
-Module54000Desc=Direct print (without opening the documents) using Cups IPP interface (Printer must be visible from server, and CUPS must be installed on server).
+Module54000Desc=A impresión directa (sen abrir os documentos) usa o interfaz Cups IPP (A impresora ten que ser visible dende o servidor e CUPS debe estar instalado no servidor)
Module55000Name=Enquisa ou Voto
Module55000Desc=Módulo para facer enquisas en líña ou votos (como Doodle, Studs, Rdvz, ...)
Module59000Name=Marxes
@@ -674,10 +676,10 @@ Module60000Desc=Módulo para xestionar aas comisións de venda
Module62000Name=Incoterms
Module62000Desc=Engade funcións para xestionar Incoterms
Module63000Name=Recursos
-Module63000Desc=Manage resources (printers, cars, rooms, ...) for allocating to events
+Module63000Desc=Xestionar recursos (impresoras, automóbiles, salas, ...) pode asignalos a eventos
Permission11=Consultar facturas de cliente
Permission12=Crear/Modificar facturas de cliente
-Permission13=Invalidate customer invoices
+Permission13=Invalidar facturas de cliente
Permission14=Validar facturas de cliente
Permission15=Enviar facturas de cliente por correo
Permission16=Emitir pagamentos de facturas de cliente
@@ -694,7 +696,7 @@ Permission32=Crear/modificar produtos
Permission34=Eliminar produtos
Permission36=Ver/xestionar produtos ocultos
Permission38=Exportar produtos
-Permission39=Ignore minimum price
+Permission39=Ignore prezo mínimo
Permission41=Consultar proxectos e tarefas (proxectos compartidos e proxectos dos que son contacto). Tamén pode introducir tempos consumidos, para mín ou os meus subordinados, en tarefas asignadas (Follas de tempo).
Permission42=Crear/modificar proxectos (proxectos compartidos e proxectos dos que son contacto). Tamén pode crear tarefas e asignar usuarios a proxectos e tarefas
Permission44=Eliminar proxectos (compartidos ou son contacto)
@@ -703,9 +705,9 @@ Permission61=Consultar intervencións
Permission62=Crear/modificar intervencións
Permission64=Eliminar intervencións
Permission67=Exportar intervencións
-Permission68=Send interventions by email
-Permission69=Validate interventions
-Permission70=Invalidate interventions
+Permission68=Enviar intervención por correo
+Permission69=Validar intervención
+Permission70=Invalidar intervencións
Permission71=Consultar membros
Permission72=Crear/modificar membros
Permission74=Eliminar membros
@@ -728,7 +730,7 @@ Permission95=Consultar balances e resultados
Permission101=Consultar expedicións
Permission102=Crear/modificar expedicións
Permission104=Validar expedicións
-Permission105=Send sendings by email
+Permission105=Enviar envíos por correo
Permission106=Exportar expedicións
Permission109=Eliminar expedicións
Permission111=Consultar contas financieras
@@ -836,10 +838,10 @@ Permission402=Crear/modificar haberes
Permission403=Validar haberes
Permission404=Eliminar haberes
Permission430=Usa barra de debug
-Permission511=Read payments of salaries (yours and subordinates)
+Permission511=Consultar pagamentos de salarios (teus e dos subordinados)
Permission512=Crear/modificar pagamentos de salarios
Permission514=Eliminar pagamentos de salarios
-Permission517=Read payments of salaries of everybody
+Permission517=Ler pagos de salarios de todos
Permission519=Exportar salarios
Permission520=Consultar Créditos
Permission522=Crear/modificar Créditos
@@ -851,19 +853,19 @@ Permission532=Crear/modificar servizos
Permission534=Eliminar servizos
Permission536=Ver/xestionar os servizos ocultos
Permission538=Exportar servizos
-Permission561=Read payment orders by credit transfer
-Permission562=Create/modify payment order by credit transfer
-Permission563=Send/Transmit payment order by credit transfer
-Permission564=Record Debits/Rejections of credit transfer
-Permission601=Read stickers
-Permission602=Create/modify stickers
-Permission609=Delete stickers
+Permission561=Ler ordes de pagamento mediante transferencia
+Permission562=Crear/modificar orde de pagamento mediante transferencia
+Permission563=Enviar/Transmitir orde de pagamento mediante transferencia
+Permission564=Rexistrar débitos/rexeitamentos da transferencia
+Permission601=Ler etiquetas
+Permission602=Crear/modificar eqtiquetas
+Permission609=Borrar etiquetas
Permission650=Consultar lista de materiais
Permission651=Crear/Actualizar lista de material
Permission652=Eliminar lista de material
-Permission660=Read Manufacturing Order (MO)
-Permission661=Create/Update Manufacturing Order (MO)
-Permission662=Delete Manufacturing Order (MO)
+Permission660=Ler a orde de fabricación (MO)
+Permission661=Crear / Actualizar orde de fabricación (MO)
+Permission662=Eliminar orde de fabricación (MO)
Permission701=Consultar doacións/subvencións
Permission702=Crear/modificar doacións/subvencións
Permission703=Eliminar doacións/subvencións
@@ -873,8 +875,8 @@ Permission773=Eliminar informe de gastos
Permission774=Consultar todos os informes de gastos (incluidos os non subordinados)
Permission775=Aprobar informe de gastos
Permission776=Pagar informe de gastos
-Permission777=Read expense reports of everybody
-Permission778=Create/modify expense reports of everybody
+Permission777=Ler informes de gastos de todos
+Permission778=Crear/modificar informes de gastos de todos
Permission779=Exportar informe de gastos
Permission1001=Consultar stocks
Permission1002=Crear/modificar almacéns
@@ -899,9 +901,9 @@ Permission1185=Aprobar pedimentos a provedores
Permission1186=Enviar pedimentos a provedores
Permission1187=Recibir pedimentos de provedores
Permission1188=Pechar pedimentos a provedores
-Permission1189=Check/Uncheck a purchase order reception
+Permission1189=Marcar/Desmarcar a recepción dunha orde de compra
Permission1190=Aprobar (segunda aprobación) pedimentos a provedores
-Permission1191=Export supplier orders and their attributes
+Permission1191=Exportar pedidos de provedores e os seus atributos
Permission1201=Obter resultado dunha exportación
Permission1202=Crear/codificar exportacións
Permission1231=Consultar facturas de provedores
@@ -915,8 +917,8 @@ Permission1251=Lanzar as importacións en masa á base de datos (carga de datos)
Permission1321=Exportar facturas a clientes, campos adicionais e cobros
Permission1322=Reabrir unha factura pagada
Permission1421=Exportar pedimentos de clientes e campos adicionais
-Permission1521=Read documents
-Permission1522=Delete documents
+Permission1521=Ler documentos
+Permission1522=Eliminar documentos
Permission2401=Consultar accións (eventos ou tarefas) ligadas a súa conta
Permission2402=Crear/modificar accións (eventos ou tarefas) ligadas a súa conta
Permission2403=Eliminar accións (eventos ou tarefas) ligadas a súa conta
@@ -931,7 +933,7 @@ Permission2515=Configuración directorios de documentos
Permission2801=Utilizar o cliente FTP en modo leitura (só explorar e descargar)
Permission2802=Utilizar o cliente FTP en modo escritura (borrar ou subir ficheiros)
Permission3200=Consultar eventos arquivados e huellas dixitais
-Permission3301=Generate new modules
+Permission3301=Xerar novos módulos
Permission4001=Ver empregados
Permission4002=Crear empregados
Permission4003=Eliminar empregados
@@ -951,13 +953,13 @@ Permission23001=Consultar. Traballo programado
Permission23002=Crear/actualizar. Traballo programado
Permission23003=Borrar. Traballo Programado
Permission23004=Executar. Traballo programado
-Permission50101=Use Point of Sale (SimplePOS)
-Permission50151=Use Point of Sale (TakePOS)
+Permission50101=Usar TPV
+Permission50151=Usar TPV (TakeTPV)
Permission50201=Consultar as transaccións
Permission50202=Importar as transaccións
-Permission50330=Read objects of Zapier
-Permission50331=Create/Update objects of Zapier
-Permission50332=Delete objects of Zapier
+Permission50330=Ler obxectos de Zapier
+Permission50331=Crear/Actualizar obxectos de Zapier
+Permission50332=Eliminar obxectos de Zapier
Permission50401=Contabilizar produtos e facturas con contas contables
Permission50411=Consultar operacións do Libro Maior
Permission50412=Rexistrar/Editar operacións no Libro Maior
@@ -981,21 +983,21 @@ Permission63001=Consultar recursos
Permission63002=Crear/modificar recursos
Permission63003=Eliminar recursos
Permission63004=Ligar recursos a eventos da axenda
-Permission64001=Allow direct printing
-Permission67000=Allow printing of receipts
-Permission68001=Read intracomm report
-Permission68002=Create/modify intracomm report
-Permission68004=Delete intracomm report
-Permission941601=Read receipts
-Permission941602=Create and modify receipts
-Permission941603=Validate receipts
-Permission941604=Send receipts by email
-Permission941605=Export receipts
-Permission941606=Delete receipts
+Permission64001=Permitir impresión directa
+Permission67000=Permitir impresión de recibos
+Permission68001=Ler o informe intracom
+Permission68002=Crear/modificar informe intracom
+Permission68004=Eliminar informe intracom
+Permission941601=Ler recibos
+Permission941602=Crear e modificar recibos
+Permission941603=Validar recibos
+Permission941604=Enviar recibos por correo electrónico
+Permission941605=Exportar recibos
+Permission941606=Eliminar recibos
DictionaryCompanyType=Tipos de terceiros
DictionaryCompanyJuridicalType=Formas xurídicas de terceiros
-DictionaryProspectLevel=Prospect potential level for companies
-DictionaryProspectContactLevel=Prospect potential level for contacts
+DictionaryProspectLevel=Nivel potencial de perspectivas para as empresas
+DictionaryProspectContactLevel=Nivel potencial de perspectivas para clientes
DictionaryCanton=Provincias
DictionaryRegion=Rexións
DictionaryCountry=Países
@@ -1003,7 +1005,7 @@ DictionaryCurrency=Moedas
DictionaryCivility=Títulos honoríficos
DictionaryActions=Tipos de eventos da axenda
DictionarySocialContributions=Tipos de impostos sociais ou fiscais
-DictionaryVAT=Tasa de IVE (Imposto sobre vendas en EEUU)
+DictionaryVAT=Tipos de IVE ou Tipos de impostos sobre Vendas
DictionaryRevenueStamp=Importes de selos fiscais
DictionaryPaymentConditions=Condicións de pagamento
DictionaryPaymentModes=Modos de pagamento
@@ -1025,14 +1027,14 @@ DictionaryEMailTemplates=Prantillas E-Mails
DictionaryUnits=Unidades
DictionaryMeasuringUnits=Unidades de Medida
DictionarySocialNetworks=Redes sociais
-DictionaryProspectStatus=Prospect status for companies
-DictionaryProspectContactStatus=Prospect status for contacts
+DictionaryProspectStatus=Estado cliente potencial
+DictionaryProspectContactStatus=Estado da prospección dos contactos
DictionaryHolidayTypes=Tipos de vacacións
DictionaryOpportunityStatus=Estado de oportunidade para o proxecto/oportunidade
DictionaryExpenseTaxCat=Informe de gastos - Categorías de transporte
DictionaryExpenseTaxRange=Informe de gastos - Rango por categoría de transporte
-DictionaryTransportMode=Intracomm report - Transport mode
-TypeOfUnit=Type of unit
+DictionaryTransportMode=Informe intracom - Modo de transporte
+TypeOfUnit=Tipo de unidade
SetupSaved=Configuración gardada
SetupNotSaved=Configuración non gardada
BackToModuleList=Voltar á lista de módulos
@@ -1062,15 +1064,15 @@ LocalTax1ManagementES=Xestión RE
LocalTax1IsUsedDescES=O tipo de RE proposto por defecto nas emisións de orzamentos, facturas, pedimentos, etc. Responde á seguinte regra: Se o comprador non está suxeito a RE, RE por defecto=0. Fin da regra. Se o comprador está suxeito a RE entón aplícase o valor de RE por defecto. Fin da regra.
LocalTax1IsNotUsedDescES=O tipo de RE proposto por defecto é 0. Fin da regra.
LocalTax1IsUsedExampleES=En España, trátase de persoas físicas: autónomos suxeitos a unhos epígrafes concretos do IAE.
-LocalTax1IsNotUsedExampleES=En España, trátase de entidades xurídicas: Sociedades limitadas, anónimas, etc. e persoas físicas (autónomos) suxeitos a certos epígrafes do IAE.
+LocalTax1IsNotUsedExampleES=En España, trátase de entidades xurídicas: e persoas físicas autónomos suxeitos a certos epígrafes do IAE.
LocalTax2ManagementES=Xestión IRPF
LocalTax2IsUsedDescES=O tipo de IRPF proposto por defecto nas emisións de orzamentos, facturas, pedimentos, etc. Responde á seguinte regra: Se o vendedor non está suxeito a IRPF, IRPF por defecto=0. Fin da regra. Se o vendedor está suxeito a IRPF entón aplícase o valor de IRPF por defecto. Fin da regra.
LocalTax2IsNotUsedDescES=O tipo de IRPF proposto por defecto é 0. Fin da regra.
LocalTax2IsUsedExampleES=En España, trátase de persoas físicas: autónomos e profesionais independentes que prestan servizos, e empresas que escolleron o réxime fiscal de módulos.
LocalTax2IsNotUsedExampleES=En España, trátase de empresas non suxeitas ao réxime fiscal de módulos.
-RevenueStampDesc=The "tax stamp" or "revenue stamp" is a fixed tax you per invoice (It does not depend on amount of invoice). It can also be a percent tax but using the second or third type of tax is better for percent taxes as tax stamps does not provide any reporting. Only few countries uses this type of tax.
-UseRevenueStamp=Use a tax stamp
-UseRevenueStampExample=The value of tax stamp is defined by default into the setup of dictionaries (%s - %s - %s)
+RevenueStampDesc=O "selo fiscal" ou "selo de ingresos" é un imposto fixo por factura (non depende do importe da factura). Tamén pode ser un % de impostos, pero usar o segundo ou terceiro tipo de impostos é mellor para a porcentaxe de impostos, xa que os selos de impostos non proporcionan ningún informe. Só algúns países utilizan este tipo de impostos.
+UseRevenueStamp=Use un selo fiscal
+UseRevenueStampExample=valor do selo fiscal defínese por defecto na configuración dos dicionarios (%s-%s-%s)
CalcLocaltax=Informes de impostos locais
CalcLocaltax1=Vendas - Compras
CalcLocaltax1Desc=Os informes calcúlanse coa diferencia entre as vendas e as compras
@@ -1078,12 +1080,12 @@ CalcLocaltax2=Compras
CalcLocaltax2Desc=Os informes se basan no total das compras
CalcLocaltax3=Vendas
CalcLocaltax3Desc=Os informes se basan no total das vendas
-NoLocalTaxXForThisCountry=According to the setup of taxes (See %s - %s - %s), your country does not need to use such type of tax
+NoLocalTaxXForThisCountry=Segundo a configuración dos impostos (ver% s -% s -% s), o seu país non precisa aplicar ese tipo de impostos
LabelUsedByDefault=Etiqueta que se utilizará se non se atopa tradución para este código
LabelOnDocuments=Etiqueta sobre documentos
LabelOrTranslationKey=Clave de tradución ou cadea
ValueOfConstantKey=Valor da constante
-ConstantIsOn=Option %s is on
+ConstantIsOn=Opción %s está activada
NbOfDays=Nº de días
AtEndOfMonth=A fin de mes
CurrentNext=Actual/Seguinte
@@ -1128,7 +1130,7 @@ LoginPage=Páxina de login
BackgroundImageLogin=Imaxe de fondo
PermanentLeftSearchForm=Zona de procura permanente do menú esquerdo
DefaultLanguage=Idioma por defecto
-EnableMultilangInterface=Enable multilanguage support for customer or vendor relationships
+EnableMultilangInterface=Activar interfaz multi-idioma para relacións con clientes ou provedores
EnableShowLogo=Amosar o logotipo no menú da esquerda
CompanyInfo=Empresa/Organización
CompanyIds=Identificación da empresa/organización
@@ -1152,26 +1154,26 @@ ShowBugTrackLink=Amosar ligazón "%s"
Alerts=Alertas
DelaysOfToleranceBeforeWarning=Atraso antes da amosar unha alerta
DelaysOfToleranceDesc=Esta pantalla permite configurar os prazos de tolerancia antes da alerta co icono %s, sobre cada elemento en atraso.
-Delays_MAIN_DELAY_ACTIONS_TODO=Atraso (en días) sobre eventos planificados (eventos da axenda) aínda non completados
-Delays_MAIN_DELAY_PROJECT_TO_CLOSE=Atraso antes da alerta (en días) sobre proxectos non pechados a tempo
-Delays_MAIN_DELAY_TASKS_TODO=Atraso (en días) sobre tarefas planificadas (tarefas de proxectos) aínda non completadas
-Delays_MAIN_DELAY_ORDERS_TO_PROCESS=Atraso antes da alerta (en días) sobre pedimentos non procesados
-Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Atraso antes da alerta (en días) sobre pedimentos a provedores non procesados
-Delays_MAIN_DELAY_PROPALS_TO_CLOSE=Atraso antes da alerta (en días) sobre orzamentos non pechados
-Delays_MAIN_DELAY_PROPALS_TO_BILL=Atraso antes da alerta (en días) sobre orzamentos non facturados
-Delays_MAIN_DELAY_NOT_ACTIVATED_SERVICES=Atraso antes da alerta (en días) sobre servizos a activar
-Delays_MAIN_DELAY_RUNNING_SERVICES=Atraso antes da alerta (en días) sobre servizos expirados
-Delays_MAIN_DELAY_SUPPLIER_BILLS_TO_PAY=Atraso antes da alerta (en días) sobre facturas de provedor impagadas
-Delays_MAIN_DELAY_CUSTOMER_BILLS_UNPAYED=Atraso antes da alerta (en días) sobre facturas a cliente impagadas
-Delays_MAIN_DELAY_TRANSACTIONS_TO_CONCILIATE=Atraso antes da alerta (en días) sobre conciliacións bancarias pendentes
-Delays_MAIN_DELAY_MEMBERS=Atraso antes da alerta (en días) sobre cotizacións de membros en atraso
-Delays_MAIN_DELAY_CHEQUES_TO_DEPOSIT=Atraso antes da alerta (en días) sobre talóns a ingresar
-Delays_MAIN_DELAY_EXPENSEREPORTS=Atraso antes da alerta (en días) sobre informes de gastos a aprobar
-Delays_MAIN_DELAY_HOLIDAYS=Atraso antes da alerta (en días) sobre días libres a aprobar.
+Delays_MAIN_DELAY_ACTIONS_TODO=Os eventos planificados (eventos da axenda) non se completaron
+Delays_MAIN_DELAY_PROJECT_TO_CLOSE=Proxecto non pechado a tempo
+Delays_MAIN_DELAY_TASKS_TODO=A tarefa planificada (tarefas do proxecto) non se completou
+Delays_MAIN_DELAY_ORDERS_TO_PROCESS=Pedimento non procesado
+Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Pedimento non procesado
+Delays_MAIN_DELAY_PROPALS_TO_CLOSE=Orzamento non pechado
+Delays_MAIN_DELAY_PROPALS_TO_BILL=Orzamento non facturado
+Delays_MAIN_DELAY_NOT_ACTIVATED_SERVICES=Servizos a activar
+Delays_MAIN_DELAY_RUNNING_SERVICES=Servizos expirados
+Delays_MAIN_DELAY_SUPPLIER_BILLS_TO_PAY=Facturas de provedor non pagas
+Delays_MAIN_DELAY_CUSTOMER_BILLS_UNPAYED=Facturas a cliente non pagas
+Delays_MAIN_DELAY_TRANSACTIONS_TO_CONCILIATE=Conciliacións bancarias pendentes
+Delays_MAIN_DELAY_MEMBERS=Cotizacións de membros en atraso
+Delays_MAIN_DELAY_CHEQUES_TO_DEPOSIT=Talóns a ingresar non realizados
+Delays_MAIN_DELAY_EXPENSEREPORTS=Informe de gastos a aprobar
+Delays_MAIN_DELAY_HOLIDAYS=Días libres a aprobar.
SetupDescription1=Antes de comezar a usar Dolibarr, algúns parámetros iniciais teñen que ser definidos e activar/configurar os módulos.
SetupDescription2=As seguintes dúas seccións son obrigatorias (as dúas primeiras entradas no menu de configuración):
-SetupDescription3=%s->%s Parámetros básicos usados para persoalizar o comportamento por defecto de Dolibarr (ex. características relacionadas co país)
-SetupDescription4=%s -> %s Este software é unha colección de moitos módulos/aplicacións, todos eles mais ou menos independentes. Os módulos relevantes que precisas deben ser activados e configurados. Novos elementos/opcións serán engadidos aos menús coa activación do módulo.
+SetupDescription3=%s->%s
Parámetros básicos usados para persoalizar o comportamento por defecto de Dolibarr (ex. características relacionadas co país)
+SetupDescription4=%s -> %s
Este software é unha colección de moitos módulos/aplicacións, todos eles mais ou menos independentes. Os módulos relevantes que precisas deben ser activados e configurados. Novos elementos/opcións serán engadidos aos menús coa activación do módulo.
SetupDescription5=Outras entradas do menú de configuración xestionan parámetros opcionais.
LogEvents=Auditoría da seguridade de eventos
Audit=Auditoría
@@ -1182,7 +1184,7 @@ InfoWebServer=Sobre o Servidor Web
InfoDatabase=Sobre a base de datos
InfoPHP=Sobre o PHP
InfoPerf=Sobre o rendimento
-InfoSecurity=About Security
+InfoSecurity=Acerca da seguridade
BrowserName=Nome do navegador
BrowserOS=S.O. do navegador
ListOfSecurityEvents=Listaxe de eventos de seguridade Dolibarr
@@ -1191,7 +1193,7 @@ LogEventDesc=Pode habilitar o rexistro de eventos de seguridade aquí. Os admini
AreaForAdminOnly=Os parámetros de configuración poden ser tratados por usuarios administradores exclusivamente.
SystemInfoDesc=A información do sistema é información técnica accesible en modo lectura para administradores exclusivamente.
SystemAreaForAdminOnly=Esta área é accesible aos usuarios administradores exclusivamente. Os permisos dos usuarios de Dolibarr non permiten cambiar esta restricción.
-CompanyFundationDesc=Edite a información da empresa/entidade. Faga clic nos botóns "%s" ou "%s" a pé de páxina.
+CompanyFundationDesc=Edite a información da súa empresa/entidade. Faga clic no botón "%s" a pé de páxina cando remate
AccountantDesc=Se ten un contable/auditor externo, pode editar aquí a súa información.
AccountantFileNumber=Número de ficheiro
DisplayDesc=Pode modificar aquí todos os parámetros relacionados coa apariencia do Dolibarr
@@ -1199,7 +1201,7 @@ AvailableModules=Módulos dispoñibles
ToActivateModule=Para activar os módulos, ir ao área de Configuración (Inicio->Configuración->Módulos).
SessionTimeOut=Timeout de sesións
SessionExplanation=Este número garantiza que a sesión nunca caducará antes deste atraso, si el limpiador de sesión se realiza mediante un limpiador de sesión interno de PHP (e nada más). El limpiador interno de sesións de PHP no garantiza que la sesión caduque después de este retraso. Expirará, después de este retraso, e cuando se ejecute o limpiador de sesións, por lo que cada acceso %s/%s , pero solo durante o acceso realizado por otras sesións (si el valor es 0, significa que la limpieza de sesións solo se realiza por un proceso externo). Nota: en algunos servidores con un mecanismo externo de limpieza de sesión (cron bajo debian, ubuntu...), las sesións se pueden destruir después de un período definido por una configuración externa, sin importar el valor introducido aquí
-SessionsPurgedByExternalSystem=Sessions on this server seems to be cleaned by an external mechanism (cron under debian, ubuntu ...), probably every %s seconds (= value of parameter session.gc_maxlifetime), so changing the value here has no effect. You must ask the server administrator to change session delay.
+SessionsPurgedByExternalSystem=As sesións neste servidor parecen estar limpas por un mecanismo externo (cron baixo debian, ubuntu ...), probablemente cada %s segundos (= valor do parámetro session.gc_maxlifetime), polo que cambiar o valor aquí non ten efecto. Debe solicitar ao administrador do servidor que cambie o atraso da sesión.
TriggersAvailable=Triggers dispoñibles
TriggersDesc=Os triggers son ficheiros que, unha vez copiados no directorio htdocs/core/triggers, modifican o comportamento do fluxo de traballo de Dolibarr. Realizan accións suplementarias, desencadenadas polos eventos Dolibarr (creación de empresa, validación factura...).
TriggerDisabledByName=Triggers deste ficheiro desactivados polo sufixo -NORUN no nome do ficheiro.
@@ -1208,37 +1210,37 @@ TriggerAlwaysActive=Triggers deste ficheiro sempre activos, posto que os módulo
TriggerActiveAsModuleActive=Triggers deste ficheiro activos posto que o módulo %s está activado
GeneratedPasswordDesc=Indique aquí que norma quere utilizar para xerar as contrasinais cando precise xerar un novo contrasinal
DictionaryDesc=Inserte aquí os datos de referencia. Pode engadir os seus datos aos predefinidos.
-ConstDesc=This page allows you to edit (override) parameters not available in other pages. These are mostly reserved parameters for developers/advanced troubleshooting only.
-MiscellaneousDesc=All other security related parameters are defined here.
+ConstDesc=Esta páxina permítelle editar (substituír) parámetros non dispoñibles noutras páxinas. Estes son principalmente parámetros reservados só para desenvolvedores ou solución avanzadas de problemas.
+MiscellaneousDesc=Todos os outros parámetros relacionados coa seguridad definense aquí.
LimitsSetup=Configuración de límites e precisións
LimitsDesc=Pode definir aquí os límites e precisións utilizados por Dolibarr
MAIN_MAX_DECIMALS_UNIT=Decimais máximos para os prezos unitarios
MAIN_MAX_DECIMALS_TOT=Decimais máximos para os prezos totais
-MAIN_MAX_DECIMALS_SHOWN=Max. decimals for prices shown on screen. Add an ellipsis ... after this parameter (e.g. "2...") if you want to see "..." suffixed to the truncated price.
-MAIN_ROUNDING_RULE_TOT=Step of rounding range (for countries where rounding is done on something other than base 10. For example, put 0.05 if rounding is done by 0.05 steps)
+MAIN_MAX_DECIMALS_SHOWN=Decimais máximos nos prezos amosados na pantalla. Engade unha elipse ... despois deste parámetro (por exemplo, "2 ...") se queres ver o sufixo " ... " ao prezo acurtado.
+MAIN_ROUNDING_RULE_TOT=Salto do intervalo de redondeo (para os países onde o redondeo se fai noutra cousa que non sexa a base 10. Por exemplo, pon 0,05 se o redondeo se fai 0,05 pasos)
UnitPriceOfProduct=Prezo unitario sen IVE dun produto
-TotalPriceAfterRounding=Prezo total despois do redondeo
+TotalPriceAfterRounding=Prezo total (sen IVE/ incluído taxas) despois do redondeo
ParameterActiveForNextInputOnly=Parámetro efectivo só a partires das próximas sesións
NoEventOrNoAuditSetup=Non foron rexistrados eventos de seguridade aínda. Isto pode ser normal se a auditoría non foi habilitada na páxina "Configuración->Seguridade->Auditoría".
NoEventFoundWithCriteria=Non atopáronse eventos de seguridade para tales criterios de búsca.
SeeLocalSendMailSetup=Ver a configuración local de sendmail
-BackupDesc=Para realizar unha copia de seguridade completa de Dolibarr, vostede debe:
-BackupDesc2=Garde o contido do directorio de documentos (%s), contén todos os ficheiros subidos e xerados (Polo que inclúe todos os ficheiros de copias xeradas no primeiro paso).
+BackupDesc=Unha copia de seguridade completada instalación de Dolibarr, require dous pasos.
+BackupDesc2=Garde o contido do directorio de "documentos" (%s), que contén todos os ficheiros subidos e xerados Isto tamén incluirça os ficheiros xerados no paso 1. Esta operación pode levar varios minutos.
BackupDesc3=Gardar o contido da súa base de datos (%s) nun ficheiro de volcado. Para isto pode utilizar o asistente a continuación.
BackupDescX=O directorio arquivado deberá gardarse nun lugar seguro.
BackupDescY=O ficheiro de volcado xerado deberá gardarse nun lugar seguro.
BackupPHPWarning=A copia de seguridade non pode ser garantida con este método. É preferible utilizar o anterior
RestoreDesc=Para restaurar unha copia de seguridade de Dolibarr, vostede debe:
RestoreDesc2=Tomar o ficheiro (ficheiro zip, por exemplo) do directorio dos documentos e descomprimilo no directorio dos documentos dunha nova instalación de Dolibarr ou na carpeta dos documentos desta instalación (%s).
-RestoreDesc3=Restaurar o ficheiro de volcado gardado na base de datos da nova instalación de Dolibarr ou desta instalación (%s). Atención, unha vez realizada a restauración, deberá utilizar un login/contrasinal de administrador existente no momento da copia de seguridade para conectarse. Para restaurar a base de datos na instalación actual, pode utilizar o asistente a continuación.
+RestoreDesc3=Restaurar o ficheiro de volcado gardado na base de datos da nova instalación de Dolibarr ou desta instalación (%s). Atención, unha vez realizada a restauración, deberá utilizar un login/contrasinal de administrador existente no momento da copia de seguridade para conectarse. Para restaurar a base de datos na instalación actual, pode utilizar o asistente a continuación.
RestoreMySQL=Importación MySQL
-ForcedToByAModule=Esta regra está forzada a %s por un dos módulos activados
-ValueIsForcedBySystem=This value is forced by the system. You can't change it.
+ForcedToByAModule=Esta regra é obrigada a %s por un dos módulos activados
+ValueIsForcedBySystem=Este valor é obrigado polo sistema. Non pode cambialo.
PreviousDumpFiles=Copias de seguridade da base de datos realizadas anteriormente
PreviousArchiveFiles=Copias de seguridade do directorio documentos realizadas anteriormente
WeekStartOnDay=Primeiro día da semana
RunningUpdateProcessMayBeRequired=Parece preciso realizar o proceso de actualización (a versión do programa %s difiere da versión da base de datos %s)
-YouMustRunCommandFromCommandLineAfterLoginToUser=Debe executar o comando dende unha shell despois de ter iniciado sesión coa conta %s.
+YouMustRunCommandFromCommandLineAfterLoginToUser=Debe executar esta orde dende unha shell despois de ter iniciado sesión co usuario %s ou debe engadir a opción -W ao final da liña para proporcionar un contrasinal de %s
YourPHPDoesNotHaveSSLSupport=Funcións SSL non dispoñibles no seu PHP
DownloadMoreSkins=Mais temas para descargar
SimpleNumRefModelDesc=Volta un número baixo o formato %syymm-nnnn donde y é o ano, mm o mes e nnnn un contador secuencial sen ruptura e sen regresar a 0
@@ -1275,46 +1277,46 @@ ExtraFieldsSupplierOrders=Campos adicionais (pedimentos a provedores)
ExtraFieldsSupplierInvoices=Campos adicionais (facturas)
ExtraFieldsProject=Campos adicionais (proxectos)
ExtraFieldsProjectTask=Campos adicionais (tarefas)
-ExtraFieldsSalaries=Campos dicionais (salarios)
+ExtraFieldsSalaries=Campos adicionais (salarios)
ExtraFieldHasWrongValue=O campo %s contén un valor non válido
AlphaNumOnlyLowerCharsAndNoSpace=só alfanuméricos e minúsculas sen espazo
-SendmailOptionNotComplete=Warning, on some Linux systems, to send email from your email, sendmail execution setup must contains option -ba (parameter mail.force_extra_parameters into your php.ini file). If some recipients never receive emails, try to edit this PHP parameter with mail.force_extra_parameters = -ba).
+SendmailOptionNotComplete=Aviso, nalgúns sistemas Linux, para enviar correos electrónicos desde o seu correo electrónico, a configuración de execución de sendmail debe conter a opción -ba (o parámetro mail.force_extra_parameters no seu ficheiro php.ini). Se algúns dos seus destinatarios nunca reciben correos electrónicos, tente editar este parámetro PHP con mail.force_extra_parameters=-ba).
PathToDocuments=Ruta de acceso a documentos
PathDirectory=Directorio
-SendmailOptionMayHurtBuggedMTA=Feature to send mails using method "PHP mail direct" will generate a mail message that might not be parsed correctly by some receiving mail servers. The result is that some mails can't be read by people hosted by those bugged platforms. This is the case for some Internet providers (Ex: Orange in France). This is not a problem with Dolibarr or PHP but with the receiving mail server. You can however add an option MAIN_FIX_FOR_BUGGED_MTA to 1 in Setup - Other to modify Dolibarr to avoid this. However, you may experience problems with other servers that strictly use the SMTP standard. The other solution (recommended) is to use the method "SMTP socket library" which has no disadvantages.
-TranslationSetup=Setup of translation
-TranslationKeySearch=Search a translation key or string
-TranslationOverwriteKey=Overwrite a translation string
-TranslationDesc=How to set the display language: * Default/Systemwide: menu Home -> Setup -> Display * Per user: Click on the username at the top of the screen and modify the User Display Setup tab on the user card.
-TranslationOverwriteDesc=You can also override strings filling the following table. Choose your language from "%s" dropdown, insert the translation key string into "%s" and your new translation into "%s"
-TranslationOverwriteDesc2=You can use the other tab to help you know which translation key to use
-TranslationString=Translation string
-CurrentTranslationString=Current translation string
-WarningAtLeastKeyOrTranslationRequired=A search criteria is required at least for key or translation string
-NewTranslationStringToShow=New translation string to show
-OriginalValueWas=The original translation is overwritten. Original value was:
%s
-TransKeyWithoutOriginalValue=You forced a new translation for the translation key '%s' that does not exist in any language files
-TitleNumberOfActivatedModules=Activated modules
-TotalNumberOfActivatedModules=Activated modules: %s / %s
-YouMustEnableOneModule=You must at least enable 1 module
-ClassNotFoundIntoPathWarning=Class %s not found in PHP path
+SendmailOptionMayHurtBuggedMTA=A función para enviar correos usando o método "PHP mail direct" xerará unha mensaxe de correo que algúns servidores de correo receptores poden non analizar correctamente. O resultado é que algúns correos non poden ser lidos por persoas aloxadas nesas plataformas. É o caso dalgúns fornecedores de Internet (por exemplo: Orange en Franza). Isto non é un problema con Dolibarr ou PHP senón co servidor de correo receptor. Porén, pode engadir unha opción MAIN_FIX_FOR_BUGGED_MTA a 1 en Configuración-Outro para modificar Dolibarr para evitar o erro. Porén, pode ter problemas con outros servidores que usan estritamente o estándar SMTP. A outra solución (recomendada) é empregar o método "SMTP socket library" que non ten desvantaxes.
+TranslationSetup=Configuración de tradución
+TranslationKeySearch=Buscar unha chave ou cadea de tradución
+TranslationOverwriteKey=Sobreescribir una cadena traducida
+TranslationDesc=Como configurar o idioma de visualización: * Por defecto Sistema: menu Inicio - Configuración - Entorno * Por usuario: faga clic no nome de usuario na parte superior da pantalla e modifique a pestana Configuración da visualización do usuario na tarxeta de usuario.
+TranslationOverwriteDesc=Tamén pode reemplazar cadeas enchendo a seguinte táboa. Escolla o seu idioma no menú despregable "%s", insira a cadea de clave de tradución en "%s" e a súa nova tradución en "%s"
+TranslationOverwriteDesc2=Podes usar a outra pestana para axudarche a saber que clave de tradución usar
+TranslationString=Cadea traducida
+CurrentTranslationString=Cadna traducida actual
+WarningAtLeastKeyOrTranslationRequired=Requírese un criterio de busca polo menos para a clave ou a cadea de tradución
+NewTranslationStringToShow=Nova cadea traducida a amosar
+OriginalValueWas=A tradución orixinal sobrescríbese. O valor orixinal era:
%s
+TransKeyWithoutOriginalValue=Forzou unha nova tradución para a clave de tradución '%s' que non existe en ningún ficheiro de idioma
+TitleNumberOfActivatedModules=Módulos activados
+TotalNumberOfActivatedModules=Número total de módulos activados: %s / %s
+YouMustEnableOneModule=Debe activar polo menos 1 módulo.
+ClassNotFoundIntoPathWarning=Clase 1%s non foi atopada na ruta PHP
YesInSummer=Sí en verano
-OnlyFollowingModulesAreOpenedToExternalUsers=Atención: únicamente os módulos seguintes están dispoñibles a usuarios externos (sexa cal fora o permiso de ditos usuarios) e só outorganse permisos:
+OnlyFollowingModulesAreOpenedToExternalUsers=Atención: Teña conta que os módulos seguintes están dispoñibles a usuarios externos (sexa cal fora o permiso destes usuarios) e só se os permisos son concedidos:
SuhosinSessionEncrypt=Almacenamento de sesións cifradas por Suhosin
ConditionIsCurrently=Actualmente a condición é %s
YouUseBestDriver=Está usando o driver %s, actualmente é o mellor driver dispoñible.
YouDoNotUseBestDriver=Usa o driver %s aínda que é recomendable usar o driver %s.
-NbOfObjectIsLowerThanNoPb=You have only %s %s in the database. This does not require any particular optimization.
+NbOfObjectIsLowerThanNoPb=So ten %s %s na base de datos. Isto non require ningunha optimización particular
SearchOptim=Buscar optimización
YouHaveXObjectUseSearchOptim=Ten %s %s produtos na base de datos. Debería engadir a constante %s a 1 e Inicio-Configuración-Outra Configuración. Limita a busca ao comezo da cadea o que fai posible que a base de datos use o indice e acade unha resposta inmediata.
YouHaveXObjectAndSearchOptimOn=Ten %s %s na base de datos e a constante %s está configurada en 1 in Inicio-Configuración-Outra Configuración.
BrowserIsOK=Usa o navegador web %s. Este navegador está optimizado para a seguridade e o rendemento.
BrowserIsKO=Usa o navegador web %s. Este navegador é unha mala escolla para a seguridade, rendemento e fiabilidade. Aconsellamos utilizar Firefox, Chrome, Opera ou Safari.
-PHPModuleLoaded=PHP component %s is loaded
+PHPModuleLoaded=%s de compoñente PHP está cargado
PreloadOPCode=Pregarca de OPCode está activa
AddRefInList=Amosar código de cliente/provedor nas listaxes (e selectores) e ligazóns. Os terceiros aparecerán co nome "CC12345 - SC45678 - The big company coorp", no lugar de "The big company coorp".
AddAdressInList=Amosar o enderezo do cliente/provedor nas listaxes (e selectores) Os terceiros aparecerán co nome "The big company coorp - 21 jump street 123456 Big town - USA ", no lugar de "The big company coorp".
-AddEmailPhoneTownInContactList=Display Contact email (or phones if not defined) and town info list (select list or combobox) Contacts will appear with a name format of "Dupond Durand - dupond.durand@email.com - Paris" or "Dupond Durand - 06 07 59 65 66 - Paris" instead of "Dupond Durand".
+AddEmailPhoneTownInContactList=Amosar o correo electrónico de contacto (ou os teléfonos se non é definido) e a lista de información da cidade (seleccionar lista ou caixa de combinación) Os contactos aparecerán cun formato de nome "Dupond Durand-dupond.durand@email.com-Paris" ou "Dupond" Durand - 06 07 59 65 66 - París "en lugar de" Dupond Durand ".
AskForPreferredShippingMethod=Consultar polo método preferido de envío a terceiros.
FieldEdition=Edición do campo %s
FillThisOnlyIfRequired=Exemplo: +2 (Complete só se rexistra unha desviación do tempo na exportación)
@@ -1322,7 +1324,7 @@ GetBarCode=Obter código de barras
NumberingModules=Modelos de numeración
DocumentModules=Modelos de documento
##### Module password generation
-PasswordGenerationStandard=Return a password generated according to internal Dolibarr algorithm: %s characters containing shared numbers and characters in lowercase.
+PasswordGenerationStandard=Volta un contrasinal xerado segundo o algoritmo interno de Dolibarr:%s caracteres, que conteñen números e caracteres en minúsculas mesturados.
PasswordGenerationNone=Non suxerir ningún contrasinal xerada. O contrasinal debe ser escrito manualmente.
PasswordGenerationPerso=Volta un contrasinal segundo a configuración definida.
SetupPerso=Segundo a túa configuración
@@ -1332,16 +1334,16 @@ RuleForGeneratedPasswords=Norma para a xeración das contrasinais propostas
DisableForgetPasswordLinkOnLogonPage=Non amosar a ligazón "Contrasinal esquecida" na páxina de login
UsersSetup=Configuración do módulo usuarios
UserMailRequired=E-Mail preciso para crear un novo usuario
-UserHideInactive=Hide inactive users from all combo lists of users (Not recommended: this may means you won't be able to filter or search on old users on some pages)
-UsersDocModules=Document templates for documents generated from user record
-GroupsDocModules=Document templates for documents generated from a group record
+UserHideInactive=Ocultar usuarios inactivos de todas as listas combinadas de usuarios (Non recomendado: isto pode significar que non poderá filtrar nin buscar usuarios antigos nalgunhas páxinas)
+UsersDocModules=Modelos de documentos para documentos xerados desde o rexistro do usuario
+GroupsDocModules=Modelos de documentos para documentos xerados desde un rexistro de grupo
##### HRM setup #####
-HRMSetup=HRM module setup
+HRMSetup=Setup do módulo RRHH
##### Company setup #####
CompanySetup=Configuración do módulo Terceiros
CompanyCodeChecker=Opcións para a xeración automática de códigos de clientes / provedores.
AccountCodeManager=Opcións para a xeración automática de contas contables de clientes / provedores.
-NotificationsDesc=As notificacións por e-mail permitenlle enviar silenciosamente e-mails automáticos, para algúns eventos Dolibarr. Pódense definir os destinatarios:
+NotificationsDesc=As notificacións por e-mail permitenlle enviar silenciosamente e-mails automáticos, para algúns eventos Dolibarr. Pódense definir os destinatarios:
NotificationsDescUser=* por usuarios, un usuario á vez.
NotificationsDescContact=* por contactos de terceiros (clientes ou provedores), un contacto á vez.
NotificationsDescGlobal=* o configurando destinatarios globlalmente na configuración do módulo.
@@ -1355,10 +1357,10 @@ MustBeMandatory=¿Obrigatorio para crear terceiros (se o CIF ou tipo de compañ
MustBeInvoiceMandatory=¿Obrigatorio para validar facturas?
TechnicalServicesProvided=Servizos técnicos prestados
#####DAV #####
-WebDAVSetupDesc=This is the link to access the WebDAV directory. It contains a "public" dir open to any user knowing the URL (if public directory access allowed) and a "private" directory that needs an existing login account/password for access.
+WebDAVSetupDesc=Estas son as ligazóns para acceder ao directorio WebDAV. Conten un directorio "público" aberto para calquera usuario que coñeza a URL (se permite o acceso público ao directorio) e un directorio "privado" que precisa unha conta de inicio de sesión / contrasinal para acceder.
WebDavServer=URL raíz do servidor %s: %s
##### Webcal setup #####
-WebCalUrlForVCalExport=An export link to %s format is available at following link: %s
+WebCalUrlForVCalExport=Hai unha ligazón de exportación ao formato %s dispoñible na seguinte ligazón:: %s
##### Invoices #####
BillsSetup=Configuración do módulo Facturas
BillsNumberingModule=Módulo de numeración de facturas e abonos
@@ -1391,16 +1393,16 @@ WatermarkOnDraftSupplierProposal=Marca de auga en orzamentos de provedor (no cas
BANK_ASK_PAYMENT_BANK_DURING_SUPPLIER_PROPOSAL=Preguntar por conta bancaria a usar no orzamento
WAREHOUSE_ASK_WAREHOUSE_DURING_ORDER=Almacén a utilizar para o pedimento
##### Suppliers Orders #####
-BANK_ASK_PAYMENT_BANK_DURING_SUPPLIER_ORDER=Ask for bank account destination of purchase order
+BANK_ASK_PAYMENT_BANK_DURING_SUPPLIER_ORDER=Preguntar por conta bancaria a usar no pedimento a provedor
##### Orders #####
SuggestedPaymentModesIfNotDefinedInOrder=Modo suxerido de pago en pedimentos de cliente por defecto se non está definido no pedimento
-OrdersSetup=Sales Orders management setup
-OrdersNumberingModules=Orders numbering models
-OrdersModelModule=Order documents models
-FreeLegalTextOnOrders=Free text on orders
-WatermarkOnDraftOrders=Watermark on draft orders (none if empty)
-ShippableOrderIconInList=Add an icon in Orders list which indicate if order is shippable
-BANK_ASK_PAYMENT_BANK_DURING_ORDER=Ask for bank account destination of order
+OrdersSetup=Configuración da xestión de pedimentos de cliente
+OrdersNumberingModules=Modelos de numeración de pedimentos
+OrdersModelModule=Modelos de documentos de pedimentos
+FreeLegalTextOnOrders=Texto libre en pedimentos
+WatermarkOnDraftOrders=Marca de auga en borradores de pedimentos (ningunha se está baleira)
+ShippableOrderIconInList=Engade unha icona na lista de pedimentos que indique se se pode enviar o pedimento
+BANK_ASK_PAYMENT_BANK_DURING_ORDER=Solicitar o destino da orde bancaria
##### Interventions #####
InterventionsSetup=Configuración do módulo intervencións
FreeLegalTextOnInterventions=Texto adicional nas fichas de intervención
@@ -1421,7 +1423,7 @@ AdherentMailRequired=E-Mail obrigatorio para crear un membro novo
MemberSendInformationByMailByDefault=Caixa de verificación para enviar o correo de confirmación (validación ou nova cotización) aos membros é por defecto "sí"
VisitorCanChooseItsPaymentMode=O visitante pode escoller entre os modos de pagamento dispoñibles
MEMBER_REMINDER_EMAIL=Habilitar recordatorio de eventos por e-mail de suscripcións expiradas. Nota: O módulo %s debe estar habilitado e configurado correctamente para que o recordatorio sexa enviado.
-MembersDocModules=Document templates for documents generated from member record
+MembersDocModules=Modelos de documentos para documentos xerados a partir do rexistro de membros
##### LDAP setup #####
LDAPSetup=Configuración do módulo LDAP
LDAPGlobalParameters=Parámetros globais
@@ -1490,27 +1492,27 @@ LDAPTestSynchroMemberType=Probar a sincronización de tipo de membro
LDAPTestSearch= Probar unha busca LDAP
LDAPSynchroOK=Proba de sincronización realizada correctamente
LDAPSynchroKO=Proba de sincronización erronea
-LDAPSynchroKOMayBePermissions=Failed synchronization test. Check that the connection to the server is correctly configured and allows LDAP updates
-LDAPTCPConnectOK=TCP connect to LDAP server successful (Server=%s, Port=%s)
-LDAPTCPConnectKO=TCP connect to LDAP server failed (Server=%s, Port=%s)
-LDAPBindOK=Connect/Authenticate to LDAP server successful (Server=%s, Port=%s, Admin=%s, Password=%s)
-LDAPBindKO=Connect/Authenticate to LDAP server failed (Server=%s, Port=%s, Admin=%s, Password=%s)
-LDAPSetupForVersion3=LDAP server configured for version 3
-LDAPSetupForVersion2=LDAP server configured for version 2
-LDAPDolibarrMapping=Dolibarr Mapping
-LDAPLdapMapping=LDAP Mapping
-LDAPFieldLoginUnix=Login (unix)
+LDAPSynchroKOMayBePermissions=Fallou a proba de sincronización. Comprobe se a conexión co servidor está configurada correctamente e permite actualizacións LDAP
+LDAPTCPConnectOK=Conexión TCP ao servidor LDAP realizada (Servidor=%s, Porto=%s)
+LDAPTCPConnectKO=Fallo de conexión TCP ao servidor LDAP (Servidor=%s, Porto=%s)
+LDAPBindOK=Conexión/Autenticación realizada ao servidor LDAP (Servidor=%s, Puerto=%s, Admin=%s, Password=%s)
+LDAPBindKO=Fallo de conexión/autenticación ao servidor LDAP (Servidor=%s, Puerto=%s, Admin=%s, Password=%s)
+LDAPSetupForVersion3=Servidor LDAP configurado para versión 3
+LDAPSetupForVersion2=Servidor LDAP configurado para versión 2
+LDAPDolibarrMapping=Mapping Dolibarr
+LDAPLdapMapping=Mapping LDAP
+LDAPFieldLoginUnix=Inicio de sesión (unix)
LDAPFieldLoginExample=Exemplo : uid
-LDAPFilterConnection=Search filter
-LDAPFilterConnectionExample=Example: &(objectClass=inetOrgPerson)
+LDAPFilterConnection=Filtro de búsqueda
+LDAPFilterConnectionExample=Exemplo : &(objectClass=inetOrgPerson)
LDAPFieldLoginSamba=Login (samba, activedirectory)
-LDAPFieldLoginSambaExample=Example: samaccountname
+LDAPFieldLoginSambaExample=Exemplo : samaccountname
LDAPFieldFullname=Nome completo
-LDAPFieldFullnameExample=Example: cn
-LDAPFieldPasswordNotCrypted=Password not encrypted
-LDAPFieldPasswordCrypted=Password encrypted
-LDAPFieldPasswordExample=Example: userPassword
-LDAPFieldCommonNameExample=Example: cn
+LDAPFieldFullnameExample=Exemplo : cn
+LDAPFieldPasswordNotCrypted=Contrasinal non cifrada
+LDAPFieldPasswordCrypted=Contrasinal cifrada
+LDAPFieldPasswordExample=Exemplo : userPassword
+LDAPFieldCommonNameExample=Exemplo : cn
LDAPFieldName=Nome
LDAPFieldNameExample=Exemplo : sn
LDAPFieldFirstName=Nome
@@ -1545,51 +1547,51 @@ LDAPFieldSid=SID
LDAPFieldSidExample=Exemplo : objectsid
LDAPFieldEndLastSubscription=Data finalización como membro
LDAPFieldTitle=Posto de traballo
-LDAPFieldTitleExample=Example: title
-LDAPFieldGroupid=Group id
-LDAPFieldGroupidExample=Exemple : gidnumber
-LDAPFieldUserid=User id
-LDAPFieldUseridExample=Exemple : uidnumber
-LDAPFieldHomedirectory=Home directory
-LDAPFieldHomedirectoryExample=Exemple : homedirectory
-LDAPFieldHomedirectoryprefix=Home directory prefix
-LDAPSetupNotComplete=LDAP setup not complete (go on others tabs)
-LDAPNoUserOrPasswordProvidedAccessIsReadOnly=No administrator or password provided. LDAP access will be anonymous and in read only mode.
-LDAPDescContact=This page allows you to define LDAP attributes name in LDAP tree for each data found on Dolibarr contacts.
-LDAPDescUsers=This page allows you to define LDAP attributes name in LDAP tree for each data found on Dolibarr users.
-LDAPDescGroups=This page allows you to define LDAP attributes name in LDAP tree for each data found on Dolibarr groups.
-LDAPDescMembers=This page allows you to define LDAP attributes name in LDAP tree for each data found on Dolibarr members module.
-LDAPDescMembersTypes=This page allows you to define LDAP attributes name in LDAP tree for each data found on Dolibarr members types.
-LDAPDescValues=Example values are designed for OpenLDAP with following loaded schemas: core.schema, cosine.schema, inetorgperson.schema). If you use thoose values and OpenLDAP, modify your LDAP config file slapd.conf to have all thoose schemas loaded.
-ForANonAnonymousAccess=For an authenticated access (for a write access for example)
-PerfDolibarr=Performance setup/optimizing report
+LDAPFieldTitleExample=Exemplo:título
+LDAPFieldGroupid=Id Grupo
+LDAPFieldGroupidExample=Exemplo : número gid
+LDAPFieldUserid=Id usuario
+LDAPFieldUseridExample=Exemplo : número uid
+LDAPFieldHomedirectory=Directorio Inicio
+LDAPFieldHomedirectoryExample=Exemplo : directorioinicio
+LDAPFieldHomedirectoryprefix=Prefixo do directorio inicio
+LDAPSetupNotComplete=Configuración LDAP incompleta (a completar nas outras pestanas)
+LDAPNoUserOrPasswordProvidedAccessIsReadOnly=Administrador ou contrasinal non proporcionados. O acceso LDAP será anónimo e en modo só lectura.
+LDAPDescContact=Esta páxina permítelle definir o nome dos atributos LDAP na árbore LDAP para cada dato atopado nos contactos Dolibarr.
+LDAPDescUsers=Esta páxina permítelle definir o nome dos atributos LDAP na árbore LDAP para cada dato atopado nos usuarios de Dolibarr..
+LDAPDescGroups=Esta páxina permítelle definir o nome dos atributos LDAP na árbore LDAP para cada dato atopado nos grupos Dolibarr.
+LDAPDescMembers=Esta páxina permítelle definir o nome dos atributos LDAP na árbore LDAP para cada dato atopado no módulo de membros de Dolibarr..
+LDAPDescMembersTypes=Esta páxina permítelle definir o nome dos atributos LDAP na árbore LDAP para cada dato atopado nos tipos de membros de Dolibarr.
+LDAPDescValues=Os valores de exemplo están deseñados para OpenLDAP cos seguintes esquemas cargados: core.schema, cosine.schema, inetorgperson.schema ). Se usa estes valores e OpenLDAP, modifique o ficheiro de configuración LDAP slapd.conf para ter todos os esquemas cargados.
+ForANonAnonymousAccess=Para un acceso autenticado (por exemplo para un accesos de escritura)
+PerfDolibarr=Informe da configuración/optimización do rendemento
YouMayFindPerfAdviceHere=Nesta páxina atopará varias probas e consellos relacionados co rendemento.
-NotInstalled=Not installed.
-NotSlowedDownByThis=Not slowed down by this.
-NotRiskOfLeakWithThis=Not risk of leak with this.
+NotInstalled=Non instalado.
+NotSlowedDownByThis=Non ralentizado por isto.
+NotRiskOfLeakWithThis=Non hai risco de fuga con isto
ApplicativeCache=Aplicación caché
-MemcachedNotAvailable=No applicative cache found. You can enhance performance by installing a cache server Memcached and a module able to use this cache server. More information here http://wiki.dolibarr.org/index.php/Module_MemCached_EN. Note that a lot of web hosting provider does not provide such cache server.
-MemcachedModuleAvailableButNotSetup=Module memcached for applicative cache found but setup of module is not complete.
-MemcachedAvailableAndSetup=Module memcached dedicated to use memcached server is enabled.
-OPCodeCache=OPCode cache
-NoOPCodeCacheFound=No OPCode cache found. Maybe you are using an OPCode cache other than XCache or eAccelerator (good), or maybe you don't have OPCode cache (very bad).
-HTTPCacheStaticResources=HTTP cache for static resources (css, img, javascript)
-FilesOfTypeCached=Files of type %s are cached by HTTP server
-FilesOfTypeNotCached=Files of type %s are not cached by HTTP server
-FilesOfTypeCompressed=Files of type %s are compressed by HTTP server
-FilesOfTypeNotCompressed=Files of type %s are not compressed by HTTP server
-CacheByServer=Cache by server
-CacheByServerDesc=For example using the Apache directive "ExpiresByType image/gif A2592000"
-CacheByClient=Cache by browser
-CompressionOfResources=Compression of HTTP responses
-CompressionOfResourcesDesc=For example using the Apache directive "AddOutputFilterByType DEFLATE"
-TestNotPossibleWithCurrentBrowsers=Such an automatic detection is not possible with current browsers
-DefaultValuesDesc=Here you may define the default value you wish to use when creating a new record, and/or default filters or the sort order when you list records.
-DefaultCreateForm=Default values (to use on forms)
-DefaultSearchFilters=Default search filters
-DefaultSortOrder=Default sort orders
-DefaultFocus=Default focus fields
-DefaultMandatory=Mandatory form fields
+MemcachedNotAvailable=Non se atopou aplicación caché. Pode mellorar o rendemento instalando un servidor caché. Memcached é un módulo capaz de usar este servidor caché. Mais información aquí http://wiki.dolibarr.org/index.php/Module_MemCached_EN. Teña conta que moitos provedores de hospedaxe web non fornecen ese servidor caché.
+MemcachedModuleAvailableButNotSetup=Atopouse o módulo memcached para a aplicación caché pero a configuración do módulo non está completa.
+MemcachedAvailableAndSetup=O módulo memcached adicado a usar o servidor memcached está habilitado.
+OPCodeCache=Caché OPCode
+NoOPCodeCacheFound=Non se atopou caché OPCode. Cicais estexa a usar unha caché OPCode distinta de XCache ou eAccelerator (bo) ou cicais non teña caché OPCode (moi mal).
+HTTPCacheStaticResources=Caché HTTP para estatísticas de recursos (css, img, javascript)
+FilesOfTypeCached=Os ficheiros de tipo %s son almacenados en caché polo servidor HTTP
+FilesOfTypeNotCached=Os ficheiros de tipo %s non son almacenados en caché polo servidor HTTP
+FilesOfTypeCompressed=Os ficheiros de tipo %s son comprimidos polo servidor HTTP
+FilesOfTypeNotCompressed=Os ficheiros de tipo %s non son comprimidos polo servidor HTTP
+CacheByServer=Caché por servidor
+CacheByServerDesc=Por exemplo, usando a directiva Apache "ExpiresByType image/gif A2592000"
+CacheByClient=Caché por navegador
+CompressionOfResources=Compresión das respostas HTTP
+CompressionOfResourcesDesc=Por exemplo, usando a directiva Apache "AddOutputFilterByType DEFLATE"
+TestNotPossibleWithCurrentBrowsers=Esta detección automática non é posible cos navegadores actuais
+DefaultValuesDesc=Aquí pode definir o valor predeterminado que desexa usar ao crear un novo rexistro e / ou filtros predeterminados ou a orde de clasificación ao listar rexistros.
+DefaultCreateForm=Valores predeterminados (para usar nos formularios)
+DefaultSearchFilters=Filtros de busca predeterminados
+DefaultSortOrder=Ordes de clasificación predeterminados
+DefaultFocus=Campos de enfoque predeterminados
+DefaultMandatory=Campos de formulario obrigatorios
##### Products #####
ProductSetup=Configuración do módulo Produtos
ServiceSetup=Configuración do módulo Servizos
@@ -1597,15 +1599,15 @@ ProductServiceSetup=Configuración dos módulos Produtos e Servizos
NumberOfProductShowInSelect=Nº de produtos máx. nas listas (0=sen límite)
ViewProductDescInFormAbility=Visualización das descripcións dos produtos nos formularios (no caso contrario como tooltip)
MergePropalProductCard=Activar no produto/servizo a pestana Documentos unha opción para fusionar documentos PDF de produtos ao orzamento PDF azur se o produto/servizo atópase no orzamento
-ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in the language of the third party
-UseSearchToSelectProductTooltip=Also if you have a large number of products (> 100 000), you can increase speed by setting constant PRODUCT_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string.
-UseSearchToSelectProduct=Wait until you press a key before loading content of product combo list (This may increase performance if you have a large number of products, but it is less convenient)
-SetDefaultBarcodeTypeProducts=Default barcode type to use for products
-SetDefaultBarcodeTypeThirdParties=Default barcode type to use for third parties
-UseUnits=Define a unit of measure for Quantity during order, proposal or invoice lines edition
-ProductCodeChecker= Module for product code generation and checking (product or service)
-ProductOtherConf= Product / Service configuration
-IsNotADir=is not a directory!
+ViewProductDescInThirdpartyLanguageAbility=Amosar as descricións dos produtos no idioma do terceiro
+UseSearchToSelectProductTooltip=Tamén, se ten un gran número de produtos (> 100 000), pode aumentar a velocidade configurando PRODUCT_DONOTSEARCH_ANYWHERE constante en 1 en Configuración-> Outro. A busca limitarase entón ao comezo da cadea.
+UseSearchToSelectProduct=Agard a que prema unha tecla antes de cargar o contido da listaxe combinada de produtos (Isto pode aumentar o rendemento se ten un gran número de produtos, pero é menos conveniente)
+SetDefaultBarcodeTypeProducts=Tipo de código de barras predeterminado para usar en produtos
+SetDefaultBarcodeTypeThirdParties=Tipo de código de barras predeterminado para usar con terceiros
+UseUnits=Defina unha unidade de medida para Cantidade durante a edición de liñas de orzamento, pedimento ou factura
+ProductCodeChecker= Módulo para a xeración e comprobación de código de produto (produto ou servizo)
+ProductOtherConf= Configuración de Produto/Servizo
+IsNotADir=non é un directorio!
##### Syslog #####
SyslogSetup=Configuración do módulo Syslog
SyslogOutput=Saída do log
@@ -1614,9 +1616,9 @@ SyslogLevel=Nivel
SyslogFilename=Nome e ruta do ficheiro
YouCanUseDOL_DATA_ROOT=Pode utilizar DOL_DATA_ROOT/dolibarr.log para un rexistro no directorio "documentos" de Dolibarr. Porén, pode establecer un directorio diferente para gardar este ficheiro.
ErrorUnknownSyslogConstant=A constante %s non é unha constante syslog coñecida
-OnlyWindowsLOG_USER=On Windows, only the LOG_USER facility will be supported
+OnlyWindowsLOG_USER=Windows só soporta LOG_USER
CompressSyslogs=Compresión e copia de seguridade dos ficheiros de rexistro de depuración (xerados polo módulo Log para a depuración)
-SyslogFileNumberOfSaves=Number of backup logs to keep
+SyslogFileNumberOfSaves=Copias de seguridade de log a gardar
ConfigureCleaningCronjobToSetFrequencyOfSaves=Configurar tareas programados de limpeza para establecer a frecuencia de copia de seguridade do log
##### Donations #####
DonationsSetup=Configuración do módulo doacións/subvencións
@@ -1640,46 +1642,46 @@ GenbarcodeLocation=Ferramenta de xeración de códigos de barras na liña de com
BarcodeInternalEngine=Motor interno
BarCodeNumberManager=Xestor para auto definir números de código de barras
##### Prelevements #####
-WithdrawalsSetup=Configuración d0 módulo domiciliacións
+WithdrawalsSetup=Configuración do módulo domiciliacións
##### ExternalRSS #####
ExternalRSSSetup=Configuración das importaciones do fluxo RSS
NewRSS=Sindicación dun novo fluxo RSS
RSSUrl=URL del RSS
RSSUrlExample=Un fluxo RSS interesante
##### Mailing #####
-MailingSetup=EMailing module setup
-MailingEMailFrom=Sender email (From) for emails sent by emailing module
-MailingEMailError=Return Email (Errors-to) for emails with errors
-MailingDelay=Seconds to wait after sending next message
+MailingSetup=Configuración do módulo E-Mailing
+MailingEMailFrom=E-Mail emisor (From) dos correos enviados por E-Mailing
+MailingEMailError=E-Mail de resposta (Errors-to) para as respostas acerca de envíos por e-mailing con erros.
+MailingDelay=Segundos que agarda despois de enviar a mensaxe seguinte
##### Notification #####
-NotificationSetup=Email Notification module setup
-NotificationEMailFrom=Sender email (From) for emails sent by the Notifications module
-FixedEmailTarget=Destinatario
+NotificationSetup=Configuración do módulo notificacións
+NotificationEMailFrom=E-Mail emisor (From) dos correos enviados ao través de notificacións
+FixedEmailTarget=Destinatario fixo
##### Sendings #####
-SendingsSetup=Shipping module setup
-SendingsReceiptModel=Sending receipt model
-SendingsNumberingModules=Sendings numbering modules
-SendingsAbility=Support shipping sheets for customer deliveries
-NoNeedForDeliveryReceipts=In most cases, shipping sheets are used both as sheets for customer deliveries (list of products to send) and sheets that are received and signed by customer. Hence the product deliveries receipt is a duplicated feature and is rarely activated.
-FreeLegalTextOnShippings=Free text on shipments
+SendingsSetup=Configuración do módulo Expedicións
+SendingsReceiptModel=Modelo de notas de entrega
+SendingsNumberingModules=Módulos de numeración de notas de entrega
+SendingsAbility=Soporte de follas de envío para entregas a clientes
+NoNeedForDeliveryReceipts=Na maioría dos casos, as notas de entrega (listaxe de produtos enviados) tamén actúan como notas de recepción e son asinadas polo cliente. A xestión das notas de recepción é polo tanto redundante e rara vez será activada.
+FreeLegalTextOnShippings=Texto libre en envíos
##### Deliveries #####
-DeliveryOrderNumberingModules=Products deliveries receipt numbering module
-DeliveryOrderModel=Products deliveries receipt model
-DeliveriesOrderAbility=Support products deliveries receipts
-FreeLegalTextOnDeliveryReceipts=Free text on delivery receipts
+DeliveryOrderNumberingModules=Módulos de numeración das notas de recepción
+DeliveryOrderModel=Modelo de notas de recepción
+DeliveriesOrderAbility=Uso de notas de recepción
+FreeLegalTextOnDeliveryReceipts=Texto libre nas notas de recepción
##### FCKeditor #####
AdvancedEditor=Editor avanzado
ActivateFCKeditor=Activar editor avanzado para :
FCKeditorForCompany=Creación/edición WYSIWIG da descrición e notas dos terceiros
FCKeditorForProduct=Creación/edición WYSIWIG da descrición e notas dos produtos/servizos
-FCKeditorForProductDetails=WYSIWIG creation/edition of products details lines for all entities (proposals, orders, invoices, etc...). Warning: Using this option for this case is seriously not recommended as it can create problems with special characters and page formatting when building PDF files.
+FCKeditorForProductDetails=Creación/edición WYSIWIG das liñas de detalle dos produtos (pedimentos, orzamentos, facturas, etc.). Atención: O uso desta opción non é recomendable xa que pode crear problemas cos caracteres especiais e o formateo de páxina ao xerar ficheiros PDF.
FCKeditorForMailing= Creación/edición WYSIWIG dos E-Mails (Utilidades->E-Mailings)
FCKeditorForUserSignature=Creación/edición WYSIWIG da sinatura de usuarios
FCKeditorForMail=Creación/edición WYSIWIG de todos os e-mails ( excepto Utilidades->E-Mailings)
FCKeditorForTicket=Creación/edición WYSIWIG para tickets
##### Stock #####
StockSetup=Configuración do módulo Almacéns
-IfYouUsePointOfSaleCheckModule=If you use the Point of Sale module (POS) provided by default or an external module, this setup may be ignored by your POS module. Most POS modules are designed by default to create an invoice immediately and decrease stock irrespective of the options here. So if you need or not to have a stock decrease when registering a sale from your POS, check also your POS module setup.
+IfYouUsePointOfSaleCheckModule=Se utiliza un módulo de Punto de Venda (módulo TPV por defecto ou otro módulo externo), esta configuración pode ser ignorada polo seu módulo de Punto de Venda. A maioría de módulos TPV están deseñados para crear inmediatamente unha factura e decrementar stocks calquera que sexan estas opcións. Por tanto, se vosteda precisa ou non decrementar stocks no rexistro dunha venda do seu punto de venda, controle tamén a configuración do seu módulo TPV.
##### Menu #####
MenuDeleted=Menú eliminado
Menu=Menu
@@ -1689,17 +1691,17 @@ NotTopTreeMenuPersonalized=Menús personalizados non ligados a un menú superior
NewMenu=Novo menú
MenuHandler=Xestor de menús
MenuModule=Módulo orixe
-HideUnauthorizedMenu= Hide unauthorized menus (gray)
+HideUnauthorizedMenu=Ocultar menús non autorizados tamén para usuarios internos (en gris, doutro xeito)
DetailId=Id menu
-DetailMenuHandler=Menu handler where to show new menu
-DetailMenuModule=Module name if menu entry come from a module
-DetailType=Type of menu (top or left)
-DetailTitre=Menu label or label code for translation
-DetailUrl=URL where menu send you (Absolute URL link or external link with http://)
-DetailEnabled=Condition to show or not entry
-DetailRight=Condition to display unauthorized grey menus
-DetailLangs=Lang file name for label code translation
-DetailUser=Intern / Extern / All
+DetailMenuHandler=Controlador de menús onde amosar o novo menú
+DetailMenuModule=Nome do módulo se a entrada do menú provén dun módulo
+DetailType=Tipo de menú (arriba ou á esquerda)
+DetailTitre=Etiqueta de menú ou código de etiqueta para a tradución
+DetailUrl=URL onde o menú o envía (ligazón URL absoluta ou ligazón externa con http: //)
+DetailEnabled=Condición para amosar ou non a entrada
+DetailRight=Condición para amosar menús grises non autorizados
+DetailLangs=Nome do ficheiro Lang para a tradución de código de etiqueta
+DetailUser=Intern / Extern / Todo
Target=Destinatario
DetailTarget=Comportamento da ligazón (_blank para abrir unha nova ventana)
DetailLevel=Nivel (-1:menú superior, 0:principal, >0 menú e submenú)
@@ -1708,105 +1710,105 @@ DeleteMenu=Eliminar entrada de menú
ConfirmDeleteMenu=¿Está certo de querer eliminar a entrada de menú %s?
FailedToInitializeMenu=Erro ao inicialiar o menú
##### Tax #####
-TaxSetup=Taxes, social or fiscal taxes and dividends module setup
-OptionVatMode=VAT due
-OptionVATDefault=Standard basis
-OptionVATDebitOption=Accrual basis
-OptionVatDefaultDesc=VAT is due: - on delivery of goods (based on invoice date) - on payments for services
-OptionVatDebitOptionDesc=VAT is due: - on delivery of goods (based on invoice date) - on invoice (debit) for services
-OptionPaymentForProductAndServices=Cash basis for products and services
-OptionPaymentForProductAndServicesDesc=VAT is due: - on payment for goods - on payments for services
-SummaryOfVatExigibilityUsedByDefault=Time of VAT eligibility by default according to chosen option:
+TaxSetup=Configuración do módulo de impostos, impostos sociais ou fiscais e dividendos
+OptionVatMode=IVE vencido
+OptionVATDefault=Base estándar
+OptionVATDebitOption=Base de devengo
+OptionVatDefaultDesc=Vence o IVE: - na entrega de mercadorías (en función da data da factura) - nos pagos por servizos
+OptionVatDebitOptionDesc=Vence o IVE: - na entrega de mercadorías (en función da data da factura) - na factura (débito) para servizos
+OptionPaymentForProductAndServices=Base de efectivo para produtos e servizos
+OptionPaymentForProductAndServicesDesc=Vence o IVE: - no pago de mercadorías - no pago de servizos
+SummaryOfVatExigibilityUsedByDefault=Tempo de elección do IVE por defecto segundo a opción escollida:
OnDelivery=Pagamento á entrega
-OnPayment=On payment
-OnInvoice=On invoice
-SupposedToBePaymentDate=Payment date used
-SupposedToBeInvoiceDate=Invoice date used
-Buy=Buy
+OnPayment=No pagamento
+OnInvoice=Na factura
+SupposedToBePaymentDate=Data de pago empregada
+SupposedToBeInvoiceDate=Data de utilización da factura
+Buy=Mercar
Sell=Vendas
-InvoiceDateUsed=Invoice date used
-YourCompanyDoesNotUseVAT=Your company has been defined to not use VAT (Home - Setup - Company/Organization), so there is no VAT options to setup.
-AccountancyCode=Accounting Code
-AccountancyCodeSell=Sale account. code
-AccountancyCodeBuy=Purchase account. code
+InvoiceDateUsed=Data de utilización da factura
+YourCompanyDoesNotUseVAT=A súa empresa está cofigurada para que non use o IVE (Inicio - Configuración - Empresa / Organización), polo que non hai opcións de IVE para configurar.
+AccountancyCode=Código de contabilidade
+AccountancyCodeSell=Conta de venda. código
+AccountancyCodeBuy=Conta de compras código
##### Agenda #####
-AgendaSetup=Events and agenda module setup
-PasswordTogetVCalExport=Key to authorize export link
-PastDelayVCalExport=Do not export event older than
-AGENDA_USE_EVENT_TYPE=Use events types (managed in menu Setup -> Dictionaries -> Type of agenda events)
-AGENDA_USE_EVENT_TYPE_DEFAULT=Automatically set this default value for type of event in event create form
-AGENDA_DEFAULT_FILTER_TYPE=Automatically set this type of event in search filter of agenda view
-AGENDA_DEFAULT_FILTER_STATUS=Automatically set this status for events in search filter of agenda view
-AGENDA_DEFAULT_VIEW=Which view do you want to open by default when selecting menu Agenda
-AGENDA_REMINDER_BROWSER=Enable event reminder on user's browser (When remind date is reached, a popup is shown by the browser. Each user can disable such notifications from its browser notification setup).
-AGENDA_REMINDER_BROWSER_SOUND=Enable sound notification
-AGENDA_REMINDER_EMAIL=Enable event reminder by emails (remind option/delay can be defined on each event).
-AGENDA_REMINDER_EMAIL_NOTE=Note: The frequency of the task %s must be enough to be sure that the remind are sent at the correct moment.
-AGENDA_SHOW_LINKED_OBJECT=Show linked object into agenda view
+AgendaSetup=Configuración do módulo de eventos e axenda
+PasswordTogetVCalExport=Chave para autorizar a ligazón de exportación
+PastDelayVCalExport=Non exportar eventos anteriores a
+AGENDA_USE_EVENT_TYPE=Usar tipos de eventos (xestionados no menú Configuración -> Dicionarios -> Tipo de eventos da axenda)
+AGENDA_USE_EVENT_TYPE_DEFAULT=Definir automaticamente este valor predeterminado para o tipo de evento no formulario de creación de eventos
+AGENDA_DEFAULT_FILTER_TYPE=Establecer automaticamente este tipo de eventos no filtro de busca da vista de axenda
+AGENDA_DEFAULT_FILTER_STATUS=Establecer automaticamente este estado para eventos no filtro de busca da vista de axenda
+AGENDA_DEFAULT_VIEW=Cal vista desexa abrir de xeito predeterminado ao seleccionar o menú Axenda
+AGENDA_REMINDER_BROWSER=Activar a lembranza de eventos no navegador do usuario (Cando se alcanza a data de lembranza, o navegador amosa unha ventá emerxente. Cada usuario pode desactivar estas notificacións desde a configuración de notificacións do navegador).
+AGENDA_REMINDER_BROWSER_SOUND=Activar a notificación de son
+AGENDA_REMINDER_EMAIL=Activar a lembranza de eventos por correo electrónico (a opción de lembranza/atraso pódese definir en cada evento).
+AGENDA_REMINDER_EMAIL_NOTE=Nota: A frecuencia da tarefa %s debe ser suficiente para asegurarse de que as lembranzas se envían no momento correcto.
+AGENDA_SHOW_LINKED_OBJECT=Amosar o obxecto ligado á vista de axenda
##### Clicktodial #####
-ClickToDialSetup=Click To Dial module setup
-ClickToDialUrlDesc=Url called when a click on phone picto is done. In URL, you can use tags __PHONETO__ that will be replaced with the phone number of person to call __PHONEFROM__ that will be replaced with phone number of calling person (yours) __LOGIN__ that will be replaced with clicktodial login (defined on user card) __PASS__ that will be replaced with clicktodial password (defined on user card).
-ClickToDialDesc=This module change phone numbers, when using a desktop computer, into clickable links. A click will call the number. This can be used to start the phone call when using a soft phone on your desktop or when using a CTI system based on SIP protocol for example. Note: When using a smartphone, phone numbers are always clickable.
-ClickToDialUseTelLink=Use just a link "tel:" on phone numbers
-ClickToDialUseTelLinkDesc=Use this method if your users have a softphone or a software interface installed on the same computer as the browser, and called when you click on a link in your browser that starts with "tel:". If you need a full server solution (no need of local software installation), you must set this to "No" and fill next field.
+ClickToDialSetup=Faga clic para marcar a configuración do módulo
+ClickToDialUrlDesc=Url chamada cando se fai un clic na imaxe do teléfono. En URL, pode usar etiquetas __PHONETO__ que se substituirán polo número de teléfono da persoa á que chamar __PHONEFROM__ que se substituirá polo número de teléfono persoa (túa) __LOGIN__ que se substituirá por inicio de sesión clicktodial (definido na tarxeta de usuario) __PASS__ que se substituirá por contrasinal clicktodial (definido na tarxeta de usuario).
+ClickToDialDesc=Este módulo cambia os números de teléfono cando se usa un ordenador de escritorio por ligazóns onde se pode facer clic. Un clic chamará ao número. Isto pódese empregar para iniciar a chamada cando se usa un teléfono por software no seu escritorio ou cando se usa un sistema CTI baseado no protocolo SIP por exemplo. Nota: Cando se usa un teléfono intelixente, sempre se pode facer clic nos números de teléfono.
+ClickToDialUseTelLink=Use só unha ligazón "tel:" nos números de teléfono
+ClickToDialUseTelLinkDesc=Utilice este método se os seus usuarios teñen instalado no mesmo ordenador que o do navegador un software de teléfono ou unha interface telefónica, chamando cando fan clic nunha ligazón do seu navegador que comeza con "tel:". Se precisa unha solución de servidor completa (sen necesidade de instalación de software local), debe establecer isto en "Non" e encher o seguinte campo.
##### Point Of Sale (CashDesk) #####
CashDesk=Terminales Punto de Venda
-CashDeskSetup=Point of Sales module setup
-CashDeskThirdPartyForSell=Default generic third party to use for sales
-CashDeskBankAccountForSell=Default account to use to receive cash payments
-CashDeskBankAccountForCheque=Default account to use to receive payments by check
-CashDeskBankAccountForCB=Default account to use to receive payments by credit cards
-CashDeskBankAccountForSumup=Default bank account to use to receive payments by SumUp
-CashDeskDoNotDecreaseStock=Disable stock decrease when a sale is done from Point of Sale (if "no", stock decrease is done for each sale done from POS, irrespective of the option set in module Stock).
-CashDeskIdWareHouse=Force and restrict warehouse to use for stock decrease
-StockDecreaseForPointOfSaleDisabled=Stock decrease from Point of Sale disabled
-StockDecreaseForPointOfSaleDisabledbyBatch=Stock decrease in POS is not compatible with module Serial/Lot management (currently active) so stock decrease is disabled.
-CashDeskYouDidNotDisableStockDecease=You did not disable stock decrease when making a sale from Point of Sale. Hence a warehouse is required.
-CashDeskForceDecreaseStockLabel=Stock decrease for batch products was forced.
-CashDeskForceDecreaseStockDesc=Decrease first by the oldest eatby and sellby dates.
-CashDeskReaderKeyCodeForEnter=Key code for "Enter" defined in barcode reader (Example: 13)
+CashDeskSetup=Configuración do módulo Punto de venda
+CashDeskThirdPartyForSell=Un terceiro xenérico predeterminado para usar nas vendas
+CashDeskBankAccountForSell=Conta predeterminada a usar para recibir pagos en efectivo
+CashDeskBankAccountForCheque=Conta predeterminada a usar para recibir pagos mediante cheque
+CashDeskBankAccountForCB=Conta predeterminada a usar para recibir pagos con tarxetas de crédito
+CashDeskBankAccountForSumup=Conta bancaria predeterminada a usar para recibir pagos por SumUp
+CashDeskDoNotDecreaseStock=Desactivar a diminución de stock cando se realiza unha venda desde o punto de venda (se "non", a diminución destock faise por cada venda realizada desde TPV, independentemente da opción establecida no módulo Stock).
+CashDeskIdWareHouse=Forzar e restrinxir o almacén para que diminúa o stock
+StockDecreaseForPointOfSaleDisabled=Desactivado diminución de stock desde o punto de venda
+StockDecreaseForPointOfSaleDisabledbyBatch=A diminución de stock no TPV non é compatible coa xestión de módulos serie/lote (actualmente activa) polo que a diminución de stock está desactivada.
+CashDeskYouDidNotDisableStockDecease=Non desactivou a diminución de stock ao facer unha venda desde o punto de venda. Por iso é preciso un almacén.
+CashDeskForceDecreaseStockLabel=Forzouse a diminución do stock de produtos por lotes
+CashDeskForceDecreaseStockDesc=Diminuír primeiro polas datas máis antigas para comer por e vender por.
+CashDeskReaderKeyCodeForEnter=Código clave para "Enter" definido no lector de códigos de barras. (Exemplo:13)
##### Bookmark #####
-BookmarkSetup=Bookmark module setup
-BookmarkDesc=This module allows you to manage bookmarks. You can also add shortcuts to any Dolibarr pages or external web sites on your left menu.
-NbOfBoomarkToShow=Maximum number of bookmarks to show in left menu
+BookmarkSetup=Configuración do módulo de marcador
+BookmarkDesc=Este módulo permítelle xestionar marcadores. Tamén pode engadir atallos a calquera páxina de Dolibarr ou sitios web externos no menú esquerdo.
+NbOfBoomarkToShow=Número máximo de marcadores para amosar no menú esquerdo
##### WebServices #####
-WebServicesSetup=Webservices module setup
-WebServicesDesc=By enabling this module, Dolibarr become a web service server to provide miscellaneous web services.
-WSDLCanBeDownloadedHere=WSDL descriptor files of provided services can be download here
-EndPointIs=SOAP clients must send their requests to the Dolibarr endpoint available at URL
+WebServicesSetup=Configuración do módulo de servizos web
+WebServicesDesc=Ao habilitar este módulo, Dolibarr convértese nun servidor de servizos web para proporcionar servizos web diversos.
+WSDLCanBeDownloadedHere=Os ficheiros descritores WSDL dos servizos proporcionados pódense descargar aquí
+EndPointIs=Os clientes SOAP deben enviar as súas solicitudes ao punto final Dolibarr dispoñible no URL
##### API ####
-ApiSetup=API module setup
-ApiDesc=By enabling this module, Dolibarr become a REST server to provide miscellaneous web services.
-ApiProductionMode=Enable production mode (this will activate use of a cache for services management)
-ApiExporerIs=You can explore and test the APIs at URL
-OnlyActiveElementsAreExposed=Only elements from enabled modules are exposed
-ApiKey=Key for API
-WarningAPIExplorerDisabled=The API explorer has been disabled. API explorer is not required to provide API services. It is a tool for developer to find/test REST APIs. If you need this tool, go into setup of module API REST to activate it.
+ApiSetup=Configuración do módulo API
+ApiDesc=Ao habilitar este módulo, Dolibarr convértese nun servidor REST para proporcionar servizos web diversos.
+ApiProductionMode=Activa o modo de produción (isto activarase uso de caché para a xestión de servizos)
+ApiExporerIs=Pode explorar e probar as API na URL
+OnlyActiveElementsAreExposed=Só están expostos os elementos dos módulos habilitados
+ApiKey=Chave para API
+WarningAPIExplorerDisabled=Desactivouse o explorador de API. O explorador API non está obrigado a proporcionar servizos API. É unha ferramenta para que os desenvolvedores atopen/proben as API REST. Se precisa esta ferramenta, acceda á configuración do módulo API REST para activala.
##### Bank #####
-BankSetupModule=Bank module setup
-FreeLegalTextOnChequeReceipts=Free text on check receipts
-BankOrderShow=Display order of bank accounts for countries using "detailed bank number"
+BankSetupModule=Configuración do módulo Banco
+FreeLegalTextOnChequeReceipts=Texto gratuíto nos recibos do talón
+BankOrderShow=Amosar a orde das contas bancarias dos países que usan "número bancario detallado"
BankOrderGlobal=Xeral
-BankOrderGlobalDesc=General display order
+BankOrderGlobalDesc=Orde xeral de visualización
BankOrderES=Español
-BankOrderESDesc=Spanish display order
-ChequeReceiptsNumberingModule=Check Receipts Numbering Module
+BankOrderESDesc=Orde de exhibición
+ChequeReceiptsNumberingModule=Comprobar o módulo de numeración de recibos
##### Multicompany #####
MultiCompanySetup=Configuración do módulo Multi-empresa
##### Suppliers #####
SuppliersSetup=Configuración do módulo Provedores
-SuppliersCommandModel=Modelo de pedimentos a provedores completo (logo...)
-SuppliersCommandModelMuscadet=Complete template of Purchase Order (old implementation of cornas template)
-SuppliersInvoiceModel=Modelo de facturas de provedores completo (logo...)
+SuppliersCommandModel=Modelo completo de pedimento a provedor
+SuppliersCommandModelMuscadet=Modelo completo da orde de compra (implementación antiga do modelo cornas)
+SuppliersInvoiceModel=Modelo completo de facturas de provedor
SuppliersInvoiceNumberingModel=Modelos de numeración de facturas de provedor
IfSetToYesDontForgetPermission=Se está seleccionado, non esqueza modificar os permisos nos grupos ou usuarios para permitir a segunda aprobación
##### GeoIPMaxmind #####
-GeoIPMaxmindSetup=GeoIP Maxmind module setup
-PathToGeoIPMaxmindCountryDataFile=Path to file containing Maxmind ip to country translation. Examples: /usr/local/share/GeoIP/GeoIP.dat /usr/share/GeoIP/GeoIP.dat /usr/share/GeoIP/GeoLite2-Country.mmdb
-NoteOnPathLocation=Note that your ip to country data file must be inside a directory your PHP can read (Check your PHP open_basedir setup and filesystem permissions).
-YouCanDownloadFreeDatFileTo=You can download a free demo version of the Maxmind GeoIP country file at %s.
-YouCanDownloadAdvancedDatFileTo=You can also download a more complete version, with updates, of the Maxmind GeoIP country file at %s.
-TestGeoIPResult=Test of a conversion IP -> country
+GeoIPMaxmindSetup=Configuración do módulo GeoIP Maxmind
+PathToGeoIPMaxmindCountryDataFile=Ruta ao ficheiro que contén IP Maxmind á tradución do país. Exemplos: /usr/local/share/GeoIP/GeoIP.dat /usr/share/GeoIP/GeoIP.dat /usr/share/GeoIP/GeoLite2-Country.mmdb
+NoteOnPathLocation=Teña conta que o ficheiro de datos de IP a país debe estar dentro dun directorio que poida ler PHP (Comprobe a configuración de PHP open_basedir e os permisos do sistema de ficheiros).
+YouCanDownloadFreeDatFileTo=Pode descargar unha versión de demostración gratuíta do ficheiro de país Maxmind GeoIP en %s.
+YouCanDownloadAdvancedDatFileTo=Tamén pode descargar unha versión máis completa, con actualizacións do ficheiro de país Maxmind GeoIP en %s.
+TestGeoIPResult=Proba dunha conversión IP -> País
##### Projects #####
ProjectsNumberingModules=Módulo de numeración para as referencias dos proxectos
ProjectsSetup=Configuración do módulo Proxectos
@@ -1825,12 +1827,12 @@ DeleteFiscalYear=Eliminar ano fiscal
ConfirmDeleteFiscalYear=¿Está certo de querer eliminar este ano fiscal?
ShowFiscalYear=Ver período contable
AlwaysEditable=Pode editarse sempre
-MAIN_APPLICATION_TITLE=Force visible name of application (warning: setting your own name here may break autofill login feature when using DoliDroid mobile application)
-NbMajMin=Minimum number of uppercase characters
-NbNumMin=Minimum number of numeric characters
-NbSpeMin=Minimum number of special characters
-NbIteConsecutive=Maximum number of repeating same characters
-NoAmbiCaracAutoGeneration=Do not use ambiguous characters ("1","l","i","|","0","O") for automatic generation
+MAIN_APPLICATION_TITLE=Forzar visibilidade do nome da aplicación (aviso: configurar aquí o seu propio nome pode rachar a función de inicio de sesión de autocompletado cando se usa a aplicación móbil DoliDroid)
+NbMajMin=Número mínimo de caracteres en maiúscula
+NbNumMin=Número mínimo de caracteres numéricos
+NbSpeMin=Número mínimo de caracteres especiais
+NbIteConsecutive=Número máximo dos mesmos caracteres que se repiten
+NoAmbiCaracAutoGeneration=Non use caracteres ambiguos ("1","l","i","|","0","O") para a xeración automática
SalariesSetup=Configuración do módulo salarios
SortOrder=Ordenación
Format=Formatear
@@ -1840,49 +1842,49 @@ ExpenseReportsSetup=Configuración do módulo Informe de Gastos
TemplatePDFExpenseReports=Modelos de documento para xerar informes de gastos
ExpenseReportsRulesSetup=Configuración do módulo Informes de gastos - Regras
ExpenseReportNumberingModules=Módulo de numeración de informes de gastos
-NoModueToManageStockIncrease=No module able to manage automatic stock increase has been activated. Stock increase will be done on manual input only.
-YouMayFindNotificationsFeaturesIntoModuleNotification=You may find options for email notifications by enabling and configuring the module "Notification".
-ListOfNotificationsPerUser=List of automatic notifications per user*
-ListOfNotificationsPerUserOrContact=List of possible automatic notifications (on business event) available per user* or per contact**
-ListOfFixedNotifications=List of automatic fixed notifications
-GoOntoUserCardToAddMore=Go to the tab "Notifications" of a user to add or remove notifications for users
-GoOntoContactCardToAddMore=Go to the tab "Notifications" of a third party to add or remove notifications for contacts/addresses
-Threshold=Threshold
+NoModueToManageStockIncrease=Non se activou ningún módulo capaz de xestionar o aumento automático de stock. O aumento do stock farase só en entrada manual.
+YouMayFindNotificationsFeaturesIntoModuleNotification=Pode atopar opcións para as notificacións por correo electrónico habilitando e configurando o módulo "Notificación".
+ListOfNotificationsPerUser=Listaxe de notificacións automáticas por usuario *
+ListOfNotificationsPerUserOrContact=Listaxe de posibles notificacións automáticas (no evento empresarial) dispoñibles por usuario * ou por contacto **
+ListOfFixedNotifications=Listaxe de notificacións fixas automáticas
+GoOntoUserCardToAddMore=Vaia á pestana "Notificacións" dun usuario para engadir ou eliminar notificacións para os usuarios
+GoOntoContactCardToAddMore=Vaia á pestana "Notificacións" dun terceiro para engadir ou eliminar notificacións de contactos/enderezos
+Threshold=Límite
BackupDumpWizard=Asistente para crear unha copia de seguridade da base de datos
BackupZipWizard=Asistente para crear unha copia de seguridade do directorio de documentos
-SomethingMakeInstallFromWebNotPossible=Installation of external module is not possible from the web interface for the following reason:
-SomethingMakeInstallFromWebNotPossible2=For this reason, process to upgrade described here is a manual process only a privileged user may perform.
-InstallModuleFromWebHasBeenDisabledByFile=Install of external module from application has been disabled by your administrator. You must ask him to remove the file %s to allow this feature.
-ConfFileMustContainCustom=Installing or building an external module from application need to save the module files into directory %s. To have this directory processed by Dolibarr, you must setup your conf/conf.php to add the 2 directive lines: $dolibarr_main_url_root_alt='/custom'; $dolibarr_main_document_root_alt='%s/custom';
-HighlightLinesOnMouseHover=Highlight table lines when mouse move passes over
-HighlightLinesColor=Highlight color of the line when the mouse passes over (use 'ffffff' for no highlight)
-HighlightLinesChecked=Highlight color of the line when it is checked (use 'ffffff' for no highlight)
-TextTitleColor=Text color of Page title
-LinkColor=Color of links
-PressF5AfterChangingThis=Press CTRL+F5 on keyboard or clear your browser cache after changing this value to have it effective
-NotSupportedByAllThemes=Will works with core themes, may not be supported by external themes
+SomethingMakeInstallFromWebNotPossible=A instalación do módulo externo non é posible desde a interface web polo seguinte motivo:
+SomethingMakeInstallFromWebNotPossible2=Por estae motivo, o proceso de actualización descrito aquí é un proceso manual que só pode realizar un usuario privilexiado con privilexios o ficheiro %s para permitir esta función.
+InstallModuleFromWebHasBeenDisabledByFile=O seu administrador desactivou a instalación do módulo externo desde a aplicación. Debe pedirlle que elimine o ficheiro %s para permitir esta función.
+ConfFileMustContainCustom=A instalación ou construción dun módulo externo desde a aplicación precisa gardar os ficheiros do módulo no directorio %s. Para que Dolibarr procese este directorio, debe configurar o seu conf/conf.php para engadir as dúas liñas directivas: $dolibarr_main_url_root_alt='/custom'; $dolibarr_main_document_root_alt='%s/custom';
+HighlightLinesOnMouseHover=Resalte as liñas da táboa cando pasa o rato por riba
+HighlightLinesColor=Resaltar a cor da liña cando pasa o rato pasa (use 'ffffff' para non destacar)
+HighlightLinesChecked=Resaltar a cor da liña cando está marcada (use 'ffffff' para non destacar)
+TextTitleColor=Cor do texto do título da páxina
+LinkColor=Cor das ligazóns
+PressF5AfterChangingThis=Prema CTRL+F5 no teclado ou limpe a caché do navegador despois de cambiar este valor para que sexa efectivo
+NotSupportedByAllThemes=Traballará con temas core, pode que non sexan compatibles con temas externos
BackgroundColor=Cor de fondo
TopMenuBackgroundColor=Cor de fondo para o Menú superior
TopMenuDisableImages=Ocultar imaxes no Menú superior
LeftMenuBackgroundColor=Cor de fondo para o Menú esquerdo
BackgroundTableTitleColor=Cor de fondo para a Taboa título líña
BackgroundTableTitleTextColor=Cor do texto para a liña de título da taboa
-BackgroundTableTitleTextlinkColor=Text color for Table title link line
+BackgroundTableTitleTextlinkColor=Cor do texto para a liña de ligazón do título da táboa
BackgroundTableLineOddColor=Cor de fondo para liñas de tabla odd
BackgroundTableLineEvenColor=Cor de fondo para todas as liñas de taboa
MinimumNoticePeriod=Período mínimo de notificación (A súa solicitude de licenza debe facerse antes deste período)
-NbAddedAutomatically=Number of days added to counters of users (automatically) each month
-EnterAnyCode=This field contains a reference to identify line. Enter any value of your choice, but without special characters.
-Enter0or1=Enter 0 or 1
-UnicodeCurrency=Enter here between braces, list of byte number that represent the currency symbol. For example: for $, enter [36] - for brazil real R$ [82,36] - for €, enter [8364]
-ColorFormat=The RGB color is in HEX format, eg: FF0000
-PictoHelp=Icon name in dolibarr format ('image.png' if into the current theme directory, 'image.png@nom_du_module' if into the directory /img/ of a module)
-PositionIntoComboList=Position of line into combo lists
-SellTaxRate=Sale tax rate
-RecuperableOnly=Yes for VAT "Not Perceived but Recoverable" dedicated for some state in France. Keep value to "No" in all other cases.
-UrlTrackingDesc=If the provider or transport service offers a page or web site to check the status of your shipments, you may enter it here. You can use the key {TRACKID} in the URL parameters so the system will replace it with the tracking number the user entered into the shipment card.
-OpportunityPercent=When you create a lead, you will define an estimated amount of project/lead. According to status of the lead, this amount may be multiplied by this rate to evaluate a total amount all your leads may generate. Value is a percentage (between 0 and 100).
-TemplateForElement=This template record is dedicated to which element
+NbAddedAutomatically=Número de días engadidos aos contadores de usuarios (automaticamente) cada mes
+EnterAnyCode=Este campo contén unha referencia para identificar a liña. Introduza calquera valor da súa escolla, pero sen caracteres especiais.
+Enter0or1=Engada 0 ou 1
+UnicodeCurrency=Introduza aquí entre chaves, listaxe do número de bytes que representan o símbolo de moeda. Por exemplo: por $, introduza [36] - para Brasil real R$ [82,36] - para €, introduza [8364]
+ColorFormat=A cor RGB está en formato HEX, por exemplo: FF0000
+PictoHelp=Nome da icona en formato dolibarr ('image.png' se está no directorio do tema actual, 'image.png@nom_du_module' se está no directorio /img/ dun módulo)
+PositionIntoComboList=Posición da liña nas listas combinadas
+SellTaxRate=Tipo de imposto sobre a venda
+RecuperableOnly=Sí para o IVE "Non percibido pero recuperable" dedicado a algún estado de Franza. Manteña o valor en "Non" no resto dos casos.
+UrlTrackingDesc=Se o provedor ou servizo de transporte ofrece unha páxina ou sitio web para comprobar o estado dos seus envíos, pode introducilo aquí. Podes usar a clave {TRACKID} nos parámetros de URL para que o sistema a substitúa polo número de seguimento que o usuario introduciu na tarxeta de envío.
+OpportunityPercent=Cando cree un cliente potencial, definirá unha cantidade estimada de proxecto/cliente potencial. Segundo o estado do cliente potencial, este importe pode multiplicarse por esta taxa para avaliar unha cantidade total que todos os clientes potenciais poden xerar. O valor é unha porcentaxe (entre 0 e 100).
+TemplateForElement=Este rexistro de modelo está adicado a cal elemento
TypeOfTemplate=Tipo de prantilla
TemplateIsVisibleByOwnerOnly=A prantilla é visible só polo propietario
VisibleEverywhere=Visible en todas partes
@@ -1891,147 +1893,148 @@ FixTZ=Corrección de zona horaria
FillFixTZOnlyIfRequired=Exemplo: +2 (complete só se ten algún problema)
ExpectedChecksum=Agardando a suma de comprobación
CurrentChecksum=Suma de comprobación actual
-ExpectedSize=Expected size
-CurrentSize=Current size
-ForcedConstants=Required constant values
+ExpectedSize=Tamaño agardado
+CurrentSize=Tamaño actual
+ForcedConstants=Valores constantes requiridos
MailToSendProposal=Orzamentos a clientes
MailToSendOrder=Pedimentos de clientes
MailToSendInvoice=Facturas a clientes
MailToSendShipment=Envíos
MailToSendIntervention=Intervencións
-MailToSendSupplierRequestForQuotation=Para enviar solicitude de orzamento a provedor
+MailToSendSupplierRequestForQuotation=Para enviar solicitude de orzamento ao provedor
MailToSendSupplierOrder=Pedimentos a provedor
MailToSendSupplierInvoice=Facturas provedor
MailToSendContract=Contratos
-MailToSendReception=Receptions
+MailToSendReception=Recepcións
MailToThirdparty=Terceiros
MailToMember=Membros
MailToUser=Usuarios
MailToProject=Proxectos
MailToTicket=Tickets
-ByDefaultInList=Show by default on list view
-YouUseLastStableVersion=You use the latest stable version
-TitleExampleForMajorRelease=Example of message you can use to announce this major release (feel free to use it on your web sites)
-TitleExampleForMaintenanceRelease=Example of message you can use to announce this maintenance release (feel free to use it on your web sites)
-ExampleOfNewsMessageForMajorRelease=Dolibarr ERP & CRM %s is available. Version %s is a major release with a lot of new features for both users and developers. You can download it from the download area of https://www.dolibarr.org portal (subdirectory Stable versions). You can read ChangeLog for complete list of changes.
-ExampleOfNewsMessageForMaintenanceRelease=Dolibarr ERP & CRM %s is available. Version %s is a maintenance version, so contains only bug fixes. We recommend all users to upgrade to this version. A maintenance release does not introduce new features or changes to the database. You may download it from the download area of https://www.dolibarr.org portal (subdirectory Stable versions). You can read the ChangeLog for complete list of changes.
-MultiPriceRuleDesc=When option "Several levels of prices per product/service" is enabled, you can define different prices (one per price level) for each product. To save you time, here you may enter a rule to autocalculate a price for each level based on the price of the first level, so you will have to only enter a price for the first level for each product. This page is designed to save you time but is useful only if your prices for each level are relative to first level. You can ignore this page in most cases.
-ModelModulesProduct=Templates for product documents
-WarehouseModelModules=Templates for documents of warehouses
-ToGenerateCodeDefineAutomaticRuleFirst=To be able to generate codes automatically, you must first define a manager to auto-define the barcode number.
-SeeSubstitutionVars=See * note for list of possible substitution variables
-SeeChangeLog=See ChangeLog file (english only)
-AllPublishers=All publishers
-UnknownPublishers=Unknown publishers
-AddRemoveTabs=Add or remove tabs
-AddDataTables=Add object tables
-AddDictionaries=Add dictionaries tables
-AddData=Add objects or dictionaries data
-AddBoxes=Add widgets
-AddSheduledJobs=Add scheduled jobs
-AddHooks=Add hooks
-AddTriggers=Add triggers
+ByDefaultInList=Amosar por defecto en modo lista
+YouUseLastStableVersion=Emprega a última versión estable
+TitleExampleForMajorRelease=Exemplo de mensaxe que pode usar para anunciar a versión maior (non dubide en usalo nos seus sitios web)
+TitleExampleForMaintenanceRelease=Exemplo de mensaxe que pode usar para anunciar esta versión de mantemento (non dubide en usala nos seus sitios web)
+ExampleOfNewsMessageForMajorRelease=Dolibarr ERP e CRM %s están dispoñibles. A versión %s é unha versión importante con moitas novas funcións tanto para usuarios como para desenvolvedores. Podes descargalo desde a área de descarga do portal https://www.dolibarr.org (versións estables do subdirectorio). Podes ler ChangeLog para ver a lista completa de cambios.
+ExampleOfNewsMessageForMaintenanceRelease=Dolibarr ERP e CRM %s están dispoñibles. A versión %s é unha versión de mantemento, polo que só contén correccións de erros. Recomendamos a todos os usuarios que actualicen a esta versión. Unha versión de mantemento non introduce novas funcións nin cambios na base de datos. Podes descargalo desde a área de descarga do portal https://www.dolibarr.org (versións estables do subdirectorio). Pode ler o ChangeLog para ver a lista completa de cambios.
+MultiPriceRuleDesc=Cando a opción "Varios niveis de prezos por produto/servizo" está activada, pode definir diferentes prezos (un por nivel de prezo) para cada produto. Para aforrar tempo, aquí pode introducir unha regra para calcular automaticamente un prezo para cada nivel en función do prezo do primeiro nivel, polo que só terá que introducir un prezo para o primeiro nivel para cada produto. Esta páxina está deseñada para aforrar tempo pero só é útil se os prezos de cada nivel son relativos ao primeiro nivel. Pode ignorar esta páxina na maioría dos casos.
+ModelModulesProduct=Modelos para documentos do produto
+WarehouseModelModules=Modelos para documentos de almacéns
+ToGenerateCodeDefineAutomaticRuleFirst=Para poder xerar códigos automaticamente, primeiro ten que definir un manager para auto-axustar o número de código de barras.
+SeeSubstitutionVars=Ver a nota * para a lista de posibles variables de substitución
+SeeChangeLog=Ver o ficheiro ChangeLog (só en inglés)
+AllPublishers=Todos os editores
+UnknownPublishers=Editores descoñecidos
+AddRemoveTabs=Engadir ou eliminar pestanas
+AddDataTables=Engadir táboas de obxectos
+AddDictionaries=Engadir táboas de dicionarios
+AddData=Engade datos ou obxectos a dicionarios
+AddBoxes=Engadir widgets
+AddSheduledJobs=Engadir tarefas programadas
+AddHooks=Engadir Hooks
+AddTriggers=Engadir Triggers
AddMenus=Engade menús
-AddPermissions=Add permissions
-AddExportProfiles=Add export profiles
-AddImportProfiles=Add import profiles
-AddOtherPagesOrServices=Add other pages or services
-AddModels=Add document or numbering templates
-AddSubstitutions=Add keys substitutions
-DetectionNotPossible=Detection not possible
-UrlToGetKeyToUseAPIs=Url to get token to use API (once token has been received it is saved in database user table and must be provided on each API call)
-ListOfAvailableAPIs=List of available APIs
-activateModuleDependNotSatisfied=Module "%s" depends on module "%s", that is missing, so module "%1$s" may not work correctly. Please install module "%2$s" or disable module "%1$s" if you want to be safe from any surprise
-CommandIsNotInsideAllowedCommands=The command you are trying to run is not in the list of allowed commands defined in parameter $dolibarr_main_restrict_os_commands in the conf.php file.
-LandingPage=Landing page
-SamePriceAlsoForSharedCompanies=If you use a multicompany module, with the choice "Single price", the price will also be the same for all companies if products are shared between environments
-ModuleEnabledAdminMustCheckRights=Module has been activated. Permissions for activated module(s) were given to admin users only. You may need to grant permissions to other users or groups manually if necessary.
-UserHasNoPermissions=This user has no permissions defined
-TypeCdr=Use "None" if the date of payment term is date of invoice plus a delta in days (delta is field "%s") Use "At end of month", if, after delta, the date must be increased to reach the end of month (+ an optional "%s" in days) Use "Current/Next" to have payment term date being the first Nth of the month after delta (delta is field "%s", N is stored into field "%s")
-BaseCurrency=Reference currency of the company (go into setup of company to change this)
-WarningNoteModuleInvoiceForFrenchLaw=This module %s is compliant with French laws (Loi Finance 2016).
-WarningNoteModulePOSForFrenchLaw=This module %s is compliant with French laws (Loi Finance 2016) because module Non Reversible Logs is automatically activated.
-WarningInstallationMayBecomeNotCompliantWithLaw=You are trying to install module %s that is an external module. Activating an external module means you trust the publisher of that module and that you are sure that this module does not adversely impact the behavior of your application, and is compliant with laws of your country (%s). If the module introduces an illegal feature, you become responsible for the use of illegal software.
+AddPermissions=Engadir permisos
+AddExportProfiles=Engadir perfís de exportación
+AddImportProfiles=Engadir perfís de importación
+AddOtherPagesOrServices=Engadir outras páxinas ou servizos
+AddModels=Engadir modelos de documento ou numeración
+AddSubstitutions=Engadir substitucións de claves
+DetectionNotPossible=Non é posible a detección
+UrlToGetKeyToUseAPIs=Url para obter o token para usar coa API (unha vez recibido o token gárdase na táboa de usuarios da base de datos e debe fornecerse en cada chamada da API)
+ListOfAvailableAPIs=Listaxe de API dispoñibles
+activateModuleDependNotSatisfied=O módulo "%s" depende do módulo "%s" que falta, polo que o módulo "%1$s" pode non funcionar correctamente. Instale o módulo "%2$s" ou desactive o módulo "%1$s" se quere estar a salvo de calquera sorpresa
+CommandIsNotInsideAllowedCommands=O comando que tenta executar non está na listaxe de comandos permitidos definidos no parámetro $dolibarr_main_restrict_os_commands no ficheiro conf.php.
+LandingPage=Páxina de destino
+SamePriceAlsoForSharedCompanies=Se usa un módulo multi-empresa, coa opción "Prezo único", o prezo tamén será o mesmo para todas as empresas se os produtos se comparten entre elas
+ModuleEnabledAdminMustCheckRights=O módulo está activado. Os permisos para os módulos activados déronse só a usuarios administradores. É posible que teña que conceder permisos a outros usuarios ou grupos manualmente se é preciso.
+UserHasNoPermissions=Este usuario non ten permisos definidos
+TypeCdr=Use "Ningún" se a data do prazo de pagamento é a data da factura máis un delta en días (delta é o campo "%s") Use "Ao final do mes", se, despois do delta, a data debe aumentará ata chegar ao final do mes (+ un opcional "%s" en días) Use "Actual/Seguinte" para que a data do prazo de pago sexa a primeira Nth do mes despois do delta (o delta é o campo "%s" , N almacénase no campo "%s")
+BaseCurrency=Moeda de referencia da empresa (entre na configuración da empresa para cambiar isto)
+WarningNoteModuleInvoiceForFrenchLaw=Este módulo %s cumpre coas leis francesas (Loi Finance 2016).
+WarningNoteModulePOSForFrenchLaw=Este módulo %s cumpre coas leis francesas (Loi Finance 2016) porque o módulo Rexistros non reversibles está activado automaticamente.
+WarningInstallationMayBecomeNotCompliantWithLaw=Está intentando instalar o módulo %s que é un módulo externo. Activar un módulo externo significa que confía no editor dese módulo e que está seguro de que este módulo non afecta negativamente o comportamento da súa aplicación e cumpre coas leis do seu país (%s). Se o módulo introduce unha función ilegal, vostede será responsable do uso de software ilegal.
MAIN_PDF_MARGIN_LEFT=Marxe esquerdo en PDF
MAIN_PDF_MARGIN_RIGHT=Marxe dereito en PDF
MAIN_PDF_MARGIN_TOP=Marxe superior en PDF
MAIN_PDF_MARGIN_BOTTOM=Marxe inferior en PDF
-MAIN_DOCUMENTS_LOGO_HEIGHT=Height for logo on PDF
-NothingToSetup=There is no specific setup required for this module.
-SetToYesIfGroupIsComputationOfOtherGroups=Set this to yes if this group is a computation of other groups
-EnterCalculationRuleIfPreviousFieldIsYes=Enter calculation rule if previous field was set to Yes (For example 'CODEGRP1+CODEGRP2')
-SeveralLangugeVariatFound=Several language variants found
-RemoveSpecialChars=Remove special characters
-COMPANY_AQUARIUM_CLEAN_REGEX=Regex filter to clean value (COMPANY_AQUARIUM_CLEAN_REGEX)
-COMPANY_DIGITARIA_CLEAN_REGEX=Regex filter to clean value (COMPANY_DIGITARIA_CLEAN_REGEX)
-COMPANY_DIGITARIA_UNIQUE_CODE=Duplicate not allowed
-GDPRContact=Data Protection Officer (DPO, Data Privacy or GDPR contact)
-GDPRContactDesc=If you store data about European companies/citizens, you can name the contact who is responsible for the General Data Protection Regulation here
-HelpOnTooltip=Help text to show on tooltip
-HelpOnTooltipDesc=Put text or a translation key here for the text to show in a tooltip when this field appears in a form
-YouCanDeleteFileOnServerWith=You can delete this file on the server with Command Line: %s
-ChartLoaded=Chart of account loaded
-SocialNetworkSetup=Setup of module Social Networks
-EnableFeatureFor=Enable features for %s
-VATIsUsedIsOff=Note: The option to use Sales Tax or VAT has been set to Off in the menu %s - %s, so Sales tax or Vat used will always be 0 for sales.
-SwapSenderAndRecipientOnPDF=Swap sender and recipient address position on PDF documents
-FeatureSupportedOnTextFieldsOnly=Warning, feature supported on text fields only. Also an URL parameter action=create or action=edit must be set OR page name must end with 'new.php' to trigger this feature.
-EmailCollector=Email collector
-EmailCollectorDescription=Add a scheduled job and a setup page to scan regularly email boxes (using IMAP protocol) and record emails received into your application, at the right place and/or create some records automatically (like leads).
-NewEmailCollector=New Email Collector
-EMailHost=Host of email IMAP server
-MailboxSourceDirectory=Mailbox source directory
-MailboxTargetDirectory=Mailbox target directory
-EmailcollectorOperations=Operations to do by collector
-MaxEmailCollectPerCollect=Max number of emails collected per collect
-CollectNow=Collect now
-ConfirmCloneEmailCollector=Are you sure you want to clone the Email collector %s ?
-DateLastCollectResult=Date latest collect tried
-DateLastcollectResultOk=Date latest collect successfull
-LastResult=Latest result
-EmailCollectorConfirmCollectTitle=Email collect confirmation
-EmailCollectorConfirmCollect=Do you want to run the collection for this collector now ?
-NoNewEmailToProcess=No new email (matching filters) to process
-NothingProcessed=Nothing done
-XEmailsDoneYActionsDone=%s emails qualified, %s emails successfully processed (for %s record/actions done)
-RecordEvent=Record email event
-CreateLeadAndThirdParty=Create lead (and third party if necessary)
-CreateTicketAndThirdParty=Create ticket (and link to third party if it was loaded by a previous operation)
-CodeLastResult=Latest result code
-NbOfEmailsInInbox=Number of emails in source directory
-LoadThirdPartyFromName=Load third party searching on %s (load only)
-LoadThirdPartyFromNameOrCreate=Load third party searching on %s (create if not found)
-WithDolTrackingID=Message from a conversation initiated by a first email sent from Dolibarr
-WithoutDolTrackingID=Message from a conversation initiated by a first email NOT sent from Dolibarr
-WithDolTrackingIDInMsgId=Message sent from Dolibarr
-WithoutDolTrackingIDInMsgId=Message NOT sent from Dolibarr
-CreateCandidature=Create candidature
+MAIN_DOCUMENTS_LOGO_HEIGHT=Altura para logotipo en PDF
+NothingToSetup=Non é precisa ningunha configuración específica para este módulo.
+SetToYesIfGroupIsComputationOfOtherGroups=Configure isto en sí, se este grupo é un cálculo doutros grupos
+EnterCalculationRuleIfPreviousFieldIsYes=Introduza a regra de cálculo se o campo anterior estaba configurado en Si (por exemplo 'CODEGRP1+CODEGRP2')
+SeveralLangugeVariatFound=Atopáronse varias variantes de idioma
+RemoveSpecialChars=Eliminar caracteres especiais
+COMPANY_AQUARIUM_CLEAN_REGEX=Filtro de rexistro para limpar o valor (COMPANY_AQUARIUM_CLEAN_REGEX)
+COMPANY_DIGITARIA_CLEAN_REGEX=Filtro de rexistro para limpar o valor (COMPANY_DIGITARIA_CLEAN_REGEX)
+COMPANY_DIGITARIA_UNIQUE_CODE=Non se permite duplicado
+GDPRContact=Responsable de protección de datos (DPO, privacidade de datos ou contacto GDPR)
+GDPRContactDesc=Se garda datos sobre empresas/cidadáns europeos, pode nomear o contacto responsable do Regulamento xeral de protección de datos aquí
+HelpOnTooltip=Texto de axuda para amosar na información de ferramentas
+HelpOnTooltipDesc== Poner aquí o texto ou unha chave de tradución para que o texto apareza nunha tip sobre ferramentas cando este campo aparece nun formulario
+YouCanDeleteFileOnServerWith=Pode eliminar este ficheiro no servidor coa liña de comandos: %s
+ChartLoaded=Cargado o gráfico da conta
+SocialNetworkSetup=Configuración do módulo Redes sociais
+EnableFeatureFor=Activar funcións para %s
+VATIsUsedIsOff=Nota: A opción para usar Vendas IVE ou IVE configurouse como Desactivado no menú %s -%s, polo que Vendas IVE ou IVE empregados serán sempre 0 para as vendas.
+SwapSenderAndRecipientOnPDF=Cambiar a posición do remitente e do destinatario en documentos PDF
+FeatureSupportedOnTextFieldsOnly=Aviso, característica admitida só nos campos de texto. Tamén debe definirse un parámetro URL action=create ou action=edit Ou o nome da páxina debe rematar con 'new.php' para activar esta función.
+EmailCollector=Receptor de correo electrónico
+EmailCollectorDescription=Engade unha tarefa programada e unha páxina de configuración para escanear regularmente caixas de correo electrónico (usando o protocolo IMAP) e gardarr os correos electrónicos recibidos na súa aplicación no lugar axeitado e/ou crear algúns rexistros automaticamente (como clientes potenciais).
+NewEmailCollector=Novo receptor de correo electrónico
+EMailHost=Anfitrión do servidor IMAP de correo electrónico
+MailboxSourceDirectory=Directorio fonte da caixa de correo
+MailboxTargetDirectory=Directorio de destino da caixa de correo
+EmailcollectorOperations=Operacións que debe facer o receptor
+EmailcollectorOperationsDesc=As operacións execútanse de arriba a abaixo
+MaxEmailCollectPerCollect=Número máximo de correos electrónicos recollidos por recepción
+CollectNow=Recibir agora
+ConfirmCloneEmailCollector=¿Está certo de que quere clonar o receptor de correo electrónico %s?
+DateLastCollectResult=Data do último intento de recepción
+DateLastcollectResultOk=Data do último éxito de recepción
+LastResult=Último resultado
+EmailCollectorConfirmCollectTitle=Confirmación de recepción por correo electrónico
+EmailCollectorConfirmCollect=¿Quere executar agora a recepcións deste receptor?
+NoNewEmailToProcess=Non hai ningún correo electrónico novo (filtros coincidentes) para procesar
+NothingProcessed=Nada feito
+XEmailsDoneYActionsDone=%s correos electrónicos cualificados, %s correos electrónicos procesados correctamente (para %s rexistro/accións feitas)
+RecordEvent=Gravar evento de correo electrónico
+CreateLeadAndThirdParty=Crear cliente potencial (e terceiros se é preciso)
+CreateTicketAndThirdParty=Crear ticket (e ligar a terceiros se foi cargado nunha operación anterior)
+CodeLastResult=Código de resultado máis recente
+NbOfEmailsInInbox=Número de correos electrónicos no directorio de orixe
+LoadThirdPartyFromName=Cargar busca de terceiros en %s (só cargar)
+LoadThirdPartyFromNameOrCreate=Cargar a busca de terceiros en %s (crea se non se atopa)
+WithDolTrackingID=Mensaxe dunha conversa iniciada por un primeiro correo electrónico enviado desde Dolibarr
+WithoutDolTrackingID=Mensaxe dunha conversa iniciada por un primeiro correo electrónico NON enviado desde Dolibarr
+WithDolTrackingIDInMsgId=Mensaxe enviado desde Dolibarr
+WithoutDolTrackingIDInMsgId=Mensaxe NON enviado desde Dolibarr
+CreateCandidature=Crear solicitude de traballo
FormatZip=Código postal
-MainMenuCode=Menu entry code (mainmenu)
-ECMAutoTree=Show automatic ECM tree
-OperationParamDesc=Define the values to use for the object of the action, or how to extract values. For example: objproperty1=SET:the value to set objproperty2=SET:a value with replacement of __objproperty1__ objproperty3=SETIFEMPTY:value used if objproperty3 is not already defined objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*) options_myextrafield1=EXTRACT:SUBJECT:([^\n]*) object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)
Use a ; char as separator to extract or set several properties.
-OpeningHours=Opening hours
-OpeningHoursDesc=Enter here the regular opening hours of your company.
-ResourceSetup=Configuration of Resource module
-UseSearchToSelectResource=Use a search form to choose a resource (rather than a drop-down list).
-DisabledResourceLinkUser=Disable feature to link a resource to users
-DisabledResourceLinkContact=Disable feature to link a resource to contacts
-EnableResourceUsedInEventCheck=Enable feature to check if a resource is in use in an event
-ConfirmUnactivation=Confirm module reset
-OnMobileOnly=On small screen (smartphone) only
-DisableProspectCustomerType=Disable the "Prospect + Customer" third party type (so third party must be "Prospect" or "Customer", but can't be both)
-MAIN_OPTIMIZEFORTEXTBROWSER=Simplify interface for blind person
-MAIN_OPTIMIZEFORTEXTBROWSERDesc=Enable this option if you are a blind person, or if you use the application from a text browser like Lynx or Links.
-MAIN_OPTIMIZEFORCOLORBLIND=Change interface's color for color blind person
-MAIN_OPTIMIZEFORCOLORBLINDDesc=Enable this option if you are a color blind person, in some case interface will change color setup to increase contrast.
+MainMenuCode=Código de entrada do menú (menú principal)
+ECMAutoTree=Amosar árbore automático GED
+OperationParamDesc=Defina os valores a empregar para o obxecto da acción, ou como extraer valores. Por exemplo: objproperty1=SET: o valor a definir objproperty2=SET:un valor con substitución de __objproperty1__ objproperty3=SETIFEMPTY: valor usado se objproperty3 non está xa definido objproperty4 =EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*) options_myextrafield1=EXTRACT:BODY:([^\n]*) object.objproperty5 = EXTRACT:BODY:O meu nome da empresa é\\s([^\\s]*)
Use a; char como separador para extraer ou establecer varias propiedades.
+OpeningHours=Horario de apertura
+OpeningHoursDesc=Introduza aquí o horario habitual da súa empresa.
+ResourceSetup=Configuración do módulo Recursos
+UseSearchToSelectResource=Use un formulario de busca para escoller un recurso (en lugar dunha lista despregable).
+DisabledResourceLinkUser=Desactivar a función para ligar un recurso aos usuarios
+DisabledResourceLinkContact=Desactivar a función para ligar un recurso aos contactos
+EnableResourceUsedInEventCheck=Activar a función para comprobar se un recurso está en uso nun evento
+ConfirmUnactivation=Confirmar o restablecemento do módulo
+OnMobileOnly=Só na pantalla pequena (smartphone)
+DisableProspectCustomerType=Desactiva o tipo de terceiro "Cliente Potencial+Cliente" (polo que o terceiro debe ser "Cliente Potencial" ou "Cliente", pero non pode ser ambos)
+MAIN_OPTIMIZEFORTEXTBROWSER=Simplificar a interface para persoas cegas
+MAIN_OPTIMIZEFORTEXTBROWSERDesc=Active esta opción se é unha persoa cega ou se usa a aplicación desde un explorador de texto como Lynx ou Links.
+MAIN_OPTIMIZEFORCOLORBLIND=Cambiar a cor da interface para daltónicos
+MAIN_OPTIMIZEFORCOLORBLINDDesc=Active esta opción se é unha persoa daltónica, nalgún caso a interface cambiará a configuración da cor para aumentar o contraste.
Protanopia=Protanopia
-Deuteranopes=Deuteranopes
-Tritanopes=Tritanopes
-ThisValueCanOverwrittenOnUserLevel=This value can be overwritten by each user from its user page - tab '%s'
-DefaultCustomerType=Default thirdparty type for "New customer" creation form
-ABankAccountMustBeDefinedOnPaymentModeSetup=Note: The bank account must be defined on the module of each payment mode (Paypal, Stripe, ...) to have this feature working.
-RootCategoryForProductsToSell=Root category of products to sell
-RootCategoryForProductsToSellDesc=If defined, only products inside this category or childs of this category will be available in the Point Of Sale
+Deuteranopes=Deuteranopsia
+Tritanopes=Tritanopia
+ThisValueCanOverwrittenOnUserLevel=Este valor pode ser substituído por cada usuario desde a súa páxina de usuario-pestana '%s'
+DefaultCustomerType=Tipo predeterminado de terceiros para o formulario de creación "Novo cliente"
+ABankAccountMustBeDefinedOnPaymentModeSetup=Nota: a conta bancaria debe estar definida no módulo de cada modo de pago (Paypal, Stripe, ...) para que esta función funcione.
+RootCategoryForProductsToSell=Categoría raíz de produtos a vender
+RootCategoryForProductsToSellDesc=Se se define, só os produtos desta categoría ou subcategoría estarán dispoñibles no Punto de Venda
DebugBar=Barra de depuración
DebugBarDesc=Barra de ferramentas que ven con moitas ferramentas para simplificar a depuración.
DebugBarSetup=Configuración DebugBar
@@ -2039,47 +2042,51 @@ GeneralOptions=Opcións xerais
LogsLinesNumber=Número de liñas a amosar na pestana de rexistros
UseDebugBar=Use a barra de debug
DEBUGBAR_LOGS_LINES_NUMBER=Número de últimas liñas de rexistro para manter na consola.
-WarningValueHigherSlowsDramaticalyOutput=Advertencia, os valores altos ralentizan dramáticamente a saída.
-ModuleActivated=Module %s is activated and slows the interface
-IfYouAreOnAProductionSetThis=If you are on a production environment, you should set this property to %s.
-AntivirusEnabledOnUpload=Antivirus enabled on uploaded files
-EXPORTS_SHARE_MODELS=Export models are share with everybody
+WarningValueHigherSlowsDramaticalyOutput=Advertencia, os valores altos ralentizan enormemente a saída.
+ModuleActivated=O módulo %s está activado e ralentiza a interface
+IfYouAreOnAProductionSetThis=Se estás nun entorno de produción, debes establecer esta propiedade en %s..
+AntivirusEnabledOnUpload=Antivirus activado nos ficheiros actualizados
+EXPORTS_SHARE_MODELS=Os modelos de exportación son compartidos con todos.
ExportSetup=Configuración do módulo de exportación.
-ImportSetup=Setup of module Import
+ImportSetup=Configuración do módulo Importación
InstanceUniqueID=ID única da instancia
SmallerThan=Menor que
LargerThan=Maior que
-IfTrackingIDFoundEventWillBeLinked=Note that If a tracking ID of an object is found into email, or if the email is an answer of an email aready collected and linked to an object, the created event will be automatically linked to the known related object.
-WithGMailYouCanCreateADedicatedPassword=With a GMail account, if you enabled the 2 steps validation, it is recommanded to create a dedicated second password for the application instead of using your own account passsword from https://myaccount.google.com/.
-EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set name of directory here to use this feature (Do NOT use special characters in name). Note that you must also use a read/write login account.
-EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body.
-EndPointFor=End point for %s : %s
-DeleteEmailCollector=Delete email collector
-ConfirmDeleteEmailCollector=Are you sure you want to delete this email collector?
-RecipientEmailsWillBeReplacedWithThisValue=Recipient emails will be always replaced with this value
-AtLeastOneDefaultBankAccountMandatory=At least 1 default bank account must be defined
-RESTRICT_ON_IP=Allow access to some host IP only (wildcard not allowed, use space between values). Empty means every hosts can access.
+IfTrackingIDFoundEventWillBeLinked=Teña conta que se se atopa no correo electrónico un ID de seguimento dun correo electrónico entrante é unha resposta dun correo electrónico xa recollido e ligado a un obxecto, o evento creado ligarase automaticamente co obxecto relacionado coñecido.
+WithGMailYouCanCreateADedicatedPassword=Cunha conta de GMail, se habilitou a validación de 2 pasos, recoméndase crear un segundo contrasinal adicado para a aplicación no lugar de usar a súa propia contrasinal de conta de https://myaccount.google.com/.
+EmailCollectorTargetDir=Pode ser un comportamento desexado mover o correo electrónico a outra etiqueta/directorio cando se procesou con éxito. Simplemente configure o nome do directorio aquí para usar esta función (NON use caracteres especiais no nome). Teña conta que tamén debe usar unha conta de inicio de sesión de lectura/escritura.
+EmailCollectorLoadThirdPartyHelp=Pode usar esta acción para usar o contido do correo electrónico para atopar e cargar un terceiro existente na súa base de datos. O terceiro atopado (ou creada) usarase para seguir as accións que o precisen. No campo do parámetro pode usar por exemplo "EXTRACT:BODY:Name:\\s([^\\s]*)" se desexa extraer o nome do terceiro dunha cadea "Nome: nome a atopar" atopada no corpo.
+EndPointFor=Punto final de %s:%s
+DeleteEmailCollector=Eliminar o receptor de correo electrónico
+ConfirmDeleteEmailCollector=¿Está certo de que quere eliminar este receptor de correo electrónico?
+RecipientEmailsWillBeReplacedWithThisValue=Os correos electrónicos dos destinatarios sempre se substituirán por este valor
+AtLeastOneDefaultBankAccountMandatory=Debe definirse polo menos unha conta bancaria predeterminada
+RESTRICT_ON_IP=Permitir acceso a APIS dispoñibles a algunha host IP só (comodín non permitido, use espazo entre valores). Baleiro significa que todos os hosts poden acceder.
IPListExample=127.0.0.1 192.168.0.2 [::1]
-BaseOnSabeDavVersion=Based on the library SabreDAV version
-NotAPublicIp=Not a public IP
-MakeAnonymousPing=Make an anonymous Ping '+1' to the Dolibarr foundation server (done 1 time only after installation) to allow the foundation to count the number of Dolibarr installation.
-FeatureNotAvailableWithReceptionModule=Feature not available when module Reception is enabled
-EmailTemplate=Template for email
-EMailsWillHaveMessageID=Emails will have a tag 'References' matching this syntax
-PDF_USE_ALSO_LANGUAGE_CODE=If you want to have some texts in your PDF duplicated in 2 different languages in the same generated PDF, you must set here this second language so generated PDF will contains 2 different languages in same page, the one chosen when generating PDF and this one (only few PDF templates support this). Keep empty for 1 language per PDF.
-FafaIconSocialNetworksDesc=Enter here the code of a FontAwesome icon. If you don't know what is FontAwesome, you can use the generic value fa-address-book.
-FeatureNotAvailableWithReceptionModule=Feature not available when module Reception is enabled
-RssNote=Note: Each RSS feed definition provides a widget that you must enable to have it available in dashboard
-JumpToBoxes=Jump to Setup -> Widgets
-MeasuringUnitTypeDesc=Use here a value like "size", "surface", "volume", "weight", "time"
-MeasuringScaleDesc=The scale is the number of places you have to move the decimal part to match the default reference unit. For "time" unit type, it is the number of seconds. Values between 80 and 99 are reserved values.
-TemplateAdded=Template added
-TemplateUpdated=Template updated
-TemplateDeleted=Template deleted
-MailToSendEventPush=Event reminder email
-SwitchThisForABetterSecurity=Switching this value to %s is recommended for more security
-DictionaryProductNature= Nature of product
-CountryIfSpecificToOneCountry=Country (if specific to a given country)
-YouMayFindSecurityAdviceHere=You may find security advisory here
-ModuleActivatedMayExposeInformation=This module may expose sensitive data. If you don't need it, disable it.
-ModuleActivatedDoNotUseInProduction=A module designed for the development has been enabled. Do not enable it on a production environment.
+BaseOnSabeDavVersion=Baseado na versión SabreDAV da biblioteca
+NotAPublicIp=Non é unha IP pública
+MakeAnonymousPing=Fai un Ping anónimo '+1' ao servidor da fundación Dolibarr (só se fai unha vez despois da instalación) para permitir á fundación contar o número de instalacións de Dolibarr.
+FeatureNotAvailableWithReceptionModule=Función non dispoñible cando a recepción do módulo está activada
+EmailTemplate=Modelo para correo electrónico
+EMailsWillHaveMessageID=Os correos electrónicos terán unha etiqueta "Referencias" que coincide con esta sintaxe
+PDF_USE_ALSO_LANGUAGE_CODE=Se desexa ter algúns textos no seu PDF duplicados en 2 idiomas diferentes no mesmo PDF xerado, debe configurar aquí este segundo idioma para que o PDF xerado conteña 2 idiomas diferentes na mesma páxina, o elixido ao xerar PDF e este (só algúns modelos PDF soportan isto). Mantéñase baleiro por un idioma por PDF.
+FafaIconSocialNetworksDesc=Introduza aquí o código dunha icona FontAwesome. Se non sabe o que é FontAwesome, pode usar o valor xenérico fa-address-book.
+FeatureNotAvailableWithReceptionModule=Función non dispoñible cando a recepción do módulo está activada
+RssNote=Nota: Cada definición de fonte RSS proporciona un widget que debes habilitar para que estexa dispoñible no panel
+JumpToBoxes=Ir a Configuración -> Widgets
+MeasuringUnitTypeDesc=Use aquí un valor como "tamaño", "superficie", "volume", "peso", "hora"
+MeasuringScaleDesc=A escala é o número de lugares que ten que mover a parte decimal para que coincida coa unidade de referencia predeterminada. Para o tipo de unidade "hora", é o número de segundos. Os valores entre 80 e 99 son valores reservados.
+TemplateAdded=Modelo engadido
+TemplateUpdated=Modelo actualizado
+TemplateDeleted=Modelo eliminado
+MailToSendEventPush=Correo electronico lembranbdo o evento
+SwitchThisForABetterSecurity=Modificar este valor a %s çe recomendable para mair seguridade
+DictionaryProductNature= Natureza do produto
+CountryIfSpecificToOneCountry=País (se é específico dun determinado país)
+YouMayFindSecurityAdviceHere=Pode atopar avisos de seguridade aquí
+ModuleActivatedMayExposeInformation=Este módulo pode expor datos sensible. Se non o precisa, desactive.
+ModuleActivatedDoNotUseInProduction=Un módulo deseñado para desenvolvemento foi activado. Non o active nun entorno de produción.
+CombinationsSeparator=Caracter separador para combinación de produtos
+SeeLinkToOnlineDocumentation=Ver ligazón á documentación en liña no menú superior con exemplos
+SHOW_SUBPRODUCT_REF_IN_PDF=Se se usa a función "%s" do módulo %s, amosa os detalles dos subprodutos dun kit en PDF.
+AskThisIDToYourBank=Póñase en contacto co seu banco para obter esta identificación
diff --git a/htdocs/langs/gl_ES/agenda.lang b/htdocs/langs/gl_ES/agenda.lang
index b76942ad53e..b0328266609 100644
--- a/htdocs/langs/gl_ES/agenda.lang
+++ b/htdocs/langs/gl_ES/agenda.lang
@@ -14,7 +14,7 @@ EventsNb=Número de eventos
ListOfActions=Listaxe de eventos
EventReports=Informes de evento
Location=Localización
-ToUserOfGroup=Event assigned to any user in group
+ToUserOfGroup=Enento asignado a calquera usuario do grupo
EventOnFullDay=Evento para todo o(s) día(s)
MenuToDoActions=Todos os eventos incompletos
MenuDoneActions=Todos os eventos rematados
@@ -38,7 +38,7 @@ ActionsEvents=Eventos para que Dolibarr cre unha acción na axenda automáticame
EventRemindersByEmailNotEnabled=Lembranzas de eventos por correo non foron activados na configuración do módulo %s.
##### Agenda event labels #####
NewCompanyToDolibarr=Terceiro %s creado
-COMPANY_DELETEInDolibarr=Third party %s deleted
+COMPANY_DELETEInDolibarr=Terceiro %s eliminado
ContractValidatedInDolibarr=Contrato %s validado
CONTRACT_DELETEInDolibarr=Contrato %s eliminado
PropalClosedSignedInDolibarr=Orzamento %s asinado
@@ -60,42 +60,42 @@ MemberSubscriptionModifiedInDolibarr=Suscrición %s do membro %s modificada
MemberSubscriptionDeletedInDolibarr=Suscrición %s do membro %s eliminada
ShipmentValidatedInDolibarr=Expedición %s validada
ShipmentClassifyClosedInDolibarr=Expedición %s clasificada como pagada
-ShipmentUnClassifyCloseddInDolibarr=Shipment %s classified re-open
+ShipmentUnClassifyCloseddInDolibarr=Expedición %s clasificada como aberta de novo
ShipmentBackToDraftInDolibarr=Expedición %s de volta ao estatus de borrador
ShipmentDeletedInDolibarr=Expedición %s eliminada
-ReceptionValidatedInDolibarr=Reception %s validated
-OrderCreatedInDolibarr=Pedido %s creado
-OrderValidatedInDolibarr=Pedido %s validado
-OrderDeliveredInDolibarr=Pedido %s clasificado como enviado
-OrderCanceledInDolibarr=Pedido %s anulado
-OrderBilledInDolibarr=Pedido %s clasificado como facturado
-OrderApprovedInDolibarr=Pedido %s aprobado
-OrderRefusedInDolibarr=Pedido %s rexeitado
-OrderBackToDraftInDolibarr=Pedido %s de volta ao estaus borrador
+ReceptionValidatedInDolibarr=Recepción %s validada
+OrderCreatedInDolibarr=Pedimento %s creado
+OrderValidatedInDolibarr=Pedimento %s validado
+OrderDeliveredInDolibarr=Pedimento %s clasificado como enviado
+OrderCanceledInDolibarr=Pedimento %s anulado
+OrderBilledInDolibarr=Pedimento %s clasificado como facturado
+OrderApprovedInDolibarr=Pedimento %s aprobado
+OrderRefusedInDolibarr=Pedimento %s rexeitado
+OrderBackToDraftInDolibarr=Pedimento %s de volta ao modo borrador
ProposalSentByEMail=Orzamento %s enviado por e-mail
ContractSentByEMail=Contrato %s enviado por e-Mail
-OrderSentByEMail=Pedido de cliente %s enviado por e-mail
+OrderSentByEMail=Pedimento de cliente %s enviado por correo electrónico
InvoiceSentByEMail=Factura a cliente %s enviada por e-mail
-SupplierOrderSentByEMail=Pedido a proveedor %s enviado por e-mail
-ORDER_SUPPLIER_DELETEInDolibarr=Purchase order %s deleted
+SupplierOrderSentByEMail=Pedimento a proveedor %s enviado por correo electrónico
+ORDER_SUPPLIER_DELETEInDolibarr=Pedimento a provedor %s eliminado
SupplierInvoiceSentByEMail=Factura de proveedor %s enviada por e-mail
ShippingSentByEMail=Expedición %s enviada por email
ShippingValidated= Expedición %s validada
InterventionSentByEMail=Intervención %s enviada por e-mail
ProposalDeleted=Orzamento eliminado
-OrderDeleted=Pedido eliminado
+OrderDeleted=Pedimento eliminado
InvoiceDeleted=Factura eliminada
-DraftInvoiceDeleted=Draft invoice deleted
-CONTACT_CREATEInDolibarr=Contact %s created
-CONTACT_DELETEInDolibarr=Contact %s deleted
+DraftInvoiceDeleted=Borrador de factura eliminado
+CONTACT_CREATEInDolibarr=Creouse o contacto %s
+CONTACT_DELETEInDolibarr=Contacto %s eliminado
PRODUCT_CREATEInDolibarr=Produto %s creado
PRODUCT_MODIFYInDolibarr=Produto %s modificado
PRODUCT_DELETEInDolibarr=Produto %s eliminado
-HOLIDAY_CREATEInDolibarr=Request for leave %s created
-HOLIDAY_MODIFYInDolibarr=Request for leave %s modified
-HOLIDAY_APPROVEInDolibarr=Request for leave %s approved
-HOLIDAY_VALIDATEInDolibarr=Request for leave %s validated
-HOLIDAY_DELETEInDolibarr=Request for leave %s deleted
+HOLIDAY_CREATEInDolibarr=Creouse a solicitude de días libres %s
+HOLIDAY_MODIFYInDolibarr=Modificada solicitude de días libres %s
+HOLIDAY_APPROVEInDolibarr=Aprobada solicitude de días libres %s
+HOLIDAY_VALIDATEInDolibarr=Solicitude de días libres %s validada
+HOLIDAY_DELETEInDolibarr=Eliminada solicitude de días libres %s
EXPENSE_REPORT_CREATEInDolibarr=Informe de gastos %s creado
EXPENSE_REPORT_VALIDATEInDolibarr=Informe de gastos %s validado
EXPENSE_REPORT_APPROVEInDolibarr=Informe de gastos %s aprobado
@@ -106,30 +106,30 @@ PROJECT_MODIFYInDolibarr=Proxecto %s modificado
PROJECT_DELETEInDolibarr=Proxecto %s eliminado
TICKET_CREATEInDolibarr=Ticket %s creado
TICKET_MODIFYInDolibarr=Ticket %s modificado
-TICKET_ASSIGNEDInDolibarr=Ticket %s assigned
-TICKET_CLOSEInDolibarr=Ticket %s closed
+TICKET_ASSIGNEDInDolibarr=Ticket %s asignado
+TICKET_CLOSEInDolibarr=Ticket %s pechado
TICKET_DELETEInDolibarr=Ticket %s eliminado
-BOM_VALIDATEInDolibarr=BOM validated
-BOM_UNVALIDATEInDolibarr=BOM unvalidated
-BOM_CLOSEInDolibarr=BOM disabled
-BOM_REOPENInDolibarr=BOM reopen
-BOM_DELETEInDolibarr=BOM deleted
-MRP_MO_VALIDATEInDolibarr=MO validated
-MRP_MO_UNVALIDATEInDolibarr=MO set to draft status
-MRP_MO_PRODUCEDInDolibarr=MO produced
-MRP_MO_DELETEInDolibarr=MO deleted
-MRP_MO_CANCELInDolibarr=MO canceled
+BOM_VALIDATEInDolibarr=Lista de materiais validada
+BOM_UNVALIDATEInDolibarr=Lista de materiais non validada
+BOM_CLOSEInDolibarr=Lista de materiais desactivada
+BOM_REOPENInDolibarr=Lista de materiais aberta de novo
+BOM_DELETEInDolibarr=Lista de materiais non eliminada
+MRP_MO_VALIDATEInDolibarr=OF validada
+MRP_MO_UNVALIDATEInDolibarr=OF establecida a borrador
+MRP_MO_PRODUCEDInDolibarr=OF producida
+MRP_MO_DELETEInDolibarr=OF eliminada
+MRP_MO_CANCELInDolibarr=OF cancelada
##### End agenda events #####
AgendaModelModule=Prantillas de documentos para eventos
DateActionStart=Data de inicio
-DateActionEnd=Data de fin
+DateActionEnd=Data finalización
AgendaUrlOptions1=Pode tamén engadir os seguintes parámetros ao filtro de saida:
AgendaUrlOptions3=logina=%s para restrinxir saída as accións pertencentes ao usuario %s.
AgendaUrlOptionsNotAdmin= logina =!%s para restrinxir saída as accións que non pertencen ao usuario %s.
AgendaUrlOptions4=logint=%spara restrinxir saída as accións asignadas ao usuario %s(propietario e outros).
AgendaUrlOptionsProject=project=__PROJECT_ID__ para restrinxir saída de accións asociadas ao proxecto __PROJECT_ID__.
AgendaUrlOptionsNotAutoEvent=notactiontype = systemauto para excluir o evento automáticamente.
-AgendaUrlOptionsIncludeHolidays=includeholidays=1 to include events of holidays.
+AgendaUrlOptionsIncludeHolidays=includeholidays=1 a incluir eventos de vacacións.
AgendaShowBirthdayEvents=Amosar cumpreanos dos contactos
AgendaHideBirthdayEvents=Ocultar cumpreanos dos contactos
Busy=Ocupado
@@ -152,17 +152,18 @@ ActionType=Tipo de evento
DateActionBegin=Data de comezo do evento
ConfirmCloneEvent=¿Esta certo de querer clonar o evento %s?
RepeatEvent=Repetir evento
+OnceOnly=Só unha vez
EveryWeek=Cada semana
EveryMonth=Cada mes
DayOfMonth=Día do mes
DayOfWeek=Día da semana
DateStartPlusOne=Data inicio +1 hora
-SetAllEventsToTodo=Set all events to todo
-SetAllEventsToInProgress=Set all events to in progress
-SetAllEventsToFinished=Set all events to finished
-ReminderTime=Reminder period before the event
-TimeType=Duration type
-ReminderType=Callback type
-AddReminder=Create an automatic reminder notification for this event
-ErrorReminderActionCommCreation=Error creating the reminder notification for this event
-BrowserPush=Browser Notification
+SetAllEventsToTodo=Configura todos os eventos a todo
+SetAllEventsToInProgress=Configura todos os eventos a en progreso
+SetAllEventsToFinished=Configura todos os eventos a finalizados
+ReminderTime=Período de lembranza antes do evento
+TimeType=Tipo de duración
+ReminderType=Tipo de devolución da chamada
+AddReminder=Crear unha notificación de lembranza automática para este evento
+ErrorReminderActionCommCreation=Erro ao crear a notificación de lembranza para este evento
+BrowserPush=Notiticaciñon emerxente no navegador
diff --git a/htdocs/langs/gl_ES/assets.lang b/htdocs/langs/gl_ES/assets.lang
index a8ede67427d..06c7c76a069 100644
--- a/htdocs/langs/gl_ES/assets.lang
+++ b/htdocs/langs/gl_ES/assets.lang
@@ -34,7 +34,7 @@ ShowTypeCard=Ver tipo '%s'
# Module label 'ModuleAssetsName'
ModuleAssetsName = Activos
# Module description 'ModuleAssetsDesc'
-ModuleAssetsDesc = Descrición ben
+ModuleAssetsDesc = Descrición de activos
#
# Admin page
diff --git a/htdocs/langs/gl_ES/banks.lang b/htdocs/langs/gl_ES/banks.lang
index bb0b955c32c..92dcc2a3bd5 100644
--- a/htdocs/langs/gl_ES/banks.lang
+++ b/htdocs/langs/gl_ES/banks.lang
@@ -37,9 +37,9 @@ IbanValid=IBAN válido
IbanNotValid=IBAN non válido
StandingOrders=Domiciliacións
StandingOrder=Domiciliación
-PaymentByDirectDebit=Payment by direct debit
-PaymentByBankTransfers=Payments by credit transfer
-PaymentByBankTransfer=Payment by credit transfer
+PaymentByDirectDebit=Pagamento por domiciliación bancaria
+PaymentByBankTransfers=Pagamentos por transferencia
+PaymentByBankTransfer=Pagamento por transferencia
AccountStatement=Extracto da conta
AccountStatementShort=Extracto
AccountStatements=Extractos da conta
@@ -166,17 +166,17 @@ VariousPayment=Pagamento varios
VariousPayments=Pagamentos varios
ShowVariousPayment=Amosar pagamentos varios
AddVariousPayment=Engadir pagamentos varios
-VariousPaymentId=Miscellaneous payment ID
-VariousPaymentLabel=Miscellaneous payment label
-ConfirmCloneVariousPayment=Confirm the clone of a miscellaneous payment
+VariousPaymentId=ID de pagamentos varios
+VariousPaymentLabel=Etiqueta de pagamentos varios
+ConfirmCloneVariousPayment=Confirmar a clonación de pagamentos varios
SEPAMandate=Orde SEPA
YourSEPAMandate=A súa orde SEPA
FindYourSEPAMandate=Esta é a súa orde SEPA para autorizar a nosa empresa a realizar un petición de débito ao seu banco. Envíea de volta asinada (dixitalice o documento asinado) ou envíe por correo a
AutoReportLastAccountStatement=Automaticanete cubra a etiqueta 'numero de extracto bancario' co último número de extracto de cando fixo a reconciliación
-CashControl=POS cash fence
-NewCashFence=New cash fence
-BankColorizeMovement=Colorize movements
-BankColorizeMovementDesc=If this function is enable, you can choose specific background color for debit or credit movements
-BankColorizeMovementName1=Background color for debit movement
-BankColorizeMovementName2=Background color for credit movement
-IfYouDontReconcileDisableProperty=If you don't make the bank reconciliations on some bank accounts, disable the property "%s" on them to remove this warning.
+CashControl=Control de caixa TPV
+NewCashFence=Pehe de nova caixa
+BankColorizeMovement=Colorear os movementos
+BankColorizeMovementDesc=Se esta función está activada, pode escoller unha cor específica do fondo dos movementos de crédito ou de débito
+BankColorizeMovementName1=Cor de fondo para movementos de débito
+BankColorizeMovementName2=Cor de fondo para os movementos de crédito
+IfYouDontReconcileDisableProperty=Se non aplica as reconciliacións bancarias nalgunhas contas bancarias, desactivar as propiedades "%s" nelas apara eliminar este aviso.
diff --git a/htdocs/langs/gl_ES/bills.lang b/htdocs/langs/gl_ES/bills.lang
index a11d0d3fecd..6047f9fbdfa 100644
--- a/htdocs/langs/gl_ES/bills.lang
+++ b/htdocs/langs/gl_ES/bills.lang
@@ -19,7 +19,7 @@ InvoiceStandardAsk=Factura estándar
InvoiceStandardDesc=Este tipo de factura é a factura tradicional.
InvoiceDeposit=Factura de anticipo
InvoiceDepositAsk=Factura de anticipo
-InvoiceDepositDesc=This kind of invoice is done when a down payment has been received.
+InvoiceDepositDesc=Este tipo de factura crease cando se recibiu un anticipo.
InvoiceProForma=Factura proforma
InvoiceProFormaAsk=Factura proforma
InvoiceProFormaDesc=A factura proforma é a imaxe dunha factura definitiva, pero que non ten ningún valor contable.
@@ -66,10 +66,10 @@ paymentInInvoiceCurrency=na moeda das facturas
PaidBack=Reembolsado
DeletePayment=Eliminar o pagamento
ConfirmDeletePayment=¿Está certo de querer eliminar este pagamento?
-ConfirmConvertToReduc=Do you want to convert this %s into an available credit?
-ConfirmConvertToReduc2=The amount will be saved among all discounts and could be used as a discount for a current or a future invoice for this customer.
-ConfirmConvertToReducSupplier=Do you want to convert this %s into an available credit?
-ConfirmConvertToReducSupplier2=The amount will be saved among all discounts and could be used as a discount for a current or a future invoice for this vendor.
+ConfirmConvertToReduc=¿Quere converter este %s nun crédito dispoñible?
+ConfirmConvertToReduc2=A cantidade gardarase entre todos os descontos e podería usarse como desconto dunha factura actual ou futura para este cliente.
+ConfirmConvertToReducSupplier=¿Quere converter este %s nun crédito dispoñible?
+ConfirmConvertToReducSupplier2=cantidade gardarase entre todos os descontos e podería usarse como desconto para unha factura actual ou futura deste provedor.
SupplierPayments=Pagamentos a provedores
ReceivedPayments=Pagamentos recibidos
ReceivedCustomersPayments=Pagamentos recibidos de cliente
@@ -92,8 +92,8 @@ PaymentConditions=Condicións de pagamento
PaymentConditionsShort=Condicións de pagamento
PaymentAmount=Importe pagamento
PaymentHigherThanReminderToPay=Pagamento superior ao resto a pagar
-HelpPaymentHigherThanReminderToPay=Attention, the payment amount of one or more bills is higher than the outstanding amount to pay. Edit your entry, otherwise confirm and consider creating a credit note for the excess received for each overpaid invoice.
-HelpPaymentHigherThanReminderToPaySupplier=Attention, the payment amount of one or more bills is higher than the outstanding amount to pay. Edit your entry, otherwise confirm and consider creating a credit note for the excess paid for each overpaid invoice.
+HelpPaymentHigherThanReminderToPay=Atención, o importe do pagamento dunha ou máis facturas é superior ao importe pendente a pagar. Edite a súa entrada, se non, confirme e considere a posibilidade de crear unha nota de crédito polo exceso recibido por cada factura pagada de máis.
+HelpPaymentHigherThanReminderToPaySupplier=Atención, o importe do pagamento dunha ou máis facturas é superior ao importe pendente a pagar. Edite a súa entrada, se non, confirme e considere a posibilidade de crear unha nota de crédito para o exceso pagado por cada factura pagada de máis.
ClassifyPaid=Clasificar 'Pagado'
ClassifyUnPaid=Clasificar 'Non pagado'
ClassifyPaidPartially=Clasificar 'Pagado parcialmente'
@@ -135,37 +135,37 @@ BillShortStatusDraft=Borrador
BillShortStatusPaid=Pagada
BillShortStatusPaidBackOrConverted=Reembolsada ou convertida
Refunded=Reembolsada
-BillShortStatusConverted=Pago
+BillShortStatusConverted=Paga
BillShortStatusCanceled=Abandonada
BillShortStatusValidated=Validada
BillShortStatusStarted=Pagamento parcial
BillShortStatusNotPaid=Pte. pagamento
BillShortStatusNotRefunded=Non reembolsada
-BillShortStatusClosedUnpaid=Pechada (pte. pagamento)
+BillShortStatusClosedUnpaid=Pechada
BillShortStatusClosedPaidPartially=Pechada (pagamento parcial)
PaymentStatusToValidShort=A validar
ErrorVATIntraNotConfigured=Número de CIF intracomunitario aínda non configurado
-ErrorNoPaiementModeConfigured=No default payment type defined. Go to Invoice module setup to fix this.
-ErrorCreateBankAccount=Create a bank account, then go to Setup panel of Invoice module to define payment types
-ErrorBillNotFound=Invoice %s does not exist
-ErrorInvoiceAlreadyReplaced=Error, you tried to validate an invoice to replace invoice %s. But this one has already been replaced by invoice %s.
-ErrorDiscountAlreadyUsed=Error, discount already used
-ErrorInvoiceAvoirMustBeNegative=Error, correct invoice must have a negative amount
-ErrorInvoiceOfThisTypeMustBePositive=Error, this type of invoice must have an amount excluding tax positive (or null)
-ErrorCantCancelIfReplacementInvoiceNotValidated=Error, can't cancel an invoice that has been replaced by another invoice that is still in draft status
-ErrorThisPartOrAnotherIsAlreadyUsedSoDiscountSerieCantBeRemoved=This part or another is already used so discount series cannot be removed.
+ErrorNoPaiementModeConfigured=Non se definiu ningún tipo de pago por defecto. Vaia á configuración do módulo de facturas para solucionalo.
+ErrorCreateBankAccount=Crear unha conta bancaria e logo ir ao panel de configuración do módulo de factura para definir os tipos de pago
+ErrorBillNotFound=A factura %s non existe
+ErrorInvoiceAlreadyReplaced=Erro, intentou validar unha factura para substituír a factura %s. Pero esta xa foi substituída pola factura %s.
+ErrorDiscountAlreadyUsed=Erro, desconto xa utilizado
+ErrorInvoiceAvoirMustBeNegative=Erro, a factura correcta debe ter un importe negativo
+ErrorInvoiceOfThisTypeMustBePositive=Erro, este tipo de factura debe ter un importe sen impostos positivos (ou nulos)
+ErrorCantCancelIfReplacementInvoiceNotValidated=Erro, non se pode cancelar unha factura que foi substituída por outra que aínda está en estado de borrador
+ErrorThisPartOrAnotherIsAlreadyUsedSoDiscountSerieCantBeRemoved=Esta parte ou outra xa está empregada polo que a serie de descontos non se pode eliminar.
BillFrom=De
BillTo=A
-ActionsOnBill=Actions on invoice
-RecurringInvoiceTemplate=Template / Recurring invoice
-NoQualifiedRecurringInvoiceTemplateFound=No recurring template invoice qualified for generation.
-FoundXQualifiedRecurringInvoiceTemplate=Found %s recurring template invoice(s) qualified for generation.
-NotARecurringInvoiceTemplate=Not a recurring template invoice
+ActionsOnBill=Accións sobre a factura
+RecurringInvoiceTemplate=Modelo / Factura recorrente
+NoQualifiedRecurringInvoiceTemplateFound=Non hai ningunha factura de modelo recorrente cualificada para a xeración.
+FoundXQualifiedRecurringInvoiceTemplate=Atopáronse %s factura(s) de modelo recorrentes cualificadas para a xeración.
+NotARecurringInvoiceTemplate=Non é unha factura de modelo recorrente
NewBill=Nova factura
-LastBills=Latest %s invoices
-LatestTemplateInvoices=Latest %s template invoices
-LatestCustomerTemplateInvoices=Latest %s customer template invoices
-LatestSupplierTemplateInvoices=Latest %s vendor template invoices
+LastBills=Últimas %s facturas
+LatestTemplateInvoices=As últimas %s prantillas de facturas
+LatestCustomerTemplateInvoices=As últimas %s prantillas de facturas a cliente
+LatestSupplierTemplateInvoices=As últimas %s prantillas de facturas de provedor
LastCustomersBills=Últimas %s facturas a clientes
LastSuppliersBills=Últimas %s facturas de provedores
AllBills=Todas as facturas
@@ -185,20 +185,20 @@ ConfirmCancelBillQuestion=¿Por qué quere clasificar esta factura como 'abandoa
ConfirmClassifyPaidPartially=¿Está certo de querer cambiar o estado da factura %s a pagado?
ConfirmClassifyPaidPartiallyQuestion=Esta factura non foi pagada completamente. ¿Cal é a razón para pechar esta factura?
ConfirmClassifyPaidPartiallyReasonAvoir=O resto a pagar (%s %s) é un desconto outorgado por pronto pagamento. Regularizaré o IVE cun abono.
-ConfirmClassifyPaidPartiallyReasonDiscount=Remaining unpaid (%s %s) is a discount granted because payment was made before term.
-ConfirmClassifyPaidPartiallyReasonDiscountNoVat=Remaining unpaid (%s %s) is a discount granted because payment was made before term. I accept to lose the VAT on this discount.
-ConfirmClassifyPaidPartiallyReasonDiscountVat=Remaining unpaid (%s %s) is a discount granted because payment was made before term. I recover the VAT on this discount without a credit note.
-ConfirmClassifyPaidPartiallyReasonBadCustomer=Bad customer
-ConfirmClassifyPaidPartiallyReasonProductReturned=Products partially returned
-ConfirmClassifyPaidPartiallyReasonOther=Amount abandoned for other reason
-ConfirmClassifyPaidPartiallyReasonDiscountNoVatDesc=This choice is possible if your invoice has been provided with suitable comments. (Example «Only the tax corresponding to the price that has been actually paid gives rights to deduction»)
-ConfirmClassifyPaidPartiallyReasonDiscountVatDesc=In some countries, this choice might be possible only if your invoice contains correct notes.
-ConfirmClassifyPaidPartiallyReasonAvoirDesc=Use this choice if all other does not suit
-ConfirmClassifyPaidPartiallyReasonBadCustomerDesc=A bad customer is a customer that refuses to pay his debt.
-ConfirmClassifyPaidPartiallyReasonProductReturnedDesc=This choice is used when payment is not complete because some of products were returned
-ConfirmClassifyPaidPartiallyReasonOtherDesc=Use this choice if all others are not suitable, for example in following situation: - payment not complete because some products were shipped back - amount claimed too important because a discount was forgotten In all cases, amount over-claimed must be corrected in accountancy system by creating a credit note.
+ConfirmClassifyPaidPartiallyReasonDiscount=Restar sen pagar (%s %s) é un desconto concedido porque o pago foi adiantado ao prazo.
+ConfirmClassifyPaidPartiallyReasonDiscountNoVat=Restar sen pagar (%s %s) é un desconto concedido porque o pago foi adiantado ao prazo. Acepto perder o IVE por este desconto.
+ConfirmClassifyPaidPartiallyReasonDiscountVat=Restar sen pagar (%s %s) é un desconto concedido porque o pago foi adiantado ao prazo. Recupero o IVE deste desconto sen unha nota de crédito.
+ConfirmClassifyPaidPartiallyReasonBadCustomer=Mal cliente
+ConfirmClassifyPaidPartiallyReasonProductReturned=Produtos parcialmente devoltos
+ConfirmClassifyPaidPartiallyReasonOther=Cantidade abandonada por outro motivo
+ConfirmClassifyPaidPartiallyReasonDiscountNoVatDesc=Esta opción é posible se a súa factura recibiu os comentarios axeitados. (Exemplo «Só o imposto correspondente ao prezo efectivamente pagado dá dereito a dedución»)
+ConfirmClassifyPaidPartiallyReasonDiscountVatDesc=Nalgúns países, esta elección só pode ser posible se a súa factura contén notas correctas.
+ConfirmClassifyPaidPartiallyReasonAvoirDesc=Use esta opción se o resto non se adapta
+ConfirmClassifyPaidPartiallyReasonBadCustomerDesc=Un mal cliente é un cliente que rexeita pagar a súa débeda.
+ConfirmClassifyPaidPartiallyReasonProductReturnedDesc=Esta opción úsase cando o pago non se completa porque algúns dos produtos foron devoltos
+ConfirmClassifyPaidPartiallyReasonOtherDesc=Use esta opción se todas as demais non son axeitadas, por exemplo na seguinte situación: - o pago non se completou porque algúns produtos foron devoltos - cantidade reclamada demasiado importante porque se esqueceu un desconto En todos os casos, o importe excedido debe corrixirse no sistema de contabilidade creando unha nota de crédito.
ConfirmClassifyAbandonReasonOther=Outro
-ConfirmClassifyAbandonReasonOtherDesc=This choice will be used in all other cases. For example because you plan to create a replacing invoice.
+ConfirmClassifyAbandonReasonOtherDesc=Esta opción usarase no resto dos casos. Por exemplo, porque ten pensado crear unha factura de rectificativa.
ConfirmCustomerPayment=¿Confirma o proceso deste pagamento de %s %s?
ConfirmSupplierPayment=¿Confirma o proceso deste pagamento de %s %s?
ConfirmValidatePayment=¿Está certo de querer validar este pagamento? Non permitense cambios despois de validar o pagamento.
@@ -209,23 +209,23 @@ NumberOfBillsByMonth=Nº de facturas por mes
AmountOfBills=Importe das facturas
AmountOfBillsHT=Importe das facturas (Sen IVE)
AmountOfBillsByMonthHT=Importe das facturas por mes (Sen IVE)
-UseSituationInvoices=Allow situation invoice
-UseSituationInvoicesCreditNote=Allow situation invoice credit note
-Retainedwarranty=Retained warranty
-AllowedInvoiceForRetainedWarranty=Retained warranty usable on the following types of invoices
-RetainedwarrantyDefaultPercent=Retained warranty default percent
-RetainedwarrantyOnlyForSituation=Make "retained warranty" available only for situation invoices
-RetainedwarrantyOnlyForSituationFinal=On situation invoices the global "retained warranty" deduction is applied only on the final situation
-ToPayOn=To pay on %s
-toPayOn=to pay on %s
-RetainedWarranty=Retained Warranty
-PaymentConditionsShortRetainedWarranty=Retained warranty payment terms
-DefaultPaymentConditionsRetainedWarranty=Default retained warranty payment terms
-setPaymentConditionsShortRetainedWarranty=Set retained warranty payment terms
-setretainedwarranty=Set retained warranty
-setretainedwarrantyDateLimit=Set retained warranty date limit
-RetainedWarrantyDateLimit=Retained warranty date limit
-RetainedWarrantyNeed100Percent=The situation invoice need to be at 100%% progress to be displayed on PDF
+UseSituationInvoices=Permitir factura de situación
+UseSituationInvoicesCreditNote=Permitir nota de crédito na factura da situación
+Retainedwarranty=Garantía retida
+AllowedInvoiceForRetainedWarranty=Garantía retida utilizable nos seguintes tipos de facturas
+RetainedwarrantyDefaultPercent=Porcentaxe por defecto da garantía retida
+RetainedwarrantyOnlyForSituation=Pon a "garantía retida" dispoñible só para facturas de situación
+RetainedwarrantyOnlyForSituationFinal=Nas facturas de situación, a dedución global de "garantía retida" aplícase só na situación final
+ToPayOn=Para pagar en %s
+toPayOn=pagar en %s
+RetainedWarranty=Garantía retida
+PaymentConditionsShortRetainedWarranty=Condicións de pago da garantía retida
+DefaultPaymentConditionsRetainedWarranty=Condicións de pago por garantía por defecto retidas
+setPaymentConditionsShortRetainedWarranty=Establecer os termos de pago da garantía retida
+setretainedwarranty=Establecer a garantía retida
+setretainedwarrantyDateLimit=Establecer o límite de data da garantía retida
+RetainedWarrantyDateLimit=Data límite de garantía retida
+RetainedWarrantyNeed100Percent=A factura de situación ten que estar ao 100%% de progreso para mostrarse en PDF
AlreadyPaid=Xa pago
AlreadyPaidBack=Xa reembolsado
AlreadyPaidNoCreditNotesNoDeposits=Xa pago (excluidos os abonos e anticipos)
@@ -315,9 +315,9 @@ DiscountAlreadyCounted=Descontos xa consumidos
CustomerDiscounts=Descontos a clientes
SupplierDiscounts=Descontos de provedores
BillAddress=Enderezo de facturación
-HelpEscompte=This discount is a discount granted to customer because payment was made before term.
-HelpAbandonBadCustomer=This amount has been abandoned (customer said to be a bad customer) and is considered as an exceptional loss.
-HelpAbandonOther=This amount has been abandoned since it was an error (wrong customer or invoice replaced by another for example)
+HelpEscompte=Este desconto é un desconto concedido ao cliente porque o pago foi realizado antes de prazo.
+HelpAbandonBadCustomer=Esta cantidade foi abandonada (o cliente dixo que era un cliente malo) e considérase unha perda excepcional.
+HelpAbandonOther=Esta cantidade foi abandonada xa que foi un erro (cliente incorrecto ou factura substituída por outra por exemplo)
IdSocialContribution=Id pagamento tasa social/fiscal
PaymentId=ID pagamento
PaymentRef=Ref. pagamento
@@ -358,32 +358,32 @@ ListOfPreviousSituationInvoices=Listaxe de facturas de situación previas
ListOfNextSituationInvoices=Listaxe das próximas facturas de situación
ListOfSituationInvoices=Listaxe de facturas de situación
CurrentSituationTotal=Total situación actual
-DisabledBecauseNotEnouthCreditNote=To remove a situation invoice from cycle, this invoice's credit note total must cover this invoice total
-RemoveSituationFromCycle=Remove this invoice from cycle
-ConfirmRemoveSituationFromCycle=Remove this invoice %s from cycle ?
-ConfirmOuting=Confirm outing
+DisabledBecauseNotEnouthCreditNote=Para eliminar unha factura de situación do ciclo, o total da nota de crédito desta factura debe cubrir este total de factura
+RemoveSituationFromCycle=Eliminar esta factura do ciclo
+ConfirmRemoveSituationFromCycle=Eliminar esta factura %s do ciclo?
+ConfirmOuting=Confirmar a saída
FrequencyPer_d=Cada %s días
FrequencyPer_m=Cada %s meses
FrequencyPer_y=Cada %s anos
FrequencyUnit=Frecuencia
-toolTipFrequency=Examples: Set 7, Day: give a new invoice every 7 days Set 3, Month: give a new invoice every 3 month
-NextDateToExecution=Date for next invoice generation
-NextDateToExecutionShort=Date next gen.
-DateLastGeneration=Date of latest generation
-DateLastGenerationShort=Date latest gen.
-MaxPeriodNumber=Max. number of invoice generation
-NbOfGenerationDone=Number of invoice generation already done
-NbOfGenerationDoneShort=Number of generation done
-MaxGenerationReached=Maximum number of generations reached
-InvoiceAutoValidate=Validate invoices automatically
-GeneratedFromRecurringInvoice=Generated from template recurring invoice %s
-DateIsNotEnough=Date not reached yet
-InvoiceGeneratedFromTemplate=Invoice %s generated from recurring template invoice %s
-GeneratedFromTemplate=Generated from template invoice %s
-WarningInvoiceDateInFuture=Warning, the invoice date is higher than current date
-WarningInvoiceDateTooFarInFuture=Warning, the invoice date is too far from current date
-ViewAvailableGlobalDiscounts=View available discounts
-GroupPaymentsByModOnReports=Group payments by mode on reports
+toolTipFrequency=Exemplos: Indicar 7, Día: creará unha nova factura cada 7 días Indicar 3, Mes: creará unha nova factura cada 3 meses
+NextDateToExecution=Data para a xeración da próxima factura
+NextDateToExecutionShort=Data próxima xeración
+DateLastGeneration=Data da última xeración
+DateLastGenerationShort=Data última xeración
+MaxPeriodNumber=Nº máximo de facturas a xerar
+NbOfGenerationDone=Número de facturas xa xeradas
+NbOfGenerationDoneShort=Número de xeracións feitas
+MaxGenerationReached=Máximo número de xeracións alcanzado
+InvoiceAutoValidate=Validar facturas automáticamente
+GeneratedFromRecurringInvoice=Xerado dende a prantilla de facturas recorrentes %s
+DateIsNotEnough=Ainda non foi alcanzada a data
+InvoiceGeneratedFromTemplate=Factura %s xerada dende a prantilla de factura recorrente %s
+GeneratedFromTemplate=Xerado dende a prantilla de facturas concorrentes %s
+WarningInvoiceDateInFuture=Atención: a data da factura é maior que a data actual
+WarningInvoiceDateTooFarInFuture=Atención: a data da factura é moi lonxana á data actual
+ViewAvailableGlobalDiscounts=Ver os descontos dispoñibles
+GroupPaymentsByModOnReports=Pagos agrupados por modo nos informes
# PaymentConditions
Statut=Estado
PaymentConditionShortRECEP=Acuse de recibo
@@ -400,7 +400,7 @@ PaymentConditionShortPT_DELIVERY=Á entrega
PaymentConditionPT_DELIVERY=Pagamento á entrega
PaymentConditionShortPT_ORDER=Orde
PaymentConditionPT_ORDER=Á recepción do pedimento
-PaymentConditionShortPT_5050=50/50
+PaymentConditionShortPT_5050=50-50
PaymentConditionPT_5050=Pagamento 50%% por adiantado, 50%% á entrega
PaymentConditionShort10D=10 días
PaymentCondition10D=Pagamento aos 10 días
@@ -410,10 +410,10 @@ PaymentConditionShort14D=14 días
PaymentCondition14D=Pagamento aos 14 días
PaymentConditionShort14DENDMONTH=14 días fin de mes
PaymentCondition14DENDMONTH=14 días a fin de més
-FixAmount=Importe fixo
+FixAmount=Importe fixo -1 liña coa etiqueta %s
VarAmount=Importe variable (%% total)
VarAmountOneLine=Cantidade variable (%% tot.) - 1 liña coa etiqueta '%s'
-VarAmountAllLines=Variable amount (%% tot.) - all same lines
+VarAmountAllLines=Cantidade variable (%% tot.) - as mesmas liñas
# PaymentType
PaymentTypeVIR=Transferencia bancaria
PaymentTypeShortVIR=Transferencia bancaria
@@ -421,10 +421,10 @@ PaymentTypePRE=Domiciliación
PaymentTypeShortPRE=Domiciliación
PaymentTypeLIQ=Efectivo
PaymentTypeShortLIQ=Efectivo
-PaymentTypeCB=Tarxeta de crédito
-PaymentTypeShortCB=Tarxeta de crédito
-PaymentTypeCHQ=Verificar
-PaymentTypeShortCHQ=Verificar
+PaymentTypeCB=Tarxeta
+PaymentTypeShortCB=Tarxeta
+PaymentTypeCHQ=Talón
+PaymentTypeShortCHQ=Talón
PaymentTypeTIP=TIP (Titulo interbancario de pagamento)
PaymentTypeShortTIP=Pagamento TIP
PaymentTypeVAD=Pagamento en liña
@@ -459,8 +459,8 @@ FullPhoneNumber=Teléfono
TeleFax=Fax
PrettyLittleSentence=Acepto o pagamento mediante talóns ao meu nome das sumas debidas, na miña calidade de membro dunha empresa autorizada pola Administración Fiscal.
IntracommunityVATNumber=Número de IVE intracomunitario
-PaymentByChequeOrderedTo=Pagamento mediante talón nominativo a %s enviado a
-PaymentByChequeOrderedToShort=Pagamento mediante talón nominativo a
+PaymentByChequeOrderedTo=Pagamento mediante talón nominativo (taxas incluídas) a %s enviado a
+PaymentByChequeOrderedToShort=Pagamento mediante talón nominativo (taxas incluídas) a
SendTo=enviado a
PaymentByTransferOnThisBankAccount=Pagamento mediante transferencia á conta bancaria seguinte
VATIsNotUsedForInvoice=* IVE non aplicable art-293B del CGI
@@ -507,17 +507,17 @@ ListOfYourUnpaidInvoices=Listaxe de facturas impagadas
NoteListOfYourUnpaidInvoices=Nota: Este listaxe só inclue os terceiros ds que vostede é comercial.
RevenueStamp=Timbre fiscal
YouMustCreateInvoiceFromThird=Esta opción só está dispoñible ao crear unha factura dende a lapela 'cliente' en terceiros
-YouMustCreateInvoiceFromSupplierThird=This option is only available when creating an invoice from tab "Vendor" of third party
-YouMustCreateStandardInvoiceFirstDesc=You have to create a standard invoice first and convert it to "template" to create a new template invoice
-PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template (old implementation of Sponge template)
-PDFSpongeDescription=Invoice PDF template Sponge. A complete invoice template
-PDFCrevetteDescription=Invoice PDF template Crevette. A complete invoice template for situation invoices
-TerreNumRefModelDesc1=Return number with format %syymm-nnnn for standard invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequence with no break and no return to 0
-MarsNumRefModelDesc1=Return number with format %syymm-nnnn for standard invoices, %syymm-nnnn for replacement invoices, %syymm-nnnn for down payment invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequence with no break and no return to 0
-TerreNumRefModelError=A bill starting with $syymm already exists and is not compatible with this model of sequence. Remove it or rename it to activate this module.
-CactusNumRefModelDesc1=Return number with format %syymm-nnnn for standard invoices, %syymm-nnnn for credit notes and %syymm-nnnn for down payment invoices where yy is year, mm is month and nnnn is a sequence with no break and no return to 0
-EarlyClosingReason=Early closing reason
-EarlyClosingComment=Early closing note
+YouMustCreateInvoiceFromSupplierThird=Esta opción só está dispoñible ao crear unha factura desde a pestana "Provedor" de terceiros
+YouMustCreateStandardInvoiceFirstDesc=Primeiro ten que crear unha factura estándar e convertela a "modelo" para crear unha nova factura modelo
+PDFCrabeDescription=Modelo PDF de factura Crabe. Un modelo de factura completo (implementación antiga do modelo Sponge)
+PDFSpongeDescription=Modelo PDF de factura Sponge. Un modelo de factura completo
+PDFCrevetteDescription=Modelo PDF de factura Crevette. Un modelo de factura completo para as facturas de situación
+TerreNumRefModelDesc1=Número de devolución co formato %syymm-nnnn para as facturas estándar e %syymm-nnnn para as notas de crédito onde aa é ano, mm é mes e nnnn é unha secuencia sen interrupción e sen retorno a 0
+MarsNumRefModelDesc1=Número de devolución co formato %syymm-nnnn para as facturas estándar, %syymm-nnnn para as facturas de reposición, %syymm-nnnn para as facturas de pago inicial e %syymm-nnnn para as notas de crédito onde aa é ano, mm é mes e nnnn é unha secuencia sen interrupción e sen retorno a 0
+TerreNumRefModelError=Xa existe unha factura que comeza con $syymm e non é compatible con este modelo de secuencia. Elimina ou renoméao para activar este módulo.
+CactusNumRefModelDesc1=Número de devolución co formato %syymm-nnnn para as facturas estándar, %syymm-nnnn para as notas de crédito e %syymm-nnnn para as facturas de pago inicial onde aa é ano, mm é mes e nnnn é unha secuencia sen interrupción e sen devolución a 0
+EarlyClosingReason=Motivo de peche anticipado
+EarlyClosingComment=Nota de peche anticipado
##### Types de contacts #####
TypeContact_facture_internal_SALESREPFOLL=Responsable seguimiento factura a cliente
TypeContact_facture_external_BILLING=Contacto cliente facturación
@@ -528,50 +528,55 @@ TypeContact_invoice_supplier_external_BILLING=Contacto provedor facturación
TypeContact_invoice_supplier_external_SHIPPING=Contacto provedor entregas
TypeContact_invoice_supplier_external_SERVICE=Contacto provedor servizos
# Situation invoices
-InvoiceFirstSituationAsk=First situation invoice
-InvoiceFirstSituationDesc=The situation invoices are tied to situations related to a progression, for example the progression of a construction. Each situation is tied to an invoice.
-InvoiceSituation=Situation invoice
-InvoiceSituationAsk=Invoice following the situation
-InvoiceSituationDesc=Create a new situation following an already existing one
-SituationAmount=Situation invoice amount(net)
-SituationDeduction=Situation subtraction
-ModifyAllLines=Modify all lines
-CreateNextSituationInvoice=Create next situation
-ErrorFindNextSituationInvoice=Error unable to find next situation cycle ref
-ErrorOutingSituationInvoiceOnUpdate=Unable to outing this situation invoice.
-ErrorOutingSituationInvoiceCreditNote=Unable to outing linked credit note.
-NotLastInCycle=This invoice is not the latest in cycle and must not be modified.
-DisabledBecauseNotLastInCycle=The next situation already exists.
-DisabledBecauseFinal=This situation is final.
+InvoiceFirstSituationAsk=Factura de primeira situación
+InvoiceFirstSituationDesc=As facturas de situación están ligadas a situacións relacionadas cunha progresión, por exemplo, a progresión dunha construcción. Cada situación está ligada a unha factura.
+InvoiceSituation=Factura de situación
+PDFInvoiceSituation=Factura de situación
+InvoiceSituationAsk=Factura seguindo a situación
+InvoiceSituationDesc=Crear unha nova situación despois dunha xa existente
+SituationAmount=Importe da factura de situación (neto)
+SituationDeduction=Dedución da situación
+ModifyAllLines=Modificar todas as liñas
+CreateNextSituationInvoice=Crear a seguinte situación
+ErrorFindNextSituationInvoice=Erro ao non atopar a seguinte referencia do ciclo de situación
+ErrorOutingSituationInvoiceOnUpdate=Non se pode emitir a factura desta situación.
+ErrorOutingSituationInvoiceCreditNote=Non se pode emitir a nota de crédito ligada.
+NotLastInCycle=Esta factura non é a última do ciclo e non se debe modificar.
+DisabledBecauseNotLastInCycle=A seguinte situación xa existe.
+DisabledBecauseFinal=Esta situación é definitiva.
situationInvoiceShortcode_AS=AS
situationInvoiceShortcode_S=D
-CantBeLessThanMinPercent=The progress can't be smaller than its value in the previous situation.
-NoSituations=No open situations
-InvoiceSituationLast=Final and general invoice
-PDFCrevetteSituationNumber=Situation N°%s
-PDFCrevetteSituationInvoiceLineDecompte=Situation invoice - COUNT
-PDFCrevetteSituationInvoiceTitle=Situation invoice
-PDFCrevetteSituationInvoiceLine=Situation N°%s: Inv. N°%s on %s
-TotalSituationInvoice=Total situation
-invoiceLineProgressError=Invoice line progress can't be greater than or equal to the next invoice line
-updatePriceNextInvoiceErrorUpdateline=Error: update price on invoice line: %s
-ToCreateARecurringInvoice=To create a recurring invoice for this contract, first create this draft invoice, then convert it into an invoice template and define the frequency for generation of future invoices.
-ToCreateARecurringInvoiceGene=To generate future invoices regularly and manually, just go on menu %s - %s - %s.
-ToCreateARecurringInvoiceGeneAuto=If you need to have such invoices generated automatically, ask your administrator to enable and setup module %s. Note that both methods (manual and automatic) can be used together with no risk of duplication.
-DeleteRepeatableInvoice=Delete template invoice
-ConfirmDeleteRepeatableInvoice=Are your sure you want to delete the template invoice?
-CreateOneBillByThird=Create one invoice per third party (otherwise, one invoice per order)
-BillCreated=%s bill(s) created
-StatusOfGeneratedDocuments=Status of document generation
-DoNotGenerateDoc=Do not generate document file
-AutogenerateDoc=Auto generate document file
-AutoFillDateFrom=Set start date for service line with invoice date
-AutoFillDateFromShort=Set start date
-AutoFillDateTo=Set end date for service line with next invoice date
-AutoFillDateToShort=Set end date
-MaxNumberOfGenerationReached=Max number of gen. reached
+CantBeLessThanMinPercent=O progreso non pode ser menor que o seu valor na situación anterior.
+NoSituations=Non hai situacións abertas
+InvoiceSituationLast=Factura final e xeral
+PDFCrevetteSituationNumber=Situación Nº%s
+PDFCrevetteSituationInvoiceLineDecompte=Factura de situación - COUNT
+PDFCrevetteSituationInvoiceTitle=Factura de situación
+PDFCrevetteSituationInvoiceLine=Situación nº%s: Fact. Nº%s en %s
+TotalSituationInvoice=Situación total
+invoiceLineProgressError=O progreso da liña de factura non pode ser maior nin igual á seguinte liña de factura
+updatePriceNextInvoiceErrorUpdateline=Erro: actualización do prezo na liña de factura:%s
+ToCreateARecurringInvoice=Para crear unha factura recorrente para este contrato, primeiro cree este borrador de factura, logo convértao nun modelo de factura e defina a frecuencia para a xeración de facturas futuras.
+ToCreateARecurringInvoiceGene=Para xerar futuras facturas regularmente e manualmente, só tes que ir ao menú %s-%s-%s .
+ToCreateARecurringInvoiceGeneAuto=Se precisa xerar estas facturas automaticamente, pídelle ao administrador que active e configure o módulo %s . Teña conta que os dous métodos (manual e automático) pódense empregar xuntos sen risco de duplicación.
+DeleteRepeatableInvoice=Eliminar factura modelo
+ConfirmDeleteRepeatableInvoice=¿Está certo de que quere eliminar a factura modelo?
+CreateOneBillByThird=Crear unha factura por terceiro (se non, unha factura por pedido)
+BillCreated=Creáronse %s factura(s)
+StatusOfGeneratedDocuments=Estado da xeración de documentos
+DoNotGenerateDoc=Non xerar ficheiro de documento
+AutogenerateDoc=Xerar automaticamente un ficheiro de documento
+AutoFillDateFrom=Establecer a data de inicio da liña de servizo coa data da factura
+AutoFillDateFromShort=Establecer a data de inicio
+AutoFillDateTo=Establecer a data de finalización da liña de servizo coa próxima data de factura
+AutoFillDateToShort=Establecer a data de finalización
+MaxNumberOfGenerationReached=Número máximo de xen. alcanzado
BILL_DELETEInDolibarr=Factura eliminada
-BILL_SUPPLIER_DELETEInDolibarr=Supplier invoice deleted
-UnitPriceXQtyLessDiscount=Unit price x Qty - Discount
-CustomersInvoicesArea=Customer billing area
-SupplierInvoicesArea=Supplier billing area
+BILL_SUPPLIER_DELETEInDolibarr=Eliminouse a factura do provedor
+UnitPriceXQtyLessDiscount=Prezo unitario x Cantidade - Desconto
+CustomersInvoicesArea=Área de facturación do cliente
+SupplierInvoicesArea=Área de facturación de provedor
+FacParentLine=Liña principal de factura
+SituationTotalRayToRest=Lembranza de pagar sen impostos
+PDFSituationTitle=Situación n° %d
+SituationTotalProgress=Progreso total %d %%
diff --git a/htdocs/langs/gl_ES/blockedlog.lang b/htdocs/langs/gl_ES/blockedlog.lang
index 3a8b9adac84..99de9dd3d73 100644
--- a/htdocs/langs/gl_ES/blockedlog.lang
+++ b/htdocs/langs/gl_ES/blockedlog.lang
@@ -1,54 +1,54 @@
-BlockedLog=Unalterable Logs
+BlockedLog=Rexistros inalterables
Field=Campo
-BlockedLogDesc=This module tracks some events into an unalterable log (that you can't modify once recorded) into a block chain, in real time. This module provides compatibility with requirements of laws of some countries (like France with the law Finance 2016 - Norme NF525).
-Fingerprints=Archived events and fingerprints
-FingerprintsDesc=This is the tool to browse or extract the unalterable logs. Unalterable logs are generated and archived locally into a dedicated table, in real time when you record a business event. You can use this tool to export this archive and save it into an external support (some countries, like France, ask that you do it every year). Note that, there is no feature to purge this log and every change tried to be done directly into this log (by a hacker for example) will be reported with a non-valid fingerprint. If you really need to purge this table because you used your application for a demo/test purpose and want to clean your data to start your production, you can ask your reseller or integrator to reset your database (all your data will be removed).
-CompanyInitialKey=Company initial key (hash of genesis block)
-BrowseBlockedLog=Unalterable logs
-ShowAllFingerPrintsMightBeTooLong=Show all archived logs (might be long)
-ShowAllFingerPrintsErrorsMightBeTooLong=Show all non-valid archive logs (might be long)
-DownloadBlockChain=Download fingerprints
-KoCheckFingerprintValidity=Archived log entry is not valid. It means someone (a hacker?) has modified some data of this record after it was recorded, or has erased the previous archived record (check that line with previous # exists).
-OkCheckFingerprintValidity=Archived log record is valid. The data on this line was not modified and the entry follows the previous one.
-OkCheckFingerprintValidityButChainIsKo=Archived log seems valid compared to previous one but the chain was corrupted previously.
-AddedByAuthority=Stored into remote authority
-NotAddedByAuthorityYet=Not yet stored into remote authority
-ShowDetails=Show stored details
-logPAYMENT_VARIOUS_CREATE=Payment (not assigned to an invoice) created
-logPAYMENT_VARIOUS_MODIFY=Payment (not assigned to an invoice) modified
-logPAYMENT_VARIOUS_DELETE=Payment (not assigned to an invoice) logical deletion
-logPAYMENT_ADD_TO_BANK=Payment added to bank
-logPAYMENT_CUSTOMER_CREATE=Customer payment created
-logPAYMENT_CUSTOMER_DELETE=Customer payment logical deletion
-logDONATION_PAYMENT_CREATE=Donation payment created
-logDONATION_PAYMENT_DELETE=Donation payment logical deletion
-logBILL_PAYED=Customer invoice paid
-logBILL_UNPAYED=Customer invoice set unpaid
-logBILL_VALIDATE=Customer invoice validated
-logBILL_SENTBYMAIL=Customer invoice send by mail
-logBILL_DELETE=Customer invoice logically deleted
-logMODULE_RESET=Module BlockedLog was disabled
-logMODULE_SET=Module BlockedLog was enabled
-logDON_VALIDATE=Donation validated
-logDON_MODIFY=Donation modified
-logDON_DELETE=Donation logical deletion
-logMEMBER_SUBSCRIPTION_CREATE=Member subscription created
-logMEMBER_SUBSCRIPTION_MODIFY=Member subscription modified
-logMEMBER_SUBSCRIPTION_DELETE=Member subscription logical deletion
-logCASHCONTROL_VALIDATE=Cash fence recording
-BlockedLogBillDownload=Customer invoice download
-BlockedLogBillPreview=Customer invoice preview
-BlockedlogInfoDialog=Log Details
-ListOfTrackedEvents=List of tracked events
-Fingerprint=Fingerprint
-DownloadLogCSV=Export archived logs (CSV)
-logDOC_PREVIEW=Preview of a validated document in order to print or download
-logDOC_DOWNLOAD=Download of a validated document in order to print or send
-DataOfArchivedEvent=Full datas of archived event
-ImpossibleToReloadObject=Original object (type %s, id %s) not linked (see 'Full datas' column to get unalterable saved data)
-BlockedLogAreRequiredByYourCountryLegislation=Unalterable Logs module may be required by the legislation of your country. Disabling this module may render any future transactions invalid with respect to the law and the use of legal software as they can not be validated by a tax audit.
-BlockedLogActivatedBecauseRequiredByYourCountryLegislation=Unalterable Logs module was activated because of the legislation of your country. Disabling this module may render any future transactions invalid with respect to the law and the use of legal software as they cannot be validated by a tax audit.
-BlockedLogDisableNotAllowedForCountry=List of countries where usage of this module is mandatory (just to prevent to disable the module by error, if your country is in this list, disable of module is not possible without editing this list first. Note also that enabling/disabling this module will keep a track into the unalterable log).
-OnlyNonValid=Non-valid
-TooManyRecordToScanRestrictFilters=Too many records to scan/analyze. Please restrict list with more restrictive filters.
-RestrictYearToExport=Restrict month / year to export
+BlockedLogDesc=Este módulo rastrexa algúns eventos nun rexistro inalterable (que non pode ser modificado unha vez rexistrado) nunha cadea de bloques, en tempo real. Este módulo proporciona compatibilidade cos requisitos das lexislacións dalgúns países (como Franza coa lei Finanzas 2016 - Norma NF525).
+Fingerprints=Eventos arquivados e huellas dixitais.
+FingerprintsDesc=Esta é a ferramenta para navegar ou extraer os rexistros inalterables. Os rexistros inalterables son xerados e arquivados localmente nunha taboa adicada, en tempo real cando é rexistrado un evento de negocios. Pode utilizar esta ferramenta para exportar este ficheiro e gardarlo nun soporte externo (algúns países, como Franza, pidenlle que o faga todos os anos). Teña conta que non hai ningunha función para limpar este rexistro e que todos os cambios que tentara facer hacer directamente neste rexistro (por exemplo, un pirata informático) informanse cunha huella dixital non válida. Se realmente precisa purgar esta taboa porque fixo uso da sua aplicación para unha mostra / propósito de proba e desexa limpar os seus datos para comezar coa súa produción, pode solicitar ao seu revendedor ou integrador que reinicie a súa base de datos (serán eliminados todos os seus datos).
+CompanyInitialKey=Clave inicial da empresa (hash do bloque de xénesis)
+BrowseBlockedLog=Rexistros inalterables
+ShowAllFingerPrintsMightBeTooLong=Amosar todos os rexistros arquivados (pode ser longo)
+ShowAllFingerPrintsErrorsMightBeTooLong=Mostrar todos os rexistros de ficheiro no válidos (pode ser longo)
+DownloadBlockChain=Descargar pegadas dactilares
+KoCheckFingerprintValidity=A entrada de rexistro arquivada non é válida. Significa que alguén (¿un hacker?) Modificou algúns datos deste rexistro despois de gravalo ou borrou o rexistro anterior arquivado (comprobe que existe a liña co # anterior).
+OkCheckFingerprintValidity=O rexistro de rexistro arquivado é válido. Os datos desta liña non se modificaron e a entrada segue a anterior.
+OkCheckFingerprintValidityButChainIsKo=O rexistro arquivado parece válido en comparación co anterior, pero a cadea estaba corrompida anteriormente.
+AddedByAuthority=Almacenado na autoridade remota
+NotAddedByAuthorityYet=Aínda non almacenado na autoridade remota
+ShowDetails=Amosar detalles almacenados
+logPAYMENT_VARIOUS_CREATE=Creouse o pagamento (non asignado á factura)
+logPAYMENT_VARIOUS_MODIFY=Modificouse o pagamento (non asignado á factura)
+logPAYMENT_VARIOUS_DELETE=Eliminación lóxico do pagamento (non asignado a factura).
+logPAYMENT_ADD_TO_BANK=Pagamento engadido ao banco
+logPAYMENT_CUSTOMER_CREATE=Pagamento do cliente creado
+logPAYMENT_CUSTOMER_DELETE=Eliminación lóxica do pagamento do cliente
+logDONATION_PAYMENT_CREATE=Creado pagamento de doación/subvención
+logDONATION_PAYMENT_DELETE=Eliminación lóxica do pagamento da doación/subvención.
+logBILL_PAYED=Factura do cliente pagada
+logBILL_UNPAYED=Factura do cliente marcada como pendente de cobro
+logBILL_VALIDATE=Validada factura a cliente
+logBILL_SENTBYMAIL=Enviar factura a cliente por correo electrónico
+logBILL_DELETE=Factura do cliente borrada lóxicamente
+logMODULE_RESET=O módulo BlockedLog foi deshabilitado
+logMODULE_SET=O módulo BlockedLog foi habilitado
+logDON_VALIDATE=Doación/Subvención validada
+logDON_MODIFY=Doación/subvención modificada
+logDON_DELETE=Eliminación lóxica da doación/subvención.
+logMEMBER_SUBSCRIPTION_CREATE=Creada subscrición de membro
+logMEMBER_SUBSCRIPTION_MODIFY=Modificada Subscrición de membro
+logMEMBER_SUBSCRIPTION_DELETE=Eliminación lóxica de subscrición de membro
+logCASHCONTROL_VALIDATE=Rexistro de peche de caixa
+BlockedLogBillDownload=Descarga da factura de cliente
+BlockedLogBillPreview=Vista previa da factura do cliente
+BlockedlogInfoDialog=Detalles do rexistro
+ListOfTrackedEvents=Listaxe de eventos seguidos
+Fingerprint=Pegada dactilar
+DownloadLogCSV=Exportar rexistros arquivados (CSV)
+logDOC_PREVIEW=Vista previa dun documento validado para imprimir ou descargar
+logDOC_DOWNLOAD=Descarga dun documento validado para imprimir ou enviar.
+DataOfArchivedEvent=Datos completos do evento arquivado.
+ImpossibleToReloadObject=O obxecto orixinal (tipo %s, id %s) non ligado (ver a columna "Datos completos" para obter datos gardados inalterables)
+BlockedLogAreRequiredByYourCountryLegislation=A lexislación do seu país pode requirir o módulo de rexistros inalterables. A desactivación deste módulo pode facer que calquera transacción futura sexa inválida con respecto á lei e ao uso de software legal xa que non poden ser validadas por unha auditoría fiscal.
+BlockedLogActivatedBecauseRequiredByYourCountryLegislation=O módulo de Rexistros inalterables activouse por mor da lexislación do seu país. A desactivación deste módulo pode facer que as transaccións futuras sexan inválidas con respecto á lei e ao uso de software legal, xa que non poden ser validadas por unha auditoría fiscal.
+BlockedLogDisableNotAllowedForCountry=Listaxe de países onde o uso deste módulo é obrigatorio (só para evitar desactivar o módulo por erro, se o seu país está nesta lista, a desactivación do módulo non é posible sen editar esta lista antes. Teña conta tamén que habilitar/desactivar este módulo manterá unha pista no rexistro inalterable).
+OnlyNonValid=Non válido
+TooManyRecordToScanRestrictFilters=Demasiados rexistros para escanear/analizar. Prégase restrinxa a listaxe con filtros mais restrictivos.
+RestrictYearToExport=Restrinxir mes/ano para exportar
diff --git a/htdocs/langs/gl_ES/boxes.lang b/htdocs/langs/gl_ES/boxes.lang
index 1ae5652b2a9..714a790e0a8 100644
--- a/htdocs/langs/gl_ES/boxes.lang
+++ b/htdocs/langs/gl_ES/boxes.lang
@@ -37,18 +37,21 @@ BoxTitleOldestUnpaidSupplierBills=Facturas Provedores: últimas %s pendentes de
BoxTitleCurrentAccounts=Contas abertas: balance
BoxTitleSupplierOrdersAwaitingReception=Pedimentos de provedores agardando recepción
BoxTitleLastModifiedContacts=Contactos/Enderezos: Últimos %s modificados
-BoxMyLastBookmarks=Bookmarks: latest %s
+BoxMyLastBookmarks=Marcadores: últimos %s
BoxOldestExpiredServices=Servizos antigos expirados
BoxLastExpiredServices=Últimos %s contratos mais antigos con servizos expirados
BoxTitleLastActionsToDo=Últimas %s accións a realizar
BoxTitleLastContracts=Últimos %s contratos modificados
BoxTitleLastModifiedDonations=Últimas %s doacións/subvencións modificadas
BoxTitleLastModifiedExpenses=Últimos %s informes de gastos modificados
-BoxTitleLatestModifiedBoms=Latest %s modified BOMs
-BoxTitleLatestModifiedMos=Latest %s modified Manufacturing Orders
+BoxTitleLatestModifiedBoms=Últimos %s MRP modificados
+BoxTitleLatestModifiedMos=Últimos %s ordes de fabricación modificadas
+BoxTitleLastOutstandingBillReached=Superouse o máximo de clientes con pendente
BoxGlobalActivity=Actividade global (facturas, orzamentos, ordes)
BoxGoodCustomers=Bos clientes
BoxTitleGoodCustomers=%s Bos clientes
+BoxScheduledJobs=Tarefas programadas
+BoxTitleFunnelOfProspection=Embudo de clientes
FailedToRefreshDataInfoNotUpToDate=Erro ao actualizar o RSS. Último refresco correcto na data: %s
LastRefreshDate=Última data de refresco
NoRecordedBookmarks=Non hai marcadores definidos
@@ -83,8 +86,8 @@ BoxTitleLatestModifiedSupplierOrders=Pedimentos Provedor: últimos %s modificado
BoxTitleLastModifiedCustomerBills=Facturas Clientes: últimas %s modificadas
BoxTitleLastModifiedCustomerOrders=Pedimentos Clientes: últimos %s pedimentos modificados
BoxTitleLastModifiedPropals=Últimos %s orzamentos modificados
-BoxTitleLatestModifiedJobPositions=Latest %s modified jobs
-BoxTitleLatestModifiedCandidatures=Latest %s modified candidatures
+BoxTitleLatestModifiedJobPositions=Últimos %s traballos modificados
+BoxTitleLatestModifiedCandidatures=Últimas %s candidaturas modificadas
ForCustomersInvoices=Facturas a clientes
ForCustomersOrders=Pedimentos de clientes
ForProposals=Orzamentos
@@ -102,5 +105,7 @@ SuspenseAccountNotDefined=Conta en suspenso non está definida
BoxLastCustomerShipments=Últimos envios a clientes
BoxTitleLastCustomerShipments=Últimos %s envíos a clientes
NoRecordedShipments=Ningún envío a cliente rexistrado
+BoxCustomersOutstandingBillReached=Alcanzáronse os clientes cun límite pendente
# Pages
AccountancyHome=Contabilidade
+ValidatedProjects=Proxectos validados
diff --git a/htdocs/langs/gl_ES/cashdesk.lang b/htdocs/langs/gl_ES/cashdesk.lang
index 0926360b26f..318445e1d3d 100644
--- a/htdocs/langs/gl_ES/cashdesk.lang
+++ b/htdocs/langs/gl_ES/cashdesk.lang
@@ -50,7 +50,7 @@ AmountAtEndOfPeriod=Importe ao final do período (día, mes ou ano)
TheoricalAmount=Importe teórico
RealAmount=Importe real
CashFence=Peche de caixa
-CashFenceDone=Peche de caixa realizado para o período.
+CashFenceDone=Peche de caixa realizado para o período
NbOfInvoices=Nº de facturas
Paymentnumpad=Tipo de Pad para introducir o pago.
Numberspad=Teclado numérico
@@ -62,7 +62,7 @@ CashDeskBankAccountFor=Conta por defecto a usar para cobros en
NoPaimementModesDefined=Non existe modo de pago definido na configuración de TakePOS
TicketVatGrouped=Agrupar por tipo de IVE nos tickets
AutoPrintTickets=Imprimir tickets automáticamente
-PrintCustomerOnReceipts=Print customer on tickets|receipts
+PrintCustomerOnReceipts=Imprimir a cliente tickets/recibos
EnableBarOrRestaurantFeatures=Habilitar características para Bar ou Restaurante
ConfirmDeletionOfThisPOSSale=¿Está certo de querer eliminar a venda actual?
ConfirmDiscardOfThisPOSSale=¿Queres descartar a venda actual??
@@ -77,48 +77,50 @@ POSModule=POS Modulo
BasicPhoneLayout=Utilizar deseño básico para teléfonos.
SetupOfTerminalNotComplete=Configuración da terminal %s non está finalizada
DirectPayment=Pago directo
-DirectPaymentButton=Add a "Direct cash payment" button
+DirectPaymentButton=Engadir un botón "Pago en efectivo"
InvoiceIsAlreadyValidated=A factura xa foi validada
NoLinesToBill=Sen liñas a facturar
CustomReceipt=Custom Receipt
ReceiptName=Receipt Name
ProductSupplements=Product Supplements
SupplementCategory=Supplement category
-ColorTheme=Color theme
-Colorful=Colorful
-HeadBar=Head Bar
-SortProductField=Field for sorting products
+ColorTheme=Cor do tema
+Colorful=Colorido
+HeadBar=Barra na cabeceira
+SortProductField=Campo de clasificación de produtos
Browser=Navegador
-BrowserMethodDescription=Simple and easy receipt printing. Only a few parameters to configure the receipt. Print via browser.
-TakeposConnectorMethodDescription=External module with extra features. Posibility to print from the cloud.
-PrintMethod=Print method
-ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. Cannot print from the cloud.
-ByTerminal=By terminal
-TakeposNumpadUsePaymentIcon=Use icon instead of text on payment buttons of numpad
-CashDeskRefNumberingModules=Numbering module for POS sales
-CashDeskGenericMaskCodes6 = {TN} tag is used to add the terminal number
-TakeposGroupSameProduct=Group same products lines
-StartAParallelSale=Start a new parallel sale
-ControlCashOpening=Control cash box at opening POS
-CloseCashFence=Close cash fence
-CashReport=Cash report
-MainPrinterToUse=Main printer to use
-OrderPrinterToUse=Order printer to use
-MainTemplateToUse=Main template to use
-OrderTemplateToUse=Order template to use
-BarRestaurant=Bar Restaurant
-AutoOrder=Order by the customer himself
+BrowserMethodDescription=Impresión de recibos sinxela e doada. Só algúns parámetros para configurar o recibo. Imprimir mediante navegador.
+TakeposConnectorMethodDescription=Módulo externo con funcións adicionais. Posibilidade de imprimir desde a nube.
+PrintMethod=Método de impresión
+ReceiptPrinterMethodDescription=Método potente con moitos parámetros. Completamente personalizable con modelos. Non se pode imprimir desde a nube.
+ByTerminal=Por terminal
+TakeposNumpadUsePaymentIcon=Usar a icona no canto do texto, nos botóns de pago do teclado numérico
+CashDeskRefNumberingModules=Módulo de numeración para vendas de TPV
+CashDeskGenericMaskCodes6 = A etiqueta (TN) é usada para engadir o número de terminal
+TakeposGroupSameProduct=Agrupa as mesmas liñas de produtos
+StartAParallelSale=Comeza unha nova venda en paralelo
+SaleStartedAt=A venda comezou en %s
+ControlCashOpening=Aviso emerxente do efectivo ao abris o TPV
+CloseCashFence=Controlar peche de caixa
+CashReport=Informe de caixa
+MainPrinterToUse=Impresora principal a usar
+OrderPrinterToUse=Solicitar que impresora usar
+MainTemplateToUse=Modelo principal a usar
+OrderTemplateToUse=Modelo de pedido a usar
+BarRestaurant=Bar Restaurante
+AutoOrder=Pedido do propio cliente
RestaurantMenu=Menu
-CustomerMenu=Customer menu
-ScanToMenu=Scan QR code to see the menu
-ScanToOrder=Scan QR code to order
-Appearance=Appearance
-HideCategoryImages=Hide Category Images
-HideProductImages=Hide Product Images
-NumberOfLinesToShow=Number of lines of images to show
-DefineTablePlan=Define tables plan
-GiftReceiptButton=Add a "Gift receipt" button
-GiftReceipt=Gift receipt
-ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled first
-AllowDelayedPayment=Allow delayed payment
-PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts
+CustomerMenu=Menú do cliente
+ScanToMenu=Escanear o código QR para ver o menú
+ScanToOrder=Escanear o código QR para pedir
+Appearance=Apariencia
+HideCategoryImages=Ocultar imaxes de categoría
+HideProductImages=Ocultar imaxes do produto
+NumberOfLinesToShow=Número de liñas de imaxes a amosar
+DefineTablePlan=Definir o plan de mesas
+GiftReceiptButton=Engadir un botón "Recibo agasallo"
+GiftReceipt=Recibo agasallo
+ModuleReceiptPrinterMustBeEnabled=A impresora de recibos do módulo debe estar habilitada primeiro
+AllowDelayedPayment=Permitir o pago en débeda
+PrintPaymentMethodOnReceipts=Imprimir método de pago en tickets/recibos
+WeighingScale=Pesaxe
diff --git a/htdocs/langs/gl_ES/categories.lang b/htdocs/langs/gl_ES/categories.lang
index 2aa1b892b01..106d55b60f5 100644
--- a/htdocs/langs/gl_ES/categories.lang
+++ b/htdocs/langs/gl_ES/categories.lang
@@ -1,92 +1,99 @@
# Dolibarr language file - Source file is en_US - categories
-Rubrique=Tag/Category
+Rubrique=Etiqueta/Categoría
Rubriques=Etiquetas/Categorías
-RubriquesTransactions=Tags/Categories of transactions
-categories=tags/categories
-NoCategoryYet=No tag/category of this type created
-In=In
-AddIn=Add in
-modify=modify
-Classify=Classify
-CategoriesArea=Tags/Categories area
-ProductsCategoriesArea=Products/Services tags/categories area
-SuppliersCategoriesArea=Vendors tags/categories area
-CustomersCategoriesArea=Customers tags/categories area
-MembersCategoriesArea=Members tags/categories area
-ContactsCategoriesArea=Contacts tags/categories area
-AccountsCategoriesArea=Accounts tags/categories area
-ProjectsCategoriesArea=Projects tags/categories area
-UsersCategoriesArea=Users tags/categories area
-SubCats=Sub-categories
-CatList=List of tags/categories
-NewCategory=New tag/category
-ModifCat=Modify tag/category
-CatCreated=Tag/category created
-CreateCat=Create tag/category
-CreateThisCat=Create this tag/category
-NoSubCat=No subcategory.
-SubCatOf=Subcategory
-FoundCats=Found tags/categories
-ImpossibleAddCat=Impossible to add the tag/category %s
-WasAddedSuccessfully=%s was added successfully.
-ObjectAlreadyLinkedToCategory=Element is already linked to this tag/category.
-ProductIsInCategories=Product/service is linked to following tags/categories
-CompanyIsInCustomersCategories=This third party is linked to following customers/prospects tags/categories
-CompanyIsInSuppliersCategories=This third party is linked to following vendors tags/categories
-MemberIsInCategories=This member is linked to following members tags/categories
-ContactIsInCategories=This contact is linked to following contacts tags/categories
-ProductHasNoCategory=This product/service is not in any tags/categories
-CompanyHasNoCategory=This third party is not in any tags/categories
-MemberHasNoCategory=This member is not in any tags/categories
-ContactHasNoCategory=This contact is not in any tags/categories
-ProjectHasNoCategory=This project is not in any tags/categories
-ClassifyInCategory=Add to tag/category
-NotCategorized=Without tag/category
-CategoryExistsAtSameLevel=This category already exists with this ref
-ContentsVisibleByAllShort=Contents visible by all
-ContentsNotVisibleByAllShort=Contents not visible by all
-DeleteCategory=Delete tag/category
-ConfirmDeleteCategory=Are you sure you want to delete this tag/category?
-NoCategoriesDefined=No tag/category defined
-SuppliersCategoryShort=Vendors tag/category
-CustomersCategoryShort=Customers tag/category
-ProductsCategoryShort=Products tag/category
-MembersCategoryShort=Members tag/category
-SuppliersCategoriesShort=Vendors tags/categories
-CustomersCategoriesShort=Customers tags/categories
-ProspectsCategoriesShort=Prospects tags/categories
-CustomersProspectsCategoriesShort=Cust./Prosp. tags/categories
-ProductsCategoriesShort=Products tags/categories
-MembersCategoriesShort=Members tags/categories
-ContactCategoriesShort=Contacts tags/categories
-AccountsCategoriesShort=Accounts tags/categories
-ProjectsCategoriesShort=Projects tags/categories
-UsersCategoriesShort=Users tags/categories
-StockCategoriesShort=Warehouse tags/categories
-ThisCategoryHasNoItems=This category does not contain any items.
-CategId=Tag/category id
-CatSupList=List of vendor tags/categories
-CatCusList=List of customer/prospect tags/categories
-CatProdList=List of products tags/categories
-CatMemberList=List of members tags/categories
-CatContactList=List of contact tags/categories
-CatSupLinks=Links between suppliers and tags/categories
-CatCusLinks=Links between customers/prospects and tags/categories
-CatContactsLinks=Links between contacts/addresses and tags/categories
-CatProdLinks=Links between products/services and tags/categories
-CatProJectLinks=Links between projects and tags/categories
-DeleteFromCat=Remove from tags/category
+RubriquesTransactions=Etiquetas/Categorías de transaccións
+categories=etiquetas/categorias
+NoCategoryYet=Ningunha etiqueta/categoría deste tipo creada
+In=En
+AddIn=Engadir en
+modify=modificar
+Classify=Clasificar
+CategoriesArea=Área Etiquetas/Categorías
+ProductsCategoriesArea=Área etiquetas/categorías Produtos/Servizos
+SuppliersCategoriesArea=Área etiquetas/categorías Provedores
+CustomersCategoriesArea=Área etiquetas/categorías Clientes
+MembersCategoriesArea=Área etiquetas/categorías Membros
+ContactsCategoriesArea=Área etiquetas/categorías de contactos
+AccountsCategoriesArea=Área etiquetas/categorías contables
+ProjectsCategoriesArea=Área etiquetas/categorías Proxectos
+UsersCategoriesArea=Área etiquetas/categorías Usuarios
+SubCats=Subcategorías
+CatList=Listaxe de etiquetas/categorías
+CatListAll=Listaxe de etiquetas/categorías (todos os tipos)
+NewCategory=Nova etiqueta/categoría
+ModifCat=Modificar etiqueta/categoría
+CatCreated=Etiqueta/categoría creada
+CreateCat=Crear etiqueta/categoría
+CreateThisCat=Crear esta etiqueta/categoría
+NoSubCat=Esta categoría non contén ningunha subcategoría.
+SubCatOf=Subcategoría
+FoundCats=Atopadas etiquetas/categorías
+ImpossibleAddCat=Imposible engadir á etiqueta/categoría %s
+WasAddedSuccessfully=%s foi engadida con éxito
+ObjectAlreadyLinkedToCategory=O elemento xa está ligado a esta etiqueta/categoría
+ProductIsInCategories=Produto/Servizo está ligado as seguintes etiquetas/categorías
+CompanyIsInCustomersCategories=Este terceiro está ligado nas seguintes etiquetas/categorías de clientes/clientes potenciais
+CompanyIsInSuppliersCategories=Este terceiro está ligado ás seguintes etiquetas/categorías de provedores
+MemberIsInCategories=Este membro está ligado ás seguintes etiquetas/categorías
+ContactIsInCategories=Este contacto está ligado ás seguintes etiquetas/categorías de contactos
+ProductHasNoCategory=Este produto/servizo non atópase en ningunha etiqueta/categoría
+CompanyHasNoCategory=Este terceiro non atópase en ningunha etiqueta/categoría
+MemberHasNoCategory=Este membro non atópase en ningunha etiqueta/categoría
+ContactHasNoCategory=Este contacto non atópase en ningunha etiqueta/categoría
+ProjectHasNoCategory=Este proxecto non atópase en ningunha etiqueta/categoría
+ClassifyInCategory=Engadir a unha etiqueta/categoría
+NotCategorized=Sen etiqueta/categoría
+CategoryExistsAtSameLevel=Esta categoría xa existe para esta referencia
+ContentsVisibleByAllShort=Contido visible por todos
+ContentsNotVisibleByAllShort=Contido non visible por todos
+DeleteCategory=Eliminar etiqueta/categoría
+ConfirmDeleteCategory=¿Está certo de querer eliminar esta etiqueta/categoría?
+NoCategoriesDefined=Ningunha etiqueta/categoría definida
+SuppliersCategoryShort=Etiqueta/categoría Provedores
+CustomersCategoryShort=Etiqueta/categoría Clientes
+ProductsCategoryShort=Etiqueta/categoría Produtos
+MembersCategoryShort=Etiqueta/categoría Membros
+SuppliersCategoriesShort=Etiquetas/categorías Provedores
+CustomersCategoriesShort=Etiquetas/categorías Clientes
+ProspectsCategoriesShort=Etiquetas/categorías Clientes Potenciais
+CustomersProspectsCategoriesShort=Etiquetas/categorías Clientes/Clientes Potenciais
+ProductsCategoriesShort=Etiquetas/categorías Produtos
+MembersCategoriesShort=Etiquetas/categorías Membros
+ContactCategoriesShort=Etiquetas/categorías Contactos
+AccountsCategoriesShort=Etiquetas/categorías Contabilidade
+ProjectsCategoriesShort=Etiquetas/categorías Proxectos
+UsersCategoriesShort=Etiquetas/categorías Usuarios
+StockCategoriesShort=Etiquetas/categorías Almacéns
+ThisCategoryHasNoItems=Esta categoría non contén ningún elemento
+CategId=Id de etiqueta/categoría
+ParentCategory=Etiqueta/categoría pai
+ParentCategoryLabel=Selo de pai /etiqueta/categoría
+CatSupList=Listaxe de etiquetas/categorías de provedores
+CatCusList=Listaxe de etiquetas/categorías de clientes/clientes potenciais
+CatProdList=Listaxe de etiquetas/categorías de produtos
+CatMemberList=Listaxe de etiquetas/categorías de membros
+CatContactList=Listaxe de etiquetas/categorías de contactos
+CatProjectsList=Listaxe de etiquetas/categorías de proxectos
+CatUsersList=Listaxe de etiquetas/categorías de usuarios
+CatSupLinks=Ligazóns entre provedores e etiquetas/categorías
+CatCusLinks=Ligazóns entre clientes/clientes potenciais e etiquetas/categorías
+CatContactsLinks=Ligazóns entre contactos/enderezos e etiquetas/categorías
+CatProdLinks=Ligazóns entre produtos/servizos e etiquetas/categorías
+CatMembersLinks=Ligazóns entre membros e etiquetas/categorías
+CatProjectsLinks=Ligazóns entre proxectos e etiquetas/categorías
+CatUsersLinks=Ligazóns entre usuarios e etiquetas/categorías
+DeleteFromCat=Eliminar de etiquetas/categorías
ExtraFieldsCategories=Campos adicionais
-CategoriesSetup=Tags/categories setup
-CategorieRecursiv=Link with parent tag/category automatically
-CategorieRecursivHelp=If option is on, when you add a product into a subcategory, product will also be added into the parent category.
-AddProductServiceIntoCategory=Add the following product/service
-AddCustomerIntoCategory=Assign category to customer
-AddSupplierIntoCategory=Assign category to supplier
-ShowCategory=Show tag/category
-ByDefaultInList=By default in list
-ChooseCategory=Choose category
-StocksCategoriesArea=Warehouses Categories
-ActionCommCategoriesArea=Events Categories
-WebsitePagesCategoriesArea=Page-Container Categories
-UseOrOperatorForCategories=Use or operator for categories
+CategoriesSetup=Configuración de etiquetas/categorías
+CategorieRecursiv=Ligar co pai etiqueta/categoría automáticamente
+CategorieRecursivHelp=Se está activado, cando engade un produto nunha subcategoría o produto será ligado á categoría pai.
+AddProductServiceIntoCategory=Engadir o seguinte produto/servizo
+AddCustomerIntoCategory=Asignar categoría ao cliente
+AddSupplierIntoCategory=Asignar categoría ao provedor
+ShowCategory=Amosar etiqueta/categoría
+ByDefaultInList=Por defecto na listaxe
+ChooseCategory=Escoller categoría
+StocksCategoriesArea=Categorías de almacéns
+ActionCommCategoriesArea=Categorías de eventos
+WebsitePagesCategoriesArea=Categorías de contedores de páxina
+UseOrOperatorForCategories=Uso ou operador para categorías
diff --git a/htdocs/langs/gl_ES/companies.lang b/htdocs/langs/gl_ES/companies.lang
index fa0e5afee91..a866f64cb9c 100644
--- a/htdocs/langs/gl_ES/companies.lang
+++ b/htdocs/langs/gl_ES/companies.lang
@@ -124,7 +124,7 @@ ProfId1AT=Id Prof 1 (USt.-IdNr)
ProfId2AT=Id Prof 2 (USt.-Nr)
ProfId3AT=Id Prof 3 (Handelsregister-Nr.)
ProfId4AT=-
-ProfId5AT=EORI number
+ProfId5AT=Número EORI number
ProfId6AT=-
ProfId1AU=Id Prof 1 (ABN)
ProfId2AU=-
@@ -136,7 +136,7 @@ ProfId1BE=Id Prof 1 (Número de colexiado)
ProfId2BE=-
ProfId3BE=-
ProfId4BE=-
-ProfId5BE=EORI number
+ProfId5BE=Número EORI
ProfId6BE=-
ProfId1BR=-
ProfId2BR=IE (Inscrición Estadual)
@@ -144,11 +144,11 @@ ProfId3BR=IM (Inscrición Municipal)
ProfId4BR=CPF
#ProfId5BR=CNAE
#ProfId6BR=INSS
-ProfId1CH=UID-Nummer
+ProfId1CH=UID-Número
ProfId2CH=-
ProfId3CH=Id Prof 1 (Número federal)
ProfId4CH=Id Prof 2 (Número de rexistro comercial)
-ProfId5CH=EORI number
+ProfId5CH=EORI número
ProfId6CH=-
ProfId1CL=Id Prof 1 (R.U.T.)
ProfId2CL=-
@@ -166,19 +166,19 @@ ProfId1DE=Id prof. 1 (USt.-IdNr)
ProfId2DE=Id prof. 2 (USt.-Nr)
ProfId3DE=Id prof. 3 (Handelsregister-Nr.)
ProfId4DE=-
-ProfId5DE=EORI number
+ProfId5DE=Número EORI
ProfId6DE=-
-ProfId1ES=CIF/NIF
-ProfId2ES=Número Seguridade Social
-ProfId3ES=CNAE
-ProfId4ES=Número de colexiado
-ProfId5ES=EORI number
+ProfId1ES=Id Prof. 1 (CIF/NIF)
+ProfId2ES=Id Prof. 2 (Número Seguridade Social)
+ProfId3ES=Id Prof 3 (CNAE)
+ProfId4ES=Id Prof 4 (Número de colexiado)
+ProfId5ES=Número EORI
ProfId6ES=-
ProfId1FR=Id Prof 1 (SIREN)
ProfId2FR=Id Prof 2 (SIRET)
ProfId3FR=Id Prof 3 (NAF, antigo APE)
ProfId4FR=Id Prof 4 (RCS/RM)
-ProfId5FR=EORI number
+ProfId5FR=Número EORI
ProfId6FR=-
ProfId1GB=Número rexistro
ProfId2GB=-
@@ -202,12 +202,12 @@ ProfId1IT=-
ProfId2IT=-
ProfId3IT=-
ProfId4IT=-
-ProfId5IT=EORI number
+ProfId5IT=Número EORI
ProfId1LU=Id. prof. 1 (R.C.S. Luxembourg)
ProfId2LU=Id. prof. 2 (Negocios permitidos)
ProfId3LU=-
ProfId4LU=-
-ProfId5LU=EORI number
+ProfId5LU=Número EORI
ProfId6LU=-
ProfId1MA=Id prof. 1 (R.C.)
ProfId2MA=Id prof. 2 (Patente)
@@ -225,13 +225,13 @@ ProfId1NL=Número KVK
ProfId2NL=-
ProfId3NL=-
ProfId4NL=-
-ProfId5NL=EORI number
+ProfId5NL=Número EORI
ProfId6NL=-
-ProfId1PT=NIPC
-ProfId2PT=Número segurança social
-ProfId3PT=Número rexistro comercial
-ProfId4PT=Conservatorio
-ProfId5PT=EORI number
+ProfId1PT=Id Prof 1 (NIPC)
+ProfId2PT=Id Prof. 2 (Número segurança social)
+ProfId3PT=Id Prof. 3 (Número rexistro comercial)
+ProfId4PT=Id Prof 4 (Conservatorio)
+ProfId5PT=Número EORI
ProfId6PT=-
ProfId1SN=RC
ProfId2SN=NINEA
@@ -255,7 +255,7 @@ ProfId1RO=Prof Id 1 (CUI)
ProfId2RO=Prof Id 2 (Nr. Înmatriculare)
ProfId3RO=Prof Id 3 (CAEN)
ProfId4RO=Prof Id 5 (EUID)
-ProfId5RO=EORI number
+ProfId5RO=Número EORI
ProfId6RO=-
ProfId1RU=Id prof. 1 (OGRN)
ProfId2RU=Id prof. 2 (INN)
@@ -302,7 +302,7 @@ AddContact=Crear contacto
AddContactAddress=Crear contacto/enderezo
EditContact=Editar contacto
EditContactAddress=Editar contacto/enderezo
-Contact=Contacto
+Contact=Contacto/Enderezo
Contacts=Contactos/Enderezos
ContactId=Id contacto
ContactsAddresses=Contactos/Enderezos
@@ -358,8 +358,8 @@ VATIntraCheckableOnEUSite=Verificar o CIF/NIF intracomunitario na web da Comisi
VATIntraManualCheck=Pode tamén verificar manualmente na web da Comisión Europea %s
ErrorVATCheckMS_UNAVAILABLE=Comprobación imposible. O servizo de comprobación non é fornecido polo Estado membro (%s).
NorProspectNorCustomer=Nin cliente, nin cliente potencial
-JuridicalStatus=Forma xurídica
-Workforce=Workforce
+JuridicalStatus=Tipo de entidade xurídica
+Workforce=TRaballadores
Staff=Empregados
ProspectLevelShort=Potencial
ProspectLevel=Cliente potencial
@@ -413,7 +413,7 @@ AddAddress=Engadir enderezo
SupplierCategory=Categoría de provedor
JuridicalStatus200=Independente
DeleteFile=Eliminación dun arquivo
-ConfirmDeleteFile=¿Está certo de querer eliminar este arquivo?
+ConfirmDeleteFile=¿Está certo de querer eliminar este ficheiro?
AllocateCommercial=Asignado a comercial
Organization=Organización
FiscalYearInformation=Ano fiscal
@@ -426,7 +426,7 @@ SocialNetworksInstagramURL=Instagram URL
SocialNetworksYoutubeURL=Youtube URL
SocialNetworksGithubURL=Github URL
YouMustAssignUserMailFirst=Primeiro tes que asignar un e-mail para este usuario para poder engadilo en notificaciónss de e-mail.
-YouMustCreateContactFirst=Para poder engadir notificaciones por e-mail, primeiro tes que definir contactos con e-mails válidos para terceiros
+YouMustCreateContactFirst=Para poder engadir notificacións por e-mail, primeiro hai que definir contactos con e-mails válidos para terceiros
ListSuppliersShort=Listaxe de provedores
ListProspectsShort=Listaxe de clientes potenciais
ListCustomersShort=Listaxe de clientes
@@ -462,8 +462,8 @@ PaymentTermsSupplier=Termos de pagamento - Provedor
PaymentTypeBoth=Tipo de pagamento - Cliente e Provedor
MulticurrencyUsed=Usa MultiMoeda
MulticurrencyCurrency=Moeda
-InEEC=Europe (EEC)
-RestOfEurope=Rest of Europe (EEC)
-OutOfEurope=Out of Europe (EEC)
-CurrentOutstandingBillLate=Current outstanding bill late
-BecarefullChangeThirdpartyBeforeAddProductToInvoice=Be carefull, depending on your product price settings, you should change thirdparty before adding product to POS.
+InEEC=Europa (EEC)
+RestOfEurope=Resto de Europa (EEC)
+OutOfEurope=Fora de Europa (EEC)
+CurrentOutstandingBillLate=Factura actual pendente atrasada
+BecarefullChangeThirdpartyBeforeAddProductToInvoice=Ter coidado, dependendo da configuración do prezo do produto, debería mudarse o terceiro antes de engadir o produto ao TPV.
diff --git a/htdocs/langs/gl_ES/compta.lang b/htdocs/langs/gl_ES/compta.lang
index 872ffd25c6e..1506922c0b4 100644
--- a/htdocs/langs/gl_ES/compta.lang
+++ b/htdocs/langs/gl_ES/compta.lang
@@ -1,20 +1,20 @@
# Dolibarr language file - Source file is en_US - compta
-MenuFinancial=Billing | Payment
-TaxModuleSetupToModifyRules=Go to Taxes module setup to modify rules for calculation
-TaxModuleSetupToModifyRulesLT=Go to Company setup to modify rules for calculation
-OptionMode=Option for accountancy
-OptionModeTrue=Option Incomes-Expenses
-OptionModeVirtual=Option Claims-Debts
-OptionModeTrueDesc=In this context, the turnover is calculated over payments (date of payments). The validity of the figures is assured only if the book-keeping is scrutinized through the input/output on the accounts via invoices.
-OptionModeVirtualDesc=In this context, the turnover is calculated over invoices (date of validation). When these invoices are due, whether they have been paid or not, they are listed in the turnover output.
-FeatureIsSupportedInInOutModeOnly=Feature only available in CREDITS-DEBTS accountancy mode (See Accountancy module configuration)
-VATReportBuildWithOptionDefinedInModule=Amounts shown here are calculated using rules defined by Tax module setup.
-LTReportBuildWithOptionDefinedInModule=Amounts shown here are calculated using rules defined by Company setup.
-Param=Config.
-RemainingAmountPayment=Amount payment remaining:
+MenuFinancial=Financieira
+TaxModuleSetupToModifyRules=Ir á configuración do módulo de impostos para modificar as regras de cálculo
+TaxModuleSetupToModifyRulesLT=Ir á configuración da Empresa para modificar as regras de cálculo
+OptionMode=Opción de contabilidade
+OptionModeTrue=Opción Ingresos-Gastos
+OptionModeVirtual=Opción Créditos-Débedas
+OptionModeTrueDesc=Neste contexto, o volume de negocio calcúlase sobre pagamentos (data dos pagamentos). A validez das cifras só se asegura se se analiza a contabilidade a través da entrada/saída das contas mediante facturas.
+OptionModeVirtualDesc=Neste contexto, o volume de negocio calcúlase sobre facturas (data de validación). Cando se paguen estas facturas, xa sexan pagadas ou non, aparecen na saída do volume de negocio.
+FeatureIsSupportedInInOutModeOnly=Función só dispoñible no modo de contabilidade DEBEDAS DE CRÉDITOS (Ver configuración do módulo de contabilidade)
+VATReportBuildWithOptionDefinedInModule=As cantidades que se amosan aquí calcúlanse empregando regras definidas pola configuración do módulo Tributario.
+LTReportBuildWithOptionDefinedInModule=As cantidades que se amosan aquí calcúlanse empregando regras definidas pola configuración da empresa.
+Param=Configuración.
+RemainingAmountPayment=Pagamento da cantidade restante:
Account=Conta
-Accountparent=Conta pai
-Accountsparent=Contas pai
+Accountparent=Conta principal
+Accountsparent=Contas principais
Income=Ingresos
Outcome=Gastos
MenuReportInOut=Ingresos / Gastos
@@ -30,34 +30,34 @@ Balance=Saldo
Debit=Debe
Credit=Haber
Piece=Doc. contabilidade
-AmountHTVATRealReceived=Total repercutido
-AmountHTVATRealPaid=Total xa pago
+AmountHTVATRealReceived=Neto repercutido
+AmountHTVATRealPaid=Neto xa pago
VATToPay=Vendas IVE
VATReceived=IVE repercutido
VATToCollect=IVE compras
VATSummary=Balance de IVE mensual
VATBalance=Balance de IVE
-VATPaid=Pagamento de IVE
-LT1Summary=Resumo RE
-LT2Summary=Resumo de IRPF
+VATPaid=IVE pagado
+LT1Summary=Resumo do imposto 2 RE
+LT2Summary=Resumo do imposto 3 IRPF
LT1SummaryES=Balance de RE
LT2SummaryES=Balance de IRPF
LT1SummaryIN=Balance CGST
LT2SummaryIN=Balance SGST
-LT1Paid=Pagamentos de IRPF
-LT2Paid=Pagamentos de IRPF
+LT1Paid=Imposto 2 xa pago RE
+LT2Paid=Imposto 3 xa pago IRPF
LT1PaidES=RE xa pago
LT2PaidES=IRPF xa pago
LT1PaidIN=xa pago CGST
LT2PaidIN=xa pago SGST
-LT1Customer=Vendas RE
-LT1Supplier=Compras RE
+LT1Customer=Imposto 2 vendas RE
+LT1Supplier=Imposto 2 compras RE
LT1CustomerES=Vendas RE
LT1SupplierES=Compras RE
LT1CustomerIN=Vendas CGST
LT1SupplierIN=Compras CGST
-LT2Customer=Vendas IRPF
-LT2Supplier=Compras IRPF
+LT2Customer=Imposto 3 vendas IRPF
+LT2Supplier=Imposto 3 compras IRPF
LT2CustomerES=IRPF vendas
LT2SupplierES=IRPF compras
LT2CustomerIN=Vendas SGST
@@ -69,7 +69,7 @@ SocialContribution=Impostos sociais ou fiscais
SocialContributions=Impostos sociais ou fiscais
SocialContributionsDeductibles=Impostos sociais ou fiscais deducibles
SocialContributionsNondeductibles=Impostos sociais ou fiscais non deducibles
-DateOfSocialContribution=Date of social or fiscal tax
+DateOfSocialContribution=Data do imposto social ou fiscal
LabelContrib=Etiqueta de contribución
TypeContrib=Tipo de contribución
MenuSpecialExpenses=Pagamentos especiais
@@ -90,12 +90,12 @@ ListOfCustomerPayments=Listaxe de pagamentos de clientes
ListOfSupplierPayments=Listaxe de pagamentos a provedores
DateStartPeriod=Data inicio período
DateEndPeriod=Data final período
-newLT1Payment=Novo pagamento de RE
-newLT2Payment=Novo pagamento de IRPF
-LT1Payment=Pagamento de RE
-LT1Payments=Pagamentos RE
-LT2Payment=Pagamento de IRPF
-LT2Payments=Pagamentos IRPF
+newLT1Payment=Novo pagamento taxa 2 RE
+newLT2Payment=Novo pagamento taxa 3 IRPF
+LT1Payment=Pagamento taxa 2 RE
+LT1Payments=Pagamentos taxa 2 RE
+LT2Payment=Pagamento taxa 3 IRPF
+LT2Payments=Pagamentos taxa 3 IRPF
newLT1PaymentES=Novo pagamento de RE
newLT2PaymentES=Novo pagamento de IRPF
LT1PaymentES=Pagamento de RE
@@ -111,7 +111,7 @@ Refund=Reembolso
SocialContributionsPayments=Pagamentos de taxas sociais/fiscais
ShowVatPayment=Consultar pagamentos de IVE
TotalToPay=Total a pagar
-BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted ascending on %s and filtered for 1 bank account
+BalanceVisibilityDependsOnSortAndFilters=O saldo é visible nesta lista só se a táboa está ordenada en %s e filtrada nunha conta bancaria (sen outros filtros)
CustomerAccountancyCode=Código contable cliente
SupplierAccountancyCode=Código contable provedor
CustomerAccountancyCodeShort=Cód. conta cliente
@@ -140,7 +140,7 @@ ConfirmDeleteSocialContribution=¿Está certo de querer eliminar este pagamento
ExportDataset_tax_1=taxas sociais e fiscais e pagamentos
CalcModeVATDebt=Modo %sIVE sobre facturas emitidas%s.
CalcModeVATEngagement=Modo %sIVE sobre facturas cobradas%s.
-CalcModeDebt=Análise de facturas rexistradas incluidas as aínda non contabilizadas no Libro Maior.
+CalcModeDebt=Análise de documentos rexistrados coñecidos aínda que polo de agora non se contabilicen no Libro Maior.
CalcModeEngagement=Análise dos pagamentos rexistrados, incluidos os aínda non contabilizados no Libro Maior.
CalcModeBookkeeping=Análise dos datos rexistrados no Libro Maior
CalcModeLT1= Modo %sRE facturas a clientes - facturas de provedores%s
@@ -154,9 +154,9 @@ AnnualSummaryInputOutputMode=Resumo anual do balance de ingresos e gastos
AnnualByCompanies=Balance de ingresos e gastos, por grupos de conta predefinidos
AnnualByCompaniesDueDebtMode=Balance de ingresos e gastos, desglosado por terceiros, en modo%sCréditos-Débedas%s coñecida como contabilidade de compromiso.
AnnualByCompaniesInputOutputMode=Balance de ingresos e gastos, desglosado por terceiros, en modo %sIngresos-Gastos%s coñecido como contabilidad de caixa.
-SeeReportInInputOutputMode=Consulte %sanálise de pagamentos%s para obter un cálculo dos pagamentos efectuados, incluso se non foron contabilizados no Libro Maior.
-SeeReportInDueDebtMode=Consulte %sanálise de facturas %s para un cálculo baseado en facturas rexistradas coñecidas, incluso se aínda non foron contabilizadas no Libro Maior.
-SeeReportInBookkeepingMode=Consulte el %sInforme de facturación%s para realizar un cálculo na Taboa Libro maior
+SeeReportInInputOutputMode=Vexa %s análise do dos pagos %s para un cálculo baseado en pagos rexistrados realizados aínda que non se contabilicen no Libro Maior
+SeeReportInDueDebtMode=Vexa o %s de análise de documentos gardados %s para un cálculo baseado en coñecidos documentos rexistrados aínda que non se contabilicen no Libro Maior
+SeeReportInBookkeepingMode=Vexa o %s análise da táboa de libros de contabilidade %s para un informe baseado na táboa contable de Libro Maior
RulesAmountWithTaxIncluded=- Os importes amosados son con todos os impostos incluidos.
RulesResultDue=- Incluidas as facturas pendentes, os gastos, o IVE, as doacións pagadas ou non. También inclúe os salarios xa pagos. - Baseado na data da validación das facturas e IVE e na data de vencemento ds gastos. Para os salarios definidos co módulo de Salarios, é usada a data de valor do pagamento.
RulesResultInOut=- Inclúe os pagamentos realizados sobre as facturas, os gastos e o IVE. - Basado nas datas de pagamento das facturas, gastos e IVE. A data de doación para as doacións
@@ -169,37 +169,40 @@ RulesResultBookkeepingPersonalized=Amosa un rexistro no Libro Maior con contas c
SeePageForSetup=Vexa o menú %s para configuralo
DepositsAreNotIncluded=- As facturas de anticipo non están incluidas
DepositsAreIncluded=- As facturas de anticipo están incluidas
-LT1ReportByCustomers=Informe por terceiro do RE
-LT2ReportByCustomers=Informe por terceiro do IRPF
+LT1ReportByMonth=Taxa 2 informe por mes
+LT2ReportByMonth=Taxa 3 informe por mes
+LT1ReportByCustomers=Informe do imposto 2 RE por terceiro
+LT2ReportByCustomers=Informe do imposto 3 IRPF por terceiro
LT1ReportByCustomersES=Informe de RE por terceiro
LT2ReportByCustomersES=Informe de IRPF por terceiro
VATReport=Informe IVE
VATReportByPeriods=Informe de IVE por período
+VATReportByMonth=Informe do imposto sobre a venda por mes
VATReportByRates=Informe de impostos por taxa
VATReportByThirdParties=Informe de impostos por terceiros
VATReportByCustomers=Informe IVE por cliente
VATReportByCustomersInInputOutputMode=Informe por cliente do IVE repercutido e soportado
VATReportByQuartersInInputOutputMode=Informe por taxa do IVE repercutido e soportado
-LT1ReportByQuarters=Informe de IRPF por taxa
-LT2ReportByQuarters=Informe de IRPF por taxa
+LT1ReportByQuarters=Informe do imposto 2 IRPF por taxa
+LT2ReportByQuarters=Informe do imposto 3 IRPF por taxa
LT1ReportByQuartersES=Informe de RE por taxa
LT2ReportByQuartersES=Informe de IRPF por taxa
SeeVATReportInInputOutputMode=Ver o informe %sIVA pagado%s para un modo de cálculo estandard
SeeVATReportInDueDebtMode=Ver o informe %sIVA debido%s para un modo de cálculo coa opción sobre o debido
-RulesVATInServices=- For services, the report includes the VAT regulations actually received or issued on the basis of the date of payment.
-RulesVATInProducts=- For material assets, the report includes the VAT received or issued on the basis of the date of payment.
-RulesVATDueServices=- For services, the report includes VAT invoices due, paid or not, based on the invoice date.
-RulesVATDueProducts=- For material assets, the report includes the VAT invoices, based on the invoice date.
-OptionVatInfoModuleComptabilite=Note: For material assets, it should use the date of delivery to be more fair.
+RulesVATInServices=- Para os servizos, o informe inclúe a normativa do IVE realmente recibida ou emitida en función da data do pagamento.
+RulesVATInProducts=- Para os activos materiais, o informe inclúe o IVE recibido ou emitido en función da data do pagamento.
+RulesVATDueServices=- Para os servizos, o informe inclúe facturas de IVE vencidas, pagadas ou non, en función da data da factura.
+RulesVATDueProducts=- Para os activos materiais, o informe inclúe as facturas do IVE, en función da data da factura.
+OptionVatInfoModuleComptabilite=Nota: para os activos materiais, debe usar a data de entrega para estar máis axustado
ThisIsAnEstimatedValue=Esta é unha vista previa, basaeda en eventos de negocios e non na taboa de contabilidade final, polo que os resultados finais poden diferir destos valores de vista previa
PercentOfInvoice=%%/factura
NotUsedForGoods=Non utilizado para os bens
ProposalStats=Estatísticas de orzamentos
OrderStats=Estatísticas de pedidos
InvoiceStats=Estatísticas de facturas
-Dispatch=Desglose
-Dispatched=Contabilizadas
-ToDispatch=A contabilizar
+Dispatch=Enviando
+Dispatched=Enviado
+ToDispatch=A enviar
ThirdPartyMustBeEditAsCustomer=O terceiro debe estar definido como cliente
SellsJournal=Diario de vendas
PurchasesJournal=Diario de compras
@@ -214,35 +217,35 @@ Pcg_subtype=Subtipo de conta
InvoiceLinesToDispatch=Líñas de facturas a contabilizar
ByProductsAndServices=Por produtos e servizos
RefExt=Ref. externa
-ToCreateAPredefinedInvoice=To create a template invoice, create a standard invoice, then, without validating it, click onto button "%s".
-LinkedOrder=Vincular a pedido
-Mode1=Method 1
-Mode2=Method 2
-CalculationRuleDesc=To calculate total VAT, there is two methods: Method 1 is rounding vat on each line, then summing them. Method 2 is summing all vat on each line, then rounding result. Final result may differs from few cents. Default mode is mode %s.
-CalculationRuleDescSupplier=According to vendor, choose appropriate method to apply same calculation rule and get same result expected by your vendor.
-TurnoverPerProductInCommitmentAccountingNotRelevant=The report of Turnover collected per product is not available. This report is only available for turnover invoiced.
-TurnoverPerSaleTaxRateInCommitmentAccountingNotRelevant=The report of Turnover collected per sale tax rate is not available. This report is only available for turnover invoiced.
+ToCreateAPredefinedInvoice=Para crear unha factura modelo, cree unha factura estándar e, sen validala, prema nos botóns "%s".
+LinkedOrder=Ligar a pedido
+Mode1=Método 1
+Mode2=Método 2
+CalculationRuleDesc=Para calcular o IVE total, hai dous métodos: O método 1 é redondear o IVE en cada liña e logo sumalos. O método 2 suma todos os IVE en cada liña e despois redondea o resultado. O modo predeterminado é o modo %s
+CalculationRuleDescSupplier=Segundo o provedor, escolla o método axeitado para aplicar a mesma regra de cálculo e obter o mesmo resultado esperado polo seu provedor.
+TurnoverPerProductInCommitmentAccountingNotRelevant=O informe do volume de negocio recollido por produto non está dispoñible. Este informe só está dispoñible para o volume de negocio facturado.
+TurnoverPerSaleTaxRateInCommitmentAccountingNotRelevant=O informe do volume de negocio recadado por tipo de imposto sobre a venda non está dispoñible. Este informe só está dispoñible para o volume de negocio facturado.
CalculationMode=Modo de cálculo
AccountancyJournal=Código contable diario
ACCOUNTING_VAT_SOLD_ACCOUNT=Conta contable por defecto para o IVE de vendas (usado se non é definido no diccionario de IVE)
ACCOUNTING_VAT_BUY_ACCOUNT=Cuenta contable por defecto para o IVE de compras (usado se non é definido no diccionario de IVE)
ACCOUNTING_VAT_PAY_ACCOUNT=Código contable por defecto para o pagamento de IVE
-ACCOUNTING_ACCOUNT_CUSTOMER=Accounting account used for customer third parties
-ACCOUNTING_ACCOUNT_CUSTOMER_Desc=The dedicated accounting account defined on third party card will be used for Subledger accounting only. This one will be used for General Ledger and as default value of Subledger accounting if dedicated customer accounting account on third party is not defined.
-ACCOUNTING_ACCOUNT_SUPPLIER=Accounting account used for vendor third parties
-ACCOUNTING_ACCOUNT_SUPPLIER_Desc=The dedicated accounting account defined on third party card will be used for Subledger accounting only. This one will be used for General Ledger and as default value of Subledger accounting if dedicated vendor accounting account on third party is not defined.
+ACCOUNTING_ACCOUNT_CUSTOMER=Código contable empregado para terceiros clientes
+ACCOUNTING_ACCOUNT_CUSTOMER_Desc=O código contable adicado definido na tarxeta de terceiros usarase só para a contabilidade ddo Sub Libro Maior. Este usarase para o Libro Maior e como valor predeterminado da contabilidade de Sub Libro Maior se non se define unha conta contable de cliente adicada a terceiros.
+ACCOUNTING_ACCOUNT_SUPPLIER=Código contable empregado por terceiros provedores
+ACCOUNTING_ACCOUNT_SUPPLIER_Desc=A conta de contabilidade adicada definida na tarxeta de terceiros usarase só para a contabilidade d a conta maior. Esta usarase para o libro maior e como valor predeterminado da contabilidade de maior se non se define unha conta de contas de provedores adicada a terceiros.
ConfirmCloneTax=Confirmar a clonación dunha taxa social/fiscal
CloneTaxForNextMonth=Clonarla para o próximo mes
-SimpleReport=informe simple
+SimpleReport=Informe simple
AddExtraReport=Informes adicionais (engade informe de clientes extranxeiros e locais)
OtherCountriesCustomersReport=Informe de clientes extranxeiros
-BasedOnTwoFirstLettersOfVATNumberBeingDifferentFromYourCompanyCountry=Based on the two first letters of the VAT number being different from your own company's country code
-SameCountryCustomersWithVAT=National customers report
-BasedOnTwoFirstLettersOfVATNumberBeingTheSameAsYourCompanyCountry=Based on the two first letters of the VAT number being the same as your own company's country code
+BasedOnTwoFirstLettersOfVATNumberBeingDifferentFromYourCompanyCountry=Baseado en que as dúas primeiras letras do número de IVE son diferentes do código de país da súa propia empresa
+SameCountryCustomersWithVAT=Informe de clientes estatais
+BasedOnTwoFirstLettersOfVATNumberBeingTheSameAsYourCompanyCountry=Baseado en que as dúas primeiras letras do número de IVE son as mesmas que o código de país da súa propia empresa
LinkedFichinter=Ligar a unha intervención
ImportDataset_tax_contrib=Impostos sociais/fiscais
ImportDataset_tax_vat=Pagamentos IVE
-ErrorBankAccountNotFound=Error: Conta bancaria non atopada
+ErrorBankAccountNotFound=Erro: Conta bancaria non atopada
FiscalPeriod=Período contable
ListSocialContributionAssociatedProject=Listaxe de contribucións sociais asociadas ao proxecto
DeleteFromCat=Eliminar do grupo de contabilidade
@@ -256,12 +259,12 @@ TurnoverbyVatrate=Volume de vendas emitidas por tipo de imposto
TurnoverCollectedbyVatrate=Volume de vendas cobradas por tipo de imposto
PurchasebyVatrate=Compra por taxa de impostos
LabelToShow=Etiqueta curta
-PurchaseTurnover=Purchase turnover
-PurchaseTurnoverCollected=Purchase turnover collected
-RulesPurchaseTurnoverDue=- It includes the supplier's due invoices whether they are paid or not. - It is based on the invoice date of these invoices.
-RulesPurchaseTurnoverIn=- It includes all the effective payments of invoices done to suppliers. - It is based on the payment date of these invoices
-RulesPurchaseTurnoverTotalPurchaseJournal=It includes all debit lines from the purchase journal.
-ReportPurchaseTurnover=Purchase turnover invoiced
-ReportPurchaseTurnoverCollected=Purchase turnover collected
-IncludeVarpaysInResults = Include various payments in reports
-IncludeLoansInResults = Include loans in reports
+PurchaseTurnover=Volume de compras
+PurchaseTurnoverCollected=Volume de compras recollido
+RulesPurchaseTurnoverDue=- Inclúe as facturas vencidas do provedor se se pagan ou non. - Baséase na data da factura destas facturas
+RulesPurchaseTurnoverIn=- Inclúe todos os pagamentos efectivos das facturas feitos aos provedores - Baséase na data de pagamento destas facturas
+RulesPurchaseTurnoverTotalPurchaseJournal=Inclúe todas as liñas de débito do diario de compras.
+ReportPurchaseTurnover=Volume compras facturadas
+ReportPurchaseTurnoverCollected=Volume de compras abonadas
+IncludeVarpaysInResults = Inclúe varios pagos en informes
+IncludeLoansInResults = Inclúe prestamos en informes
diff --git a/htdocs/langs/gl_ES/contracts.lang b/htdocs/langs/gl_ES/contracts.lang
index 698aa2ad63f..e222030e8ab 100644
--- a/htdocs/langs/gl_ES/contracts.lang
+++ b/htdocs/langs/gl_ES/contracts.lang
@@ -16,7 +16,7 @@ ServiceStatusLateShort=Expirado
ServiceStatusClosed=Pechado
ShowContractOfService=Amosar contrato de servizos
Contracts=Contratos
-ContractsSubscriptions=Contratos/Suscricións
+ContractsSubscriptions=Contratos/Subscricións
ContractsAndLine=Contratos e liñas de contratos
Contract=Contrato
ContractLine=Liña de contrato
@@ -28,7 +28,7 @@ MenuRunningServices=Servizos activos
MenuExpiredServices=Servizos expirados
MenuClosedServices=Servizos pechados
NewContract=Novo contrato
-NewContractSubscription=New contract or subscription
+NewContractSubscription=Novo contrato/subscrición
AddContract=Crear contrato
DeleteAContract=Eliminar un contrato
ActivateAllOnContract=Activar todos os servizos
@@ -49,13 +49,13 @@ ListOfInactiveServices=Listaxe dos servizos inactivos
ListOfExpiredServices=Listaxe dos servizos activos expirados
ListOfClosedServices=Listaxe dos servizos pechados
ListOfRunningServices=Listaxe de servizos activos
-NotActivatedServices=Inactive services (among validated contracts)
+NotActivatedServices=Servizos inactivos (entre contratos validados)
BoardNotActivatedServices=Servizos a activar entre os contratos validados
BoardNotActivatedServicesShort=Servizos a activar
LastContracts=Últimos %s contratos
LastModifiedServices=Últimos %s servizos modificados
-ContractStartDate=Data de inicio
-ContractEndDate=Data de fin
+ContractStartDate=Data inicio
+ContractEndDate=Data finalización
DateStartPlanned=Data prevista posta en servizo
DateStartPlannedShort=Data inicio prevista
DateEndPlanned=Data prevista fin do servizo
@@ -71,14 +71,14 @@ BoardExpiredServices=Servicios expirados
BoardExpiredServicesShort=Servizos expirados
ServiceStatus=Estado do servizo
DraftContracts=Contratos borrador
-CloseRefusedBecauseOneServiceActive=Contract can't be closed as there is at least one open service on it
+CloseRefusedBecauseOneServiceActive=O contrato non pode ser pechado, hai polo menos un servizo aberto.
ActivateAllContracts=Activar todas as liñas do contrato
CloseAllContracts=Pechar todos as liñas do contrato
DeleteContractLine=Eliminar liña de contrato
ConfirmDeleteContractLine=¿Está certo de querer eliminar esta líña do contrato de servizo?
-MoveToAnotherContract=Mover o servizo a outro contrato deste tercero.
-ConfirmMoveToAnotherContract=He elegido el contrato y confirmo el cambio de servizo en el presente contrato.
-ConfirmMoveToAnotherContractQuestion=Elija cualquier otro contrato del mismo tercero, ¿desea mover este servizo?
+MoveToAnotherContract=Mover o servizo a outro contrato deste terceiro.
+ConfirmMoveToAnotherContract=Escollin o contrato e confirmo o cambio de servizo no presente contrato.
+ConfirmMoveToAnotherContractQuestion=Escolla calquera outro contrato do mesmo terceiro, ¿desexa mover este servizo?
PaymentRenewContractId=Renovación servizo (número %s)
ExpiredSince=Expirado dende o
NoExpiredServices=Sen servizos activos expirados
@@ -88,7 +88,7 @@ ListOfServicesToExpire=Listaxe de servizos activos a expirar
NoteListOfYourExpiredServices=Esta listaxe só contén os servizos de contratos de terceiros dos que vostede é comercial
StandardContractsTemplate=Modelo de contrato estandar
ContactNameAndSignature=Para %s, nome e sinatura:
-OnlyLinesWithTypeServiceAreUsed=Solo serán clonadas as liñas dotipo "Servizo"
+OnlyLinesWithTypeServiceAreUsed=Só serán clonadas as liñas do tipo "Servizo"
ConfirmCloneContract=¿Está certo de querer copiar o contrato %s?
LowerDateEndPlannedShort=A data de finalización planificada é anterior aos servizos activos
SendContractRef=Información do contrato __REF__
diff --git a/htdocs/langs/gl_ES/cron.lang b/htdocs/langs/gl_ES/cron.lang
index 1a8a69c0585..50a3beee5e9 100644
--- a/htdocs/langs/gl_ES/cron.lang
+++ b/htdocs/langs/gl_ES/cron.lang
@@ -7,20 +7,21 @@ Permission23103 = Borrar. Traballo Programado
Permission23104 = Executar. Traballo programado
# Admin
CronSetup=Scheduled job management setup
-URLToLaunchCronJobs=URL to check and launch qualified cron jobs
-OrToLaunchASpecificJob=Or to check and launch a specific job
+URLToLaunchCronJobs=URL to check and launch qualified cron jobs from a browser
+OrToLaunchASpecificJob=Or to check and launch a specific job from a browser
KeyForCronAccess=Security key for URL to launch cron jobs
FileToLaunchCronJobs=Command line to check and launch qualified cron jobs
CronExplainHowToRunUnix=On Unix environment you should use the following crontab entry to run the command line each 5 minutes
CronExplainHowToRunWin=On Microsoft(tm) Windows environment you can use Scheduled Task tools to run the command line each 5 minutes
CronMethodDoesNotExists=Class %s does not contains any method %s
+CronMethodNotAllowed=Method %s of class %s is in blacklist of forbidden methods
CronJobDefDesc=Cron job profiles are defined into the module descriptor file. When module is activated, they are loaded and available so you can administer the jobs from the admin tools menu %s.
CronJobProfiles=List of predefined cron job profiles
# Menu
EnabledAndDisabled=Enabled and disabled
# Page list
CronLastOutput=Latest run output
-CronLastResult=Latest result code
+CronLastResult=Código de resultado máis recente
CronCommand=Command
CronList=Tarefas programadas
CronDelete=Delete scheduled jobs
@@ -46,6 +47,7 @@ CronNbRun=Number of launches
CronMaxRun=Maximum number of launches
CronEach=Every
JobFinished=Job launched and finished
+Scheduled=Scheduled
#Page card
CronAdd= Add jobs
CronEvery=Execute job each
@@ -56,7 +58,7 @@ CronNote=Comentario
CronFieldMandatory=Fields %s is mandatory
CronErrEndDateStartDt=End date cannot be before start date
StatusAtInstall=Status at module installation
-CronStatusActiveBtn=Activo
+CronStatusActiveBtn=Schedule
CronStatusInactiveBtn=Desactivar
CronTaskInactive=This job is disabled
CronId=Id
@@ -82,3 +84,8 @@ MakeLocalDatabaseDumpShort=Local database backup
MakeLocalDatabaseDump=Create a local database dump. Parameters are: compression ('gz' or 'bz' or 'none'), backup type ('mysql', 'pgsql', 'auto'), 1, 'auto' or filename to build, number of backup files to keep
WarningCronDelayed=Attention, for performance purpose, whatever is next date of execution of enabled jobs, your jobs may be delayed to a maximum of %s hours, before being run.
DATAPOLICYJob=Data cleaner and anonymizer
+JobXMustBeEnabled=Job %s must be enabled
+# Cron Boxes
+LastExecutedScheduledJob=Last executed scheduled job
+NextScheduledJobExecute=Next scheduled job to execute
+NumberScheduledJobError=Number of scheduled jobs in error
diff --git a/htdocs/langs/gl_ES/deliveries.lang b/htdocs/langs/gl_ES/deliveries.lang
index b7e846dd4c6..25d25921e1c 100644
--- a/htdocs/langs/gl_ES/deliveries.lang
+++ b/htdocs/langs/gl_ES/deliveries.lang
@@ -27,5 +27,6 @@ Recipient=Destinatario
ErrorStockIsNotEnough=Non hai suficiente stock
Shippable=Enviable
NonShippable=Non enviable
+ShowShippableStatus=Amosar estado de envío
ShowReceiving=Mostrar nota de recepción
NonExistentOrder=Pedido inexistente
diff --git a/htdocs/langs/gl_ES/ecm.lang b/htdocs/langs/gl_ES/ecm.lang
index ac1f38369d5..eb6c9efa259 100644
--- a/htdocs/langs/gl_ES/ecm.lang
+++ b/htdocs/langs/gl_ES/ecm.lang
@@ -15,7 +15,7 @@ ECMNbOfSubDir=Número de sub-directories
ECMNbOfFilesInSubDir=Número de ficheiros en sub-directories
ECMCreationUser=Creador
ECMArea=Área MS/ECM
-ECMAreaDesc=The DMS/ECM (Document Management System / Electronic Content Management) area allows you to save, share and search quickly all kind of documents in Dolibarr.
+ECMAreaDesc=O área DMS / ECM (Document Management System / Electronic Content Management) permítelle gardar, compartir e buscar rapidamente todo tipo de documentos en Dolibarr.
ECMAreaDesc2=Pode crear directorios manuais e axuntar os documentos Os directorios automáticos son cobertos automáticamente ao engadir un documento nunha ficha.
ECMSectionWasRemoved=O directorio %s foi eliminado
ECMSectionWasCreated=O directorio %s foi creado.
@@ -23,7 +23,7 @@ ECMSearchByKeywords=Buscar por palabras clave
ECMSearchByEntity=Buscar por obxecto
ECMSectionOfDocuments=Directorios de documentos
ECMTypeAuto=Automático
-ECMDocsBy=Documents linked to %s
+ECMDocsBy=Documentos ligados a %s
ECMNoDirectoryYet=Non foi creado o directorio
ShowECMSection=Amosar directorio
DeleteSection=Eliminación directorio
@@ -38,6 +38,6 @@ ReSyncListOfDir=Resincronizar a listaxe de directorios
HashOfFileContent=Hash do contido do ficheiro
NoDirectoriesFound=Non foron atopados directorios
FileNotYetIndexedInDatabase=Ficheiro aínda non indexado na base de datos (tente voltar cargalo)
-ExtraFieldsEcmFiles=Extrafields Ecm Files
-ExtraFieldsEcmDirectories=Extrafields Ecm Directories
-ECMSetup=ECM Setup
+ExtraFieldsEcmFiles=Extrafields en ficheiros ECM
+ExtraFieldsEcmDirectories=Extrafields en directorios ECM
+ECMSetup=Configuración ECM
diff --git a/htdocs/langs/gl_ES/errors.lang b/htdocs/langs/gl_ES/errors.lang
index 893f4a35b65..516bd1b7feb 100644
--- a/htdocs/langs/gl_ES/errors.lang
+++ b/htdocs/langs/gl_ES/errors.lang
@@ -1,272 +1,289 @@
# Dolibarr language file - Source file is en_US - errors
# No errors
-NoErrorCommitIsDone=No error, we commit
+NoErrorCommitIsDone=Sen erro, é válido
# Errors
-ErrorButCommitIsDone=Errors found but we validate despite this
-ErrorBadEMail=Email %s is wrong
-ErrorBadUrl=Url %s is wrong
-ErrorBadValueForParamNotAString=Bad value for your parameter. It appends generally when translation is missing.
-ErrorLoginAlreadyExists=Login %s already exists.
-ErrorGroupAlreadyExists=Group %s already exists.
-ErrorRecordNotFound=Record not found.
-ErrorFailToCopyFile=Failed to copy file '%s' into '%s'.
-ErrorFailToCopyDir=Failed to copy directory '%s' into '%s'.
-ErrorFailToRenameFile=Failed to rename file '%s' into '%s'.
-ErrorFailToDeleteFile=Failed to remove file '%s'.
-ErrorFailToCreateFile=Failed to create file '%s'.
-ErrorFailToRenameDir=Failed to rename directory '%s' into '%s'.
-ErrorFailToCreateDir=Failed to create directory '%s'.
-ErrorFailToDeleteDir=Failed to delete directory '%s'.
-ErrorFailToMakeReplacementInto=Failed to make replacement into file '%s'.
-ErrorFailToGenerateFile=Failed to generate file '%s'.
-ErrorThisContactIsAlreadyDefinedAsThisType=This contact is already defined as contact for this type.
-ErrorCashAccountAcceptsOnlyCashMoney=This bank account is a cash account, so it accepts payments of type cash only.
-ErrorFromToAccountsMustDiffers=Source and targets bank accounts must be different.
-ErrorBadThirdPartyName=Bad value for third-party name
-ErrorProdIdIsMandatory=The %s is mandatory
-ErrorBadCustomerCodeSyntax=Bad syntax for customer code
-ErrorBadBarCodeSyntax=Bad syntax for barcode. May be you set a bad barcode type or you defined a barcode mask for numbering that does not match value scanned.
-ErrorCustomerCodeRequired=Customer code required
-ErrorBarCodeRequired=Barcode required
-ErrorCustomerCodeAlreadyUsed=Customer code already used
-ErrorBarCodeAlreadyUsed=Barcode already used
-ErrorPrefixRequired=Prefix required
-ErrorBadSupplierCodeSyntax=Bad syntax for vendor code
-ErrorSupplierCodeRequired=Vendor code required
-ErrorSupplierCodeAlreadyUsed=Vendor code already used
-ErrorBadParameters=Bad parameters
-ErrorWrongParameters=Wrong or missing parameters
-ErrorBadValueForParameter=Wrong value '%s' for parameter '%s'
-ErrorBadImageFormat=Image file has not a supported format (Your PHP does not support functions to convert images of this format)
-ErrorBadDateFormat=Value '%s' has wrong date format
-ErrorWrongDate=Date is not correct!
-ErrorFailedToWriteInDir=Failed to write in directory %s
-ErrorFoundBadEmailInFile=Found incorrect email syntax for %s lines in file (example line %s with email=%s)
-ErrorUserCannotBeDelete=User cannot be deleted. Maybe it is associated to Dolibarr entities.
-ErrorFieldsRequired=Some required fields were not filled.
-ErrorSubjectIsRequired=The email topic is required
-ErrorFailedToCreateDir=Failed to create a directory. Check that Web server user has permissions to write into Dolibarr documents directory. If parameter safe_mode is enabled on this PHP, check that Dolibarr php files owns to web server user (or group).
-ErrorNoMailDefinedForThisUser=No mail defined for this user
-ErrorFeatureNeedJavascript=This feature need javascript to be activated to work. Change this in setup - display.
-ErrorTopMenuMustHaveAParentWithId0=A menu of type 'Top' can't have a parent menu. Put 0 in parent menu or choose a menu of type 'Left'.
-ErrorLeftMenuMustHaveAParentId=A menu of type 'Left' must have a parent id.
-ErrorFileNotFound=File %s not found (Bad path, wrong permissions or access denied by PHP openbasedir or safe_mode parameter)
-ErrorDirNotFound=Directory %s not found (Bad path, wrong permissions or access denied by PHP openbasedir or safe_mode parameter)
-ErrorFunctionNotAvailableInPHP=Function %s is required for this feature but is not available in this version/setup of PHP.
-ErrorDirAlreadyExists=A directory with this name already exists.
-ErrorFileAlreadyExists=A file with this name already exists.
-ErrorPartialFile=File not received completely by server.
-ErrorNoTmpDir=Temporary directy %s does not exists.
-ErrorUploadBlockedByAddon=Upload blocked by a PHP/Apache plugin.
-ErrorFileSizeTooLarge=File size is too large.
-ErrorFieldTooLong=Field %s is too long.
-ErrorSizeTooLongForIntType=Size too long for int type (%s digits maximum)
-ErrorSizeTooLongForVarcharType=Size too long for string type (%s chars maximum)
-ErrorNoValueForSelectType=Please fill value for select list
-ErrorNoValueForCheckBoxType=Please fill value for checkbox list
-ErrorNoValueForRadioType=Please fill value for radio list
-ErrorBadFormatValueList=The list value cannot have more than one comma: %s, but need at least one: key,value
-ErrorFieldCanNotContainSpecialCharacters=The field %s must not contains special characters.
-ErrorFieldCanNotContainSpecialNorUpperCharacters=The field %s must not contain special characters, nor upper case characters and cannot contain only numbers.
-ErrorFieldMustHaveXChar=The field %s must have at least %s characters.
-ErrorNoAccountancyModuleLoaded=No accountancy module activated
-ErrorExportDuplicateProfil=This profile name already exists for this export set.
-ErrorLDAPSetupNotComplete=Dolibarr-LDAP matching is not complete.
-ErrorLDAPMakeManualTest=A .ldif file has been generated in directory %s. Try to load it manually from command line to have more information on errors.
-ErrorCantSaveADoneUserWithZeroPercentage=Can't save an action with "status not started" if field "done by" is also filled.
-ErrorRefAlreadyExists=Ref used for creation already exists.
-ErrorPleaseTypeBankTransactionReportName=Please enter the bank statement name where the entry has to be reported (Format YYYYMM or YYYYMMDD)
-ErrorRecordHasChildren=Failed to delete record since it has some child records.
-ErrorRecordHasAtLeastOneChildOfType=Object has at least one child of type %s
-ErrorRecordIsUsedCantDelete=Can't delete record. It is already used or included into another object.
-ErrorModuleRequireJavascript=Javascript must not be disabled to have this feature working. To enable/disable Javascript, go to menu Home->Setup->Display.
-ErrorPasswordsMustMatch=Both typed passwords must match each other
-ErrorContactEMail=A technical error occured. Please, contact administrator to following email %s and provide the error code %s in your message, or add a screen copy of this page.
-ErrorWrongValueForField=Field %s: '%s' does not match regex rule %s
-ErrorFieldValueNotIn=Field %s: '%s' is not a value found in field %s of %s
-ErrorFieldRefNotIn=Field %s: '%s' is not a %s existing ref
-ErrorsOnXLines=%s errors found
-ErrorFileIsInfectedWithAVirus=The antivirus program was not able to validate the file (file might be infected by a virus)
-ErrorSpecialCharNotAllowedForField=Special characters are not allowed for field "%s"
-ErrorNumRefModel=A reference exists into database (%s) and is not compatible with this numbering rule. Remove record or renamed reference to activate this module.
-ErrorQtyTooLowForThisSupplier=Quantity too low for this vendor or no price defined on this product for this vendor
-ErrorOrdersNotCreatedQtyTooLow=Some orders haven't been created because of too-low quantities
-ErrorModuleSetupNotComplete=Setup of module %s looks to be uncomplete. Go on Home - Setup - Modules to complete.
-ErrorBadMask=Error on mask
-ErrorBadMaskFailedToLocatePosOfSequence=Error, mask without sequence number
-ErrorBadMaskBadRazMonth=Error, bad reset value
-ErrorMaxNumberReachForThisMask=Maximum number reached for this mask
-ErrorCounterMustHaveMoreThan3Digits=Counter must have more than 3 digits
-ErrorSelectAtLeastOne=Error, select at least one entry.
-ErrorDeleteNotPossibleLineIsConsolidated=Delete not possible because record is linked to a bank transaction that is conciliated
-ErrorProdIdAlreadyExist=%s is assigned to another third
-ErrorFailedToSendPassword=Failed to send password
-ErrorFailedToLoadRSSFile=Fails to get RSS feed. Try to add constant MAIN_SIMPLEXMLLOAD_DEBUG if error messages does not provide enough information.
-ErrorForbidden=Access denied. You try to access to a page, area or feature of a disabled module or without being in an authenticated session or that is not allowed to your user.
-ErrorForbidden2=Permission for this login can be defined by your Dolibarr administrator from menu %s->%s.
-ErrorForbidden3=It seems that Dolibarr is not used through an authenticated session. Take a look at Dolibarr setup documentation to know how to manage authentications (htaccess, mod_auth or other...).
-ErrorNoImagickReadimage=Class Imagick is not found in this PHP. No preview can be available. Administrators can disable this tab from menu Setup - Display.
-ErrorRecordAlreadyExists=Record already exists
-ErrorLabelAlreadyExists=This label already exists
-ErrorCantReadFile=Failed to read file '%s'
-ErrorCantReadDir=Failed to read directory '%s'
-ErrorBadLoginPassword=Bad value for login or password
-ErrorLoginDisabled=Your account has been disabled
-ErrorFailedToRunExternalCommand=Failed to run external command. Check it is available and runnable by your PHP server. If PHP Safe Mode is enabled, check that command is inside a directory defined by parameter safe_mode_exec_dir.
-ErrorFailedToChangePassword=Failed to change password
-ErrorLoginDoesNotExists=User with login %s could not be found.
-ErrorLoginHasNoEmail=This user has no email address. Process aborted.
-ErrorBadValueForCode=Bad value for security code. Try again with new value...
-ErrorBothFieldCantBeNegative=Fields %s and %s can't be both negative
-ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you need to add a discount line, just create the discount first (from field '%s' in thirdparty card) and apply it to the invoice.
-ErrorLinesCantBeNegativeForOneVATRate=Total of lines (net of tax) can't be negative for a given not null VAT rate (Found a negative total for VAT rate %s%%).
-ErrorLinesCantBeNegativeOnDeposits=Lines can't be negative in a deposit. You will face problems when you will need to consume the deposit in final invoice if you do so.
-ErrorQtyForCustomerInvoiceCantBeNegative=Quantity for line into customer invoices can't be negative
-ErrorWebServerUserHasNotPermission=User account %s used to execute web server has no permission for that
-ErrorNoActivatedBarcode=No barcode type activated
-ErrUnzipFails=Failed to unzip %s with ZipArchive
-ErrNoZipEngine=No engine to zip/unzip %s file in this PHP
-ErrorFileMustBeADolibarrPackage=The file %s must be a Dolibarr zip package
-ErrorModuleFileRequired=You must select a Dolibarr module package file
-ErrorPhpCurlNotInstalled=The PHP CURL is not installed, this is essential to talk with Paypal
-ErrorFailedToAddToMailmanList=Failed to add record %s to Mailman list %s or SPIP base
-ErrorFailedToRemoveToMailmanList=Failed to remove record %s to Mailman list %s or SPIP base
-ErrorNewValueCantMatchOldValue=New value can't be equal to old one
-ErrorFailedToValidatePasswordReset=Failed to reinit password. May be the reinit was already done (this link can be used only one time). If not, try to restart the reinit process.
-ErrorToConnectToMysqlCheckInstance=Connect to database fails. Check database server is running (for example, with mysql/mariadb, you can launch it from command line with 'sudo service mysql start').
-ErrorFailedToAddContact=Failed to add contact
-ErrorDateMustBeBeforeToday=The date must be lower than today
-ErrorDateMustBeInFuture=The date must be greater than today
-ErrorPaymentModeDefinedToWithoutSetup=A payment mode was set to type %s but setup of module Invoice was not completed to define information to show for this payment mode.
-ErrorPHPNeedModule=Error, your PHP must have module %s installed to use this feature.
-ErrorOpenIDSetupNotComplete=You setup Dolibarr config file to allow OpenID authentication, but URL of OpenID service is not defined into constant %s
-ErrorWarehouseMustDiffers=Source and target warehouses must differs
-ErrorBadFormat=Bad format!
-ErrorMemberNotLinkedToAThirpartyLinkOrCreateFirst=Error, this member is not yet linked to any third party. Link member to an existing third party or create a new third party before creating subscription with invoice.
-ErrorThereIsSomeDeliveries=Error, there is some deliveries linked to this shipment. Deletion refused.
-ErrorCantDeletePaymentReconciliated=Can't delete a payment that had generated a bank entry that was reconciled
-ErrorCantDeletePaymentSharedWithPayedInvoice=Can't delete a payment shared by at least one invoice with status Paid
-ErrorPriceExpression1=Cannot assign to constant '%s'
-ErrorPriceExpression2=Cannot redefine built-in function '%s'
-ErrorPriceExpression3=Undefined variable '%s' in function definition
-ErrorPriceExpression4=Illegal character '%s'
-ErrorPriceExpression5=Unexpected '%s'
-ErrorPriceExpression6=Wrong number of arguments (%s given, %s expected)
-ErrorPriceExpression8=Unexpected operator '%s'
-ErrorPriceExpression9=An unexpected error occured
-ErrorPriceExpression10=Operator '%s' lacks operand
-ErrorPriceExpression11=Expecting '%s'
-ErrorPriceExpression14=Division by zero
-ErrorPriceExpression17=Undefined variable '%s'
-ErrorPriceExpression19=Expression not found
-ErrorPriceExpression20=Empty expression
-ErrorPriceExpression21=Empty result '%s'
-ErrorPriceExpression22=Negative result '%s'
-ErrorPriceExpression23=Unknown or non set variable '%s' in %s
-ErrorPriceExpression24=Variable '%s' exists but has no value
-ErrorPriceExpressionInternal=Internal error '%s'
-ErrorPriceExpressionUnknown=Unknown error '%s'
-ErrorSrcAndTargetWarehouseMustDiffers=Source and target warehouses must differs
-ErrorTryToMakeMoveOnProductRequiringBatchData=Error, trying to make a stock movement without lot/serial information, on product '%s' requiring lot/serial information
-ErrorCantSetReceptionToTotalDoneWithReceptionToApprove=All recorded receptions must first be verified (approved or denied) before being allowed to do this action
-ErrorCantSetReceptionToTotalDoneWithReceptionDenied=All recorded receptions must first be verified (approved) before being allowed to do this action
-ErrorGlobalVariableUpdater0=HTTP request failed with error '%s'
-ErrorGlobalVariableUpdater1=Invalid JSON format '%s'
-ErrorGlobalVariableUpdater2=Missing parameter '%s'
-ErrorGlobalVariableUpdater3=The requested data was not found in result
-ErrorGlobalVariableUpdater4=SOAP client failed with error '%s'
-ErrorGlobalVariableUpdater5=No global variable selected
-ErrorFieldMustBeANumeric=Field %s must be a numeric value
-ErrorMandatoryParametersNotProvided=Mandatory parameter(s) not provided
-ErrorOppStatusRequiredIfAmount=You set an estimated amount for this lead. So you must also enter it's status.
-ErrorFailedToLoadModuleDescriptorForXXX=Failed to load module descriptor class for %s
-ErrorBadDefinitionOfMenuArrayInModuleDescriptor=Bad Definition Of Menu Array In Module Descriptor (bad value for key fk_menu)
-ErrorSavingChanges=An error has occurred when saving the changes
-ErrorWarehouseRequiredIntoShipmentLine=Warehouse is required on the line to ship
-ErrorFileMustHaveFormat=File must have format %s
-ErrorFilenameCantStartWithDot=Filename can't start with a '.'
-ErrorSupplierCountryIsNotDefined=Country for this vendor is not defined. Correct this first.
-ErrorsThirdpartyMerge=Failed to merge the two records. Request canceled.
-ErrorStockIsNotEnoughToAddProductOnOrder=Stock is not enough for product %s to add it into a new order.
-ErrorStockIsNotEnoughToAddProductOnInvoice=Stock is not enough for product %s to add it into a new invoice.
-ErrorStockIsNotEnoughToAddProductOnShipment=Stock is not enough for product %s to add it into a new shipment.
-ErrorStockIsNotEnoughToAddProductOnProposal=Stock is not enough for product %s to add it into a new proposal.
-ErrorFailedToLoadLoginFileForMode=Failed to get the login key for mode '%s'.
-ErrorModuleNotFound=File of module was not found.
-ErrorFieldAccountNotDefinedForBankLine=Value for Accounting account not defined for source line id %s (%s)
-ErrorFieldAccountNotDefinedForInvoiceLine=Value for Accounting account not defined for invoice id %s (%s)
-ErrorFieldAccountNotDefinedForLine=Value for Accounting account not defined for the line (%s)
-ErrorBankStatementNameMustFollowRegex=Error, bank statement name must follow the following syntax rule %s
-ErrorPhpMailDelivery=Check that you don't use a too high number of recipients and that your email content is not similar to a Spam. Ask also your administrator to check firewall and server logs files for a more complete information.
-ErrorUserNotAssignedToTask=User must be assigned to task to be able to enter time consumed.
-ErrorTaskAlreadyAssigned=Task already assigned to user
-ErrorModuleFileSeemsToHaveAWrongFormat=The module package seems to have a wrong format.
-ErrorModuleFileSeemsToHaveAWrongFormat2=At least one mandatory directory must exists into zip of module: %s or %s
-ErrorFilenameDosNotMatchDolibarrPackageRules=The name of the module package (%s) does not match expected name syntax: %s
-ErrorDuplicateTrigger=Error, duplicate trigger name %s. Already loaded from %s.
-ErrorNoWarehouseDefined=Error, no warehouses defined.
-ErrorBadLinkSourceSetButBadValueForRef=The link you use is not valid. A 'source' for payment is defined, but value for 'ref' is not valid.
-ErrorTooManyErrorsProcessStopped=Too many errors. Process was stopped.
-ErrorMassValidationNotAllowedWhenStockIncreaseOnAction=Mass validation is not possible when option to increase/decrease stock is set on this action (you must validate one by one so you can define the warehouse to increase/decrease)
-ErrorObjectMustHaveStatusDraftToBeValidated=Object %s must have status 'Draft' to be validated.
-ErrorObjectMustHaveLinesToBeValidated=Object %s must have lines to be validated.
-ErrorOnlyInvoiceValidatedCanBeSentInMassAction=Only validated invoices can be sent using the "Send by email" mass action.
-ErrorChooseBetweenFreeEntryOrPredefinedProduct=You must choose if article is a predefined product or not
-ErrorDiscountLargerThanRemainToPaySplitItBefore=The discount you try to apply is larger than remain to pay. Split the discount in 2 smaller discounts before.
-ErrorFileNotFoundWithSharedLink=File was not found. May be the share key was modified or file was removed recently.
-ErrorProductBarCodeAlreadyExists=The product barcode %s already exists on another product reference.
-ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using virtual product to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number.
-ErrorDescRequiredForFreeProductLines=Description is mandatory for lines with free product
-ErrorAPageWithThisNameOrAliasAlreadyExists=The page/container %s has the same name or alternative alias that the one your try to use
-ErrorDuringChartLoad=Error when loading chart of accounts. If few accounts were not loaded, you can still enter them manually.
-ErrorBadSyntaxForParamKeyForContent=Bad syntax for param keyforcontent. Must have a value starting with %s or %s
-ErrorVariableKeyForContentMustBeSet=Error, the constant with name %s (with text content to show) or %s (with external url to show) must be set.
-ErrorURLMustStartWithHttp=URL %s must start with http:// or https://
-ErrorNewRefIsAlreadyUsed=Error, the new reference is already used
-ErrorDeletePaymentLinkedToAClosedInvoiceNotPossible=Error, delete payment linked to a closed invoice is not possible.
-ErrorSearchCriteriaTooSmall=Search criteria too small.
-ErrorObjectMustHaveStatusActiveToBeDisabled=Objects must have status 'Active' to be disabled
-ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=Objects must have status 'Draft' or 'Disabled' to be enabled
-ErrorNoFieldWithAttributeShowoncombobox=No fields has property 'showoncombobox' into definition of object '%s'. No way to show the combolist.
-ErrorFieldRequiredForProduct=Field '%s' is required for product %s
-ProblemIsInSetupOfTerminal=Problem is in setup of terminal %s.
-ErrorAddAtLeastOneLineFirst=Add at least one line first
-ErrorRecordAlreadyInAccountingDeletionNotPossible=Error, record is already transferred in accounting, deletion is not possible.
-ErrorLanguageMandatoryIfPageSetAsTranslationOfAnother=Error, language is mandatory if you set the page as a translation of another one.
-ErrorLanguageOfTranslatedPageIsSameThanThisPage=Error, language of translated page is same than this one.
-ErrorBatchNoFoundForProductInWarehouse=No lot/serial found for product "%s" in warehouse "%s".
-ErrorBatchNoFoundEnoughQuantityForProductInWarehouse=No enough quantity for this lot/serial for product "%s" in warehouse "%s".
-ErrorOnlyOneFieldForGroupByIsPossible=Only 1 field for the 'Group by' is possible (others are discarded)
-ErrorTooManyDifferentValueForSelectedGroupBy=Found too many different value (more than %s) for the field '%s', so we can't use it as a 'Group by' for graphics. The field 'Group By' has been removed. May be you wanted to use it as an X-Axis ?
-ErrorReplaceStringEmpty=Error, the string to replace into is empty
-ErrorProductNeedBatchNumber=Error, product '%s' need a lot/serial number
-ErrorProductDoesNotNeedBatchNumber=Error, product '%s' does not accept a lot/serial number
-ErrorFailedToReadObject=Error, failed to read object of type %s
+ErrorButCommitIsDone=Atopáronse erros pero validamos a pesar diso
+ErrorBadEMail=Correo electrónico %s incorrecto
+ErrorBadMXDomain=Correo electrónico %s parece incorrecto (o dominio non ten un rexistro MX válido)
+ErrorBadUrl=Url %s incorrecta
+ErrorBadValueForParamNotAString=Valor incorrecto para o seu parámetro. Xeralmente aparece cando falta a tradución
+ErrorRefAlreadyExists=A referencia %s xa existe
+ErrorLoginAlreadyExists=O login %s xa existe.
+ErrorGroupAlreadyExists=O grupo %s xa existe.
+ErrorRecordNotFound=Rexistro non atopado
+ErrorFailToCopyFile=Erro ao copiar o ficheiro '%s' en '%s'.
+ErrorFailToCopyDir=Erro ao copiar o directorio '%s' en '%s'.
+ErrorFailToRenameFile=Erro ao renomear o ficheiro '%s' a '%s'.
+ErrorFailToDeleteFile=Erro ao eliminar o ficheiro '%s'.
+ErrorFailToCreateFile=Erro ao crear o ficheiro '%s'
+ErrorFailToRenameDir=Erro ao renomear o directorio '%s' a '%s'.
+ErrorFailToCreateDir=Erro ao crear o directorio '%s'
+ErrorFailToDeleteDir=Erro a eliminar o directorio '%s'.
+ErrorFailToMakeReplacementInto=Erro ao facer a substitución no ficheiro '%s'.
+ErrorFailToGenerateFile=Erro ao xerar o ficheiro '%s'.
+ErrorThisContactIsAlreadyDefinedAsThisType=Este contacto xa está definido como contacto para este tipo.
+ErrorCashAccountAcceptsOnlyCashMoney=Esta conta bancaria é de tipo caixa e só acepta pagos en efectivo.
+ErrorFromToAccountsMustDiffers=A conta orixe e destino deben ser distintas.
+ErrorBadThirdPartyName=Nome de terceiro incorrecto
+ErrorProdIdIsMandatory=O %s é obrigado
+ErrorBadCustomerCodeSyntax=A sintaxe do código cliente é incorrecta.
+ErrorBadBarCodeSyntax=Sintaxe incorrecta do código de barras. Pode definir un tipo de código de barras incorrecto ou definir unha máscara de código de barras para a numeración que non coincide co valor escaneado.
+ErrorCustomerCodeRequired=Código cliente obrigado
+ErrorBarCodeRequired=Código de barras obrigado
+ErrorCustomerCodeAlreadyUsed=Código de cliente xa utilizado
+ErrorBarCodeAlreadyUsed=Código de barras xa utilizado
+ErrorPrefixRequired=Prefixo obrigado
+ErrorBadSupplierCodeSyntax=A sintaxe do código proveedor é incorrecta
+ErrorSupplierCodeRequired=Código proveedor obrigado
+ErrorSupplierCodeAlreadyUsed=Código de proveedor xa utilizado
+ErrorBadParameters=Parámetros incorrectos
+ErrorWrongParameters=Parámetros incorrectos
+ErrorBadValueForParameter=valor '%s' incorrecto para o parámetro '%s'
+ErrorBadImageFormat=O ficheiro de imaxe non ten un formato compatible (o seu PHP non admite funcións para converter imaxes deste formato)
+ErrorBadDateFormat=O valor '%s' ten un formato de data erroneo
+ErrorWrongDate=A data non correcta!
+ErrorFailedToWriteInDir=Erro ao escribir no directorio %s
+ErrorFoundBadEmailInFile=Atopouse unha sintaxe de correo electrónico incorrecta para % s liñas no ficheiro (exemplo liña %s con correo electrónico=%s)
+ErrorUserCannotBeDelete=Non pode eliminarse o usuario. É posible que esté asociado a entidades do Dolibarr
+ErrorFieldsRequired=Non se completaron algúns campos obrigatorios
+ErrorSubjectIsRequired=O asunto do correo electrónico é obligatorio
+ErrorFailedToCreateDir=Fallou a creación dun directorio. Comprobe que o usuario do servidor web ten permisos para escribir no directorio de documentos Dolibarr. Se o parámetro safe_mode está activado neste PHP, comprobe que os ficheiros php Dolibarr son propiedade do usuario (ou grupo) do servidor web.
+ErrorNoMailDefinedForThisUser=Non existe enderezo de correo electrónico asignado a este usuario
+ErrorSetupOfEmailsNotComplete=A configuración do correo electrónico non está rematada
+ErrorFeatureNeedJavascript=Esta característica precisa que javascript estexa activado para funcionar. Cambie isto na configuración-visualización.
+ErrorTopMenuMustHaveAParentWithId0=Un menú do tipo "Arriba" non pode ter un menú principal. Poña 0 no menú principal ou escolla un menú do tipo "Esquerda".
+ErrorLeftMenuMustHaveAParentId=Un menú de tipo "esquerda" debe ter un identificador principal.
+ErrorFileNotFound=Non se atopou o ficheiro %s (ruta incorrecta, permisos incorrectos ou acceso denegado polo PHP openbasedir ou parámetro safe_mode)
+ErrorDirNotFound=Non se atopou o directorio %s (camiño incorrecto, permisos incorrectos ou acceso denegado polo PHP openbasedir ou parámetro safe_mode)
+ErrorFunctionNotAvailableInPHP=A función %s é precisa para esta característica pero non está dispoñible nesta versión/configuración de PHP.
+ErrorDirAlreadyExists=Xa existe un directorio con este nome.
+ErrorFileAlreadyExists=Xa existe un ficheiro con este nome.
+ErrorPartialFile=Ficheiro non recibido completamente polo servidor.
+ErrorNoTmpDir=Non existe o directorio temporal %s.
+ErrorUploadBlockedByAddon=Subida bloqueada por un plugin PHP/Apache.
+ErrorFileSizeTooLarge=O tamaño do ficheiro é grande de mais.
+ErrorFieldTooLong=Campo %s e longo de mais.
+ErrorSizeTooLongForIntType=Tamaño demasiado longo para o tipo int (máximo %s caracteres)
+ErrorSizeTooLongForVarcharType=Tamaño demasiado longo para o tipo de cadea (máximo %s caracteres)
+ErrorNoValueForSelectType=Pregase complete o valor da listaxe de selección
+ErrorNoValueForCheckBoxType=Pregase complete o valor da listaxe de caixa de verificación
+ErrorNoValueForRadioType=Pregase complete o valor da listaxe de radios
+ErrorBadFormatValueList=O valor da listaxe non pode ter máis dunha coma: %s, pero precisa polo menos unha: chave, valor
+ErrorFieldCanNotContainSpecialCharacters=O campo %s non debe conter caracteres especiais.
+ErrorFieldCanNotContainSpecialNorUpperCharacters=O campo %s non debe conter caracteres especiais nin caracteres en maiúsculas e non pode conter só números.
+ErrorFieldMustHaveXChar=O campo %s debe ter polo menos %s caracteres.
+ErrorNoAccountancyModuleLoaded=Non hai ningún módulo de contabilidade activado
+ErrorExportDuplicateProfil=Este nome de perfil xa existe para este conxunto de exportacións.
+ErrorLDAPSetupNotComplete=A concordancia Dolibarr-LDAP non está completada.
+ErrorLDAPMakeManualTest=Xerouse un ficheiro .ldif no directorio %s. Tente cargalo manualmente desde a liña de comandos para ter máis información sobre erros.
+ErrorCantSaveADoneUserWithZeroPercentage=Non se pode gardar unha acción con "estado non iniciado" se o campo "feito por" tamén está cuberto.
+ErrorRefAlreadyExists=A referencia %s xa existe
+ErrorPleaseTypeBankTransactionReportName=Introduza o nome do extracto bancario onde se debe informar da entrada (Formato AAAAMM ou AAAAMMDD)
+ErrorRecordHasChildren=Erro ao eliminar o rexistro xa que ten algúns rexistros fillos.
+ErrorRecordHasAtLeastOneChildOfType=O obxecto ten polo menos un fillo do tipo %s
+ErrorRecordIsUsedCantDelete=Non se pode eliminar o rexistro. Xa se usa ou está incluído noutro obxecto.
+ErrorModuleRequireJavascript=Non se debe desactivar Javascript para que esta función sexa operativa. Para activar/desactivar Javascript, vaia ao menú Inicio->Configuración->Amosar.
+ErrorPasswordsMustMatch=Os dous contrasinais escritos deben coincidir entre si
+ErrorContactEMail=Produciuse un erro técnico. Póñase en contacto co administrador no seguinte correo electrónico %s e proporcione o código de erro %s na súa mensaxe ou engada unha copia desta páxina.
+ErrorWrongValueForField=O campo %s:'%s' non coincide coa regra %s
+ErrorFieldValueNotIn=Campo %s:'%s' non é un valor atopado no campo %s de %s b >
+ErrorFieldRefNotIn=Campo %s:'%s' non é unha referencia %s existente
+ErrorsOnXLines=Atopáronse %s erros
+ErrorFileIsInfectedWithAVirus=O programa antivirus non puido validar o ficheiro (o ficheiro pode estar infectado por un virus)
+ErrorSpecialCharNotAllowedForField=Non se permiten caracteres especiais para o campo %s
+ErrorNumRefModel=Existe unha referencia na base de datos (%s) e non é compatible con esta regra de numeración. Elimine o rexistro ou renomee a referencia para activar este módulo.
+ErrorQtyTooLowForThisSupplier=Cantidad insuficiente para este proveedor o no hay precio definido en este producto para este proveedor
+ErrorOrdersNotCreatedQtyTooLow=Algunos pedidos no se han creado debido a una cantidad demasiado baja
+ErrorModuleSetupNotComplete=La configuración del módulo parece incompleta. Vaya a Inicio - Configuración - Módulos para completarla.
+ErrorBadMask=Erro na máscara
+ErrorBadMaskFailedToLocatePosOfSequence=Erro, máscara sen número de secuencia
+ErrorBadMaskBadRazMonth=Erro, valor de restablecemento incorrecto
+ErrorMaxNumberReachForThisMask=Número máximo alcanzado para esta máscara
+ErrorCounterMustHaveMoreThan3Digits=O contador debe ter mais de 3 díxitos
+ErrorSelectAtLeastOne=Erro. seleccione polo menos unha entrada.
+ErrorDeleteNotPossibleLineIsConsolidated=Non é posible eliminar porque o rexistro está ligado a unha transacción bancaria conciliada
+ErrorProdIdAlreadyExist=%s está asignado a outro terceiro
+ErrorFailedToSendPassword=Erro ao enviar o contrasinal
+ErrorFailedToLoadRSSFile=Non alcanza a fonte RSS. Tente engadir a constante MAIN_SIMPLEXMLLOAD_DEBUG se as mensaxes de erro non proporcionan información suficiente.
+ErrorForbidden=Acceso denegado. Intenta acceder a unha páxina, área ou función dun módulo desactivado ou sen estar nunha sesión autenticada ou que non está permitida ao seu usuario.
+ErrorForbidden2=O seu administrador Dolibarr pode definir o permiso para este inicio de sesión no menú %s->%s.
+ErrorForbidden3=Parece que Dolibarr non se usa a través dunha sesión autenticada. Bote unha ollada á documentación de configuración de Dolibarr para saber como xestionar as autenticacións (htaccess, mod_auth ou outro ...).
+ErrorNoImagickReadimage=A clase Imagick non se atopa neste PHP. Non pode estar dispoñible ningunha vista previa. Os administradores poden desactivar esta pestana no menú Configuración-Amosar
+ErrorRecordAlreadyExists=Rexistro xa existente
+ErrorLabelAlreadyExists=Etiqueta xa existente
+ErrorCantReadFile=Erro de lectura do ficheiro '%s'
+ErrorCantReadDir=Error de lectura do directorio '%s'
+ErrorBadLoginPassword=Valor incorrecto para o inicio de sesión ou o contrasinals
+ErrorLoginDisabled=A súa conta foi descativada
+ErrorFailedToRunExternalCommand=Non se puido executar o comando externo. Comprobe que está dispoñible e executable polo seu servidor PHP. Se PHP Modo seguro1 está habilitado, comprobe que o comando está dentro dun directorio definido polo parámetro safe_mode_exec_dir.
+ErrorFailedToChangePassword=Erro ao cambiar o contrasinal
+ErrorLoginDoesNotExists=Non foi posible atopar o usuario con inicio de sesión %s.
+ErrorLoginHasNoEmail=Este usuario non ten enderezo de correo electrónico. Proceso abortado.
+ErrorBadValueForCode=Valor incorrecto para o código de seguridade. Tenteo novamente cun novo valor ...
+ErrorBothFieldCantBeNegative=Os campos %s e %s non poen ser negativos
+ErrorFieldCantBeNegativeOnInvoice=O campo %s non pode ser negativo neste tipo de factura. Se precisa engadir unha liña de desconto, primeiro cree o desconto (a partir do campo '%s' na tarxeta de terceiros) e aplíqueo á factura.
+ErrorLinesCantBeNegativeForOneVATRate=O total de liñas (neto de impostos) non pode ser negativo para unha determinada taxa de IVE non nula (Atopouse un total negativo para o tipo de IVE %s%%)
+ErrorLinesCantBeNegativeOnDeposits=As liñas non poden ser negativas nun depósito. Terá problemas cando necesite consumir o depósito na factura final se o fai.
+ErrorQtyForCustomerInvoiceCantBeNegative=A cantidade da liña para as facturas do cliente non pode ser negativa
+ErrorWebServerUserHasNotPermission=A conta de usuario %s usada para executar o servidor web non ten permiso para iso
+ErrorNoActivatedBarcode=Non hai ningún tipo de código de barras activado
+ErrUnzipFails=Fallou ao descomprimir% s con ZipArchive
+ErrNoZipEngine=Non hai motor neste PHP para comprimir/descomprimir o ficheiro %s
+ErrorFileMustBeADolibarrPackage=O ficheiro %s debe ser un paquete zip Dolibarr
+ErrorModuleFileRequired=Debe seleccionar un ficheiro de paquete do módulo Dolibarr
+ErrorPhpCurlNotInstalled=O PHP CURL non está instalado, isto é esencial para comunicarse con Paypal
+ErrorFailedToAddToMailmanList=Erro ao engadir o rexistro %s á listaxe de Mailman %s ou á base de SPIP
+ErrorFailedToRemoveToMailmanList=Erro ao eliminar o rexistro %s da listaxe de Mailman %s ou a base de SPIP
+ErrorNewValueCantMatchOldValue=O novo valor non pode ser igual ao anterior
+ErrorFailedToValidatePasswordReset=Non se puido resetear o contrasinal. Pode que o reseteo xa este feito (esta ligazón só se pode usar unha vez). Se non, tente reiniciar o proceso de reseteo.
+ErrorToConnectToMysqlCheckInstance=Falla a conexión á base de datos. Comprobe que o servidor de base de datos está en execución (por exemplo, con mysql/mariadb, pode lanzalo desde a liña de comandos con 'sudo service mysql start').
+ErrorFailedToAddContact=Erro ao engadir o contacto
+ErrorDateMustBeBeforeToday=A data debe ser inferior á de hoxe
+ErrorDateMustBeInFuture=A data debe ser maior que a de hoxe
+ErrorPaymentModeDefinedToWithoutSetup=Estableceuse un modo de pago para escribir %s pero a configuración da factura do módulo non se completou para definir a información que se amosará para este modo de pago.
+ErrorPHPNeedModule=Erro, o seu PHP debe ter instalado o módulo %s para usar esta funcionalidade.
+ErrorOpenIDSetupNotComplete=Estableceu a configuración do ficheiro Dolibarr para permitir a autenticación OpenID, pero a URL do servizo OpenID non está definida na constante %s
+ErrorWarehouseMustDiffers=O almacén de orixe e destino deben de ser diferentes
+ErrorBadFormat=O formato contén erros!
+ErrorMemberNotLinkedToAThirpartyLinkOrCreateFirst=Erro, este membro aínda non está ligado a ningún terceiro. Ligue o membro a un terceiro existente ou cree un novo terceiro antes de crear a subscrición con factura.
+ErrorThereIsSomeDeliveries=Erro, hai algunhas entregas ligadas a este envío. Rexeitouse a eliminación.
+ErrorCantDeletePaymentReconciliated=Non se pode eliminar un pago que xerou unha entrada bancaria conciliada
+ErrorCantDeletePaymentSharedWithPayedInvoice=Non se pode eliminar un pago compartido polo menos por unha factura co estado Pagado
+ErrorPriceExpression1=Non se pode asignar á constante '%s'
+ErrorPriceExpression2=Non se pode redefinir a función incorporada '%s'
+ErrorPriceExpression3=Variable "%s" sen definir na definición da función
+ErrorPriceExpression4=Carácter ilegal '%s'
+ErrorPriceExpression5='%s' inesperado
+ErrorPriceExpression6=Número incorrecto de argumentos (indicáronse %s, agardábase %s)
+ErrorPriceExpression8=Operador inesperado '%s'
+ErrorPriceExpression9=Ocorreu un erro inesperado
+ErrorPriceExpression10=O operador '%s' carece de operando
+ErrorPriceExpression11=Agardando '%s'
+ErrorPriceExpression14=División por cero
+ErrorPriceExpression17=Variable '%s' sen definir
+ErrorPriceExpression19=Non se atopou a expresión
+ErrorPriceExpression20=Expresión baleira
+ErrorPriceExpression21=Resultado baleiro '%s'
+ErrorPriceExpression22=Resultado negativo '%s'
+ErrorPriceExpression23=Variable descoñecida ou non definida '%s' en %s
+ErrorPriceExpression24=A variable '%s' existe pero non ten valor
+ErrorPriceExpressionInternal=Erro interno '%s'
+ErrorPriceExpressionUnknown=Erro descoñecido '%s'
+ErrorSrcAndTargetWarehouseMustDiffers=Os almacéns de orixe e destino deben ser diferentes
+ErrorTryToMakeMoveOnProductRequiringBatchData=Erro ao tentar facer un movemento de stock sen información de lote/serie, no produto '%s' que requiría información de lote/serie
+ErrorCantSetReceptionToTotalDoneWithReceptionToApprove=Todas as recepcións rexistradas deben ser verificadas (aprobadas ou denegadas) antes de que se lle permita facer esta acción
+ErrorCantSetReceptionToTotalDoneWithReceptionDenied=Todas as recepcións rexistradas deben verificarse (aprobarse) antes de que se lle permita facer esta acción
+ErrorGlobalVariableUpdater0=Petición HTTP request falla co erro '%s'
+ErrorGlobalVariableUpdater1=Formato JSON '%s' non válido
+ErrorGlobalVariableUpdater2=Falta o parámetro '%s'
+ErrorGlobalVariableUpdater3=Non se atoparon os datos solicitados no resultado
+ErrorGlobalVariableUpdater4=Fallou o cliente SOAP co erro '%s'
+ErrorGlobalVariableUpdater5=Non se seleccionou ningunha variable global
+ErrorFieldMustBeANumeric=O campo %s debe ser un valor numérico
+ErrorMandatoryParametersNotProvided=Non se proporcionan parámetro(s) obrigatorios
+ErrorOppStatusRequiredIfAmount=Establecerá unha cantidade estimada para este cliente potencial. Entón tamén debe introducir o seu estado.
+ErrorFailedToLoadModuleDescriptorForXXX=Erro ao cargar a clase do descritor do módulo para %s
+ErrorBadDefinitionOfMenuArrayInModuleDescriptor=Mala definición do Menu Array na descrición do módulo (valor incorrecto para a chave fk_menu)
+ErrorSavingChanges=Produciuse un erro ao gardar os cambios
+ErrorWarehouseRequiredIntoShipmentLine=Requírese un almacén na liña para enviar
+ErrorFileMustHaveFormat=O ficheiro debe ter o formato %s
+ErrorFilenameCantStartWithDot=O nome do ficheiro non pode comezar cun "."
+ErrorSupplierCountryIsNotDefined=El país de este proveedor no está definido, corríjalo en su ficha
+ErrorsThirdpartyMerge=No se han podido fusionar los dos registros. Petición cancelada.
+ErrorStockIsNotEnoughToAddProductOnOrder=No hay stock suficiente del producto %s para añadirlo a un nuevo pedido.
+ErrorStockIsNotEnoughToAddProductOnInvoice=No hay stock suficiente del producto %s para añadirlo a una nueva factura.
+ErrorStockIsNotEnoughToAddProductOnShipment=No hay stock suficiente del producto %s para añadirlo a un nuevo envío.
+ErrorStockIsNotEnoughToAddProductOnProposal=No hay stock suficiente del producto %s para añadirlo a un nuevo presupuesto.
+ErrorFailedToLoadLoginFileForMode=Error al obtener la clave de acceso para el modo '%s'.
+ErrorModuleNotFound=No se ha encontrado el archivo del módulo.
+ErrorFieldAccountNotDefinedForBankLine=Valor para la cuenta contable no indicada para la línea origen %s (%s)
+ErrorFieldAccountNotDefinedForInvoiceLine=Valor de la cuenta contable no indicado para la factura id %s (%s)
+ErrorFieldAccountNotDefinedForLine=Valor para la cuenta contable no indicado para la línea (%s)
+ErrorBankStatementNameMustFollowRegex=Error, el nombre de estado de la cuenta bancaria debe seguir la siguiente regla de sintaxis %s
+ErrorPhpMailDelivery=Comprobe que non utiliza un número moi alto de destinatarios e que o seu contido de correo electrónico non é similar a spam. Solicite tamén ao seu administrador que comprobe os ficheiros de firewall e rexistros do servidor para obter unha información máis completa.
+ErrorUserNotAssignedToTask=O usuario debe ser asignado á tarefa para poder ingresar o tempo consumido.
+ErrorTaskAlreadyAssigned=Tarefa xa asignada ao usuario
+ErrorModuleFileSeemsToHaveAWrongFormat=O paquete do módulo parece ter un formato incorrecto.
+ErrorModuleFileSeemsToHaveAWrongFormat2=Debe existir polo menos un directorio obrigatorio no zip do módulo: %s ou %s
+ErrorFilenameDosNotMatchDolibarrPackageRules=O nome do paquete do módulo (%s) non coincide coa sintaxe do nome agardada: %s
+ErrorDuplicateTrigger=Erro, nome de triggerr duplicado %s. Xa se cargou desde% s.
+ErrorNoWarehouseDefined=Erro, sen almacéns definidos.
+ErrorBadLinkSourceSetButBadValueForRef=A ligazón que usa non é válida. Defínese unha "fonte" para o pago, pero o valor para "ref" non é válido.
+ErrorTooManyErrorsProcessStopped=Demasiados erros. O proceso detívose.
+ErrorMassValidationNotAllowedWhenStockIncreaseOnAction=A validación masiva non é posible cando se establece a opción de aumentar/diminuír o stock nesta acción (debe validalo un por un para que poida definir o almacén para aumentar/diminuír)
+ErrorObjectMustHaveStatusDraftToBeValidated=O obxecto %s debe ter o estado 'Borrador' para ser validado.
+ErrorObjectMustHaveLinesToBeValidated=O obxecto %s debe ter liñas para ser validado.
+ErrorOnlyInvoiceValidatedCanBeSentInMassAction=Só se poden enviar facturas validadas mediante a acción masiva "Enviar por correo electrónico".
+ErrorChooseBetweenFreeEntryOrPredefinedProduct=Debe escoller se o artigo é un produto predefinido ou non
+ErrorDiscountLargerThanRemainToPaySplitItBefore=O desconto que intenta aplicar é maior do que queda para pagar. Dividir o desconto en 2 descontos menores antes.
+ErrorFileNotFoundWithSharedLink=Non se atopou o ficheiro. Pode ser que se modificara a chave para compartir ou que se eliminou o ficheiro recentemente.
+ErrorProductBarCodeAlreadyExists=O código de barras do produto %s xa existe noutra referencia de produto.
+ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Teña conta tamén que o uso de kits para aumentar / diminuír automaticamente os subprodutos non é posible cando polo menos un subproduto (ou subproduto de subprodutos) precisa un número de serie / lote.
+ErrorDescRequiredForFreeProductLines=A descrición é obrigada para as liñas con produto gratuíto
+ErrorAPageWithThisNameOrAliasAlreadyExists=A páxina/contedor %s ten o mesmo nome ou alias alternativo que o que intenta empregar
+ErrorDuringChartLoad=Erro ao cargar o plan de contabilidade. Se non se cargaron algunhas contas, aínda pode introducilas manualmente.
+ErrorBadSyntaxForParamKeyForContent=Sintaxe incorrecta para o parémetro keyforcontent. Debe ter un valor que comece por %s ou %s
+ErrorVariableKeyForContentMustBeSet=Erro, debe establecerse a constante co nome %s (con contido de texto para amosar) ou %s (con URL externo para amosar).
+ErrorURLMustStartWithHttp=O URL %s debe comezar con http:// ou https://
+ErrorNewRefIsAlreadyUsed=Erro, a nova referencia xa está empregada
+ErrorDeletePaymentLinkedToAClosedInvoiceNotPossible=Erro, non é posible eliminar o pago ligado a unha factura pechada.
+ErrorSearchCriteriaTooSmall=Os criterios de busca son demasiado pequenos.
+ErrorObjectMustHaveStatusActiveToBeDisabled=Os obxectos deben ter o estado "Activo" para ser desactivados
+ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=Os obxectos deben ter o estado "Borrador" ou "Desactivado" para ser habilitados
+ErrorNoFieldWithAttributeShowoncombobox=Ningún campo ten a propiedade 'showoncombobox' na definición do obxecto '%s'. Non hai forma de amosar a listaxe combo.
+ErrorFieldRequiredForProduct=O campo '%s' é obrigado para o produto %s
+ProblemIsInSetupOfTerminal=O problema está na configuración do terminal %s.
+ErrorAddAtLeastOneLineFirst=Engada polo menos unha liña primeiro
+ErrorRecordAlreadyInAccountingDeletionNotPossible=Erro, o rexistro xa se transferiu á contabilidade, non se pode eliminar.
+ErrorLanguageMandatoryIfPageSetAsTranslationOfAnother=Erro, o idioma é obrigatorio se configura a páxina como tradución doutra.
+ErrorLanguageOfTranslatedPageIsSameThanThisPage=Erro, o idioma da páxina traducida é o mesmo que este.
+ErrorBatchNoFoundForProductInWarehouse=Non se atopou ningún lote/serie para o produto "%s" no almacén "%s".
+ErrorBatchNoFoundEnoughQuantityForProductInWarehouse=Non hai cantidade suficiente para este lote/serie do produto "%s" no almacén "%s".
+ErrorOnlyOneFieldForGroupByIsPossible=Só é posible un campo para "Agrupar por" (descártanse outros)
+ErrorTooManyDifferentValueForSelectedGroupBy=Atopouse demasiado valor diferente (máis de %s ) para o campo "%s", polo que non podemos usalo como "Agrupar por" para gráficos. Eliminouse o campo "Agrupar por". ¿Quería usalo como eixo X?
+ErrorReplaceStringEmpty=Erro, a cadea para substituír está baleira
+ErrorProductNeedBatchNumber=Erro, o produto '%s' precisa un número de lote/serie
+ErrorProductDoesNotNeedBatchNumber=Erro, o produto '%s' non acepta número de lote/serie
+ErrorFailedToReadObject=Erro, falla o ler o tipo de obxecto %s
+ErrorParameterMustBeEnabledToAllwoThisFeature=Erro, o parámetro %s1debe estar habilitado en conf/conf.php para permitir o uso da interface de liña de comandos polo programador de traballo interno.
+ErrorLoginDateValidity=Erro, este inicio de sesión está fóra do intervalo de datas validas
+ErrorValueLength=A lonxitude do campo "%s" debe ser superior a "%s"
+ErrorReservedKeyword=A palabra '%s' é unha palabra chave reservada
+ErrorNotAvailableWithThisDistribution=Non dispoñible con esta distribución
+ErrorPublicInterfaceNotEnabled=Inf¡terfaz público non activada
+ErrorLanguageRequiredIfPageIsTranslationOfAnother=O idioma da nova páxina debe definirse se se define como tradución doutra páxina
+ErrorLanguageMustNotBeSourceLanguageIfPageIsTranslationOfAnother=O idioma da nova páxina non debe ser o idioma de orixe se se define como tradución doutra páxina
+ErrorAParameterIsRequiredForThisOperation=É obrigado un parámetro para esta operación
+
# Warnings
-WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup.
-WarningPasswordSetWithNoAccount=A password was set for this member. However, no user account was created. So this password is stored but can't be used to login to Dolibarr. It may be used by an external module/interface but if you don't need to define any login nor password for a member, you can disable option "Manage a login for each member" from Member module setup. If you need to manage a login but don't need any password, you can keep this field empty to avoid this warning. Note: Email can also be used as a login if the member is linked to a user.
-WarningMandatorySetupNotComplete=Click here to setup mandatory parameters
-WarningEnableYourModulesApplications=Click here to enable your modules and applications
-WarningSafeModeOnCheckExecDir=Warning, PHP option safe_mode is on so command must be stored inside a directory declared by php parameter safe_mode_exec_dir.
-WarningBookmarkAlreadyExists=A bookmark with this title or this target (URL) already exists.
-WarningPassIsEmpty=Warning, database password is empty. This is a security hole. You should add a password to your database and change your conf.php file to reflect this.
-WarningConfFileMustBeReadOnly=Warning, your config file (htdocs/conf/conf.php) can be overwritten by the web server. This is a serious security hole. Modify permissions on file to be in read only mode for operating system user used by Web server. If you use Windows and FAT format for your disk, you must know that this file system does not allow to add permissions on file, so can't be completely safe.
-WarningsOnXLines=Warnings on %s source record(s)
-WarningNoDocumentModelActivated=No model, for document generation, has been activated. A model will be chosen by default until you check your module setup.
-WarningLockFileDoesNotExists=Warning, once setup is finished, you must disable the installation/migration tools by adding a file install.lock into directory %s. Omitting the creation of this file is a grave security risk.
-WarningUntilDirRemoved=All security warnings (visible by admin users only) will remain active as long as the vulnerability is present (or that constant MAIN_REMOVE_INSTALL_WARNING is added in Setup->Other Setup).
-WarningCloseAlways=Warning, closing is done even if amount differs between source and target elements. Enable this feature with caution.
-WarningUsingThisBoxSlowDown=Warning, using this box slow down seriously all pages showing the box.
-WarningClickToDialUserSetupNotComplete=Setup of ClickToDial information for your user are not complete (see tab ClickToDial onto your user card).
-WarningFeatureDisabledWithDisplayOptimizedForBlindNoJs=Feature disabled when display setup is optimized for blind person or text browsers.
-WarningPaymentDateLowerThanInvoiceDate=Payment date (%s) is earlier than invoice date (%s) for invoice %s.
-WarningTooManyDataPleaseUseMoreFilters=Too many data (more than %s lines). Please use more filters or set the constant %s to a higher limit.
-WarningSomeLinesWithNullHourlyRate=Some times were recorded by some users while their hourly rate was not defined. A value of 0 %s per hour was used but this may result in wrong valuation of time spent.
-WarningYourLoginWasModifiedPleaseLogin=Your login was modified. For security purpose you will have to login with your new login before next action.
-WarningAnEntryAlreadyExistForTransKey=An entry already exists for the translation key for this language
-WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different recipient is limited to %s when using the mass actions on lists
-WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report
-WarningProjectClosed=Project is closed. You must re-open it first.
-WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list.
-WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table
+WarningParamUploadMaxFileSizeHigherThanPostMaxSize=O seu parámetro PHP upload_max_filesize (%s) é superior ao parámetro PHP post_max_size (%s). Esta non é unha configuración consistente.
+WarningPasswordSetWithNoAccount=Estableceuse un contrasinal para este membro. En calquera caso, non se creou ningunha conta de usuario. Polo tanto, este contrasinal está almacenado pero non se pode usar para iniciar sesión en Dolibarr. Pode ser usado por un módulo/interface externo, pero se non precisa definir ningún login ou contrasinal para un membro, pode desactivar a opción "Xestionar un inicio de sesión para cada membro" desde a configuración do módulo Membros. Se precisa xestionar un inicio de sesión pero non precisa ningún contrasinal, pode manter este campo baleiro para evitar este aviso. Nota: o correo electrónico tamén pode ser usado como inicio de sesión se o membro está ligado a un usuario.
+WarningMandatorySetupNotComplete=Faga clic aquí para configurar os parámetros obrigatorios
+WarningEnableYourModulesApplications=Faga clic aquí para habilitar os seus módulos e aplicacións
+WarningSafeModeOnCheckExecDir=Aviso, a opción PHP safe_mode está activada polo que o comando debe almacenarse dentro dun directorio declarado polo parámetro php safe_mode_exec_dir.
+WarningBookmarkAlreadyExists=Xa existe un marcador con este título ou este destino (URL).
+WarningPassIsEmpty=Aviso, o contrasinal da base de datos está baleiro. Este é un burato de seguridade. Debería engadir un contrasinal á súa base de datos e cambiar o ficheiro conf.php para reflectilo.
+WarningConfFileMustBeReadOnly=Aviso, o seu ficheiro de configuración (htdocs/conf/conf.php) pode ser sobrescrito polo servidor web. Este é un grave burato de seguridade. Modifique os permisos do ficheiro para que estexan en modo de só lectura para o usuario do sistema operativo usado polo servidor web. Se usa o formato Windows e FAT para o seu disco, debe saber que este sistema de ficheiros non permite engadir permisos no ficheiro, polo que non pode ser completamente seguro.
+WarningsOnXLines=Avisos nos rexistro(s) fonte %s
+WarningNoDocumentModelActivated=Non se activou ningún modelo para a xeración de documentos. Escollerase un modelo por defecto ata que comprobe a configuración do seu módulo.
+WarningLockFileDoesNotExists=Aviso, unha vez rematada a configuración, debe desactivar as ferramentas de instalación/migración engadindo un ficheiro install.lock ao directorio %s2. Omitir a creación deste ficheiro é un grave risco de seguridade.
+WarningUntilDirRemoved=Todos os avisos de seguridade (visibles só polos administradores) permanecerán activos mentres a vulnerabilidade estexa presente (ou se engada esa constante MAIN_REMOVE_INSTALL_WARNING en Configuración-> Outra configuración).
+WarningCloseAlways=Aviso, o peche faise aínda que a cantidade difire entre os elementos de orixe e de destino. Active esta función con precaución.
+WarningUsingThisBoxSlowDown=Aviso, usando este panel ralentiza seriamente todas as páxinas que amosan o panel.
+WarningClickToDialUserSetupNotComplete=A configuración da información ClickToDial para o seu usuario non está completa (consulte a lapela ClickToDial na súa tarxeta de usuario).
+WarningFeatureDisabledWithDisplayOptimizedForBlindNoJs=Función desactivada cando a configuración da pantalla está optimizada para navegadores de texto ou persoas cegas.
+WarningPaymentDateLowerThanInvoiceDate=A data de pagamento (%s) é anterior á data da factura (%s) para a factura %s.
+WarningTooManyDataPleaseUseMoreFilters=Datos de mais (máis de %s liñas). Utilice máis filtros ou estableza a constante %s nun límite máis alto.
+WarningSomeLinesWithNullHourlyRate=Algunhas veces algúns usuarios rexistráronse mentres a súa tarifa por hora non estaba definida. Utilizouse un valor do 0 %s por hora, pero isto pode resultar nunha avaliación incorrecta do tempo empregado.
+WarningYourLoginWasModifiedPleaseLogin=Modificouse o seu inicio de sesión. Por motivos de seguridade, terá que iniciar sesión co novo inicio de sesión antes da seguinte acción.
+WarningAnEntryAlreadyExistForTransKey=Xa existe unha entrada para a clave de tradución para este idioma
+WarningNumberOfRecipientIsRestrictedInMassAction=Aviso, o número de destinatarios diferentes está limitado a %s cando se usan as accións masivas nas listaxes
+WarningDateOfLineMustBeInExpenseReportRange=Aviso, a data da liña non está no rango do informe de gastos
+WarningProjectDraft=O proxecto aínda está en modo borrador. Non esqueza validalo se ten pensado usar tarefas.
+WarningProjectClosed=O proxecto está pechado. Primeiro debe abrilo de novo.
+WarningSomeBankTransactionByChequeWereRemovedAfter=Algunhas transaccións bancarias elimináronse despois de que se xerou o recibo que as incluíu. Polo tanto, o número de cheques e o total da recepción poden diferir do número e o total na listaxe.
+WarningFailedToAddFileIntoDatabaseIndex=Aviso, non se puido engadir a entrada do ficheiro á táboa de índice da base de datos ECM
+WarningTheHiddenOptionIsOn=Aviso, a opción oculta %s está activa.
+WarningCreateSubAccounts=Aviso, non pode crear directamente unha subconta, debe crear un terceiro ou un usuario e asignarlles un código contable para atopalos nesta listaxe
+WarningAvailableOnlyForHTTPSServers=Dispoñible só se usa conexión segura HTTPS.
diff --git a/htdocs/langs/gl_ES/exports.lang b/htdocs/langs/gl_ES/exports.lang
index 52343e63453..92d24c84a79 100644
--- a/htdocs/langs/gl_ES/exports.lang
+++ b/htdocs/langs/gl_ES/exports.lang
@@ -26,8 +26,8 @@ FieldTitle=Título campo
NowClickToGenerateToBuildExportFile=Agora, seleccione o formato de exportación da lista despregable e faga clic en "Xerar" para xerar o ficheiro de exportación...
AvailableFormats=Formatos dispoñibles
LibraryShort=Librería
-ExportCsvSeparator=Csv caracter separator
-ImportCsvSeparator=Csv caracter separator
+ExportCsvSeparator=Separador de caracteres en CSV
+ImportCsvSeparator=Separador de caracteres en CSV
Step=Paso
FormatedImport=Asistente de importación
FormatedImportDesc1=Esta área permitelle realizar importacións persoalizadas de datos mediante un axudante que evita ter coñecementos técnicos de Dolibarr.
@@ -92,11 +92,11 @@ NbOfLinesOK=Número de liñas sen erros nin warnings: %s.
NbOfLinesImported=Número de liñas correctamente importadas: %s.
DataComeFromNoWhere=O valor a insertar non corresponde a ningún campo do ficheiro orixe.
DataComeFromFileFieldNb=O valor a insertar correspondese ao campo número %s do ficheiro orixe.
-DataComeFromIdFoundFromRef=Value that comes from field number %s of source file will be used to find the id of the parent object to use (so the object %s that has the ref. from source file must exist in the database).
-DataComeFromIdFoundFromCodeId=Code that comes from field number %s of source file will be used to find the id of the parent object to use (so the code from source file must exist in the dictionary %s). Note that if you know the id, you can also use it in the source file instead of the code. Import should work in both cases.
-DataIsInsertedInto=Data coming from source file will be inserted into the following field:
-DataIDSourceIsInsertedInto=The id of parent object was found using the data in the source file, will be inserted into the following field:
-DataCodeIDSourceIsInsertedInto=The id of parent line found from code, will be inserted into following field:
+DataComeFromIdFoundFromRef=O valor que provén do campo número %s do ficheiro fonte usarase para atopar o id do obxecto principal que se vai usar (polo que o obxecto %s que ten a ref. a partir do ficheiro fonte debe existir na base de datos).
+DataComeFromIdFoundFromCodeId=O código que provén do campo número %s do ficheiro fonte usarase para atopar o id do obxecto principal que se vai usar (polo que o código do ficheiro fonte debe existir no dicionario %s). Teña conta que se coñece o id, tamén pode usalo no ficheiro fonte no canto do código. A importación debería funcionar nos dous casos.
+DataIsInsertedInto=Os datos procedentes do ficheiro fonte engádense no seguinte campo:
+DataIDSourceIsInsertedInto=A identificación do obxecto principal atopouse empregando os datos do ficheiro orixe e engádense no seguinte campo:
+DataCodeIDSourceIsInsertedInto=A identificación da liña principal atopada no códigoengádese no seguinte campo:
SourceRequired=Datos de orixe obligatorios
SourceExample=Ejemplo de datos de orixe posibles
ExampleAnyRefFoundIntoElement=Todas as referencias atopadas para os elementos %s
@@ -133,3 +133,4 @@ KeysToUseForUpdates=Clave a usar para actualizar datos
NbInsert=Número de liñas engadidas: %s
NbUpdate=Número de liñas actualizadas: %s
MultipleRecordFoundWithTheseFilters=Atopáronse varios rexistros con estes filtros: %s
+StocksWithBatch=Existencias e localización (almacén) de produtos con número de lote/serie
diff --git a/htdocs/langs/gl_ES/ftp.lang b/htdocs/langs/gl_ES/ftp.lang
index a31e113a6bb..ec3838e9007 100644
--- a/htdocs/langs/gl_ES/ftp.lang
+++ b/htdocs/langs/gl_ES/ftp.lang
@@ -1,14 +1,14 @@
# Dolibarr language file - Source file is en_US - ftp
-FTPClientSetup=Configuración do módulo cliente FTP
-NewFTPClient=Nova configuracións cliente FTP
-FTPArea=Área FTP
-FTPAreaDesc=Esta pantalla amosa unha vista de servidor FTP
-SetupOfFTPClientModuleNotComplete=A configuración do módulo de cliente FTP parece incompleta
-FTPFeatureNotSupportedByYourPHP=O seu PHP no soporta as funcións FTP
-FailedToConnectToFTPServer=Non foi posible conectar co servidor FTP (servidor: %s, porto %s)
-FailedToConnectToFTPServerWithCredentials=Non foi posible entrar co usuario/contrasinal FTP configurados
+FTPClientSetup=Configuración do módulo cliente FTP ou SFTP
+NewFTPClient=Nova configuración de conexión FTP/SFTP
+FTPArea=Área FTP/SFTP
+FTPAreaDesc=Esta pantalla amosa unha vista dun servidor FTP/SFTP
+SetupOfFTPClientModuleNotComplete=A configuración do módulo cliente FTP ou SFTP parece estar imcompleta
+FTPFeatureNotSupportedByYourPHP=O seu PHP non soporta funcións FTP/SFTP'
+FailedToConnectToFTPServer=Fallo ao conectar ao servidor (servidor %s, porto %s)
+FailedToConnectToFTPServerWithCredentials=Fallo ao iniciar sesión no servidor co inicio de sesión/contrasinal
FTPFailedToRemoveFile=Non foi posible eliminar o ficheiro %s.
FTPFailedToRemoveDir=Non foi posible eliminar o directorio %s (Comprobe os permisos e que o directorio está baleiro).
FTPPassiveMode=Modo pasivo
-ChooseAFTPEntryIntoMenu=Escolla un sitio FTP no menú ...
+ChooseAFTPEntryIntoMenu=Escolla un sitio FTP/SFTM no menú ...
FailedToGetFile=Non foi posible acadar os ficheiros %s
diff --git a/htdocs/langs/gl_ES/holiday.lang b/htdocs/langs/gl_ES/holiday.lang
index 6c59ada6a35..c2a87c5322c 100644
--- a/htdocs/langs/gl_ES/holiday.lang
+++ b/htdocs/langs/gl_ES/holiday.lang
@@ -1,6 +1,6 @@
# Dolibarr language file - Source file is en_US - holiday
-HRM=HRM
-Holidays=Día libre
+HRM=RRHH
+Holidays=Vacacións
CPTitreMenu=Día libre
MenuReportMonth=Estado mensual
MenuAddCP=Nova petición de vacacións
@@ -18,7 +18,7 @@ ListeCP=Listaxe de días libres
Leave=Pedido de días libres
LeaveId=ID Vacacións
ReviewedByCP=Será revisada por
-UserID=User ID
+UserID=ID do Usuario
UserForApprovalID=ID de usuario de aprobación
UserForApprovalFirstname=Nome do usuario de aprobación
UserForApprovalLastname=Apelido do usuario de aprobación
@@ -39,11 +39,11 @@ TitreRequestCP=Pedido de días libres
TypeOfLeaveId=ID tipo de días libres
TypeOfLeaveCode=Código tipo de días libres
TypeOfLeaveLabel=Tipo de etiqueta de días libres
-NbUseDaysCP=Número de vacacións consumidos
-NbUseDaysCPHelp=The calculation takes into account the non working days and the holidays defined in the dictionary.
+NbUseDaysCP=Número de días de vacacións consumidas
+NbUseDaysCPHelp=O cálculo toma dentro da conta os días non laborais e as vacacións definidas no diccionario.
NbUseDaysCPShort=Días consumidos
NbUseDaysCPShortInMonth=Días consumidos en mes
-DayIsANonWorkingDay=%s is a non working day
+DayIsANonWorkingDay=%s é un día non laboral
DateStartInMonth=Data de inicio en mes
DateEndInMonth=Data de fin en mes
EditCP=Editar
@@ -130,5 +130,5 @@ HolidaysNumberingModules=Modelos de numeración de petición de días libres
TemplatePDFHolidays=Prantilla PDF para petición de días libres
FreeLegalTextOnHolidays=Texto libre no PDF
WatermarkOnDraftHolidayCards=Marca de auga no borrador de petición de días libres
-HolidaysToApprove=Holidays to approve
-NobodyHasPermissionToValidateHolidays=Nobody has permission to validate holidays
+HolidaysToApprove=Vacacións para aprobar
+NobodyHasPermissionToValidateHolidays=Ninguén ten permisos para validar vacacións
diff --git a/htdocs/langs/gl_ES/hrm.lang b/htdocs/langs/gl_ES/hrm.lang
index bd222ac2e5e..d5a29275c06 100644
--- a/htdocs/langs/gl_ES/hrm.lang
+++ b/htdocs/langs/gl_ES/hrm.lang
@@ -1,19 +1,19 @@
# Dolibarr language file - en_US - hrm
# Admin
-HRM_EMAIL_EXTERNAL_SERVICE=Email to prevent HRM external service
-Establishments=Establishments
-Establishment=Establishment
-NewEstablishment=New establishment
-DeleteEstablishment=Delete establishment
-ConfirmDeleteEstablishment=Are you sure you wish to delete this establishment?
-OpenEtablishment=Open establishment
-CloseEtablishment=Close establishment
+HRM_EMAIL_EXTERNAL_SERVICE=Cooreo electrónico do SPA
+Establishments=Establecementos
+Establishment=Establecemento
+NewEstablishment=Novo establecemento
+DeleteEstablishment=Eliminar establecemento
+ConfirmDeleteEstablishment=Está certo de querer eliminar este establecemento?
+OpenEtablishment=Abrir establecemento
+CloseEtablishment=Pechar establecemento
# Dictionary
-DictionaryPublicHolidays=HRM - Public holidays
-DictionaryDepartment=HRM - Department list
-DictionaryFunction=HRM - Job positions
+DictionaryPublicHolidays=RRHH - Festivos
+DictionaryDepartment=RRHH - Listaxe Departamentos
+DictionaryFunction=RRHH - Postos de traballo
# Module
Employees=Empregados
Employee=Empregado
-NewEmployee=New employee
-ListOfEmployees=List of employees
+NewEmployee=Novo empregado
+ListOfEmployees=Listaxe de empregados
diff --git a/htdocs/langs/gl_ES/install.lang b/htdocs/langs/gl_ES/install.lang
index 65fd314784a..2648507dbdd 100644
--- a/htdocs/langs/gl_ES/install.lang
+++ b/htdocs/langs/gl_ES/install.lang
@@ -1,55 +1,55 @@
# Dolibarr language file - Source file is en_US - install
-InstallEasy=Just follow the instructions step by step.
-MiscellaneousChecks=Prerequisites check
-ConfFileExists=Configuration file %s exists.
-ConfFileDoesNotExistsAndCouldNotBeCreated=Configuration file %s does not exist and could not be created!
-ConfFileCouldBeCreated=Configuration file %s could be created.
-ConfFileIsNotWritable=Configuration file %s is not writable. Check permissions. For first install, your web server must be able to write into this file during configuration process ("chmod 666" for example on a Unix like OS).
-ConfFileIsWritable=Configuration file %s is writable.
-ConfFileMustBeAFileNotADir=Configuration file %s must be a file, not a directory.
-ConfFileReload=Reloading parameters from configuration file.
-PHPSupportPOSTGETOk=This PHP supports variables POST and GET.
-PHPSupportPOSTGETKo=It's possible your PHP setup does not support variables POST and/or GET. Check the parameter variables_order in php.ini.
-PHPSupportSessions=This PHP supports sessions.
-PHPSupport=This PHP supports %s functions.
-PHPMemoryOK=Your PHP max session memory is set to %s. This should be enough.
-PHPMemoryTooLow=Your PHP max session memory is set to %s bytes. This is too low. Change your php.ini to set memory_limit parameter to at least %s bytes.
-Recheck=Click here for a more detailed test
-ErrorPHPDoesNotSupportSessions=Your PHP installation does not support sessions. This feature is required to allow Dolibarr to work. Check your PHP setup and permissions of the sessions directory.
-ErrorPHPDoesNotSupportGD=Your PHP installation does not support GD graphical functions. No graphs will be available.
-ErrorPHPDoesNotSupportCurl=Your PHP installation does not support Curl.
-ErrorPHPDoesNotSupportCalendar=Your PHP installation does not support php calendar extensions.
-ErrorPHPDoesNotSupportUTF8=Your PHP installation does not support UTF8 functions. Dolibarr cannot work correctly. Resolve this before installing Dolibarr.
-ErrorPHPDoesNotSupportIntl=Your PHP installation does not support Intl functions.
-ErrorPHPDoesNotSupportxDebug=Your PHP installation does not support extend debug functions.
-ErrorPHPDoesNotSupport=Your PHP installation does not support %s functions.
-ErrorDirDoesNotExists=Directory %s does not exist.
-ErrorGoBackAndCorrectParameters=Go back and check/correct the parameters.
-ErrorWrongValueForParameter=You may have typed a wrong value for parameter '%s'.
-ErrorFailedToCreateDatabase=Failed to create database '%s'.
-ErrorFailedToConnectToDatabase=Failed to connect to database '%s'.
-ErrorDatabaseVersionTooLow=Database version (%s) too old. Version %s or higher is required.
-ErrorPHPVersionTooLow=PHP version too old. Version %s is required.
-ErrorConnectedButDatabaseNotFound=Connection to server successful but database '%s' not found.
-ErrorDatabaseAlreadyExists=Database '%s' already exists.
-IfDatabaseNotExistsGoBackAndUncheckCreate=If the database does not exist, go back and check option "Create database".
-IfDatabaseExistsGoBackAndCheckCreate=If database already exists, go back and uncheck "Create database" option.
-WarningBrowserTooOld=Version of browser is too old. Upgrading your browser to a recent version of Firefox, Chrome or Opera is highly recommended.
-PHPVersion=PHP Version
-License=Using license
-ConfigurationFile=Configuration file
-WebPagesDirectory=Directory where web pages are stored
-DocumentsDirectory=Directory to store uploaded and generated documents
-URLRoot=URL Root
-ForceHttps=Force secure connections (https)
-CheckToForceHttps=Check this option to force secure connections (https). This requires that the web server is configured with an SSL certificate.
-DolibarrDatabase=Dolibarr Database
-DatabaseType=Database type
-DriverType=Tipo de driver
+InstallEasy=Só ten que seguir as instrucións paso a paso.
+MiscellaneousChecks=Comprobación dos requisitos previos
+ConfFileExists=Existe o ficheiro de configuración %s .
+ConfFileDoesNotExistsAndCouldNotBeCreated=O ficheiro de configuración %s non existe e non puido ser creado!
+ConfFileCouldBeCreated=Pódese crear o ficheiro de configuración %s.
+ConfFileIsNotWritable=O ficheiro de configuración %s non se pode escribir. Comprobe os permisos. Para a primeira instalación, o servidor web debe poder escribir neste ficheiro durante o proceso de configuración ("chmod 666" por exemplo nun sistema operativo como Unix).
+ConfFileIsWritable=O ficheiro de configuración %s é escribíbel.
+ConfFileMustBeAFileNotADir=O ficheiro de configuración %s debe ser un ficheiro, non un directorio.
+ConfFileReload=Recargando parámetros do ficheiro de configuración.
+PHPSupportPOSTGETOk=Este PHP admite variables POST e GET.
+PHPSupportPOSTGETKo=É posible que a súa configuración de PHP non admita variables POST e/ou GET. Comprobe o parámetro variables_order en php.ini.
+PHPSupportSessions=Este PHP admite sesións.
+PHPSupport=Este PHP admite funcións de %s.
+PHPMemoryOK=A memoria de sesión máxima de PHP está configurada en %s. Isto debería ser suficiente.
+PHPMemoryTooLow=A memoria de sesión máxima de PHP está configurada en %s bytes. Isto é demasiado baixo. Cambie o seu php.ini para establecer o parámetro memory_limit en polo menos %s bytes.
+Recheck=Faga clic aquí para unha proba máis detallada
+ErrorPHPDoesNotSupportSessions=A súa instalación de PHP non admite sesións. Esta función é precisa para que Dolibarr poida traballar. Comprobe a súa configuración de PHP e os permisos do directorio de sesións.
+ErrorPHPDoesNotSupportGD=A súa instalación de PHP non admite funcións gráficas GD. Non haberá gráficos dispoñibles.
+ErrorPHPDoesNotSupportCurl=A súa instalación de PHP non admite Curl.
+ErrorPHPDoesNotSupportCalendar=A súa instalación de PHP non admite extensións do calendario php.
+ErrorPHPDoesNotSupportUTF8=A súa instalación de PHP non admite funcións UTF8. Dolibarr non pode funcionar correctamente. Resolva isto antes de instalar Dolibarr.
+ErrorPHPDoesNotSupportIntl== A súa instalación de PHP non admite funcións Intl.
+ErrorPHPDoesNotSupportxDebug=A súa instalación de PHP non admite funcións de depuración extensivas.
+ErrorPHPDoesNotSupport=A súa instalación de PHP non admite funcións de %s.
+ErrorDirDoesNotExists=O directorio %s non existe.
+ErrorGoBackAndCorrectParameters=Voltar atrás e comprobar/corrixir os parámetros.
+ErrorWrongValueForParameter=Pode que escribise un valor incorrecto para o parámetro '%s'.
+ErrorFailedToCreateDatabase=Fallo ao crear a base de datos '%s'.
+ErrorFailedToConnectToDatabase=Produciuse un fallo ao conectarse á base de datos '%s'.
+ErrorDatabaseVersionTooLow=A versión da base de datos (%s) é antiga de mais. É precisa a versión %s ou superior.
+ErrorPHPVersionTooLow=A versión de PHP é antiga de mais. É precisa a versión %s.
+ErrorConnectedButDatabaseNotFound=Conexión correcta ao servidor pero non se atopou a base de datos '%s'.
+ErrorDatabaseAlreadyExists=A base de datos '%s' xa existe.
+IfDatabaseNotExistsGoBackAndUncheckCreate=Se a base de datos non existe, volte atrás e marque a opción "Crear base de datos".
+IfDatabaseExistsGoBackAndCheckCreate=Se a base de datos xa existe, volte atrás e desmarque a opción "Crear base de datos".
+WarningBrowserTooOld=A versión do navegador é antiga de mais. É moi recomendable actualizar o seu navegador a unha versión recente de Firefox, Chrome ou Opera.
+PHPVersion=Versión de PHP
+License=Usando licenza
+ConfigurationFile=Arquivo de configuración
+WebPagesDirectory=Directorio onde se almacenan as páxinas web
+DocumentsDirectory=Directorio para almacenar os documentos cargados e xerados
+URLRoot=Raíz URL
+ForceHttps=Forzar conexións seguras (https)
+CheckToForceHttps=Marque esta opción para forzar conexións seguras (https). Isto require que o servidor web estexa configurado cun certificado SSL.
+DolibarrDatabase=Base de datos Dolibarr
+DatabaseType=Tipo de base de datos
+DriverType=Tipo de controlador
Server=Servidor
-ServerAddressDescription=Name or ip address for the database server. Usually 'localhost' when the database server is hosted on the same server as the web server.
-ServerPortDescription=Database server port. Keep empty if unknown.
-DatabaseServer=Database server
+ServerAddressDescription=Nome ou enderezo IP do servidor de base de datos. Normalmente "localhost" cando o servidor de base de datos está aloxado no mesmo servidor que o servidor web.
+ServerPortDescription=Porto do servidor da base de datos. Mantéñase baleiro se o descoñece.
+DatabaseServer=Servidor da base de datos
DatabaseName=Nome da base de datos
DatabasePrefix=Database table prefix
DatabasePrefixDescription=Database table prefix. If empty, defaults to llx_.
@@ -102,116 +102,116 @@ ChooseYourSetupMode=Choose your setup mode and click "Start"...
FreshInstall=Fresh install
FreshInstallDesc=Use this mode if this is your first install. If not, this mode can repair a incomplete previous install. If you want to upgrade your version, choose "Upgrade" mode.
Upgrade=Actualización
-UpgradeDesc=Use this mode if you have replaced old Dolibarr files with files from a newer version. This will upgrade your database and data.
+UpgradeDesc=Utilice este modo se substituíu ficheiros Dolibarr antigos por ficheiros dunha versión máis recente. Isto actualizará a súa base de datos e os datos.
Start=Start
-InstallNotAllowed=Setup not allowed by conf.php permissions
-YouMustCreateWithPermission=You must create file %s and set write permissions on it for the web server during install process.
-CorrectProblemAndReloadPage=Please fix the problem and press F5 to reload the page.
+InstallNotAllowed=A configuración non está permitida polos permisos en conf.php
+YouMustCreateWithPermission=Debe crear o ficheiro %s e establecer permisos de escritura nel para o servidor web durante o proceso de instalación.
+CorrectProblemAndReloadPage=Corrixa o problema e prema F5 para recargar a páxina.
AlreadyDone=Already migrated
-DatabaseVersion=Database version
-ServerVersion=Database server version
-YouMustCreateItAndAllowServerToWrite=You must create this directory and allow for the web server to write into it.
-DBSortingCollation=Character sorting order
-YouAskDatabaseCreationSoDolibarrNeedToConnect=You selected create database %s, but for this, Dolibarr needs to connect to server %s with super user %s permissions.
-YouAskLoginCreationSoDolibarrNeedToConnect=You selected create database user %s, but for this, Dolibarr needs to connect to server %s with super user %s permissions.
-BecauseConnectionFailedParametersMayBeWrong=The database connection failed: the host or super user parameters must be wrong.
-OrphelinsPaymentsDetectedByMethod=Orphans payment detected by method %s
-RemoveItManuallyAndPressF5ToContinue=Remove it manually and press F5 to continue.
-FieldRenamed=Field renamed
-IfLoginDoesNotExistsCheckCreateUser=If the user does not exist yet, you must check option "Create user"
-ErrorConnection=Server "%s", database name "%s", login "%s", or database password may be wrong or the PHP client version may be too old compared to the database version.
-InstallChoiceRecommanded=Recommended choice to install version %s from your current version %s
-InstallChoiceSuggested=Install choice suggested by installer.
-MigrateIsDoneStepByStep=The targeted version (%s) has a gap of several versions. The install wizard will come back to suggest a further migration once this one is complete.
-CheckThatDatabasenameIsCorrect=Check that the database name "%s" is correct.
-IfAlreadyExistsCheckOption=If this name is correct and that database does not exist yet, you must check option "Create database".
-OpenBaseDir=PHP openbasedir parameter
-YouAskToCreateDatabaseSoRootRequired=You checked the box "Create database". For this, you need to provide the login/password of superuser (bottom of form).
-YouAskToCreateDatabaseUserSoRootRequired=You checked the box "Create database owner". For this, you need to provide the login/password of superuser (bottom of form).
-NextStepMightLastALongTime=The current step may take several minutes. Please wait until the next screen is shown completely before continuing.
-MigrationCustomerOrderShipping=Migrate shipping for sales orders storage
-MigrationShippingDelivery=Upgrade storage of shipping
-MigrationShippingDelivery2=Upgrade storage of shipping 2
-MigrationFinished=Migration finished
-LastStepDesc=Last step: Define here the login and password you wish to use to connect to Dolibarr. Do not lose this as it is the master account to administer all other/additional user accounts.
-ActivateModule=Activate module %s
-ShowEditTechnicalParameters=Click here to show/edit advanced parameters (expert mode)
-WarningUpgrade=Warning:\nDid you run a database backup first?\nThis is highly recommended. Loss of data (due to for example bugs in mysql version 5.5.40/41/42/43) may be possible during this process, so it is essential to take a complete dump of your database before starting any migration.\n\nClick OK to start migration process...
-ErrorDatabaseVersionForbiddenForMigration=Your database version is %s. It has a critical bug, making data loss possible if you make structural changes in your database, such as is required by the migration process. For his reason, migration will not be allowed until you upgrade your database to a layer (patched) version (list of known buggy versions: %s)
-KeepDefaultValuesWamp=You used the Dolibarr setup wizard from DoliWamp, so values proposed here are already optimized. Change them only if you know what you are doing.
-KeepDefaultValuesDeb=You used the Dolibarr setup wizard from a Linux package (Ubuntu, Debian, Fedora...), so the values proposed here are already optimized. Only the password of the database owner to create must be entered. Change other parameters only if you know what you are doing.
-KeepDefaultValuesMamp=You used the Dolibarr setup wizard from DoliMamp, so the values proposed here are already optimized. Change them only if you know what you are doing.
-KeepDefaultValuesProxmox=You used the Dolibarr setup wizard from a Proxmox virtual appliance, so the values proposed here are already optimized. Change them only if you know what you are doing.
-UpgradeExternalModule=Run dedicated upgrade process of external module
-SetAtLeastOneOptionAsUrlParameter=Set at least one option as a parameter in URL. For example: '...repair.php?standard=confirmed'
-NothingToDelete=Nothing to clean/delete
+DatabaseVersion=Versión da base de datos
+ServerVersion=Versión do servidor de base de datos
+YouMustCreateItAndAllowServerToWrite=Debe crear este directorio e permitir que o servidor web escriba nel.
+DBSortingCollation=Orde de clasificación de caracteres
+YouAskDatabaseCreationSoDolibarrNeedToConnect=Seleccionou crear base de datos %s, pero para iso, Dolibarr necesita conectarse ao servidor %s con permisos de superusuario %s.
+YouAskLoginCreationSoDolibarrNeedToConnect=Seleccionou crear usuario de base de datos %s, pero para iso, Dolibarr necesita conectarse ao servidor %s con permisos de superusuario %s .
+BecauseConnectionFailedParametersMayBeWrong=Fallou a conexión á base de datos: os parámetros host ou superusuario deben ser erroneos.
+OrphelinsPaymentsDetectedByMethod=Detectouse o pagamento de orfos polo método %s
+RemoveItManuallyAndPressF5ToContinue=Elimine manualmente e prema F5 para continuar.
+FieldRenamed=Cambiouse o nome do campo
+IfLoginDoesNotExistsCheckCreateUser=Se o usuario aínda non existe, debe marcar a opción "Crear usuario"
+ErrorConnection=O servidor "%s", o nome da base de datos "%s", o inicio de sesión "%s" ou o contrasinal da base de datos poden estar mal ou a versión do cliente de PHP pode ser demasiado antiga en comparación coa versión da base de datos.
+InstallChoiceRecommanded=Escolla recomendada para instalar a versión %s sobre a súa versión actual %s
+InstallChoiceSuggested= Escolla de instalación suxerida polo instalador .
+MigrateIsDoneStepByStep=A versión destino (%s) ten un oco de varias versións. O asistente de instalación volverá suxerir unha nova migración unha vez completada.
+CheckThatDatabasenameIsCorrect=Comprobe que o nome da base de datos "%s" é correcto.
+IfAlreadyExistsCheckOption=Se este nome é correcto e esa base de datos aínda non existe, debe marcar a opción "Crear base de datos".
+OpenBaseDir=Parámetro openbasedir de PHP
+YouAskToCreateDatabaseSoRootRequired=Marcou a caixa "Crear base de datos". Para iso, ten que proporcionar o nome de usuario/contrasinal do superusuario (parte inferior do formulario).
+YouAskToCreateDatabaseUserSoRootRequired=Marcou a caixa "Crear propietario da base de datos". Para iso, ten que proporcionar o nome de usuario/contrasinal do superusuario (parte inferior do formulario).
+NextStepMightLastALongTime=O paso actual pode levar varios minutos. Agarde ata que a seguinte pantalla se amose completamente antes de continuar.
+MigrationCustomerOrderShipping=Migrar o envío para o almacenamento de pedimentos de cliente
+MigrationShippingDelivery=Actualizar o almacenamento do envío
+MigrationShippingDelivery2=Actualizar o almacenamento do envío 2
+MigrationFinished=Rematou a migración
+LastStepDesc== Último paso : defina aquí o inicio de sesión e o contrasinal que desexa usar para conectarse a Dolibarr. Non o perda xa que é a conta principal para administrar todas as outras contas de usuario/ adicionais.
+ActivateModule=Activar o módulo %s
+ShowEditTechnicalParameters=Faga clic aquí para amosar/editar parámetros avanzados (modo experto)
+WarningUpgrade=Aviso: \n Xestionou primeiro unha copia de seguridade da base de datos? \\ Esto é moi recomendable. A perda de datos (por exemplo, erros na versión 5.5.40 /41/42/43 de mysql) pode ser posible durante este proceso, polo que é esencial facer unha descarga completa da súa base de datos antes de iniciar calquera migración. \n \n Prema Aceptar para iniciar o proceso de migración ...
+ErrorDatabaseVersionForbiddenForMigration=A súa versión de base de datos é %s. Ten un erro crítico, o que fai posible a perda de datos se realiza cambios estruturais na súa base de datos, como o require o proceso de migración. Por esta razón, a migración non se permitirá ata que actualice a base de datos a unha versión mayor sin errores (parcheada) (lista de versiónscoñecidas con este erro: %s)
+KeepDefaultValuesWamp=Usou o asistente de configuración Dolibarr de DoliWamp, polo que os valores aquí propostos xa están optimizados. Cambialos só se sabe o que fai.
+KeepDefaultValuesDeb=Usou o asistente de configuración Dolibarr desde un paquete Linux (Ubuntu, Debian, Fedora ...), polo que os valores aquí propostos xa están optimizados. Só se debe introducir o contrasinal do propietario da base de datos para crear. Cambia outros parámetros só se sabe o que fai.
+KeepDefaultValuesMamp=Usou o asistente de configuración Dolibarr de DoliMamp, polo que os valores aquí propostos xa están optimizados. Cambialos só se sabe o que fai.
+KeepDefaultValuesProxmox=Usou o asistente de configuración Dolibarr desde unha aplicación virtual Proxmox, polo que os valores aquí propostos xa están optimizados. Cambialos só se sabe o que fai.
+UpgradeExternalModule=Executa o proceso adicado de actualización do módulo externo
+SetAtLeastOneOptionAsUrlParameter=Establecer polo menos unha opción como parámetro no URL. Por exemplo: '... repair.php?Standard=confirmado'
+NothingToDelete=Nada que limpar/eliminar
NothingToDo=Nothing to do
#########
# upgrade
-MigrationFixData=Fix for denormalized data
-MigrationOrder=Data migration for customer's orders
-MigrationSupplierOrder=Data migration for vendor's orders
-MigrationProposal=Data migration for commercial proposals
-MigrationInvoice=Data migration for customer's invoices
-MigrationContract=Data migration for contracts
-MigrationSuccessfullUpdate=Upgrade successful
-MigrationUpdateFailed=Failed upgrade process
-MigrationRelationshipTables=Data migration for relationship tables (%s)
-MigrationPaymentsUpdate=Payment data correction
-MigrationPaymentsNumberToUpdate=%s payment(s) to update
-MigrationProcessPaymentUpdate=Update payment(s) %s
-MigrationPaymentsNothingToUpdate=No more things to do
-MigrationPaymentsNothingUpdatable=No more payments that can be corrected
-MigrationContractsUpdate=Contract data correction
-MigrationContractsNumberToUpdate=%s contract(s) to update
-MigrationContractsLineCreation=Create contract line for contract ref %s
-MigrationContractsNothingToUpdate=No more things to do
-MigrationContractsFieldDontExist=Field fk_facture does not exist anymore. Nothing to do.
-MigrationContractsEmptyDatesUpdate=Contract empty date correction
-MigrationContractsEmptyDatesUpdateSuccess=Contract empty date correction done successfully
-MigrationContractsEmptyDatesNothingToUpdate=No contract empty date to correct
-MigrationContractsEmptyCreationDatesNothingToUpdate=No contract creation date to correct
-MigrationContractsInvalidDatesUpdate=Bad value date contract correction
-MigrationContractsInvalidDateFix=Correct contract %s (Contract date=%s, Starting service date min=%s)
-MigrationContractsInvalidDatesNumber=%s contracts modified
-MigrationContractsInvalidDatesNothingToUpdate=No date with bad value to correct
-MigrationContractsIncoherentCreationDateUpdate=Bad value contract creation date correction
-MigrationContractsIncoherentCreationDateUpdateSuccess=Bad value contract creation date correction done successfully
-MigrationContractsIncoherentCreationDateNothingToUpdate=No bad value for contract creation date to correct
-MigrationReopeningContracts=Open contract closed by error
-MigrationReopenThisContract=Reopen contract %s
-MigrationReopenedContractsNumber=%s contracts modified
-MigrationReopeningContractsNothingToUpdate=No closed contract to open
-MigrationBankTransfertsUpdate=Update links between bank entry and a bank transfer
-MigrationBankTransfertsNothingToUpdate=All links are up to date
-MigrationShipmentOrderMatching=Sendings receipt update
-MigrationDeliveryOrderMatching=Delivery receipt update
-MigrationDeliveryDetail=Delivery update
-MigrationStockDetail=Update stock value of products
-MigrationMenusDetail=Update dynamic menus tables
-MigrationDeliveryAddress=Update delivery address in shipments
-MigrationProjectTaskActors=Data migration for table llx_projet_task_actors
-MigrationProjectUserResp=Data migration field fk_user_resp of llx_projet to llx_element_contact
-MigrationProjectTaskTime=Update time spent in seconds
-MigrationActioncommElement=Update data on actions
-MigrationPaymentMode=Data migration for payment type
-MigrationCategorieAssociation=Migration of categories
-MigrationEvents=Migration of events to add event owner into assignment table
-MigrationEventsContact=Migration of events to add event contact into assignment table
-MigrationRemiseEntity=Update entity field value of llx_societe_remise
-MigrationRemiseExceptEntity=Update entity field value of llx_societe_remise_except
-MigrationUserRightsEntity=Update entity field value of llx_user_rights
-MigrationUserGroupRightsEntity=Update entity field value of llx_usergroup_rights
-MigrationUserPhotoPath=Migration of photo paths for users
-MigrationFieldsSocialNetworks=Migration of users fields social networks (%s)
-MigrationReloadModule=Reload module %s
-MigrationResetBlockedLog=Reset module BlockedLog for v7 algorithm
-ShowNotAvailableOptions=Show unavailable options
-HideNotAvailableOptions=Hide unavailable options
-ErrorFoundDuringMigration=Error(s) were reported during the migration process so next step is not available. To ignore errors, you can click here, but the application or some features may not work correctly until the errors are resolved.
-YouTryInstallDisabledByDirLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (directory renamed with .lock suffix).
-YouTryInstallDisabledByFileLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (by the existence of a lock file install.lock in the dolibarr documents directory).
-ClickHereToGoToApp=Click here to go to your application
-ClickOnLinkOrRemoveManualy=If an upgrade is in progress, please wait. If not, click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory.
-Loaded=Loaded
-FunctionTest=Function test
+MigrationFixData=Corrección de datos desnormalizados
+MigrationOrder=Migración de datos para os pedidos do cliente
+MigrationSupplierOrder=Migración de datos para os pedidos do provedor
+MigrationProposal=Migración de datos para propostas comerciais
+MigrationInvoice=Migración de datos para as facturas do cliente
+MigrationContract=Migración de datos para contratos
+MigrationSuccessfullUpdate=Actualización realizada correctamente
+MigrationUpdateFailed=Fallou o proceso de actualización
+MigrationRelationshipTables=Migración de datos para táboas de relacións (%s)
+MigrationPaymentsUpdate=Corrección de datos de pago
+MigrationPaymentsNumberToUpdate=%s pago(s) para actualizar
+MigrationProcessPaymentUpdate=Actualizar o(s) pagamento(s) %s
+MigrationPaymentsNothingToUpdate=Non hai máis cousas que facer
+MigrationPaymentsNothingUpdatable=Non hai máis pagamentos que se poidan corrixir
+MigrationContractsUpdate=Corrección de datos do contrato
+MigrationContractsNumberToUpdate=%s contrato(s) para actualizar
+MigrationContractsLineCreation=Crear unha liña de contrato para a ref. %S do contrato
+MigrationContractsNothingToUpdate=Non hai máis cousas que facer
+MigrationContractsFieldDontExist=O campo fk_facture xa non existe. Nada que facer.
+MigrationContractsEmptyDatesUpdate=Corrección de contratos de data baleira
+MigrationContractsEmptyDatesUpdateSuccess=A corrección da data baleira do contrato fíxose correctamente
+MigrationContractsEmptyDatesNothingToUpdate=Non hai data baleira do contrato para corrixir
+MigrationContractsEmptyCreationDatesNothingToUpdate=Non hai data de creación do contrato para corrixir
+MigrationContractsInvalidDatesUpdate=Corrección do contrato de data de valor incorrecto
+MigrationContractsInvalidDateFix=Contrato correcto %s (Data do contrato =%s, Data de inicio do servizo min =%s)
+MigrationContractsInvalidDatesNumber=%s contratos modificados
+MigrationContractsInvalidDatesNothingToUpdate=Non hai data con valor erroneo para corrixir
+MigrationContractsIncoherentCreationDateUpdate=Corrección da data de creación do contrato de valor incorrecto
+MigrationContractsIncoherentCreationDateUpdateSuccess=Corrección da data de creación do contrato de valor incorrecto feita correctamente
+MigrationContractsIncoherentCreationDateNothingToUpdate=Non hai ningún valor mal para corrixir a data de creación do contrato
+MigrationReopeningContracts=Contrato aberto e pechado por erro
+MigrationReopenThisContract=Voltar a abrir o contrato %s
+MigrationReopenedContractsNumber=%s contratos modificados
+MigrationReopeningContractsNothingToUpdate=Non hai contrato pechado para abrir
+MigrationBankTransfertsUpdate=Actualizar ligazóns entre a entrada bancaria e unha transferencia bancaria
+MigrationBankTransfertsNothingToUpdate=Todas as ligazóns están actualizadas
+MigrationShipmentOrderMatching=Actualización do recibo dos envíos
+MigrationDeliveryOrderMatching=Actualización do recibo de entrega
+MigrationDeliveryDetail=Actualización de entrega
+MigrationStockDetail=Actualizar o valor de stock dos produtos
+MigrationMenusDetail=Actualizar táboas de menús dinámicos
+MigrationDeliveryAddress=Actualizar o enderezo de entrega nos envíos
+MigrationProjectTaskActors=Migración de datos para a táboa llx_projet_task_actors
+MigrationProjectUserResp=Campo de migración de datos fk_user_resp de llx_projet para llx_element_contact
+MigrationProjectTaskTime=Tempo de actualización empregado en segundos
+MigrationActioncommElement=Actualizar datos sobre accións
+MigrationPaymentMode=Migración de datos para o tipo de pago
+MigrationCategorieAssociation=Migración de categorías
+MigrationEvents=Migración de eventos para engadir o propietario do evento á táboa de tarefas
+MigrationEventsContact=Migración de eventos para engadir contacto de evento á táboa de asignación
+MigrationRemiseEntity=Actualizar o valor do campo da entidade de llx_societe_remise
+MigrationRemiseExceptEntity=Actualizar o valor do campo da entidade de llx_societe_remise_except
+MigrationUserRightsEntity=Actualizar o valor do campo da entidade de llx_user_rights
+MigrationUserGroupRightsEntity=Actualizar o valor do campo da entidade de llx_usergroup_rights
+MigrationUserPhotoPath=Migración de enderezos de fotos para usuarios
+MigrationFieldsSocialNetworks=Migración de redes sociais dos campos dos usuarios (%s)
+MigrationReloadModule=Recargar o módulo %s
+MigrationResetBlockedLog=Restablecer o módulo BlockedLog para o algoritmo v7
+ShowNotAvailableOptions=Amosar as opcións non dispoñibles
+HideNotAvailableOptions=Ocultar opcións non dispoñibles
+ErrorFoundDuringMigration=Informáronse erros durante o proceso de migración polo que o seguinte paso non está dispoñible. Para ignorar os erros, pode facer clic aquí , pero é posible que a aplicación ou algunhas funcións non funcionen correctamente ata que non se resolvan os erros.
+YouTryInstallDisabledByDirLock=A aplicación tentou actualizarse por si mesma, pero as páxinas de instalación/actualización desactiváronse por seguridade (directorio renomeado co sufixo .lock).
+YouTryInstallDisabledByFileLock=A aplicación intentou actualizarse por si mesma, pero as páxinas de instalación/actualización desactiváronse por seguridade (pola existencia dun ficheiro de bloqueo install.lock no directorio de documentos dolibarr).
+ClickHereToGoToApp=Fai clic aquí para ir á súa aplicación
+ClickOnLinkOrRemoveManualy=Se hai unha actualización en curso, agarde. Se non, faga clic na seguinte ligazón. Se sempre ve esta mesma páxina, debe eliminar/renomear o ficheiro install.lock no directorio de documentos.
+Loaded=Cargado
+FunctionTest=Función test
diff --git a/htdocs/langs/gl_ES/interventions.lang b/htdocs/langs/gl_ES/interventions.lang
index 37d18abb4c4..1da7ca6210a 100644
--- a/htdocs/langs/gl_ES/interventions.lang
+++ b/htdocs/langs/gl_ES/interventions.lang
@@ -3,7 +3,7 @@ Intervention=Intervención
Interventions=Intervencións
InterventionCard=Intervention card
NewIntervention=New intervention
-AddIntervention=Create intervention
+AddIntervention=Crear intervención
ChangeIntoRepeatableIntervention=Change to repeatable intervention
ListOfInterventions=List of interventions
ActionsOnFicheInter=Actions on intervention
@@ -64,3 +64,5 @@ InterLineDuration=Line duration intervention
InterLineDesc=Line description intervention
RepeatableIntervention=Template of intervention
ToCreateAPredefinedIntervention=To create a predefined or recurring intervention, create a common intervention and convert it into intervention template
+Reopen=Reopen
+ConfirmReopenIntervention=Are you sure you want to open back the intervention %s?
diff --git a/htdocs/langs/gl_ES/intracommreport.lang b/htdocs/langs/gl_ES/intracommreport.lang
index 576a0345c46..e0788dcbf47 100644
--- a/htdocs/langs/gl_ES/intracommreport.lang
+++ b/htdocs/langs/gl_ES/intracommreport.lang
@@ -1,40 +1,40 @@
-Module68000Name = Intracomm report
-Module68000Desc = Intracomm report management (Support for French DEB/DES format)
-IntracommReportSetup = Intracommreport module setup
-IntracommReportAbout = About intracommreport
+Module68000Name = Informe intracomm
+Module68000Desc = Xestión de informes intracomm (soporte para o formato francés DEB / DES)
+IntracommReportSetup = Configuración do módulo Intracommreport
+IntracommReportAbout = Acerca de intracommreport
# Setup
-INTRACOMMREPORT_NUM_AGREMENT=Numéro d'agrément (délivré par le CISD de rattachement)
-INTRACOMMREPORT_TYPE_ACTEUR=Type d'acteur
-INTRACOMMREPORT_ROLE_ACTEUR=Rôle joué par l'acteur
-INTRACOMMREPORT_NIV_OBLIGATION_INTRODUCTION=Niveau d'obligation sur les introductions
-INTRACOMMREPORT_NIV_OBLIGATION_EXPEDITION=Niveau d'obligation sur les expéditions
-INTRACOMMREPORT_CATEG_FRAISDEPORT=Catégorie de services de type "Frais de port"
+INTRACOMMREPORT_NUM_AGREMENT=Número de aprobación (emitido polo CISD do anexo)
+INTRACOMMREPORT_TYPE_ACTEUR=Tipo de actor
+INTRACOMMREPORT_ROLE_ACTEUR=Rol interpretado polo actor
+INTRACOMMREPORT_NIV_OBLIGATION_INTRODUCTION=Nivel de obriga das presentacións
+INTRACOMMREPORT_NIV_OBLIGATION_EXPEDITION=Nivel de obriga dos envíos
+INTRACOMMREPORT_CATEG_FRAISDEPORT=Categoría de servizos tipo "Franqueo"
-INTRACOMMREPORT_NUM_DECLARATION=Numéro de déclarant
+INTRACOMMREPORT_NUM_DECLARATION=Número de declarante
# Menu
-MenuIntracommReport=Intracomm report
-MenuIntracommReportNew=New declaration
+MenuIntracommReport=Informe intracomm
+MenuIntracommReportNew=Nova declaración
MenuIntracommReportList=Listaxe
# View
-NewDeclaration=New declaration
-Declaration=Declaration
-AnalysisPeriod=Analysis period
-TypeOfDeclaration=Type of declaration
-DEB=Goods exchange declaration (DEB)
-DES=Services exchange declaration (DES)
+NewDeclaration=Nova declaración
+Declaration=Declaracion
+AnalysisPeriod=Período de análise
+TypeOfDeclaration=Tipo de declaración
+DEB=Declaración de cambio de mercadorías (DEB)
+DES=Declaración de intercambio de servizos (DES)
# Export page
-IntracommReportTitle=Preparation of an XML file in ProDouane format
+IntracommReportTitle=Preparación dun ficheiro XML en formato ProAduana
# List
-IntracommReportList=List of generated declarations
-IntracommReportNumber=Numero of declaration
-IntracommReportPeriod=Period of nalysis
-IntracommReportTypeDeclaration=Type of declaration
-IntracommReportDownload=download XML file
+IntracommReportList=Lista de declaracións xeradas
+IntracommReportNumber=Número de declaración
+IntracommReportPeriod=Período de análise
+IntracommReportTypeDeclaration=Tipo de declaración
+IntracommReportDownload=descargar o ficheiro XML
# Invoice
-IntracommReportTransportMode=Transport mode
+IntracommReportTransportMode=Modo de transporte
diff --git a/htdocs/langs/gl_ES/languages.lang b/htdocs/langs/gl_ES/languages.lang
index ce9d78410c2..a66520eaa71 100644
--- a/htdocs/langs/gl_ES/languages.lang
+++ b/htdocs/langs/gl_ES/languages.lang
@@ -1,10 +1,10 @@
# Dolibarr language file - Source file is en_US - languages
-Language_am_ET=Ethiopian
+Language_am_ET=Etíope
Language_ar_AR=Árabe
-Language_ar_EG=Arabic (Egypt)
+Language_ar_EG=Árabe (Exipto)
Language_ar_SA=Árabe
-Language_az_AZ=Azerbaijani
-Language_bn_BD=Bengali
+Language_az_AZ=Azerí
+Language_bn_BD=Bengalí
Language_bn_IN=Bengali (India)
Language_bg_BG=Búlgaro
Language_bs_BA=Bosnio
@@ -14,61 +14,61 @@ Language_da_DA=Danés
Language_da_DK=Danés
Language_de_DE=Alemán
Language_de_AT=Alemán (Austria)
-Language_de_CH=German (Switzerland)
+Language_de_CH=Alemán (Suíza)
Language_el_GR=Grego
-Language_el_CY=Greek (Cyprus)
+Language_el_CY=Grego (Chipre)
Language_en_AU=Inglés (Australia)
-Language_en_CA=English (Canada)
+Language_en_CA=Inglés (Canadá)
Language_en_GB=Inglés (Reino Unido)
Language_en_IN=Inglés (India)
Language_en_NZ=Inglés (Nova Celandia)
Language_en_SA=Inglés (Arabia Saudita)
-Language_en_SG=English (Singapore)
+Language_en_SG=Inglés (Singapur)
Language_en_US=Inglés (Estados Unidos)
Language_en_ZA=Inglés (Sudáfrica)
Language_es_ES=Español
Language_es_AR=Español (Arxentina)
-Language_es_BO=Spanish (Bolivia)
-Language_es_CL=Spanish (Chile)
-Language_es_CO=Spanish (Colombia)
-Language_es_DO=Spanish (Dominican Republic)
-Language_es_EC=Spanish (Ecuador)
-Language_es_GT=Spanish (Guatemala)
+Language_es_BO=Español (Bolivia)
+Language_es_CL=Español (Chile)
+Language_es_CO=Español (Colombia)
+Language_es_DO=Español (República Dominicana)
+Language_es_EC=Español (Ecuador)
+Language_es_GT=Español (Guatemala)
Language_es_HN=Español (Honduras)
Language_es_MX=Español (México)
-Language_es_PA=Spanish (Panama)
+Language_es_PA=Español (Panamá)
Language_es_PY=Español (Paraguay)
Language_es_PE=Español (Perú)
Language_es_PR=Español (Porto Rico)
-Language_es_US=Spanish (USA)
-Language_es_UY=Spanish (Uruguay)
-Language_es_GT=Spanish (Guatemala)
-Language_es_VE=Spanish (Venezuela)
+Language_es_US=Español (USA)
+Language_es_UY=Español (Uruguai)
+Language_es_GT=Español (Guatemala)
+Language_es_VE=Español (Venezuela)
Language_et_EE=Estoniano
Language_eu_ES=Éuscaro
Language_fa_IR=Persa
-Language_fi_FI=Finnish
+Language_fi_FI=Finés
Language_fr_BE=Francés (Bélxica)
Language_fr_CA=Francés (Canadá)
-Language_fr_CH=Francés (Suíza)
-Language_fr_CI=French (Cost Ivory)
-Language_fr_CM=French (Cameroun)
+Language_fr_CH=Francés (Suiza)
+Language_fr_CI=Francés (Costa Marfíl)
+Language_fr_CM=Francés (Camerún)
Language_fr_FR=Francés
-Language_fr_GA=French (Gabon)
+Language_fr_GA=Francés (Gabón)
Language_fr_NC=Francés (Nova Caledonia)
-Language_fr_SN=French (Senegal)
-Language_fy_NL=Frisian
-Language_gl_ES=Galician
+Language_fr_SN=Francés (Senegal)
+Language_fy_NL=Frisón
+Language_gl_ES=Galego
Language_he_IL=Hebreo
Language_hi_IN=Hindi (India)
Language_hr_HR=Croata
Language_hu_HU=Húngaro
-Language_id_ID=Indonesian
+Language_id_ID=Indonesio
Language_is_IS=Islandés
Language_it_IT=Italiano
-Language_it_CH=Italian (Switzerland)
+Language_it_CH=Italiano (Suíza)
Language_ja_JP=Xaponés
-Language_ka_GE=Georgian
+Language_ka_GE=Xeorxiano
Language_km_KH=Khmer
Language_kn_IN=Kannada
Language_ko_KR=Coreano
@@ -76,11 +76,11 @@ Language_lo_LA=Laos
Language_lt_LT=Lituano
Language_lv_LV=Letón
Language_mk_MK=Macedonio
-Language_mn_MN=Mongolian
+Language_mn_MN=Mongol
Language_nb_NO=Noruegués (Bokmål)
Language_ne_NP=Nepali
Language_nl_BE=Holandés (Bélxica)
-Language_nl_NL=Dutch
+Language_nl_NL=Alemán
Language_pl_PL=Polaco
Language_pt_BR=Portugués (Brasil)
Language_pt_PT=Portugués
@@ -91,15 +91,15 @@ Language_tr_TR=Turco
Language_sl_SI=Esloveno
Language_sv_SV=Sueco
Language_sv_SE=Sueco
-Language_sq_AL=Albanian
+Language_sq_AL=Albanés
Language_sk_SK=Eslovaco
-Language_sr_RS=Serbian
+Language_sr_RS=Serbio
Language_sw_SW=Kiswahili
-Language_th_TH=Thai
+Language_th_TH=Tailandés
Language_uk_UA=Ucraíno
Language_uz_UZ=Usbeco
Language_vi_VN=Vietnamita
Language_zh_CN=Chinés
-Language_zh_TW=Chinés (tradicional)
-Language_zh_HK=Chinese (Hong Kong)
-Language_bh_MY=Malay
+Language_zh_TW=Chinés (Tradicional)
+Language_zh_HK=Chinés (Hong Kong)
+Language_bh_MY=Malaio
diff --git a/htdocs/langs/gl_ES/link.lang b/htdocs/langs/gl_ES/link.lang
index 1ffcd41a18b..4815cf15e64 100644
--- a/htdocs/langs/gl_ES/link.lang
+++ b/htdocs/langs/gl_ES/link.lang
@@ -1,11 +1,11 @@
# Dolibarr language file - Source file is en_US - languages
-LinkANewFile=Link a new file/document
-LinkedFiles=Linked files and documents
-NoLinkFound=No registered links
-LinkComplete=The file has been linked successfully
-ErrorFileNotLinked=The file could not be linked
-LinkRemoved=The link %s has been removed
-ErrorFailedToDeleteLink= Failed to remove link '%s'
-ErrorFailedToUpdateLink= Failed to update link '%s'
-URLToLink=URL to link
-OverwriteIfExists=Overwrite file if exists
+LinkANewFile=Ligar un novo ficheiro/documento
+LinkedFiles=Ficheiros e documentos ligados
+NoLinkFound=Sen ligazóns registrados
+LinkComplete=O ficheiro foi ligado correctamente
+ErrorFileNotLinked=O ficheiro non puido ser ligado
+LinkRemoved=A ligazón %s foi eliminada
+ErrorFailedToDeleteLink= Erro ao eliminar a ligazón '%s'
+ErrorFailedToUpdateLink= Erro ao actualizar a ligazón '%s'
+URLToLink=URL a ligar
+OverwriteIfExists=Sobrescribir ficheiro se existe
diff --git a/htdocs/langs/gl_ES/mailmanspip.lang b/htdocs/langs/gl_ES/mailmanspip.lang
index bab4b3576b4..08dbb902cca 100644
--- a/htdocs/langs/gl_ES/mailmanspip.lang
+++ b/htdocs/langs/gl_ES/mailmanspip.lang
@@ -1,27 +1,27 @@
# Dolibarr language file - Source file is en_US - mailmanspip
-MailmanSpipSetup=Mailman and SPIP module Setup
-MailmanTitle=Mailman mailing list system
-TestSubscribe=To test subscription to Mailman lists
-TestUnSubscribe=To test unsubscribe from Mailman lists
-MailmanCreationSuccess=Subscription test was executed successfully
-MailmanDeletionSuccess=Unsubscription test was executed successfully
-SynchroMailManEnabled=A Mailman update will be performed
-SynchroSpipEnabled=A Spip update will be performed
-DescADHERENT_MAILMAN_ADMINPW=Mailman administrator password
-DescADHERENT_MAILMAN_URL=URL for Mailman subscriptions
-DescADHERENT_MAILMAN_UNSUB_URL=URL for Mailman unsubscriptions
-DescADHERENT_MAILMAN_LISTS=List(s) for automatic inscription of new members (separated by a comma)
-SPIPTitle=SPIP Content Management System
-DescADHERENT_SPIP_SERVEUR=SPIP Server
-DescADHERENT_SPIP_DB=SPIP database name
-DescADHERENT_SPIP_USER=SPIP database login
-DescADHERENT_SPIP_PASS=SPIP database password
-AddIntoSpip=Add into SPIP
-AddIntoSpipConfirmation=Are you sure you want to add this member into SPIP?
-AddIntoSpipError=Failed to add the user in SPIP
-DeleteIntoSpip=Remove from SPIP
-DeleteIntoSpipConfirmation=Are you sure you want to remove this member from SPIP?
-DeleteIntoSpipError=Failed to suppress the user from SPIP
-SPIPConnectionFailed=Failed to connect to SPIP
-SuccessToAddToMailmanList=%s successfully added to mailman list %s or SPIP database
-SuccessToRemoveToMailmanList=%s successfully removed from mailman list %s or SPIP database
+MailmanSpipSetup=Configuración do módulo Mailman e SPIP
+MailmanTitle=Sistema de listaxes de correo Mailman
+TestSubscribe=Para comprobar a subscrición a listas Mailman
+TestUnSubscribe=Para comprobar a cancelación de subscricións a listas Mailman
+MailmanCreationSuccess=Subscrición de proba executada correctamente
+MailmanDeletionSuccess=Cancelación de subscrición de proba foi executada correctamente
+SynchroMailManEnabled=Unha actualización de Mailman será realizada
+SynchroSpipEnabled=Unha actualización de Spip será realizada
+DescADHERENT_MAILMAN_ADMINPW=Contrasinal de administrador Mailman
+DescADHERENT_MAILMAN_URL=URL para as subscricións Mailman
+DescADHERENT_MAILMAN_UNSUB_URL=URL para a cancelación de subscripcións Mailman
+DescADHERENT_MAILMAN_LISTS=Lista(s) para a subscripción automática dos novos membros (separados por comas)
+SPIPTitle=Sistema de xestión de contidos SPIP
+DescADHERENT_SPIP_SERVEUR=Servidor SPIP
+DescADHERENT_SPIP_DB=Nome da base de datos de SPIP
+DescADHERENT_SPIP_USER=Usuario da base de datos de SPIP
+DescADHERENT_SPIP_PASS=Contrasinal da base de datos de SPIP
+AddIntoSpip=Engadir a SPIP
+AddIntoSpipConfirmation=¿Está certo de querer engadir este membro a SPIP?
+AddIntoSpipError=Aconteceu un erro ao engadir o membro a SPIP
+DeleteIntoSpip=Eliminar de SPIP
+DeleteIntoSpipConfirmation=¿Está certo de querer eliminar este membro de SPIP?
+DeleteIntoSpipError=Aconteceu un erro ao eliminar o membro de SPIP
+SPIPConnectionFailed=Erro ao conectar con SPIP
+SuccessToAddToMailmanList=%s agregado con éxito a listaxe de mailman %s ou base de datos SPIP
+SuccessToRemoveToMailmanList=%s eliminado con éxito da listaxe de mailman %s ou base de datos SPIP
diff --git a/htdocs/langs/gl_ES/mails.lang b/htdocs/langs/gl_ES/mails.lang
index f3c5ab840b9..fbe1039382d 100644
--- a/htdocs/langs/gl_ES/mails.lang
+++ b/htdocs/langs/gl_ES/mails.lang
@@ -92,6 +92,7 @@ MailingModuleDescEmailsFromUser=Mails enviados por usuario
MailingModuleDescDolibarrUsers=Usuarios con mails
MailingModuleDescThirdPartiesByCategories=Terceiros (por categoría)
SendingFromWebInterfaceIsNotAllowed=O envío dende a interfaz web non está permitido.
+EmailCollectorFilterDesc=Todos os filtros deben coincidir para recibir un correo electrónico
# Libelle des modules de liste de destinataires mailing
LineInFile=Liña %s en ficheiro
@@ -106,9 +107,9 @@ SearchAMailing=Buscar un Mailing
SendMailing=Enviar Mailing
SentBy=Enviado por
MailingNeedCommand=O envío dun mailing pode realizarse dende a liña de comandos. Solicite ao administrador do servidor que execute o siguiente comando para enviar o mailling a todos os destinatarios:
-MailingNeedCommand2=You can however send them online by adding parameter MAILING_LIMIT_SENDBYWEB with value of max number of emails you want to send by session. For this, go on Home - Setup - Other.
-ConfirmSendingEmailing=If you want to send emailing directly from this screen, please confirm you are sure you want to send emailing now from your browser ?
-LimitSendingEmailing=Note: Sending of emailings from web interface is done in several times for security and timeout reasons, %s recipients at a time for each sending session.
+MailingNeedCommand2=Porén, pode envialos en liña engadindo o parámetro MAILING_LIMIT_SENDBYWEB co valor do número máximo de correos electrónicos que desexa enviar por sesión. Para iso, vaia a Inicio-Configuración-Outro.
+ConfirmSendingEmailing=Se desexa enviar correos electrónicos directamente desde esta pantalla, confirme que está certo de querer enviar correos electrónicos agora desde o seu navegador?
+LimitSendingEmailing=Nota: o envío de mensaxes de correo electrónico desde a interface web faise varias veces por motivos de seguridade e tempo de espera, %s destinatarios á vez por cada sesión de envío.
TargetsReset=Vaciar listaxe
ToClearAllRecipientsClickHere=Para vaciar a listaxe dos destinatarios deste mailing, faga click no botón
ToAddRecipientsChooseHere=Para engadir destinatarios, escolla os que figuran nas listaxes a continuación
@@ -125,22 +126,23 @@ TagMailtoEmail=Mail do destinatario (incluindo a ligazón html "mailto:")
NoEmailSentBadSenderOrRecipientEmail=Non foi enviado o mail. O remitente ou destinatario é incorrecto. Comprobe os datos do usuario.
# Module Notifications
Notifications=Notificacións
-NoNotificationsWillBeSent=Ningunha notificación por mail está prevista para este evento e empresa
-ANotificationsWillBeSent=Unha notificación vai ser enviada por mail
-SomeNotificationsWillBeSent=%s notificaciones van ser enviadas por mail
-AddNewNotification=Activar un novo destinatario de notificacións
-ListOfActiveNotifications=Listaxe de destinatarios activos para notifiacións por mail
-ListOfNotificationsDone=Listaxe de notificacións enviadas
+NotificationsAuto=Notificacións Auto.
+NoNotificationsWillBeSent=Non hai previstas notificacións automáticas por correo electrónico para este tipo de evento e para esta empresa
+ANotificationsWillBeSent=Enviarase 1 notificación automática por correo electrónico
+SomeNotificationsWillBeSent=As notificacións automáticas de %s enviaranse por correo electrónico
+AddNewNotification=Subscribirse a unha nova notificación automática por correo electrónico (destino/evento)
+ListOfActiveNotifications=Lista todas as subscricións activas (obxectivos/eventos) para a notificación automática por correo electrónico
+ListOfNotificationsDone=Lista todas as notificacións automáticas enviadas por correo electrónico
MailSendSetupIs=A configuración de mailings está a '%s'. Este modo non pode ser usado para enviar mails masivos.
MailSendSetupIs2=Antes debe, cunha conta de administrador, no menú %sInicio - Configuración - E-Mails%s, cambiar o parámetro '%s' para usar o modo '%s'. Con este modo pode configurar un servidor SMTP do seu provedor de servizos de internet.
-MailSendSetupIs3=If you have any questions on how to setup your SMTP server, you can ask to %s.
-YouCanAlsoUseSupervisorKeyword=You can also add the keyword __SUPERVISOREMAIL__ to have email being sent to the supervisor of user (works only if an email is defined for this supervisor)
-NbOfTargetedContacts=Current number of targeted contact emails
-UseFormatFileEmailToTarget=Imported file must have format email;name;firstname;other
-UseFormatInputEmailToTarget=Enter a string with format email;name;firstname;other
-MailAdvTargetRecipients=Recipients (advanced selection)
-AdvTgtTitle=Fill input fields to preselect the third parties or contacts/addresses to target
-AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima% will target all jean, joe, start with jim but not jimo and not everything that starts with jima
+MailSendSetupIs3=Se ten algunha dúbida sobre como configurar o seu servidor SMTP, pode preguntar a %s.
+YouCanAlsoUseSupervisorKeyword=Tamén pode engadir a palabra clave __SUPERVISOREMAIL__ para que se envíe un correo electrónico ao supervisor do usuario (só funciona se se define un correo electrónico para este supervisor)
+NbOfTargetedContacts=Número actual de correos electrónicos de contacto
+UseFormatFileEmailToTarget=O ficheiro importado debe ter o formato email;name;name;other
+UseFormatInputEmailToTarget=Introduza unha cadea co formato email;name;firstname;other
+MailAdvTargetRecipients=Destinatarios (selección avanzada)
+AdvTgtTitle=Encha os campos de entrada para preseleccionar os terceiros ou os contactos/enderezos aos que desexa dirixirse
+AdvTgtSearchTextHelp=Use %% como comodíns. Por exemplo, para atopar todos os elementos como jean, joe, jim, pode introducir j %% , tamén pode usar; como separador de valor e usar ! para exceptuar este valor. Por exemplo jean;joe;jim %% ;!jimo;!Jima %% apuntará a todos jean, joe, ou comezaz con jim pero non jimo e non todo o que comeza con jima
AdvTgtSearchIntHelp=Use un intervaldo para seleccionar valor int o float
AdvTgtMinVal=Valor mínimo
AdvTgtMaxVal=Valor máximo
@@ -162,13 +164,14 @@ AdvTgtCreateFilter=Crear filtro
AdvTgtOrCreateNewFilter=Nome do novo filtro
NoContactWithCategoryFound=Non atopáronse contactos/enderezos con algunha categoría
NoContactLinkedToThirdpartieWithCategoryFound=Non atopáronse contactos/enderezos con algunha categoría
-OutGoingEmailSetup=Configuración do correo saínte
-InGoingEmailSetup=Configuración do correo entrante
-OutGoingEmailSetupForEmailing=Configuración do correo saínte (para correo masivo)
-DefaultOutgoingEmailSetup=Configuración do correo saínte predeterminada
+OutGoingEmailSetup=Configuración de correos electrónicos saíntes
+InGoingEmailSetup=Configuración de correos electrónicos entrantes
+OutGoingEmailSetupForEmailing=Configuración do correos electrónicos saíntes (para o módulo %s)
+DefaultOutgoingEmailSetup=A mesma configuración que a configuración de correos electrónicsoos saíntes predeterminados
Information=Información
ContactsWithThirdpartyFilter=Contactos con filtro de terceiros.
-Unanswered=Unanswered
-Answered=Answered
-IsNotAnAnswer=Is not answer (initial email)
-IsAnAnswer=Is an answer of an initial email
+Unanswered=Sen resposta
+Answered=Contestado
+IsNotAnAnswer=É unha resposta (a un coreo electrónico recibido)
+IsAnAnswer=É unha resposta de un coreo electrónico recibido
+RecordCreatedByEmailCollector=Rexistro creado polo receptor de correo electrónico %s a partir do correo electrónico %s
diff --git a/htdocs/langs/gl_ES/main.lang b/htdocs/langs/gl_ES/main.lang
index 5ccf9173975..c4ce3745b6a 100644
--- a/htdocs/langs/gl_ES/main.lang
+++ b/htdocs/langs/gl_ES/main.lang
@@ -28,7 +28,9 @@ NoTemplateDefined=Sen prantilla dispoñible para este tipo de e-mail
AvailableVariables=Variables de substitución dispoñibles
NoTranslation=Sen tradución
Translation=Tradución
-EmptySearchString=Enter non empty search criterias
+CurrentTimeZone=Zona horaria PHP (Servidor)
+EmptySearchString=Entre unha cadea de busca non baleira
+EnterADateCriteria=Engadir un criterio de data
NoRecordFound=Non atopáronse rexistros
NoRecordDeleted=Non foi eliminado o rexistro
NotEnoughDataYet=Non hai suficintes datos
@@ -85,6 +87,8 @@ FileWasNotUploaded=Un ficheiro foi seleccionado para axuntar, pero ainda non foi
NbOfEntries=Nº de entradas
GoToWikiHelpPage=Ler a axuda en liña (é preciso acceso a Internet )
GoToHelpPage=Ler a axuda
+DedicatedPageAvailable=Hai unha páxina adicada de axuda relacionada coa pantalla actual
+HomePage=Páxina Inicio
RecordSaved=Rexistro gardado
RecordDeleted=Rexistro eliminado
RecordGenerated=Registro xerado
@@ -150,12 +154,12 @@ Deprecated=Obsoleto
Disable=Desactivar
Disabled=Desactivado
Add=Engadir
-AddLink=Víncular
-RemoveLink=Eliminar vínculo
+AddLink=Ligar
+RemoveLink=Eliminar ligazón
AddToDraft=Engadir a borrador
Update=Actualizar
Close=Pechar
-CloseAs=Set status to
+CloseAs=Establecer estado a
CloseBox=Eliminar panel do seu taboleiro
Confirm=Confirmar
ConfirmSendCardByMail=¿Realmente quere enviar o contido desta ficha por correo a %s?
@@ -188,16 +192,16 @@ ShowCardHere=Ver a ficha
Search=Procurar
SearchOf=Procura
SearchMenuShortCut=Ctrl + shift + f
-QuickAdd=Quick add
+QuickAdd=Engadido rápido
QuickAddMenuShortCut=Ctrl + shift + l
Valid=Validar
Approve=Aprobar
Disapprove=Desaprobar
ReOpen=Reabrir
Upload=Actualizar arquivo
-ToLink=Vínculo
+ToLink=Ligazón
Select=Seleccionar
-SelectAll=Select all
+SelectAll=Seleccionar todo
Choose=Escoller
Resize=Redimensionar
ResizeOrCrop=Cambiar o tamaño ou cortar
@@ -249,7 +253,7 @@ Limits=Límites
Logout=Desconectar
NoLogoutProcessWithAuthMode=Sen funcionalidades de desconexión co modo de autenticación %s
Connection=Usuario
-Setup=Config.
+Setup=Configuración
Alert=Alerta
MenuWarnings=Alertas
Previous=Anterior
@@ -267,10 +271,10 @@ DateStart=Data de inicio
DateEnd=Data de fin
DateCreation=Data de creación
DateCreationShort=Data creac.
-IPCreation=Creation IP
+IPCreation=Asignación IP
DateModification=Data de modificación
DateModificationShort=Data modif.
-IPModification=Modification IP
+IPModification=Modificación IP
DateLastModification=Última data de modificación
DateValidation=Data de validación
DateClosing=Data de peche
@@ -324,7 +328,7 @@ Morning=Na mañá
Afternoon=Na tarde
Quadri=Trimestre
MonthOfDay=Mes do día
-DaysOfWeek=Days of week
+DaysOfWeek=Días da semana
HourShort=H
MinuteShort=min
Rate=Tipo
@@ -362,7 +366,7 @@ Amount=Importe
AmountInvoice=Importe factura
AmountInvoiced=Importe facturado
AmountInvoicedHT=Importe facturado (excl. tax)
-AmountInvoicedTTC=Amount invoiced (inc. tax)
+AmountInvoicedTTC=Importe facturado (incl. tax)
AmountPayment=Importe pagamento
AmountHTShort=Base imp.
AmountTTCShort=Importe
@@ -375,7 +379,7 @@ MulticurrencyPaymentAmount=Importe total na divisa orixinal
MulticurrencyAmountHT=Base impoñible na divisa orixinal
MulticurrencyAmountTTC=Total na divisa orixinal
MulticurrencyAmountVAT=Importe IVE na divisa orixinal
-MulticurrencySubPrice=Amount sub price multi currency
+MulticurrencySubPrice=Cantidade sub prezo divisa orixinal
AmountLT1=Importe Imposto 2
AmountLT2=Importe IRPF
AmountLT1ES=Importe RE
@@ -433,9 +437,10 @@ RemainToPay=Resta por pagar
Module=Módulo/Aplicación
Modules=Módulos/Aplicacións
Option=Opción
+Filters=Filtros
List=Listaxe
FullList=Listaxe completo
-FullConversation=Full conversation
+FullConversation=Conversa completa
Statistics=Estatísticas
OtherStatistics=Outras estatísticas
Status=Estado
@@ -494,7 +499,7 @@ By=Por
From=De
FromDate=De
FromLocation=De
-at=at
+at=a
to=a
To=a
and=e
@@ -517,7 +522,7 @@ Draft=Borrador
Drafts=Borradores
StatusInterInvoiced=Facturado
Validated=Validado
-ValidatedToProduce=Validated (To produce)
+ValidatedToProduce=Valido (A fabricar)
Opened=Activo
OpenAll=Aberto (todo)
ClosedAll=Pechado (Todo)
@@ -533,7 +538,7 @@ Topic=Asunto
ByCompanies=Por terceiros
ByUsers=Por usuario
Links=Ligazóns
-Link=Vínculo
+Link=Ligazón
Rejects=Devolucións
Preview=Vista previa
NextStep=Seguinte paso
@@ -620,7 +625,7 @@ File=Ficheiro
Files=Ficheiros
NotAllowed=Non autorizado
ReadPermissionNotAllowed=Sen permisos de lectura
-AmountInCurrency=Importes en %s (Moeda)
+AmountInCurrency=Importes en %s moeda
Example=Exemplo
Examples=Exemplos
NoExample=Sen exemplo
@@ -677,7 +682,7 @@ Owner=Propietario
FollowingConstantsWillBeSubstituted=As seguintes constantes serán substituidas polo seu valor correspondente.
Refresh=Refrescar
BackToList=Voltar á listaxe
-BackToTree=Back to tree
+BackToTree=Volta á árbore
GoBack=Voltar atrás
CanBeModifiedIfOk=Pode modificarse se é valido
CanBeModifiedIfKo=Pode modificarse se non é valido
@@ -691,14 +696,14 @@ RecordsGenerated=%s rexistro(s) xerado(s)
AutomaticCode=Creación automática de código
FeatureDisabled=Función desactivada
MoveBox=Mover panel
-Offered=Oferta
+Offered=Sen cargo
NotEnoughPermissions=Non ten permisos para esta acción
SessionName=Nome sesión
Method=Método
Receive=Recepción
-CompleteOrNoMoreReceptionExpected=Completado ou no agárdase mais
+CompleteOrNoMoreReceptionExpected=Completado ou non agárdase mais
ExpectedValue=Valor agardado
-ExpectedQty=Expected Qty
+ExpectedQty=Cant. agardada
PartialWoman=Parcial
TotalWoman=Total
NeverReceived=Nunca recibido
@@ -715,7 +720,7 @@ MenuECM=Documentos
MenuAWStats=AWStats
MenuMembers=Membros
MenuAgendaGoogle=Axenda Google
-MenuTaxesAndSpecialExpenses=Taxes | Special expenses
+MenuTaxesAndSpecialExpenses=Taxas | Gastos especiais
ThisLimitIsDefinedInSetup=Límite Dolibarr (Menú Inicio-configuración-seguridade): %s Kb, PHP limit: %s Kb
NoFileFound=Non hai documentos gardados neste directorio
CurrentUserLanguage=Idioma actual
@@ -729,16 +734,16 @@ For=Para
ForCustomer=Para cliente
Signature=Sinatura
DateOfSignature=Data da sinatura
-HidePassword=Amosar comando con contrasinal oculta
+HidePassword=Amosar comando con contrasinal oculto
UnHidePassword=Amosar comando con contrasinal á vista
Root=Raíz
-RootOfMedias=Root of public medias (/medias)
+RootOfMedias=Raiz de medias públicas (/medias)
Informations=Información
Page=Páxina
Notes=Notas
AddNewLine=Engadir nova liña
AddFile=Engadir arquivo
-FreeZone=Free-text product
+FreeZone=Sen produtos/servizos predefinidos
FreeLineOfType=Entrada libre, tipo:
CloneMainAttributes=Clonar o obxecto con estes atributos principais
ReGeneratePDF=Xerar de novo o PDF
@@ -751,7 +756,7 @@ WarningYouAreInMaintenanceMode=Atención, está en modo mantemento, só o login
CoreErrorTitle=Erro de sistema
CoreErrorMessage=O sentimos, pero aconteceu un erro. Póñase en contacto co administrador do sistema para comprobar os rexistros ou desactive $dolibarr_main_prod=1 para obter mais información.
CreditCard=Tarxeta de crédito
-ValidatePayment=Validar pago
+ValidatePayment=Validar pagamento
CreditOrDebitCard=Tarxeta de crédito ou débito
FieldsWithAreMandatory=Os campos marcados cun %s son obrigatorios
FieldsWithIsForPublic=Os campos marcados co %s amosaránse na lista pública de membros. Se non desexa velos, desactive a caixa "público".
@@ -761,7 +766,7 @@ NotSupported=Non soportado
RequiredField=Campo obrigatorio
Result=Resultado
ToTest=Probar
-ValidateBefore=Item must be validated before using this feature
+ValidateBefore=Para poder usar esta función debe validarse a ficha
Visibility=Visibilidade
Totalizable=Totalizable
TotalizableDesc=Este campo é totalizable nas listaxes
@@ -778,18 +783,18 @@ IM=Mensaxería instantánea
NewAttribute=Novo atributo
AttributeCode=Código
URLPhoto=Url da foto/logo
-SetLinkToAnotherThirdParty=Vincular a outro terceiro
-LinkTo=Vincular a
-LinkToProposal=Vincular a pedido
-LinkToOrder=Vincular a pedido
-LinkToInvoice=Vincular a factura
-LinkToTemplateInvoice=Vincular a prantilla de factura
-LinkToSupplierOrder=Vincular a pedido a provedor
-LinkToSupplierProposal=Vincular a orzamento de provedor
-LinkToSupplierInvoice=Vincular a factura de provedor
-LinkToContract=Vincular a contrato
-LinkToIntervention=Vincular a intervención
-LinkToTicket=Link to ticket
+SetLinkToAnotherThirdParty=Ligar a outro terceiro
+LinkTo=Ligar a
+LinkToProposal=Ligar a orzamento
+LinkToOrder=Ligar a pedimento
+LinkToInvoice=Ligar a factura
+LinkToTemplateInvoice=Ligar a prantilla de factura
+LinkToSupplierOrder=Ligar a pedimento a provedor
+LinkToSupplierProposal=Ligar a orzamento de provedor
+LinkToSupplierInvoice=Ligar a factura de provedor
+LinkToContract=Ligar a contrato
+LinkToIntervention=Ligar a intervención
+LinkToTicket=Ligar a ticket
CreateDraft=Crear borrador
SetToDraft=Voltar a borrador
ClickToEdit=Clic para editar
@@ -823,7 +828,7 @@ Access=Acceso
SelectAction=Seleccione acción
SelectTargetUser=Seleccionar usuario/empregado de destino
HelpCopyToClipboard=Use Ctrl+C para copiar ao portapapeis
-SaveUploadedFileWithMask=Gardar o arquivo no servidor co nome "%s" (senón "%s")
+SaveUploadedFileWithMask=Gardar o ficheiro no servidor co nome "%s" (senón "%s")
OriginFileName=Nome do arquivo orixe
SetDemandReason=Definir orixe
SetBankAccount=Definir conta bancaria
@@ -857,7 +862,7 @@ Sincerely=Atentamente
ConfirmDeleteObject=¿Está certo de querer eliminar esta liña?
DeleteLine=Eliminación de liña
ConfirmDeleteLine=¿Está certo de querer eliminar esta liña?
-ErrorPDFTkOutputFileNotFound=Error: the file was not generated. Please check that the 'pdftk' command is installed in a directory included in the $PATH environment variable (linux/unix only) or contact your system administrator.
+ErrorPDFTkOutputFileNotFound=Erro: o ficheiro non foi xerado. Comprobe que o comando 'pdftk' está instalado nun directorio incluído na variable de entorno $ PATH (só linux / unix) ou contacte co administrador do sistema.
NoPDFAvailableForDocGenAmongChecked=Sen PDF dispoñibles para a xeración de documentos entre os rexistros seleccionados
TooManyRecordForMassAction=Demasiados rexistros seleccionados para a acción masiva. A acción está restrinxida a unha listaxe de %s rexistros.
NoRecordSelected=Sen rexistros seleccionados
@@ -888,8 +893,8 @@ Miscellaneous=Miscelánea
Calendar=Calendario
GroupBy=Agrupado por...
ViewFlatList=Ver listaxe plana
-ViewAccountList=View ledger
-ViewSubAccountList=View subaccount ledger
+ViewAccountList=Ver Libro Maior
+ViewSubAccountList=Ver subconta Libro Maior
RemoveString=Eliminar cadea '%s'
SomeTranslationAreUncomplete=Algúns dos idiomas ofrecidos poden estar parcialmente traducidos ou poden conter erros. Axuda a corrixir teu idioma rexistrándose en http://transifex.com/projects/p/dolibarr/.
DirectDownloadLink=Ligazón de descarga directa (público/externo)
@@ -915,7 +920,7 @@ ConfirmSetToDraft=¿Está certo de querer voltar ao estado Borrador?
ImportId=ID de importación
Events=Eventos
EMailTemplates=Prantillas E-mail
-FileNotShared=Arquivo non compartido ao público externo
+FileNotShared=Ficheiro non compartido ao público externo
Project=Proxecto
Projects=Proxectos
LeadOrProject=Oportunidade | Proxecto
@@ -930,7 +935,7 @@ LineNb=Líña no.
IncotermLabel=Incoterms
TabLetteringCustomer=Letras do cliente
TabLetteringSupplier=Letras do provedor
-Monday=lúns
+Monday=luns
Tuesday=martes
Wednesday=mércores
Thursday=xoves
@@ -944,7 +949,7 @@ ThursdayMin=Xo
FridayMin=Ve
SaturdayMin=Sa
SundayMin=Do
-Day1=lúns
+Day1=luns
Day2=martes
Day3=mércores
Day4=xoves
@@ -958,39 +963,39 @@ ShortThursday=X
ShortFriday=V
ShortSaturday=S
ShortSunday=D
-one=one
-two=two
-three=three
-four=four
-five=five
-six=six
-seven=seven
-eight=eight
-nine=nine
-ten=ten
-eleven=eleven
-twelve=twelve
-thirteen=thirdteen
-fourteen=fourteen
-fifteen=fifteen
-sixteen=sixteen
-seventeen=seventeen
-eighteen=eighteen
-nineteen=nineteen
-twenty=twenty
-thirty=thirty
-forty=forty
-fifty=fifty
-sixty=sixty
-seventy=seventy
-eighty=eighty
-ninety=ninety
-hundred=hundred
-thousand=thousand
-million=million
-billion=billion
-trillion=trillion
-quadrillion=quadrillion
+one=un
+two=dous
+three=tres
+four=catro
+five=cinco
+six=seis
+seven=sete
+eight=oito
+nine=nove
+ten=dez
+eleven=once
+twelve=doce
+thirteen=trece
+fourteen=catorce
+fifteen=quince
+sixteen=dezaseis
+seventeen=dezasete
+eighteen=dezaoito
+nineteen=dezanove
+twenty=vinte
+thirty=trinta
+forty=corenta
+fifty=cincuente
+sixty=sesenta
+seventy=setenta
+eighty=oitenta
+ninety=noventa
+hundred=cen
+thousand=mil
+million=millón
+billion=billón
+trillion=trillón
+quadrillion=quadrillón
SelectMailModel=Seleccione unha prantilla de correo
SetRef=Establecer ref
Select2ResultFoundUseArrows=Algúns resultados atopados. Use as frechas para seleccionar.
@@ -1021,7 +1026,7 @@ SearchIntoCustomerShipments=Envíos a clientes
SearchIntoExpenseReports=Informes de gastos
SearchIntoLeaves=Día libre
SearchIntoTickets=Tickets
-SearchIntoCustomerPayments=Customer payments
+SearchIntoCustomerPayments=Pagamentos dos clientes
SearchIntoVendorPayments=Pagamentos a provedores
SearchIntoMiscPayments=Pagamentos varios
CommentLink=Comentarios
@@ -1042,7 +1047,7 @@ KeyboardShortcut=Atallo de teclado
AssignedTo=Asignada a
Deletedraft=Eliminar borrador
ConfirmMassDraftDeletion=Confirmación de borrado en masa
-FileSharedViaALink=Ficheiro compartido ao través dun vínculo
+FileSharedViaALink=Ficheiro compartido ao través dunha ligazón
SelectAThirdPartyFirst=Selecciona un terceiro antes...
YouAreCurrentlyInSandboxMode=Estás actualmente no modo %s "sandbox"
Inventory=Inventario
@@ -1078,32 +1083,37 @@ ContactAddedAutomatically=Engadido contacto dende os contactos de terceiros
More=Mais
ShowDetails=Amosar detalles
CustomReports=Informe de custos
-StatisticsOn=Statistics on
-SelectYourGraphOptionsFirst=Select your graph options to build a graph
+StatisticsOn=Estatísticas en
+SelectYourGraphOptionsFirst=Seleccione as súas opcións de gráfico para construir un gráfico
Measures=Medidas
-XAxis=X-Eixes
-YAxis=Y-Eixes
-StatusOfRefMustBe=Status de %s debe ser %s
-DeleteFileHeader=Confirmar borrado de ficheiro
+XAxis=X-Eixe
+YAxis=Y-Eixe
+StatusOfRefMustBe=O estado de %s ten que ser %s
+DeleteFileHeader=Confirmar ficheiro a eliminar
DeleteFileText=Está certo de querer borrar este ficheiro?
-ShowOtherLanguages=Amosar outras linguas
-SwitchInEditModeToAddTranslation=Cambiar a modo edición para axuntar traducións a esta lingua
-NotUsedForThisCustomer=Non usado para este cliente
-AmountMustBePositive=Importe ten que ser positivo
+ShowOtherLanguages=Amosar outras lingoas
+SwitchInEditModeToAddTranslation=Cambie ao modo de edición para engadir traduciáns a esta lingoa
+NotUsedForThisCustomer=Non usado neste cliente
+AmountMustBePositive=O importe ten que ser positivo
ByStatus=By status
InformationMessage=Información
-Used=Used
-ASAP=As Soon As Possible
-CREATEInDolibarr=Record %s created
-MODIFYInDolibarr=Record %s modified
-DELETEInDolibarr=Record %s deleted
-VALIDATEInDolibarr=Record %s validated
-APPROVEDInDolibarr=Record %s approved
-DefaultMailModel=Default Mail Model
-PublicVendorName=Public name of vendor
-DateOfBirth=Date of birth
-SecurityTokenHasExpiredSoActionHasBeenCanceledPleaseRetry=Security token has expired, so action has been canceled. Please try again.
-UpToDate=Up-to-date
-OutOfDate=Out-of-date
-EventReminder=Event Reminder
-UpdateForAllLines=Update for all lines
+Used=Usado
+ASAP=Tan pronto como sexa posible
+CREATEInDolibarr=Rexistro %s creado
+MODIFYInDolibarr=Rexistro %s modificado
+DELETEInDolibarr=Rexistro %s eliminado
+VALIDATEInDolibarr=Rexistro %s validado
+APPROVEDInDolibarr=Rexistro %s aprobado
+DefaultMailModel=Modelo de correo predeterminado
+PublicVendorName=Nome público do provedor
+DateOfBirth=Data de nacemento
+SecurityTokenHasExpiredSoActionHasBeenCanceledPleaseRetry=O token de seguridade caducou e a acción foi cancelada. Prégase intente de novo
+UpToDate=Ao día
+OutOfDate=Caducado
+EventReminder=Recordatorio de evento
+UpdateForAllLines=Actualizar todas as liñas
+OnHold=Agardando
+AffectTag=Poñer etiqueta
+ConfirmAffectTag=Poñer etiqueta masiva
+ConfirmAffectTagQuestion=Está certo de que quere poñer ás etiquetas dos rexistros seleccionados %s?
+CategTypeNotFound=Non se atopou ningún tipo de etiqueta para o tipo de rexistros
diff --git a/htdocs/langs/gl_ES/members.lang b/htdocs/langs/gl_ES/members.lang
index 819a5522627..97861ae2a0e 100644
--- a/htdocs/langs/gl_ES/members.lang
+++ b/htdocs/langs/gl_ES/members.lang
@@ -19,8 +19,8 @@ MembersCards=Carnés de membros
MembersList=Listaxe de membros
MembersListToValid=Listaxe de membros borrador (a validar)
MembersListValid=Listaxe de membros validados
-MembersListUpToDate=List of valid members with up-to-date subscription
-MembersListNotUpToDate=List of valid members with out-of-date subscription
+MembersListUpToDate=Lista de membros válidos con subscrición actualizada
+MembersListNotUpToDate=Lista de membros válidos con data vencida na subscrición
MembersListResiliated=Listaxe dos membros dados de baixa
MembersListQualified=Listaxe dos membros cualificados
MenuMembersToValidate=Membros borrador
@@ -32,7 +32,7 @@ DateSubscription=Data afiliación
DateEndSubscription=Data fin afiliación
EndSubscription=Fin afiliación
SubscriptionId=ID afiliación
-WithoutSubscription=Without subscription
+WithoutSubscription=Sen subscrición
MemberId=ID membro
NewMember=Novo membro
MemberType=Tipo de membro
@@ -80,7 +80,7 @@ DeleteType=Eliminar
VoteAllowed=Voto autorizado
Physical=Físico
Moral=Xurídico
-MorAndPhy=Moral and Physical
+MorAndPhy=Moral e Físico
Reenable=Reactivar
ResiliateMember=Dar de baixa a un membro
ConfirmResiliateMember=¿Está certo de querer dar de baixa a este membro?
@@ -116,7 +116,7 @@ SendingEmailOnMemberValidation=Enviar mail na validación dun novo membro
SendingEmailOnNewSubscription=Enviar mail nunha nova afiliación
SendingReminderForExpiredSubscription=Enviar un recordatorio para afiliación caducada
SendingEmailOnCancelation=Enviar mail nunha cancelación
-SendingReminderActionComm=Sending reminder for agenda event
+SendingReminderActionComm=Enviando lembranzas desde os eventos da axenda
# Topic of email templates
YourMembershipRequestWasReceived=A súa membresía foi recibida.
YourMembershipWasValidated=A súa membresía foi validada.
@@ -125,26 +125,26 @@ SubscriptionReminderEmail=Recordatorio de afiliación
YourMembershipWasCanceled=A súa membresía foi cancelada.
CardContent=Contido da súa ficha de membro
# Text of email templates
-ThisIsContentOfYourMembershipRequestWasReceived=We want to let you know that your membership request was received.
-ThisIsContentOfYourMembershipWasValidated=We want to let you know that your membership was validated with the following information:
-ThisIsContentOfYourSubscriptionWasRecorded=We want to let you know that your new subscription was recorded.
-ThisIsContentOfSubscriptionReminderEmail=We want to let you know that your subscription is about to expire or has already expired (__MEMBER_LAST_SUBSCRIPTION_DATE_END__). We hope you will renew it.
-ThisIsContentOfYourCard=This is a summary of the information we have about you. Please contact us if anything is incorrect.
-DescADHERENT_AUTOREGISTER_NOTIF_MAIL_SUBJECT=Subject of the notification email received in case of auto-inscription of a guest
-DescADHERENT_AUTOREGISTER_NOTIF_MAIL=Content of the notification email received in case of auto-inscription of a guest
-DescADHERENT_EMAIL_TEMPLATE_AUTOREGISTER=Email template to use to send email to a member on member autosubscription
-DescADHERENT_EMAIL_TEMPLATE_MEMBER_VALIDATION=Email template to use to send email to a member on member validation
-DescADHERENT_EMAIL_TEMPLATE_SUBSCRIPTION=Email template to use to send email to a member on new subscription recording
-DescADHERENT_EMAIL_TEMPLATE_REMIND_EXPIRATION=Email template to use to send email reminder when subscription is about to expire
-DescADHERENT_EMAIL_TEMPLATE_CANCELATION=Email template to use to send email to a member on member cancelation
-DescADHERENT_MAIL_FROM=Sender Email for automatic emails
-DescADHERENT_ETIQUETTE_TYPE=Format of labels page
-DescADHERENT_ETIQUETTE_TEXT=Text printed on member address sheets
-DescADHERENT_CARD_TYPE=Format of cards page
-DescADHERENT_CARD_HEADER_TEXT=Text printed on top of member cards
-DescADHERENT_CARD_TEXT=Text printed on member cards (align on left)
-DescADHERENT_CARD_TEXT_RIGHT=Text printed on member cards (align on right)
-DescADHERENT_CARD_FOOTER_TEXT=Text printed on bottom of member cards
+ThisIsContentOfYourMembershipRequestWasReceived=Queremos comunicarlle que se recibiu a súa solicitude de adhesión
+ThisIsContentOfYourMembershipWasValidated=Queremos comunicarlle que a súa subscrición foi validada coa seguinte información:
+ThisIsContentOfYourSubscriptionWasRecorded=Queremos comunicarlle de que se rexistrou a súa nova subscrición
+ThisIsContentOfSubscriptionReminderEmail=Queremos comunicarlle que a súa subscrición está a piques de caducar ou xa caducou (__MEMBER_LAST_SUBSCRIPTION_DATE_END__). Agardamos que a renove
+ThisIsContentOfYourCard=Este é un resumo da información que temos sobre vostede. Póñase en contacto connosco se hai algo incorrecto
+DescADHERENT_AUTOREGISTER_NOTIF_MAIL_SUBJECT=Asunto do correo electrónico de notificación recibido en caso de inscrición automática dun convidado
+DescADHERENT_AUTOREGISTER_NOTIF_MAIL=Contido do correo electrónico de notificación recibido en caso de inscrición automática dun convidado
+DescADHERENT_EMAIL_TEMPLATE_AUTOREGISTER=Modelo de correo electrónico para usar para envios de correo electrónico a membros na subscrición automática de membros
+DescADHERENT_EMAIL_TEMPLATE_MEMBER_VALIDATION=Modelo de correo electrónico para usar para enviar correo electrónico a membros coa validación de membros
+DescADHERENT_EMAIL_TEMPLATE_SUBSCRIPTION=Modelo de correo electrónico para usar para enviar correo electrónico a membros na nova gravación de subscrición
+DescADHERENT_EMAIL_TEMPLATE_REMIND_EXPIRATION=Modelo de correo electrónico para usar para enviar recordatorios cando a subscrición está a piques de caducar
+DescADHERENT_EMAIL_TEMPLATE_CANCELATION=Modelo de correo electrónico a usar para enviar a membros ao cancelar a subscrición
+DescADHERENT_MAIL_FROM=Correo electrónico do remitente para correos electrónicos automáticos
+DescADHERENT_ETIQUETTE_TYPE=Formato de páxinas de etiquetas
+DescADHERENT_ETIQUETTE_TEXT=Texto impreso nas follas de enderezos dos membros
+DescADHERENT_CARD_TYPE=Formato de páxinas de tarxetas
+DescADHERENT_CARD_HEADER_TEXT=Texto impreso na parte superior das tarxetas de membro
+DescADHERENT_CARD_TEXT=Texto impreso nas tarxetas de membro (aliñar á esquerda)
+DescADHERENT_CARD_TEXT_RIGHT=Texto impreso nas tarxetas de membro (aliñar á dereita)
+DescADHERENT_CARD_FOOTER_TEXT=Texto impreso na parte inferior das tarxetas de membro
ShowTypeCard=Ver tipo '%s'
HTPasswordExport=Xeración archivo htpassword
NoThirdPartyAssociatedToMember=Ningún terceiro asociado a este membro
@@ -167,7 +167,7 @@ MembersStatisticsByState=Estatísticas de membros por provincia/pais
MembersStatisticsByTown=Estatísticas de membros por poboación
MembersStatisticsByRegion=Estatísticas de membros por rexión
NbOfMembers=Número de membros
-NbOfActiveMembers=Number of current active members
+NbOfActiveMembers=Número de membros activos actuais
NoValidatedMemberYet=Ningún membro validado atopado
MembersByCountryDesc=Esta pantalla presenta unha estatística do número de membros por países. Porén, a gráfica utiliza o servizo en líña de gráficas de Google e só é operativo cando ten operativa unha conexión a Internet.
MembersByStateDesc=Esta pantalla presenta unha estatística do número de membros por paises/provincias/comunidades
@@ -177,7 +177,7 @@ MenuMembersStats=Estatísticas
LastMemberDate=Última data de membro
LatestSubscriptionDate=Data da última cotización
MemberNature=Natureza do membro
-MembersNature=Nature of members
+MembersNature=Natureza dos membros
Public=Información pública
NewMemberbyWeb=Novo membro engadido. Agardando validación
NewMemberForm=Novo formulario de membro
diff --git a/htdocs/langs/gl_ES/modulebuilder.lang b/htdocs/langs/gl_ES/modulebuilder.lang
index 460aef8103b..92f08b0ccbf 100644
--- a/htdocs/langs/gl_ES/modulebuilder.lang
+++ b/htdocs/langs/gl_ES/modulebuilder.lang
@@ -5,7 +5,7 @@ EnterNameOfObjectDesc=Enter name of the object to create with no spaces. Use upp
ModuleBuilderDesc2=Path where modules are generated/edited (first directory for external modules defined into %s): %s
ModuleBuilderDesc3=Generated/editable modules found: %s
ModuleBuilderDesc4=A module is detected as 'editable' when the file %s exists in root of module directory
-NewModule=New module
+NewModule=Novo
NewObjectInModulebuilder=New object
ModuleKey=Module key
ObjectKey=Object key
@@ -40,6 +40,7 @@ PageForCreateEditView=PHP page to create/edit/view a record
PageForAgendaTab=PHP page for event tab
PageForDocumentTab=PHP page for document tab
PageForNoteTab=PHP page for note tab
+PageForContactTab=PHP page for contact tab
PathToModulePackage=Path to zip of module/application package
PathToModuleDocumentation=Path to file of module/application documentation (%s)
SpaceOrSpecialCharAreNotAllowed=Spaces or special characters are not allowed.
@@ -77,7 +78,7 @@ IsAMeasure=Is a measure
DirScanned=Directory scanned
NoTrigger=No trigger
NoWidget=No widget
-GoToApiExplorer=Go to API explorer
+GoToApiExplorer=API explorer
ListOfMenusEntries=List of menu entries
ListOfDictionariesEntries=List of dictionaries entries
ListOfPermissionsDefined=List of defined permissions
@@ -105,7 +106,7 @@ TryToUseTheModuleBuilder=If you have knowledge of SQL and PHP, you may use the n
SeeTopRightMenu=See on the top right menu
AddLanguageFile=Add language file
YouCanUseTranslationKey=You can use here a key that is the translation key found into language file (see tab "Languages")
-DropTableIfEmpty=(Delete table if empty)
+DropTableIfEmpty=(Destroy table if empty)
TableDoesNotExists=The table %s does not exists
TableDropped=Table %s deleted
InitStructureFromExistingTable=Build the structure array string of an existing table
@@ -126,7 +127,6 @@ UseSpecificEditorURL = Use a specific editor URL
UseSpecificFamily = Use a specific family
UseSpecificAuthor = Use a specific author
UseSpecificVersion = Use a specific initial version
-ModuleMustBeEnabled=The module/application must be enabled first
IncludeRefGeneration=The reference of object must be generated automatically
IncludeRefGenerationHelp=Check this if you want to include code to manage the generation automatically of the reference
IncludeDocGeneration=I want to generate some documents from the object
@@ -140,3 +140,4 @@ TypeOfFieldsHelp=Type of fields: varchar(99), double(24,8), real, text, html,
AsciiToHtmlConverter=Ascii to HTML converter
AsciiToPdfConverter=Ascii to PDF converter
TableNotEmptyDropCanceled=Table not empty. Drop has been canceled.
+ModuleBuilderNotAllowed=The module builder is available but not allowed to your user.
diff --git a/htdocs/langs/gl_ES/mrp.lang b/htdocs/langs/gl_ES/mrp.lang
index 84a0177e4de..e96eafdec79 100644
--- a/htdocs/langs/gl_ES/mrp.lang
+++ b/htdocs/langs/gl_ES/mrp.lang
@@ -1,80 +1,80 @@
-Mrp=Ordes de fabricación
-MOs=Manufacturing orders
-ManufacturingOrder=Manufacturing Order
-MRPDescription=Module to manage production and Manufacturing Orders (MO).
-MRPArea=MRP Area
-MrpSetupPage=Setup of module MRP
-MenuBOM=Bills of material
-LatestBOMModified=Latest %s Bills of materials modified
-LatestMOModified=Latest %s Manufacturing Orders modified
-Bom=Bills of Material
-BillOfMaterials=Bill of Material
-BOMsSetup=Setup of module BOM
-ListOfBOMs=List of bills of material - BOM
-ListOfManufacturingOrders=List of Manufacturing Orders
-NewBOM=New bill of material
-ProductBOMHelp=Product to create with this BOM. Note: Products with the property 'Nature of product' = 'Raw material' are not visible into this list.
-BOMsNumberingModules=BOM numbering templates
-BOMsModelModule=BOM document templates
-MOsNumberingModules=MO numbering templates
-MOsModelModule=MO document templates
-FreeLegalTextOnBOMs=Free text on document of BOM
-WatermarkOnDraftBOMs=Watermark on draft BOM
-FreeLegalTextOnMOs=Free text on document of MO
-WatermarkOnDraftMOs=Watermark on draft MO
-ConfirmCloneBillOfMaterials=Are you sure you want to clone the bill of material %s ?
-ConfirmCloneMo=Are you sure you want to clone the Manufacturing Order %s ?
-ManufacturingEfficiency=Manufacturing efficiency
-ConsumptionEfficiency=Consumption efficiency
-ValueOfMeansLoss=Value of 0.95 means an average of 5%% of loss during the production
-ValueOfMeansLossForProductProduced=Value of 0.95 means an average of 5%% of loss of produced product
-DeleteBillOfMaterials=Delete Bill Of Materials
-DeleteMo=Delete Manufacturing Order
-ConfirmDeleteBillOfMaterials=Are you sure you want to delete this Bill Of Material?
-ConfirmDeleteMo=Are you sure you want to delete this Bill Of Material?
-MenuMRP=Ordes de fabricación
-NewMO=New Manufacturing Order
-QtyToProduce=Qty to produce
-DateStartPlannedMo=Date start planned
-DateEndPlannedMo=Date end planned
-KeepEmptyForAsap=Empty means 'As Soon As Possible'
-EstimatedDuration=Estimated duration
-EstimatedDurationDesc=Estimated duration to manufacture this product using this BOM
-ConfirmValidateBom=Are you sure you want to validate the BOM with the reference %s (you will be able to use it to build new Manufacturing Orders)
-ConfirmCloseBom=Are you sure you want to cancel this BOM (you won't be able to use it to build new Manufacturing Orders anymore) ?
-ConfirmReopenBom=Are you sure you want to re-open this BOM (you will be able to use it to build new Manufacturing Orders)
-StatusMOProduced=Produced
-QtyFrozen=Frozen Qty
-QuantityFrozen=Frozen Quantity
-QuantityConsumedInvariable=When this flag is set, the quantity consumed is always the value defined and is not relative to the quantity produced.
-DisableStockChange=Stock change disabled
-DisableStockChangeHelp=When this flag is set, there is no stock change on this product, whatever is the quantity consumed
-BomAndBomLines=Bills Of Material and lines
-BOMLine=Line of BOM
-WarehouseForProduction=Warehouse for production
-CreateMO=Create MO
-ToConsume=To consume
-ToProduce=To produce
-QtyAlreadyConsumed=Qty already consumed
-QtyAlreadyProduced=Qty already produced
-QtyRequiredIfNoLoss=Qty required if there is no loss (Manufacturing efficiency is 100%%)
-ConsumeOrProduce=Consume or Produce
-ConsumeAndProduceAll=Consume and Produce All
-Manufactured=Manufactured
-TheProductXIsAlreadyTheProductToProduce=The product to add is already the product to produce.
-ForAQuantityOf=For a quantity to produce of %s
-ConfirmValidateMo=Are you sure you want to validate this Manufacturing Order?
-ConfirmProductionDesc=By clicking on '%s', you will validate the consumption and/or production for the quantities set. This will also update the stock and record stock movements.
-ProductionForRef=Production of %s
-AutoCloseMO=Close automatically the Manufacturing Order if quantities to consume and to produce are reached
-NoStockChangeOnServices=No stock change on services
-ProductQtyToConsumeByMO=Product quantity still to consume by open MO
-ProductQtyToProduceByMO=Product quentity still to produce by open MO
-AddNewConsumeLines=Add new line to consume
-ProductsToConsume=Products to consume
-ProductsToProduce=Products to produce
-UnitCost=Unit cost
-TotalCost=Total cost
-BOMTotalCost=The cost to produce this BOM based on cost of each quantity and product to consume (use Cost price if defined, else Average Weighted Price if defined, else the Best purchase price)
-GoOnTabProductionToProduceFirst=You must first have started the production to close a Manufacturing Order (See tab '%s'). But you can Cancel it.
-ErrorAVirtualProductCantBeUsedIntoABomOrMo=A kit can't be used into a BOM or a MO
+Mrp=Pedimentos de fabricación
+MOs=Pedimentos de fabricación
+ManufacturingOrder=Pedimento de fabricación
+MRPDescription=Módulo para xestionar pedimentos de fabricación (MO).
+MRPArea=Área MRP
+MrpSetupPage=Configuración do módulo MRP
+MenuBOM=Listaxe de material
+LatestBOMModified=Últimas %s listaxes de materiais modificadas
+LatestMOModified=Últimos %s pedimentos de material modificados
+Bom=Listaxes de material
+BillOfMaterials=Listaxe de material
+BOMsSetup=Configuración do módulo BOM
+ListOfBOMs=Listaxe de facturas de materiais - BOM
+ListOfManufacturingOrders=Listaxe de pedimentos de fabricación
+NewBOM=Nova listaxe de materiais
+ProductBOMHelp=Produto a crear con este BOM. Nota: os produtos coa propiedade 'Natureza do producto'='Materia prima' non están visibles nesta listaxe.
+BOMsNumberingModules=Modelos de numeración BOM
+BOMsModelModule=Prantillas de documentos BOMS
+MOsNumberingModules=Modelos de numeración MO
+MOsModelModule=Prantillas de documentos MO
+FreeLegalTextOnBOMs=Texto libre no documento BOM
+WatermarkOnDraftBOMs=Marca de auga no borrador MO
+FreeLegalTextOnMOs=Texto libre no documento MO
+WatermarkOnDraftMOs=Marca de auga no borrador MO
+ConfirmCloneBillOfMaterials=¿Está certo de querer clonar esta listaxe de materiais %s?
+ConfirmCloneMo=Está certo de querer clonar este pedimento de facturación %s?
+ManufacturingEfficiency=Eficiencia de fabricación
+ConsumptionEfficiency=Eficienci de consumo
+ValueOfMeansLoss=O valor de 0.95 significa un promedio de 5%% de perda durante a produción
+ValueOfMeansLossForProductProduced=O valor de 0,95 significa unha media do 5 %% da perda do produto producido
+DeleteBillOfMaterials=Eliminar listaxe de material
+DeleteMo=Borra pedimentos de manufacturación
+ConfirmDeleteBillOfMaterials=¿Está certo de querer eliminar esta Listaxe de Material?
+ConfirmDeleteMo=¿Está certo de querer eliminar esta Listaxe de Material?
+MenuMRP=Pedimentos de manufacturación
+NewMO=Novo pedimento de manufacturación
+QtyToProduce=Cant. a producir
+DateStartPlannedMo=Data de inicio prevista
+DateEndPlannedMo=Date de finalización prevista
+KeepEmptyForAsap=Baleiro quere dicir 'Tan pronto como sexa posible'
+EstimatedDuration=Duración estimada
+EstimatedDurationDesc=Duración estimada para manufacturar este produto usando este BOM
+ConfirmValidateBom=Está certo de que desexa validar a listaxe de materias coa referencia %s (poderá usala para crear novos pedimentos de fabricación)
+ConfirmCloseBom=¿Está certo de que quere cancelar esta listaxe de materiales (xa non poderá usalo para crear novos pedimentos de fabricación)?
+ConfirmReopenBom=Está certo de que quere voltar a abrir esta listaxe de materiales (poderá usala para construír novos pedimentoss de fabricación)
+StatusMOProduced=Producido
+QtyFrozen=Cant. conxelada
+QuantityFrozen=Cantidade conxelada
+QuantityConsumedInvariable=Cando se sinala esta marca, a cantidade consumida sempre é o valor definido e non é relativa á cantidade producida.
+DisableStockChange=Cambio de stock desactivado
+DisableStockChangeHelp=Cando se sinala esta marca, non hai cambio de stock neste produto, calquera que sexa a cantidade consumida
+BomAndBomLines=Listaxes de material e liñas
+BOMLine=Liña de BOM
+WarehouseForProduction=Almacén para produción
+CreateMO=Crear MO
+ToConsume=A consumir
+ToProduce=A poducir
+QtyAlreadyConsumed=Cant. xa consumida
+QtyAlreadyProduced=Cant. xa producida
+QtyRequiredIfNoLoss=Cant. precisa se non hai perda (a eficiencia de fabricación é do 100 %%)
+ConsumeOrProduce=Consumir ou producir
+ConsumeAndProduceAll=Consumir e producir todo
+Manufactured=Fabricado
+TheProductXIsAlreadyTheProductToProduce=O produto a engadir xa é o produto a fabricar.
+ForAQuantityOf=Para producir unha cantidade de %s
+ConfirmValidateMo=Está certo de que desexa validar este pedimento de fabricación?
+ConfirmProductionDesc=Ao facer clic en '%s', validará o consumo e/ou a produción para as cantidades establecidas. Isto tamén actualizará o stock e rexistrará os movementos de stock.
+ProductionForRef=Produción de %s
+AutoCloseMO=Pecha automaticamente o pedimento de fabricación se se alcanzan cantidades a consumir e producir
+NoStockChangeOnServices=Non hai cambio de stock nos servizos
+ProductQtyToConsumeByMO=Cantidade de produto aínda por consumir por MO aberto
+ProductQtyToProduceByMO=Cantidade de produto aínda por producir por MO aberto
+AddNewConsumeLines=Engadir nova liña para consumir
+ProductsToConsume=Produtos para consumir
+ProductsToProduce=Produtos para fabricar
+UnitCost=Custo unitario
+TotalCost=Custo total
+BOMTotalCost=O custo para producir este BOM está en función do custo de cada cantidade e produto a consumir (use o prezo de custo se se define, se non o prezo medio ponderado se se define, se non o mellor prezo de compra)
+GoOnTabProductionToProduceFirst=Primeiro debe iniciar a produción para pechar un pedimento de fabricación (ver a pestana '%s'). Pero pode cancelalo.
+ErrorAVirtualProductCantBeUsedIntoABomOrMo=Non se pode usar un produto composto nunha lista de materiales nin nunha MO
diff --git a/htdocs/langs/gl_ES/oauth.lang b/htdocs/langs/gl_ES/oauth.lang
index 075ff49a895..1355842921f 100644
--- a/htdocs/langs/gl_ES/oauth.lang
+++ b/htdocs/langs/gl_ES/oauth.lang
@@ -1,32 +1,32 @@
# Dolibarr language file - Source file is en_US - oauth
-ConfigOAuth=OAuth Configuration
-OAuthServices=OAuth Services
-ManualTokenGeneration=Manual token generation
-TokenManager=Token Manager
-IsTokenGenerated=Is token generated ?
-NoAccessToken=No access token saved into local database
-HasAccessToken=A token was generated and saved into local database
-NewTokenStored=Token received and saved
-ToCheckDeleteTokenOnProvider=Click here to check/delete authorization saved by %s OAuth provider
-TokenDeleted=Token deleted
-RequestAccess=Click here to request/renew access and receive a new token to save
-DeleteAccess=Click here to delete token
-UseTheFollowingUrlAsRedirectURI=Use the following URL as the Redirect URI when creating your credentials with your OAuth provider:
-ListOfSupportedOauthProviders=Enter the credentials provided by your OAuth2 provider. Only supported OAuth2 providers are listedd here. These services may be used by other modules that need OAuth2 authentication.
-OAuthSetupForLogin=Page to generate an OAuth token
-SeePreviousTab=See previous tab
-OAuthIDSecret=OAuth ID and Secret
-TOKEN_REFRESH=Token Refresh Present
-TOKEN_EXPIRED=Token expired
-TOKEN_EXPIRE_AT=Token expire at
-TOKEN_DELETE=Delete saved token
-OAUTH_GOOGLE_NAME=OAuth Google service
-OAUTH_GOOGLE_ID=OAuth Google Id
-OAUTH_GOOGLE_SECRET=OAuth Google Secret
-OAUTH_GOOGLE_DESC=Go to this page then "Credentials" to create OAuth credentials
-OAUTH_GITHUB_NAME=OAuth GitHub service
-OAUTH_GITHUB_ID=OAuth GitHub Id
-OAUTH_GITHUB_SECRET=OAuth GitHub Secret
-OAUTH_GITHUB_DESC=Go to this page then "Register a new application" to create OAuth credentials
-OAUTH_STRIPE_TEST_NAME=OAuth Stripe Test
+ConfigOAuth=Configuración Oauth
+OAuthServices=Servizos OAuth
+ManualTokenGeneration=Xeración manual de token
+TokenManager=Xestor de token
+IsTokenGenerated=¿Está o token xerado?
+NoAccessToken=Non hai token de acceso gardado na base de datos local
+HasAccessToken=Foi xerado e gardado na base de datos local un token
+NewTokenStored=Token recibido e gardado
+ToCheckDeleteTokenOnProvider=Faga clic aquí para comprobar/eliminar a autorización gardada polo fornecedor de OAuth %s
+TokenDeleted=Token eliminado
+RequestAccess=Faga clic aquí para consultar/renovar acceso e recibir un novo token a gardar
+DeleteAccess=Faga clic aquí para eliminar o token
+UseTheFollowingUrlAsRedirectURI=Utilice o seguinte URL como redirección URI cando cree as súas credenciais co seu provedor de OAuth:
+ListOfSupportedOauthProviders=Introduza as credenciais proporcionadas polo seu provedor OAuth2. Aquí só figuran os provedores compatibles con OAuth2. Estes servizos poden ser empregados por outros módulos que precisan autenticación OAuth2.
+OAuthSetupForLogin=Páxina para xerar un token OAuth
+SeePreviousTab=Ver a lapela previa
+OAuthIDSecret=ID OAuth e contrasinal
+TOKEN_REFRESH=Actualizar o token actual
+TOKEN_EXPIRED=Token expirado
+TOKEN_EXPIRE_AT=Token expira o
+TOKEN_DELETE=Eliminar token gardado
+OAUTH_GOOGLE_NAME=Servicio Oauth Google
+OAUTH_GOOGLE_ID=Id Oauth Google
+OAUTH_GOOGLE_SECRET=Oauth Google Secret
+OAUTH_GOOGLE_DESC=Vaia a esta páxina e a "Credenciais" para crear credenciais Oauth
+OAUTH_GITHUB_NAME=Servizo Oauth GitHub
+OAUTH_GITHUB_ID=Id Oauth Github
+OAUTH_GITHUB_SECRET=Oauth GitHub Secret
+OAUTH_GITHUB_DESC=Vaia a esta páxina e a "Rexistrar unha nova aplicación" para crear crecenciais Oauth
+OAUTH_STRIPE_TEST_NAME=Test OAuth Stripe
OAUTH_STRIPE_LIVE_NAME=OAuth Stripe Live
diff --git a/htdocs/langs/gl_ES/orders.lang b/htdocs/langs/gl_ES/orders.lang
index 2bb9401c922..a140a6af6b4 100644
--- a/htdocs/langs/gl_ES/orders.lang
+++ b/htdocs/langs/gl_ES/orders.lang
@@ -53,7 +53,7 @@ StatusOrderToBill=Emitido
StatusOrderApproved=Aprobado
StatusOrderRefused=Rexeitado
StatusOrderReceivedPartially=Recibido parcialmente
-StatusOrderReceivedAll=Todos os productos recibidos
+StatusOrderReceivedAll=Todos os produtos recibidos
ShippingExist=Existe unha expedición
QtyOrdered=Cant. pedida
ProductQtyInDraft=Cantidades en borrador de pedimentos
@@ -85,7 +85,7 @@ LastModifiedOrders=Últimos %s pedimentos de clientes modificados
AllOrders=Todos os pedimentos
NbOfOrders=Número de pedimentos
OrdersStatistics=Estatísticas de pedimentos de clientes
-OrdersStatisticsSuppliers=Estatísticas de ordes de pedimento
+OrdersStatisticsSuppliers=Estatísticas de pedimentos a provedor
NumberOfOrdersByMonth=Número de pedimentos por mes
AmountOfOrdersByMonthHT=Importe total de pedimentos por mes (sen IVE)
ListOfOrders=Listaxe de pedimentos
@@ -161,7 +161,7 @@ CloseReceivedSupplierOrdersAutomatically=Pechar pedimento a modo "%s" automatica
SetShippingMode=Indica o modo de envío
WithReceptionFinished=Con recepción finalizada
#### supplier orders status
-StatusSupplierOrderCanceledShort=Anulada
+StatusSupplierOrderCanceledShort=Anulado
StatusSupplierOrderDraftShort=Borrador
StatusSupplierOrderValidatedShort=Validado
StatusSupplierOrderSentShort=Expedición en curso
@@ -171,19 +171,19 @@ StatusSupplierOrderProcessedShort=Procesado
StatusSupplierOrderDelivered=Emitido
StatusSupplierOrderDeliveredShort=Emitido
StatusSupplierOrderToBillShort=Emitido
-StatusSupplierOrderApprovedShort=Aprobada
-StatusSupplierOrderRefusedShort=Rexeitada
+StatusSupplierOrderApprovedShort=Aprobado
+StatusSupplierOrderRefusedShort=Rexeitado
StatusSupplierOrderToProcessShort=A procesar
StatusSupplierOrderReceivedPartiallyShort=Recibido parcialmente
StatusSupplierOrderReceivedAllShort=Produtos recibidos
-StatusSupplierOrderCanceled=Anulada
+StatusSupplierOrderCanceled=Anulado
StatusSupplierOrderDraft=Borrador (é preciso validar)
StatusSupplierOrderValidated=Validado
StatusSupplierOrderOnProcess=Pedido - Agardando recepción
StatusSupplierOrderOnProcessWithValidation=Pedido - Agardando recibir ou validar
StatusSupplierOrderProcessed=Procesado
StatusSupplierOrderToBill=Emitido
-StatusSupplierOrderApproved=Aprobada
-StatusSupplierOrderRefused=Rexeitada
+StatusSupplierOrderApproved=Aprobado
+StatusSupplierOrderRefused=Rexeitado
StatusSupplierOrderReceivedPartially=Recibido parcialmente
-StatusSupplierOrderReceivedAll=Todos os productos recibidos
+StatusSupplierOrderReceivedAll=Todos os produtos recibidos
diff --git a/htdocs/langs/gl_ES/other.lang b/htdocs/langs/gl_ES/other.lang
index c476990f905..5270347b48e 100644
--- a/htdocs/langs/gl_ES/other.lang
+++ b/htdocs/langs/gl_ES/other.lang
@@ -1,154 +1,155 @@
# Dolibarr language file - Source file is en_US - other
-SecurityCode=Security code
-NumberingShort=N°
-Tools=Tools
-TMenuTools=Tools
-ToolsDesc=All tools not included in other menu entries are grouped here. All the tools can be accessed via the left menu.
-Birthday=Birthday
-BirthdayDate=Birthday date
-DateToBirth=Birth date
-BirthdayAlertOn=birthday alert active
-BirthdayAlertOff=birthday alert inactive
-TransKey=Translation of the key TransKey
-MonthOfInvoice=Month (number 1-12) of invoice date
-TextMonthOfInvoice=Month (text) of invoice date
-PreviousMonthOfInvoice=Previous month (number 1-12) of invoice date
-TextPreviousMonthOfInvoice=Previous month (text) of invoice date
-NextMonthOfInvoice=Following month (number 1-12) of invoice date
-TextNextMonthOfInvoice=Following month (text) of invoice date
-ZipFileGeneratedInto=Zip file generated into %s.
-DocFileGeneratedInto=Doc file generated into %s.
-JumpToLogin=Disconnected. Go to login page...
-MessageForm=Message on online payment form
-MessageOK=Message on the return page for a validated payment
-MessageKO=Message on the return page for a canceled payment
-ContentOfDirectoryIsNotEmpty=Content of this directory is not empty.
-DeleteAlsoContentRecursively=Check to delete all content recursively
-PoweredBy=Powered by
-YearOfInvoice=Year of invoice date
-PreviousYearOfInvoice=Previous year of invoice date
-NextYearOfInvoice=Following year of invoice date
-DateNextInvoiceBeforeGen=Date of next invoice (before generation)
-DateNextInvoiceAfterGen=Date of next invoice (after generation)
-GraphInBarsAreLimitedToNMeasures=Grapics are limited to %s measures in 'Bars' mode. The mode 'Lines' was automatically selected instead.
-OnlyOneFieldForXAxisIsPossible=Only 1 field is currently possible as X-Axis. Only the first selected field has been selected.
-AtLeastOneMeasureIsRequired=At least 1 field for measure is required
-AtLeastOneXAxisIsRequired=At least 1 field for X-Axis is required
-LatestBlogPosts=Latest Blog Posts
-Notify_ORDER_VALIDATE=Sales order validated
-Notify_ORDER_SENTBYMAIL=Sales order sent by mail
-Notify_ORDER_SUPPLIER_SENTBYMAIL=Purchase order sent by email
-Notify_ORDER_SUPPLIER_VALIDATE=Purchase order recorded
-Notify_ORDER_SUPPLIER_APPROVE=Purchase order approved
-Notify_ORDER_SUPPLIER_REFUSE=Purchase order refused
-Notify_PROPAL_VALIDATE=Customer proposal validated
-Notify_PROPAL_CLOSE_SIGNED=Customer proposal closed signed
-Notify_PROPAL_CLOSE_REFUSED=Customer proposal closed refused
-Notify_PROPAL_SENTBYMAIL=Commercial proposal sent by mail
-Notify_WITHDRAW_TRANSMIT=Transmission withdrawal
-Notify_WITHDRAW_CREDIT=Credit withdrawal
-Notify_WITHDRAW_EMIT=Perform withdrawal
-Notify_COMPANY_CREATE=Third party created
-Notify_COMPANY_SENTBYMAIL=Mails sent from third party card
-Notify_BILL_VALIDATE=Customer invoice validated
-Notify_BILL_UNVALIDATE=Customer invoice unvalidated
-Notify_BILL_PAYED=Customer invoice paid
-Notify_BILL_CANCEL=Customer invoice canceled
-Notify_BILL_SENTBYMAIL=Customer invoice sent by mail
-Notify_BILL_SUPPLIER_VALIDATE=Vendor invoice validated
-Notify_BILL_SUPPLIER_PAYED=Vendor invoice paid
-Notify_BILL_SUPPLIER_SENTBYMAIL=Vendor invoice sent by mail
-Notify_BILL_SUPPLIER_CANCELED=Vendor invoice cancelled
-Notify_CONTRACT_VALIDATE=Contract validated
-Notify_FICHINTER_VALIDATE=Intervention validated
-Notify_FICHINTER_ADD_CONTACT=Added contact to Intervention
-Notify_FICHINTER_SENTBYMAIL=Intervention sent by mail
-Notify_SHIPPING_VALIDATE=Shipping validated
-Notify_SHIPPING_SENTBYMAIL=Shipping sent by mail
-Notify_MEMBER_VALIDATE=Member validated
-Notify_MEMBER_MODIFY=Member modified
-Notify_MEMBER_SUBSCRIPTION=Member subscribed
-Notify_MEMBER_RESILIATE=Member terminated
-Notify_MEMBER_DELETE=Member deleted
-Notify_PROJECT_CREATE=Project creation
-Notify_TASK_CREATE=Task created
-Notify_TASK_MODIFY=Task modified
-Notify_TASK_DELETE=Task deleted
-Notify_EXPENSE_REPORT_VALIDATE=Expense report validated (approval required)
-Notify_EXPENSE_REPORT_APPROVE=Expense report approved
-Notify_HOLIDAY_VALIDATE=Leave request validated (approval required)
-Notify_HOLIDAY_APPROVE=Leave request approved
-SeeModuleSetup=See setup of module %s
-NbOfAttachedFiles=Number of attached files/documents
-TotalSizeOfAttachedFiles=Total size of attached files/documents
-MaxSize=Maximum size
-AttachANewFile=Attach a new file/document
-LinkedObject=Linked object
-NbOfActiveNotifications=Number of notifications (no. of recipient emails)
-PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe lines are separated by a carriage return.\n\n__USER_SIGNATURE__
-PredefinedMailTestHtml=__(Hello)__ This is a test mail sent to __EMAIL__ (the word test must be in bold). The lines are separated by a carriage return.
__USER_SIGNATURE__
-PredefinedMailContentContract=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
-PredefinedMailContentSendInvoice=__(Hello)__\n\nPlease find invoice __REF__ attached \n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
-PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to remind you that the invoice __REF__ seems to have not been paid. A copy of the invoice is attached as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
-PredefinedMailContentSendProposal=__(Hello)__\n\nPlease find commercial proposal __REF__ attached \n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
-PredefinedMailContentSendSupplierProposal=__(Hello)__\n\nPlease find price request __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
-PredefinedMailContentSendOrder=__(Hello)__\n\nPlease find order __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
-PredefinedMailContentSendSupplierOrder=__(Hello)__\n\nPlease find our order __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
-PredefinedMailContentSendSupplierInvoice=__(Hello)__\n\nPlease find invoice __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
-PredefinedMailContentSendShipping=__(Hello)__\n\nPlease find shipping __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
-PredefinedMailContentSendFichInter=__(Hello)__\n\nPlease find intervention __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
-PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.\n\n%s\n\n
-PredefinedMailContentGeneric=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
-DemoDesc=Dolibarr is a compact ERP/CRM supporting several business modules. A demo showcasing all modules makes no sense as this scenario never occurs (several hundred available). So, several demo profiles are available.
-ChooseYourDemoProfil=Choose the demo profile that best suits your needs...
-ChooseYourDemoProfilMore=...or build your own profile (manual module selection)
-DemoFundation=Manage members of a foundation
-DemoFundation2=Manage members and bank account of a foundation
-DemoCompanyServiceOnly=Company or freelance selling service only
-DemoCompanyShopWithCashDesk=Manage a shop with a cash desk
-DemoCompanyProductAndStocks=Shop selling products with Point Of Sales
-DemoCompanyManufacturing=Company manufacturing products
-DemoCompanyAll=Company with multiple activities (all main modules)
-CreatedBy=Created by %s
-ModifiedBy=Modified by %s
-ValidatedBy=Validated by %s
-ClosedBy=Closed by %s
-CreatedById=User id who created
-ModifiedById=User id who made latest change
-ValidatedById=User id who validated
-CanceledById=User id who canceled
-ClosedById=User id who closed
-CreatedByLogin=User login who created
-ModifiedByLogin=User login who made latest change
-ValidatedByLogin=User login who validated
-CanceledByLogin=User login who canceled
-ClosedByLogin=User login who closed
-FileWasRemoved=File %s was removed
-DirWasRemoved=Directory %s was removed
-FeatureNotYetAvailable=Feature not yet available in the current version
-FeaturesSupported=Supported features
-Width=Width
-Height=Height
-Depth=Depth
-Top=Top
-Bottom=Bottom
-Left=Left
-Right=Right
-CalculatedWeight=Calculated weight
-CalculatedVolume=Calculated volume
-Weight=Weight
-WeightUnitton=tonne
+SecurityCode=Código seguridade
+NumberingShort=Nº
+Tools=Utilidades
+TMenuTools=Utilidades
+ToolsDesc=Todas as utilidades que non están incluidas noutras entradas do menú atópanse aquí. Todas as utilidades están dispoñibles no menú da esquerda.
+Birthday=Aniversario
+BirthdayAlertOn=Alerta de aniversario activa
+BirthdayAlertOff=Alerta de aniversario inactiva
+TransKey=Tradución da clave TransKey
+MonthOfInvoice=Mes (número 1-12) da data da factura
+TextMonthOfInvoice=Mes (texto) da data da factura
+PreviousMonthOfInvoice=Mes anterior (número 1-12) da data da factura
+TextPreviousMonthOfInvoice=Mes anterior (texto) da data da factura
+NextMonthOfInvoice=Mes seguinte (número 1-12) da data da factura
+TextNextMonthOfInvoice=Mes seguinte (texto) da data da factura
+PreviousMonth=Mes previo
+CurrentMonth=Mes actual
+ZipFileGeneratedInto=Ficheiro zip xerado en %s.
+DocFileGeneratedInto=Ficheiro documento xerado en %s.
+JumpToLogin=Desconectado. Ir á páxina de inicio de sesión ...
+MessageForm=Mensaxe no formulario de pago en liña
+MessageOK=Mensaxe na páxina de retorno de pago confirmado
+MessageKO=Mensaxe na páxina de retorno de pago cancelado
+ContentOfDirectoryIsNotEmpty=O contido deste directorio non está baleiro
+DeleteAlsoContentRecursively=Comprobe para eliminar todo o contido recursivamente
+PoweredBy=Fornecido by
+YearOfInvoice=Ano da data da factura
+PreviousYearOfInvoice=Ano previo da data da factura
+NextYearOfInvoice=Ano seguinte da data da factura
+DateNextInvoiceBeforeGen=Data da próxima factura (antes da xeración)
+DateNextInvoiceAfterGen=Data da próxima factura (despois da xeración)
+GraphInBarsAreLimitedToNMeasures=Os gráficos están limitados ao % medidos en modo "Barras". O modo 'Liñas' foi automáticamente seleccionado no seu lugar.
+OnlyOneFieldForXAxisIsPossible=Actualmente só e posible 1 campo como eixo X. Só escolleu o primeiro campo seleccionado.
+AtLeastOneMeasureIsRequired=Requírese polo menos1 campo para medir
+AtLeastOneXAxisIsRequired=Reuírese polo menos un campo para o eixo X
+LatestBlogPosts=Última publicación no blog
+Notify_ORDER_VALIDATE=Validación pedimento cliente
+Notify_ORDER_SENTBYMAIL=Envío pedimento do cliente por correo electrónico
+Notify_ORDER_SUPPLIER_SENTBYMAIL=Envío pedimento ao provedor por correo electrónico
+Notify_ORDER_SUPPLIER_VALIDATE=Pedimento a provedor aprobado
+Notify_ORDER_SUPPLIER_APPROVE=Pedimento a provedor aprobado
+Notify_ORDER_SUPPLIER_REFUSE=Pedimento a provedor rexeitado
+Notify_PROPAL_VALIDATE=Validación orzamento cliente
+Notify_PROPAL_CLOSE_SIGNED=Orzamento cliente pechado como asinado
+Notify_PROPAL_CLOSE_REFUSED=Orzamento cliente pechado como rexeitado
+Notify_PROPAL_SENTBYMAIL=Envío orzamento cliente por correo electrónico
+Notify_WITHDRAW_TRANSMIT=Transmisión domiciliación
+Notify_WITHDRAW_CREDIT=Abono domiciliación
+Notify_WITHDRAW_EMIT=Emisión domiciliación
+Notify_COMPANY_CREATE=Creación terceiro
+Notify_COMPANY_SENTBYMAIL=Correos enviados dende a ficha do terceiro
+Notify_BILL_VALIDATE=Validada factura a cliente
+Notify_BILL_UNVALIDATE=Non validade factura a cliente
+Notify_BILL_PAYED=Factura do cliente pagada
+Notify_BILL_CANCEL=Cancelación factura a cliente
+Notify_BILL_SENTBYMAIL=Envío factura a cliente por correo electrónico
+Notify_BILL_SUPPLIER_VALIDATE=Validación factura de provedor
+Notify_BILL_SUPPLIER_PAYED=Factura do provedor pagada
+Notify_BILL_SUPPLIER_SENTBYMAIL=Envío factura de provedor por correo electrónico
+Notify_BILL_SUPPLIER_CANCELED=Factura del provedor cancelada
+Notify_CONTRACT_VALIDATE=Validación contrato
+Notify_FICHINTER_VALIDATE=Intervención validada
+Notify_FICHINTER_ADD_CONTACT=Contacto engadido a intervención
+Notify_FICHINTER_SENTBYMAIL=Intervención enviada por correo electrónico
+Notify_SHIPPING_VALIDATE=Envío validado
+Notify_SHIPPING_SENTBYMAIL=Expedición enviada por correo electrónico
+Notify_MEMBER_VALIDATE=Membro validado
+Notify_MEMBER_MODIFY=Membro modificado
+Notify_MEMBER_SUBSCRIPTION=Membro afiliado
+Notify_MEMBER_RESILIATE=Membro de baixa
+Notify_MEMBER_DELETE=Eliminación membro
+Notify_PROJECT_CREATE=Creación de proxecto
+Notify_TASK_CREATE=Tarefa creada
+Notify_TASK_MODIFY=Tarefa modificada
+Notify_TASK_DELETE=Tarefa eliminada
+Notify_EXPENSE_REPORT_VALIDATE=Informe de gastos validado (requírese aprobación)
+Notify_EXPENSE_REPORT_APPROVE=Informe de gastos aprobado
+Notify_HOLIDAY_VALIDATE=Petición días libres validada (requírese aprobación)
+Notify_HOLIDAY_APPROVE=Petición días libres aprobada
+SeeModuleSetup=Vexa a configuración do módulo %s
+NbOfAttachedFiles=Número ficheiros/documentos axuntados
+TotalSizeOfAttachedFiles=Tamaño total dos ficheiros/documentos axuntados
+MaxSize=Tamaño máximo
+AttachANewFile=Axuntar novo ficheiro/documento
+LinkedObject=Obxecto ligado
+NbOfActiveNotifications=Número de notificacións (nº de destinatarios)
+PredefinedMailTest=__(Hello)__\nEste é un correo de proba enviado a __EMAIL__.\nAs dúas liñas están separadas por un retorno de carro.\n\n__USER_SIGNATURE__
+PredefinedMailTestHtml=__(Hello)__\nEste é un correo de proba (a palabra proba debe estar en negrita). As dúas liñas están separadas por un retorno de carro.
__USER_SIGNATURE__
+PredefinedMailContentContract=__(Ola)__\n\n\n__(Sinceiramente)__\n\n__USER_SIGNATURE__
+PredefinedMailContentSendInvoice=__(Hello)__\n\nAquí atopará a factura __REF__\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
+PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nGostariamos de advertirlle que a factura __REF__ parece non estar paga. Así que enviamoslle de novo a factura no ficheiro axuntado, coma un recordatorio.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
+PredefinedMailContentSendProposal=__(Hello)__\n\nPoñémonos en contacto con vostede para facilitarlle o orzamento __PREF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
+PredefinedMailContentSendSupplierProposal=__(Hello)__\n\nPoñémonos en contacto con vostede para facilitarlle o orzamento __PREF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
+PredefinedMailContentSendOrder=__(Hello)__\n\nPoñémonos en contacto con vostede para facilitarlle o pedimento __PREF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
+PredefinedMailContentSendSupplierOrder=__(Hello)__\n\nPoñémonos en contacto con vostede para facilitarlle o pedimento __PREF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
+PredefinedMailContentSendSupplierInvoice=__(Hello)__\n\nPoñémonos en contacto con vostede para facilitarlle a factura __PREF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
+PredefinedMailContentSendShipping=__(Hello)__\n\nPoñémonos en contacto con vostede para facilitarlle o envío __PREF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
+PredefinedMailContentSendFichInter=__(Hello)__\n\nPoñémonos en contacto con vostede para facilitarllea intervención __PREF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
+PredefinedMailContentLink=Pode facer clic na seguinte ligazón para realizar o seu pago, se aínda non o fixo.\n\n%s\n\n
+PredefinedMailContentGeneric=__(Hello)__\n\n\n__(Sinceiramente)__\n\n__USER_SIGNATURE__
+PredefinedMailContentSendActionComm=Lembranza do evento "__EVENT_LABEL__" on __EVENT_DATE__ at __EVENT_TIME__
Está é uynha mensaxe automática, prégase non respostar.
+DemoDesc=Dolibarr é un ERP/CRM que suporta varios módulos de negocio. Non ten sentido unha demostración que amose xa que este escenario non sucede nunca (varios centos dispoñibles). Así, hai varios perfís dispoñibles de demostración.
+ChooseYourDemoProfil=Escolla o perfil de demostración que mellor se adapte as súas necesidades ...
+ChooseYourDemoProfilMore=... ou constrúa seu perfil (modo de selección manual)
+DemoFundation=Xestión de membros dunha asociación
+DemoFundation2=Xestión de membros e contas bancarias dunha asociación
+DemoCompanyServiceOnly=Empresa ou traballador por conta propia vendendo só servizos
+DemoCompanyShopWithCashDesk=Xestión dunha tenda con caixa
+DemoCompanyProductAndStocks=Empresa vendendo produtos con punto de venda
+DemoCompanyManufacturing=Empresa fabricadora de produtos
+DemoCompanyAll=Empresa con actividades múltiples (todos os módulos principais)
+CreatedBy=Creado por %s
+ModifiedBy=Modificado por %s
+ValidatedBy=Validado por %s
+ClosedBy=Pechado por %s
+CreatedById=Id usuario que foi creado
+ModifiedById=Id de usuario no que foi realizado último cambio
+ValidatedById=Id usuario que validou
+CanceledById=Id usuario que canelou
+ClosedById=Id usuario que pechou
+CreatedByLogin=Login usuario que creou
+ModifiedByLogin=Login de usuario que fixo o último cambio
+ValidatedByLogin=Login usuario que validou
+CanceledByLogin=Login usuario que cancelou
+ClosedByLogin=Login usuario que pechou
+FileWasRemoved=O arquivo %s foi eliminado
+DirWasRemoved=O directorio %s foi eliminado
+FeatureNotYetAvailable=Funcionalidade ainda non dispoñible nesta versión actual
+FeaturesSupported=Funcionalidades dispoñibles
+Width=Ancho
+Height=Alto
+Depth=Fondo
+Top=Superior
+Bottom=Inferior
+Left=Esquerda
+Right=Dereita
+CalculatedWeight=Peso calculado
+CalculatedVolume=Volume calculado
+Weight=Peso
+WeightUnitton=tonelada
WeightUnitkg=kg
WeightUnitg=g
WeightUnitmg=mg
-WeightUnitpound=pound
-WeightUnitounce=ounce
-Length=Length
+WeightUnitpound=libra
+WeightUnitounce=onza
+Length=Lonxitude
LengthUnitm=m
LengthUnitdm=dm
LengthUnitcm=cm
LengthUnitmm=mm
-Surface=Area
+Surface=Área
SurfaceUnitm2=m²
SurfaceUnitdm2=dm²
SurfaceUnitcm2=cm²
@@ -162,125 +163,126 @@ VolumeUnitcm3=cm³ (ml)
VolumeUnitmm3=mm³ (µl)
VolumeUnitfoot3=ft³
VolumeUnitinch3=in³
-VolumeUnitounce=ounce
-VolumeUnitlitre=litre
-VolumeUnitgallon=gallon
+VolumeUnitounce=onza
+VolumeUnitlitre=litro
+VolumeUnitgallon=galón
SizeUnitm=m
SizeUnitdm=dm
SizeUnitcm=cm
SizeUnitmm=mm
-SizeUnitinch=inch
-SizeUnitfoot=foot
-SizeUnitpoint=point
-BugTracker=Bug tracker
-SendNewPasswordDesc=This form allows you to request a new password. It will be sent to your email address. Change will become effective once you click on the confirmation link in the email. Check your inbox.
-BackToLoginPage=Back to login page
-AuthenticationDoesNotAllowSendNewPassword=Authentication mode is %s. In this mode, Dolibarr can't know nor change your password. Contact your system administrator if you want to change your password.
-EnableGDLibraryDesc=Install or enable GD library on your PHP installation to use this option.
-ProfIdShortDesc=Prof Id %s is an information depending on third party country. For example, for country %s, it's code %s.
-DolibarrDemo=Dolibarr ERP/CRM demo
-StatsByNumberOfUnits=Statistics for sum of qty of products/services
-StatsByNumberOfEntities=Statistics in number of referring entities (no. of invoice, or order...)
-NumberOfProposals=Number of proposals
-NumberOfCustomerOrders=Number of sales orders
-NumberOfCustomerInvoices=Number of customer invoices
-NumberOfSupplierProposals=Number of vendor proposals
-NumberOfSupplierOrders=Number of purchase orders
-NumberOfSupplierInvoices=Number of vendor invoices
-NumberOfContracts=Number of contracts
-NumberOfMos=Number of manufacturing orders
-NumberOfUnitsProposals=Number of units on proposals
-NumberOfUnitsCustomerOrders=Number of units on sales orders
-NumberOfUnitsCustomerInvoices=Number of units on customer invoices
-NumberOfUnitsSupplierProposals=Number of units on vendor proposals
-NumberOfUnitsSupplierOrders=Number of units on purchase orders
-NumberOfUnitsSupplierInvoices=Number of units on vendor invoices
-NumberOfUnitsContracts=Number of units on contracts
-NumberOfUnitsMos=Number of units to produce in manufacturing orders
-EMailTextInterventionAddedContact=A new intervention %s has been assigned to you.
-EMailTextInterventionValidated=The intervention %s has been validated.
-EMailTextInvoiceValidated=Invoice %s has been validated.
-EMailTextInvoicePayed=Invoice %s has been paid.
-EMailTextProposalValidated=Proposal %s has been validated.
-EMailTextProposalClosedSigned=Proposal %s has been closed signed.
-EMailTextOrderValidated=Order %s has been validated.
-EMailTextOrderApproved=Order %s has been approved.
-EMailTextOrderValidatedBy=Order %s has been recorded by %s.
-EMailTextOrderApprovedBy=Order %s has been approved by %s.
-EMailTextOrderRefused=Order %s has been refused.
-EMailTextOrderRefusedBy=Order %s has been refused by %s.
-EMailTextExpeditionValidated=Shipping %s has been validated.
-EMailTextExpenseReportValidated=Expense report %s has been validated.
-EMailTextExpenseReportApproved=Expense report %s has been approved.
-EMailTextHolidayValidated=Leave request %s has been validated.
-EMailTextHolidayApproved=Leave request %s has been approved.
-ImportedWithSet=Importation data set
-DolibarrNotification=Automatic notification
-ResizeDesc=Enter new width OR new height. Ratio will be kept during resizing...
-NewLength=New width
-NewHeight=New height
-NewSizeAfterCropping=New size after cropping
-DefineNewAreaToPick=Define new area on image to pick (left click on image then drag until you reach the opposite corner)
-CurrentInformationOnImage=This tool was designed to help you to resize or crop an image. This is the information on the current edited image
-ImageEditor=Image editor
-YouReceiveMailBecauseOfNotification=You receive this message because your email has been added to list of targets to be informed of particular events into %s software of %s.
-YouReceiveMailBecauseOfNotification2=This event is the following:
-ThisIsListOfModules=This is a list of modules preselected by this demo profile (only most common modules are visible in this demo). Edit this to have a more personalized demo and click on "Start".
-UseAdvancedPerms=Use the advanced permissions of some modules
-FileFormat=File format
-SelectAColor=Choose a color
-AddFiles=Add Files
-StartUpload=Start upload
-CancelUpload=Cancel upload
-FileIsTooBig=Files is too big
-PleaseBePatient=Please be patient...
-NewPassword=New password
-ResetPassword=Reset password
-RequestToResetPasswordReceived=A request to change your password has been received.
-NewKeyIs=This is your new keys to login
-NewKeyWillBe=Your new key to login to software will be
-ClickHereToGoTo=Click here to go to %s
-YouMustClickToChange=You must however first click on the following link to validate this password change
-ForgetIfNothing=If you didn't request this change, just forget this email. Your credentials are kept safe.
-IfAmountHigherThan=If amount higher than %s
-SourcesRepository=Repository for sources
-Chart=Chart
-PassEncoding=Password encoding
-PermissionsAdd=Permissions added
-PermissionsDelete=Permissions removed
-YourPasswordMustHaveAtLeastXChars=Your password must have at least %s chars
-YourPasswordHasBeenReset=Your password has been reset successfully
-ApplicantIpAddress=IP address of applicant
-SMSSentTo=SMS sent to %s
-MissingIds=Missing ids
-ThirdPartyCreatedByEmailCollector=Third party created by email collector from email MSGID %s
-ContactCreatedByEmailCollector=Contact/address created by email collector from email MSGID %s
-ProjectCreatedByEmailCollector=Project created by email collector from email MSGID %s
-TicketCreatedByEmailCollector=Ticket created by email collector from email MSGID %s
-OpeningHoursFormatDesc=Use a - to separate opening and closing hours. Use a space to enter different ranges. Example: 8-12 14-18
+SizeUnitinch=pulgada
+SizeUnitfoot=pe
+SizeUnitpoint=punto
+BugTracker=Incidencias
+SendNewPasswordDesc=Este formulario permítelle solicitar un novo contrasinal. Enviarase ao seu enderezo de correo electrónico. O cambio será efectivo unha vez faga clic na ligazón de confirmación do correo electrónico. Comprobe a súa caixa de entrada.
+BackToLoginPage=Voltar á páxina de inicio de sesión
+AuthenticationDoesNotAllowSendNewPassword=O modo de autenticación é % s . Neste modo, Dolibarr non pode saber nin cambiar o seu contrasinal. Póñase en contacto co administrador do sistema se quere cambiar o seu contrasinal.
+EnableGDLibraryDesc=Instalar ou habilitar a biblioteca GD na súa instalación de PHP para usar esta opción.
+ProfIdShortDesc= Id. Profesional% s é unha información que depende dun país de terceiros. Por exemplo, para o país % s , é o código % s b>.
+DolibarrDemo=Demo de Dolibarr ERP/CRM
+StatsByNumberOfUnits=Estatísticas para suma de unidades de produto/servizo
+StatsByNumberOfEntities=Estatísticas en número de identidades referentes (nº de facturas o pedimentos...)
+NumberOfProposals=Número de pedimentos
+NumberOfCustomerOrders=Número de pedimentos de clientes
+NumberOfCustomerInvoices=Número de facturas a clientes
+NumberOfSupplierProposals=Número de orzamentos de provedores
+NumberOfSupplierOrders=Número de pedimentos a provedores
+NumberOfSupplierInvoices=Número de facturas de provedores
+NumberOfContracts=Número de contratos
+NumberOfMos=Número de pedimentos de fabricación
+NumberOfUnitsProposals=Número de unidades nos orzamentos a clientes
+NumberOfUnitsCustomerOrders=Número de unidades nos pedimentos de clientes
+NumberOfUnitsCustomerInvoices=Número de unidades nas facturas a clientes
+NumberOfUnitsSupplierProposals=Número de unidades nos orzamentos de provedores
+NumberOfUnitsSupplierOrders=Número de unidades nos pedimentos de provedores
+NumberOfUnitsSupplierInvoices=Número de unidades nas facturas de provedores
+NumberOfUnitsContracts=Número de unidades en contratos
+NumberOfUnitsMos=Número de unidades a producir nos pedimentos de fabricación
+EMailTextInterventionAddedContact=Unha nova intervencións %s foi asignada a vostede
+EMailTextInterventionValidated=Ficha intervención %s validada
+EMailTextInvoiceValidated=Factura %s validada
+EMailTextInvoicePayed=A factura %s foi pagada.
+EMailTextProposalValidated=O orzamento %s do seu interese foi validado.
+EMailTextProposalClosedSigned=O orzamento %s foi pechado e asinado
+EMailTextOrderValidated=Pedimento %s validado.
+EMailTextOrderApproved=Pedimento %s aprobado
+EMailTextOrderValidatedBy=Pedimento %s rexistrado por %s.
+EMailTextOrderApprovedBy=Pedimento %s aprobado por %s
+EMailTextOrderRefused=Pedimento %s rexeitado
+EMailTextOrderRefusedBy=Pedimento %s rexeitado por %s
+EMailTextExpeditionValidated=Envío %s validado.
+EMailTextExpenseReportValidated=Informe de gastos %s validado.
+EMailTextExpenseReportApproved=Informe de gastos %s aprobado.
+EMailTextHolidayValidated=Petición de días libres %s validada.
+EMailTextHolidayApproved=Petición de días libres %s aprobada.
+ImportedWithSet=Lote de importación
+DolibarrNotification=Notificación automática
+ResizeDesc=Introduza o novo ancho O a nova altura. A relación conservase ao cambiar o tamaño ...
+NewLength=Novo ancho
+NewHeight=Nova altura
+NewSizeAfterCropping=Novas dimensións desois de recortar
+DefineNewAreaToPick=Establezca la zona de imagen a conservar (clic izquierdo sobre la imagen y arrastre hasta la esquina opuesta)
+CurrentInformationOnImage=Esta herramienta le permite cambiar el tamaño o cuadrar la imagen. Aquí hay información sobre la imagen que se está editando
+ImageEditor=Editor de imaxe
+YouReceiveMailBecauseOfNotification=Vostede está a recibir esta mensaxe porque o seu correo electrónico está subscrito a algunhas notificacións automáticas para informalo acerca de eventos especiais do programa %s de %s.
+YouReceiveMailBecauseOfNotification2=O evento en cuestión é o seguinte:
+ThisIsListOfModules=Amosámoslle un listado de módulos preseleccionados para este perfil de demostración (nesta demo só os mais comúns son accesibles). Axuste as súas preferencias e faga clic en "Iniciar".
+UseAdvancedPerms=Usar os dereitos avanzados nos permisos dalgúns módulos
+FileFormat=Formato de ficheiro
+SelectAColor=Escolla unha cor
+AddFiles=Engadir ficheiros
+StartUpload=Transferir
+CancelUpload=Cancelar a transferencia
+FileIsTooBig=O ficheiro é grande de mais
+PleaseBePatient=Pregamos sexa paciente...
+NewPassword=Novo contrasinal
+ResetPassword=Renovar contrasinal
+RequestToResetPasswordReceived=Foi recibida unha solicitude para cambiar o seu contrasinal de Dolibarr
+NewKeyIs=Este é o seu novo contrasinal para iniciar sesión
+NewKeyWillBe=O seu novo contradinal para iniciar sesión no software será
+ClickHereToGoTo=Faga click aquí para ir a %s
+YouMustClickToChange=Porén, debe facer click primeiro na seguinte ligazón para validar este cambio de contrasinal
+ForgetIfNothing=Se vostede non ten solicitado este cambio, simplemente ignore este correo electrónico. A súas credenciais son gardadas de forma segura.
+IfAmountHigherThan=Se o importe é maior que %s
+SourcesRepository=Repositorio das fontes
+Chart=Gráfico
+PassEncoding=Cifrado de contrasinal
+PermissionsAdd=Permisos engadidos
+PermissionsDelete=Permisos eliminados
+YourPasswordMustHaveAtLeastXChars=O seu contrasinal debe ter alo menos %s caracteres
+YourPasswordHasBeenReset=O seu contrasinal foi restablecido con éxito
+ApplicantIpAddress=Enderezo IP do solicitante
+SMSSentTo=SMS enviado a %s
+MissingIds=IDs perdidos
+ThirdPartyCreatedByEmailCollector=Terceiro creado polo recolector de correos electrónicos do MSGID de correo electrónico %s
+ContactCreatedByEmailCollector=Contacto/enderezo creado polo recolector de correos electrónicos do MSGID de correo electrónico %s
+ProjectCreatedByEmailCollector=Proxecto creado polo recolector de correos electrónicos do MSGID de correo electrónico %s
+TicketCreatedByEmailCollector=Ticket creado polo recolector de correos electrónicos do MSGID de correo electrónico %s
+OpeningHoursFormatDesc=Use o - para separar horario de apertura e peche. Use o espazo para engadir diferentes rangos. Exemplo: 8-12 14-18
+PrefixSession=Prefixo do Id da sesión
##### Export #####
-ExportsArea=Exports area
-AvailableFormats=Available formats
-LibraryUsed=Library used
-LibraryVersion=Library version
-ExportableDatas=Exportable data
-NoExportableData=No exportable data (no modules with exportable data loaded, or missing permissions)
+ExportsArea=Área de exportación
+AvailableFormats=Formatos dispoñibles
+LibraryUsed=Librería utilizada
+LibraryVersion=Versión librería
+ExportableDatas=Datos exportables
+NoExportableData=Non hai datos exportables (sen módulos con datos exportables cargados, ou non teñen permisos)
##### External sites #####
-WebsiteSetup=Setup of module website
-WEBSITE_PAGEURL=URL of page
+WebsiteSetup=Configuración do módulo website
+WEBSITE_PAGEURL=URL da páxina
WEBSITE_TITLE=Título
WEBSITE_DESCRIPTION=Descrición
-WEBSITE_IMAGE=Image
-WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a thumbnail in a list of blog posts). Use __WEBSITE_KEY__ in the path if path depends on website name (for example: image/__WEBSITE_KEY__/stories/myimage.png).
-WEBSITE_KEYWORDS=Keywords
-LinesToImport=Lines to import
+WEBSITE_IMAGE=Imaxe
+WEBSITE_IMAGEDesc=Ruta relativa das imaxes. Pode mantela baleira, rara vez ten uso (pode ser usada polo contido dinámico para amosar una vista previa dunha listaxe de publicacións de blog). Use __WEBSITE_KEY__ no path se o path depende do nome do sitio web
+WEBSITE_KEYWORDS=Chaves
+LinesToImport=Liñas a importar
-MemoryUsage=Memory usage
-RequestDuration=Duration of request
-ProductsPerPopularity=Products/Services by popularity
-PopuProp=Products/Services by popularity in Proposals
-PopuCom=Products/Services by popularity in Orders
-ProductStatistics=Products/Services Statistics
-NbOfQtyInOrders=Qty in orders
-SelectTheTypeOfObjectToAnalyze=Select the type of object to analyze...
+MemoryUsage=Uso de memoria
+RequestDuration=Duración da solicitude
+ProductsPerPopularity=Produtos/Servizos por popularidade
+PopuProp=Produtos/Servizos por popularidade en Orzamentos
+PopuCom=Produtos/Servizos por popularidade e Pedimentos
+ProductStatistics=Estatísticas de Produtos/Servizos
+NbOfQtyInOrders=Cantidade en pedimentos
+SelectTheTypeOfObjectToAnalyze=Seleccione o tipo de obxecto a nalizar...
diff --git a/htdocs/langs/gl_ES/paypal.lang b/htdocs/langs/gl_ES/paypal.lang
index 5eb5f389445..ff13805b09a 100644
--- a/htdocs/langs/gl_ES/paypal.lang
+++ b/htdocs/langs/gl_ES/paypal.lang
@@ -1,36 +1,36 @@
# Dolibarr language file - Source file is en_US - paypal
-PaypalSetup=PayPal module setup
-PaypalDesc=This module allows payment by customers via PayPal. This can be used for a ad-hoc payment or for a payment related to a Dolibarr object (invoice, order, ...)
-PaypalOrCBDoPayment=Pay with PayPal (Card or PayPal)
-PaypalDoPayment=Pay with PayPal
-PAYPAL_API_SANDBOX=Mode test/sandbox
-PAYPAL_API_USER=API username
-PAYPAL_API_PASSWORD=API password
-PAYPAL_API_SIGNATURE=API signature
-PAYPAL_SSLVERSION=Curl SSL Version
-PAYPAL_API_INTEGRAL_OR_PAYPALONLY=Offer "integral" payment (Credit card+PayPal) or "PayPal" only
+PaypalSetup=Configuración do módulo PayPal
+PaypalDesc=Este módulo permite pagos de clientes vía Paypal. Isto pode usarse para realizar calquera pago en relación cun obxecto Dolibarr (facturas, pedimentos ...)
+PaypalOrCBDoPayment=Pagar con Paypal (tarxeta ou Paypal)
+PaypalDoPayment=Pago mediante Paypal
+PAYPAL_API_SANDBOX=Modo de probas/sandbox
+PAYPAL_API_USER=Nome usuario API
+PAYPAL_API_PASSWORD=Contrasinal API
+PAYPAL_API_SIGNATURE=Sinatura API
+PAYPAL_SSLVERSION=Versión Curl SSL
+PAYPAL_API_INTEGRAL_OR_PAYPALONLY=Propor pago integral (Tarxeta+Paypal) ou só Paypal
PaypalModeIntegral=Integral
-PaypalModeOnlyPaypal=PayPal only
-ONLINE_PAYMENT_CSS_URL=Optional URL of CSS stylesheet on online payment page
-ThisIsTransactionId=This is id of transaction: %s
-PAYPAL_ADD_PAYMENT_URL=Include the PayPal payment url when you send a document by email
-NewOnlinePaymentReceived=New online payment received
-NewOnlinePaymentFailed=New online payment tried but failed
-ONLINE_PAYMENT_SENDEMAIL=Email address for notifications after each payment attempt (for success and fail)
-ReturnURLAfterPayment=Return URL after payment
-ValidationOfOnlinePaymentFailed=Validation of online payment failed
-PaymentSystemConfirmPaymentPageWasCalledButFailed=Payment confirmation page was called by payment system returned an error
-SetExpressCheckoutAPICallFailed=SetExpressCheckout API call failed.
-DoExpressCheckoutPaymentAPICallFailed=DoExpressCheckoutPayment API call failed.
-DetailedErrorMessage=Detailed Error Message
-ShortErrorMessage=Short Error Message
-ErrorCode=Error Code
-ErrorSeverityCode=Error Severity Code
-OnlinePaymentSystem=Online payment system
-PaypalLiveEnabled=PayPal "live" mode enabled (otherwise test/sandbox mode)
-PaypalImportPayment=Import PayPal payments
-PostActionAfterPayment=Post actions after payments
-ARollbackWasPerformedOnPostActions=A rollback was performed on all Post actions. You must complete post actions manually if they are necessary.
-ValidationOfPaymentFailed=Validation of payment has failed
-CardOwner=Card holder
-PayPalBalance=Paypal credit
+PaypalModeOnlyPaypal=Só PayPal
+ONLINE_PAYMENT_CSS_URL=URL ou CSS opcional da folla de estilo na páxina de pago en liña
+ThisIsTransactionId=Identificador da transacción: %s
+PAYPAL_ADD_PAYMENT_URL=Engadir a url del pago Paypal ao enviar un documento por correo electrónico
+NewOnlinePaymentReceived=Nuevo pago en liña recibido
+NewOnlinePaymentFailed=Intentouse un novo pago en liña pero fallou
+ONLINE_PAYMENT_SENDEMAIL=Enderezo de correo electrónico a notificar no caso de intento de pago (con éxito ou non)
+ReturnURLAfterPayment=URL de retorno despois do pago
+ValidationOfOnlinePaymentFailed=Fallou a validación do pago en liña
+PaymentSystemConfirmPaymentPageWasCalledButFailed=A páxina de confirmación de pago foi chamada polo sistema de pago devolveu un erro
+SetExpressCheckoutAPICallFailed=Chamada á API SetExpressCheckout fallou.
+DoExpressCheckoutPaymentAPICallFailed=Chamada á API DoExpressCheckoutPayment fallou.
+DetailedErrorMessage=Detalle da mensaxe de erro
+ShortErrorMessage=Mensaxe curto de erro
+ErrorCode=Código do erro
+ErrorSeverityCode=Gravidade do código de erro
+OnlinePaymentSystem=Sistema de pago online
+PaypalLiveEnabled=Paypal en vivo habilitado (do contrario, modo proba/sandbox)
+PaypalImportPayment=Importe pagos Paypal
+PostActionAfterPayment=Accións despois dos pagos
+ARollbackWasPerformedOnPostActions=Foi executada unha reversión en todas as accións. Debe completar as acciones de publicación manualmente se son precisas.
+ValidationOfPaymentFailed=Avalidación do pago Paypal fallou
+CardOwner=Titular da tarxeta
+PayPalBalance=Crédito paypal
diff --git a/htdocs/langs/gl_ES/printing.lang b/htdocs/langs/gl_ES/printing.lang
index 97d17227276..19739ba42ba 100644
--- a/htdocs/langs/gl_ES/printing.lang
+++ b/htdocs/langs/gl_ES/printing.lang
@@ -43,12 +43,12 @@ IPP_State_reason1=Razon 1 do estado
IPP_BW=Branco e negro
IPP_Color=Cor
IPP_Device=Dispositivo
-IPP_Media=Printer media
-IPP_Supported=Type of media
-DirectPrintingJobsDesc=This page lists printing jobs found for available printers.
-GoogleAuthNotConfigured=Google OAuth has not been setup. Enable module OAuth and set a Google ID/Secret.
-GoogleAuthConfigured=Google OAuth credentials were found into setup of module OAuth.
-PrintingDriverDescprintgcp=Configuration variables for printing driver Google Cloud Print.
-PrintingDriverDescprintipp=Configuration variables for printing driver Cups.
-PrintTestDescprintgcp=List of Printers for Google Cloud Print.
-PrintTestDescprintipp=List of Printers for Cups.
+IPP_Media=Impresora
+IPP_Supported=Tipo de soporte
+DirectPrintingJobsDesc=Esta páxina enumera os traballos de impresión atopados nas impresoras dispoñibles.
+GoogleAuthNotConfigured=Google OAuth non se configurou. Habilite o módulo OAuth e configure un ID/segredo de Google.
+GoogleAuthConfigured=As credenciais de Google OAuth atopáronse na configuración do módulo OAuth.
+PrintingDriverDescprintgcp=Variables de configuración para o controlador de impresión Google Cloud Print.
+PrintingDriverDescprintipp=Variables de configuración de drivers para impresoras Cups
+PrintTestDescprintgcp=Listaxe de impresoras para Google Cloud Print.
+PrintTestDescprintipp=Listaxe de impresoras para servidor Cups
diff --git a/htdocs/langs/gl_ES/products.lang b/htdocs/langs/gl_ES/products.lang
index 585ebaf1788..0639c3bfb70 100644
--- a/htdocs/langs/gl_ES/products.lang
+++ b/htdocs/langs/gl_ES/products.lang
@@ -2,7 +2,7 @@
ProductRef=Ref. produto
ProductLabel=Etiqueta produto
ProductLabelTranslated=Tradución etiqueta de produto
-ProductDescription=Product description
+ProductDescription=Descrición do produto
ProductDescriptionTranslated=Tradución da descrición de produto
ProductNoteTranslated=Tradución notas de produto
ProductServiceCard=Ficha Produto/Servizo
@@ -18,12 +18,12 @@ Reference=Referencia
NewProduct=Novo produto
NewService=Novo servizo
ProductVatMassChange=Cambio de IVE masivo
-ProductVatMassChangeDesc=This tool updates the VAT rate defined on ALL products and services!
-MassBarcodeInit=Mass barcode init
-MassBarcodeInitDesc=This page can be used to initialize a barcode on objects that does not have barcode defined. Check before that setup of module barcode is complete.
+ProductVatMassChangeDesc=Esta ferramenta actualiza o tipo de IVE definido en ALLprodutos e servizos
+MassBarcodeInit=Inicio masivo de código de barras
+MassBarcodeInitDesc=Esta páxina pódese usar para inicializar un código de barras en obxectos que non teñen definido un código de barras. Comprobe antes de completar a configuración do código de barras do módulo.
ProductAccountancyBuyCode=Código contable (compra)
-ProductAccountancyBuyIntraCode=Accounting code (purchase intra-community)
-ProductAccountancyBuyExportCode=Accounting code (purchase import)
+ProductAccountancyBuyIntraCode=Código contable (compra intra-comunitaria)
+ProductAccountancyBuyExportCode=Código contable (compra importación)
ProductAccountancySellCode=Código contable (venda)
ProductAccountancySellIntraCode=Código contable (venda intracomunitaria)
ProductAccountancySellExportCode=Código contable (venda de exportación)
@@ -31,23 +31,23 @@ ProductOrService=Produto ou servizo
ProductsAndServices=Produtos e servizos
ProductsOrServices=Produtos ou servizos
ProductsPipeServices=Produtos | Servizos
-ProductsOnSale=Products for sale
-ProductsOnPurchase=Products for purchase
+ProductsOnSale=Produtos á venda
+ProductsOnPurchase=Produtos en compra
ProductsOnSaleOnly=Produtos só á venda
ProductsOnPurchaseOnly=Produtos só en compra
ProductsNotOnSell=Produtos nin á venda nin en compra
-ProductsOnSellAndOnBuy=Produtos en venda e en compra
-ServicesOnSale=Services for sale
-ServicesOnPurchase=Services for purchase
+ProductsOnSellAndOnBuy=Produtos en venda mais en compra
+ServicesOnSale=Servizos en venda
+ServicesOnPurchase=Servizos en compra
ServicesOnSaleOnly=Servizos só á venda
ServicesOnPurchaseOnly=Servizos só en compra
ServicesNotOnSell=Servizos fora de venda e de compra
-ServicesOnSellAndOnBuy=Servizos á venda e en compra
-LastModifiedProductsAndServices=Latest %s modified products/services
+ServicesOnSellAndOnBuy=Servizos á venda mais en compra
+LastModifiedProductsAndServices=Últimos %s produtos/servizos modificados
LastRecordedProducts=Últimos %s produtos rexistrados
LastRecordedServices=Últimos %s servizos rexistrados
-CardProduct0=Produto
-CardProduct1=Servizo
+CardProduct0=Ficha produto
+CardProduct1=Ficha servizo
Stock=Stock
MenuStocks=Stocks
Stocks=Stocks e localización de produtos (almacén)
@@ -72,22 +72,22 @@ AppliedPricesFrom=Prezo de venda
SellingPrice=Prezo de venda
SellingPriceHT=Prezo de venda sen IVE
SellingPriceTTC=Prezo de venda con IVE
-SellingMinPriceTTC=Minimum Selling price (inc. tax)
-CostPriceDescription=This price field (excl. tax) can be used to store the average amount this product costs to your company. It may be any price you calculate yourself, for example from the average buying price plus average production and distribution cost.
-CostPriceUsage=This value could be used for margin calculation.
+SellingMinPriceTTC=Prezo mínimo de venda (IVE incluido)
+CostPriceDescription=Este campo de prezo (sen impostos) pode usarse para almacenar o importe medio que este produto custa á súa empresa. Pode ser calquera prezo que calcule vostede mesmo, por exemplo a partir do prezo medio de compra máis o custo medio de produción e distribución.
+CostPriceUsage=Este valor podería usarse para o cálculo de marxes
SoldAmount=Importe vendas
PurchasedAmount=Importe compras
NewPrice=Novo prezo
MinPrice=Prezo de venda mín.
EditSellingPriceLabel=Editar etiqueta prezo de venda
-CantBeLessThanMinPrice=The selling price can't be lower than minimum allowed for this product (%s without tax). This message can also appears if you type a too important discount.
-ContractStatusClosed=Pechada
+CantBeLessThanMinPrice=O prezo de venda non pode ser inferior ao mínimo permitido para este produto (%s sen impostos). Esta mensaxe tamén pode aparecer se escribe un desconto demasiado alto.
+ContractStatusClosed=Pechado
ErrorProductAlreadyExists=Un produto coa referencia %s xa existe.
-ErrorProductBadRefOrLabel=Wrong value for reference or label.
-ErrorProductClone=There was a problem while trying to clone the product or service.
-ErrorPriceCantBeLowerThanMinPrice=Error, price can't be lower than minimum price.
+ErrorProductBadRefOrLabel=Valor incorrecto como referencia ou etiqueta.
+ErrorProductClone=Houbo un problema ao tentar clonar o produto ou servizo.
+ErrorPriceCantBeLowerThanMinPrice=Erro, o prezo non pode ser inferior ao prezo mínimo.
Suppliers=Provedores
-SupplierRef=Vendor SKU
+SupplierRef=SKU Provedor
ShowProduct=Amosar produto
ShowService=Amosar servizo
ProductsAndServicesArea=Área produtos e servizos
@@ -104,25 +104,26 @@ SetDefaultBarcodeType=Defina o tipo de código de barras
BarcodeValue=Valor do código de barras
NoteNotVisibleOnBill=Nota (non visible nas facturas, orzamentos...)
ServiceLimitedDuration=Se o produto é un servizo con duración limitada :
-FillWithLastServiceDates=Fill with last service line dates
-MultiPricesAbility=Multiple price segments per product/service (each customer is in one price segment)
-MultiPricesNumPrices=Number of prices
-DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices
-AssociatedProductsAbility=Activate kits (virtual products)
-AssociatedProducts=Kits
-AssociatedProductsNumber=Number of products composing this kit
-ParentProductsNumber=Number of parent packaging product
-ParentProducts=Parent products
-IfZeroItIsNotAVirtualProduct=If 0, this product is not a kit
-IfZeroItIsNotUsedByVirtualProduct=If 0, this product is not used by any kit
+FillWithLastServiceDates=Complete coas últimas datas da liña de servizo
+MultiPricesAbility=Varios segmentos de prezos por produto/servizo (cada cliente está nun segmento)
+MultiPricesNumPrices=Nº de prezos
+DefaultPriceType=Base de prezos por defecto (con ou sen impostos) ao engadir novos prezos de venda
+AssociatedProductsAbility=Activar produtos compostos (kits)
+VariantsAbility=Activar variantes (variantes de produtos, por exemplo cor, tamaño)
+AssociatedProducts=Produtos compostos
+AssociatedProductsNumber=Nº de produtos que compoñen este produto
+ParentProductsNumber=Nº de produtos que este produto comptén
+ParentProducts=Produtos pai
+IfZeroItIsNotAVirtualProduct=Se 0, este produto non é un produto composto
+IfZeroItIsNotUsedByVirtualProduct=Se 0, este produto non está sendo utilizado por ningún produto composto
KeywordFilter=Filtro por clave
-CategoryFilter=Category filter
-ProductToAddSearch=Search product to add
-NoMatchFound=No match found
-ListOfProductsServices=List of products/services
-ProductAssociationList=List of products/services that are component(s) of this kit
-ProductParentList=List of kits with this product as a component
-ErrorAssociationIsFatherOfThis=One of selected product is parent with current product
+CategoryFilter=Filtro por categoría
+ProductToAddSearch=Procurar produtos a axuntar
+NoMatchFound=Non atopáronse resultados
+ListOfProductsServices=Listaxe de produtos/servizos
+ProductAssociationList=Listaxe de produtos/servizos que compoñen este produto composto
+ProductParentList=Listaxe de produtos/servizos con este produto como compoñente
+ErrorAssociationIsFatherOfThis=Un dos produtos seleccionados é pai do produto en curso
DeleteProduct=Eliminar un produto/servizo
ConfirmDeleteProduct=¿Está certo de querer eliminar este produto/servizo?
ProductDeleted=O produto/servizo "%s" foi eliminado da base de datos.
@@ -134,8 +135,8 @@ DeleteProductLine=Eliminar liña de produto
ConfirmDeleteProductLine=¿Está certo de querer eliminar esta liña de produto?
ProductSpecial=Especial
QtyMin=Cantidad mínima de compra
-PriceQtyMin=Price quantity min.
-PriceQtyMinCurrency=Price (currency) for this qty. (no discount)
+PriceQtyMin=Prezo para esta cantidade mínima
+PriceQtyMinCurrency=Prezo para esta cantidade mínima (sen desconto)
VATRateForSupplierProduct=Tasa IVE (para este produto/provedor)
DiscountQtyMin=Desconto para esta cantidade
NoPriceDefinedForThisSupplier=Ningún prezo/cant. definido para este provedor/produto
@@ -157,8 +158,8 @@ RowMaterial=Materia prima
ConfirmCloneProduct=¿Está certo de querer clonar o produto ou servizo %s?
CloneContentProduct=Clonar a información principal do produto/servizo
ClonePricesProduct=Clonar prezos
-CloneCategoriesProduct=Clone tags/categories linked
-CloneCompositionProduct=Clone virtual product/service
+CloneCategoriesProduct=Clonar etiquetas/categorías ligadas
+CloneCompositionProduct=Clonar produto/servizo virtual
CloneCombinationsProduct=Clonar variantes de produto
ProductIsUsed=Este produto é utilizado
NewRefForClone=Ref. do novo produto/servizo
@@ -167,11 +168,13 @@ BuyingPrices=Prezos de compra
CustomerPrices=Prezos a clientes
SuppliersPrices=Prezos a provedores
SuppliersPricesOfProductsOrServices=Prezos de provedores (de produtos ou servizos)
-CustomCode=Código aduaneiro / Mercancía /
+CustomCode=Aduanda / Mercadoría / Código HS
CountryOrigin=País de orixe
-Nature=Nature of product (material/finished)
-NatureOfProductShort=Nature of product
-NatureOfProductDesc=Raw material or finished product
+RegionStateOrigin=Rexión de orixe
+StateOrigin=Estado|Provincia de orixe
+Nature=Natureza do produto (material/manufacturado)
+NatureOfProductShort=Natureza do produto
+NatureOfProductDesc=Materia prima ou produto manufacturado
ShortLabel=Etiqueta curta
Unit=Unidade
p=u.
@@ -205,12 +208,12 @@ unitLM=Metro lineal
unitM2=Metro cadrado
unitM3=Metro cúbico
unitL=Litro
-unitT=ton
+unitT=tonelada
unitKG=kg
unitG=Gramo
unitMG=mg
-unitLB=pound
-unitOZ=ounce
+unitLB=libra
+unitOZ=onza
unitM=Metro
unitDM=dm
unitCM=cm
@@ -229,8 +232,8 @@ unitCM3=cm³
unitMM3=mm³
unitFT3=ft³
unitIN3=in³
-unitOZ3=ounce
-unitgallon=gallon
+unitOZ3=onza
+unitgallon=galón
ProductCodeModel=Modelo de ref. de produto
ServiceCodeModel=Modelo de ref. de servizo
CurrentProductPrice=Prezo actual
@@ -239,13 +242,13 @@ AlwaysUseFixedPrice=Usar o prezo fixado
PriceByQuantity=Prezos diferentes por cantidade
DisablePriceByQty=Desactivar prezos por cantidade
PriceByQuantityRange=Rango cantidade
-MultipriceRules=Regras para segmento de prezos
-UseMultipriceRules=Use price segment rules (defined into product module setup) to auto calculate prices of all other segments according to first segment
+MultipriceRules=Prezos automaticamente por segmento
+UseMultipriceRules=Usar regras do segmento de prezos (definidas na configuración do módulo de produto) para calcular automaticamente os prezos de todos os outros segmentos segundo o primeiro segmento
PercentVariationOver=%% variación sobre %s
PercentDiscountOver=%% desconto sobre %s
KeepEmptyForAutoCalculation=Mantéñase baleiro para que calcule automáticamente o peso ou volume dos produtos
-VariantRefExample=Examples: COL, SIZE
-VariantLabelExample=Examples: Color, Size
+VariantRefExample=Exemplo: COR, TAMAÑO
+VariantLabelExample=Exemplo: Cor, Tamaño
### composition fabrication
Build=Fabricar
ProductsMultiPrice=Produtos e prezos para cada segmento de prezos
@@ -257,15 +260,15 @@ Quarter2=2º trimestre
Quarter3=3º trimestre
Quarter4=4º trimestre
BarCodePrintsheet=Imprimir código de barras
-PageToGenerateBarCodeSheets=With this tool, you can print sheets of barcode stickers. Choose format of your sticker page, type of barcode and value of barcode, then click on button %s.
-NumberOfStickers=Number of stickers to print on page
-PrintsheetForOneBarCode=Print several stickers for one barcode
-BuildPageToPrint=Generate page to print
-FillBarCodeTypeAndValueManually=Fill barcode type and value manually.
-FillBarCodeTypeAndValueFromProduct=Fill barcode type and value from barcode of a product.
-FillBarCodeTypeAndValueFromThirdParty=Fill barcode type and value from barcode of a third party.
-DefinitionOfBarCodeForProductNotComplete=Definition of type or value of barcode not complete for product %s.
-DefinitionOfBarCodeForThirdpartyNotComplete=Definition of type or value of barcode non complete for third party %s.
+PageToGenerateBarCodeSheets=Con esta ferramenta pode imprimir follas de pegatinas de código de barras. Escolla o formato da páxina da pegatina, o tipo de código de barras e o valor do código de barras e prema no botón %s.
+NumberOfStickers=Número de pegatinas para imprimir na páxina
+PrintsheetForOneBarCode=Imprimir varias pegatinas para un código de barras
+BuildPageToPrint=Xerar páxina para imprimir
+FillBarCodeTypeAndValueManually=Cubrir o tipo e o valor do código de barras manualmente.
+FillBarCodeTypeAndValueFromProduct=Cubrir o tipo de código de barras e o valor do código de barras dun produto.
+FillBarCodeTypeAndValueFromThirdParty=Cubrir o tipo de código de barras e o valor do código de barras dun terceiro.
+DefinitionOfBarCodeForProductNotComplete=A definición do tipo ou valor do código de barras non está completa para o produto %s.
+DefinitionOfBarCodeForThirdpartyNotComplete=A definición do tipo ou valor do código de barras non completo para terceiros %s.
BarCodeDataForProduct=Información do código de barras do produto %s:
BarCodeDataForThirdparty=Información do código de barras do terceiro %s:
ResetBarcodeForAllRecords=Definir valores de codigo de barras para todos os rexistros (isto restablecerá os valores de códigos de barras xa rexistrados cos novos valores)
@@ -280,31 +283,31 @@ MinimumRecommendedPrice=O prezo mínimo recomendado é: %s
PriceExpressionEditor=Editor de expresión de prezos
PriceExpressionSelected=Expresión de prezos seleccionada
PriceExpressionEditorHelp1="price = 2 + 2" ou "2 + 2" para configurar un prezo. Use ; para separar expresións
-PriceExpressionEditorHelp2=You can access ExtraFields with variables like #extrafield_myextrafieldkey# and global variables with #global_mycode#
-PriceExpressionEditorHelp3=In both product/service and vendor prices there are these variables available: #tva_tx# #localtax1_tx# #localtax2_tx# #weight# #length# #surface# #price_min#
-PriceExpressionEditorHelp4=In product/service price only: #supplier_min_price# In vendor prices only: #supplier_quantity# and #supplier_tva_tx#
+PriceExpressionEditorHelp2=Pode acceder a ExtraFields con variables como #extrafield_myextrafieldkey# e variables globais con #global_mycode#
+PriceExpressionEditorHelp3=Tanto en produto/servizo como nos prezos de provedores hai estas variables dispoñibles: #tva_tx# #localtax1_tx# #localtax2_tx# #weight# #length# #surface# #price_min#
+PriceExpressionEditorHelp4=Só no prezo do produto/servizo: #supplier_min_price# Só nos prezos do provedor: #supplier_quantity# and #supplier_tva_tx#
PriceExpressionEditorHelp5=Valores globais dispoñibles:
PriceMode=Modo prezo
PriceNumeric=Número
DefaultPrice=Prezo por defecto
-DefaultPriceLog=Log of previous default prices
-ComposedProductIncDecStock=Increase/Decrease stock on parent change
-ComposedProduct=Child products
+DefaultPriceLog=Rexistro de prezos predeterminados anteriores
+ComposedProductIncDecStock=Incrementar/Diminuir stock ao mudar o pai
+ComposedProduct=Subproduto
MinSupplierPrice=Prezo mínimo de compra
MinCustomerPrice=Prezo mínimo de venda
DynamicPriceConfiguration=Configuración de prezo dinámico
-DynamicPriceDesc=You may define mathematical formulae to calculate Customer or Vendor prices. Such formulas can use all mathematical operators, some constants and variables. You can define here the variables you wish to use. If the variable needs an automatic update, you may define the external URL to allow Dolibarr to update the value automatically.
+DynamicPriceDesc=Pode definir fórmulas matemáticas para calcular os prezos do cliente ou do provedor. Tales fórmulas poden empregar todos os operadores matemáticos, algunhas constantes e variables. Pode definir aquí as variables que desexa empregar. Se a variable precisa unha actualización automática, pode definir a URL externa para permitir a Dolibarr actualizar o valor automaticamente.
AddVariable=Engadir variable
AddUpdater=Engadir Actualizador
GlobalVariables=Variables globais
VariableToUpdate=Variable a actualizar
-GlobalVariableUpdaters=External updaters for variables
+GlobalVariableUpdaters=Variables globais a actualizar
GlobalVariableUpdaterType0=datos JSON
-GlobalVariableUpdaterHelp0=Parses JSON data from specified URL, VALUE specifies the location of relevant value,
-GlobalVariableUpdaterHelpFormat0=Format for request {"URL": "http://example.com/urlofjson", "VALUE": "array1,array2,targetvalue"}
-GlobalVariableUpdaterType1=WebService data
-GlobalVariableUpdaterHelp1=Parses WebService data from specified URL, NS specifies the namespace, VALUE specifies the location of relevant value, DATA should contain the data to send and METHOD is the calling WS method
-GlobalVariableUpdaterHelpFormat1=Format for request is {"URL": "http://example.com/urlofws", "VALUE": "array,targetvalue", "NS": "http://example.com/urlofns", "METHOD": "myWSMethod", "DATA": {"your": "data", "to": "send"}}
+GlobalVariableUpdaterHelp0=Analiza os datos JSON do URL especificado, VALUE especifica a localización do valor relevante,
+GlobalVariableUpdaterHelpFormat0=Formato da solicitude {"URL": "http://example.com/urlofjson", "VALUE": "array1,array2,targetvalue"}
+GlobalVariableUpdaterType1=Datos do servizo web
+GlobalVariableUpdaterHelp1=Analiza os datos do Webservice a partir dun URL especificado, NS especifica o espazo de nomes, VALUE especifica a localización do valor relevante, DATA debe conter os datos que se enviarán e METHOD é o método WS a chamar
+GlobalVariableUpdaterHelpFormat1=O formato da solicitude é {"URL": "http://example.com/urlofws", "VALUE": "array,targetvalue", "NS": "http://example.com/urlofns", "METHOD": "myWSMethod", "DATA": {"your":"data","to":"send"}}
UpdateInterval=Intervalo de actualización (minutos)
LastUpdated=Última actualización
CorrectlyUpdated=Actualizado correctamente
@@ -315,33 +318,33 @@ DefaultPriceRealPriceMayDependOnCustomer=Prezo por defecto, ou prezo real pode d
WarningSelectOneDocument=Seleccione alo menos un documento
DefaultUnitToShow=Unidade
NbOfQtyInProposals=Cant. en orzamentos
-ClinkOnALinkOfColumn=Click on a link of column %s to get a detailed view...
+ClinkOnALinkOfColumn=Click na ligazón da columna %s para obter unha vista detallada...
ProductsOrServicesTranslations=Tradución Produtos/Servizos
-TranslatedLabel=Translated label
-TranslatedDescription=Translated description
-TranslatedNote=Translated notes
-ProductWeight=Weight for 1 product
-ProductVolume=Volume for 1 product
-WeightUnits=Weight unit
-VolumeUnits=Volume unit
-WidthUnits=Width unit
-LengthUnits=Length unit
-HeightUnits=Height unit
-SurfaceUnits=Surface unit
-SizeUnits=Size unit
-DeleteProductBuyPrice=Delete buying price
-ConfirmDeleteProductBuyPrice=Are you sure you want to delete this buying price?
-SubProduct=Sub product
-ProductSheet=Product sheet
-ServiceSheet=Service sheet
-PossibleValues=Possible values
+TranslatedLabel=Tradución da etiqueta
+TranslatedDescription=Tradución da descrición
+TranslatedNote=Tradución das notas
+ProductWeight=Peso para 1 produto
+ProductVolume=Volume para 1 produto
+WeightUnits=Peso unitario
+VolumeUnits=Volumen unitario
+WidthUnits=Ancho unitario
+LengthUnits=Lonxitude unitaria
+HeightUnits=Peso unitario
+SurfaceUnits=Superficie unitaria
+SizeUnits=Tamaño unitario
+DeleteProductBuyPrice=Eliminar prezo de compra
+ConfirmDeleteProductBuyPrice=¿Está certo de querer eliminar este prezo de compra?
+SubProduct=Subproduto
+ProductSheet=Folla de produto
+ServiceSheet=Folla de servizo
+PossibleValues=Valores posibles
GoOnMenuToCreateVairants=Vaia ao menú %s - %s para preparar variables de atributos (como cores, tamaño, ...)
-UseProductFournDesc=Add a feature to define the descriptions of products defined by the vendors in addition to descriptions for customers
-ProductSupplierDescription=Vendor description for the product
-UseProductSupplierPackaging=Use packaging on supplier prices (recalculate quantities according to packaging set on supplier price when adding/updating line in supplier documents)
-PackagingForThisProduct=Packaging
-PackagingForThisProductDesc=On supplier order, you will automaticly order this quantity (or a multiple of this quantity). Cannot be less than minimum buying quantity
-QtyRecalculatedWithPackaging=The quantity of the line were recalculated according to supplier packaging
+UseProductFournDesc=Engade unha función para definir as descricións dos produtos definidos polos provedores ademais das descricións para os clientes
+ProductSupplierDescription=Descrición do produto do provedor
+UseProductSupplierPackaging=Utilice o envase nos prezos do provedor (recalcule as cantidades segundo o prezo do empaquetado do provedor ao engadir/actualizar a liña nos documentos do provedor)
+PackagingForThisProduct=Empaquetado
+PackagingForThisProductDesc=No pedido do provedor, solicitará automaticamente esta cantidade (ou un múltiplo desta cantidade). Non pode ser inferior á cantidade mínima de compra
+QtyRecalculatedWithPackaging=A cantidade da liña recalculouse segundo o empaquetado do provedor
#Attributes
VariantAttributes=Atributos variantes
@@ -364,31 +367,31 @@ SelectCombination=Seleccione combinación
ProductCombinationGenerator=Xerador de variantes
Features=Funcións
PriceImpact=Impacto no prezo
-ImpactOnPriceLevel=Impact on price level %s
-ApplyToAllPriceImpactLevel= Apply to all levels
-ApplyToAllPriceImpactLevelHelp=By clicking here you set the same price impact on all levels
+ImpactOnPriceLevel=Impacto sobre o prexo no nivel %s
+ApplyToAllPriceImpactLevel= Aplicar a todos os niveis
+ApplyToAllPriceImpactLevelHelp=Ao facer clic aquí establecerá o mesmo impacto no prezo en todos os niveis
WeightImpact=Impacto no peso
NewProductAttribute=Novo atributo
NewProductAttributeValue=Novo valor de atributo
ErrorCreatingProductAttributeValue=Ocurriu un erro ao crear o valor do atributo. Esto pode ser por que xa existía un valor con esta referencia
-ProductCombinationGeneratorWarning=If you continue, before generating new variants, all previous ones will be DELETED. Already existing ones will be updated with the new values
-TooMuchCombinationsWarning=Generating lots of variants may result in high CPU, memory usage and Dolibarr not able to create them. Enabling the option "%s" may help reduce memory usage.
+ProductCombinationGeneratorWarning=Se continúa, antes de xerar novas variantes, ELIMINARÁ todas as anteriores. as xa existentes actualizaranse cos novos valores
+TooMuchCombinationsWarning=Xerar moitas variantes pode producir un alto uso da CPU, uso de memoria e Dolibarr será quen de crealas. Activar a opción "%s" pode axudar a reducir o uso de memoria.
DoNotRemovePreviousCombinations=Non remover variantes previas
UsePercentageVariations=Utilizar variacións porcentuais
PercentageVariation=Variación porcentual
ErrorDeletingGeneratedProducts=Aconteceu un erro mentres eliminaba as variantes de produtos existentes
NbOfDifferentValues=Nº de valores diferentes
-NbProducts=Number of products
-ParentProduct=Parent product
+NbProducts=Nº de produtos
+ParentProduct=Produto pai
HideChildProducts=Ocultar as variantes de produtos
ShowChildProducts=Amosar a variantes de produtos
-NoEditVariants=Go to Parent product card and edit variants price impact in the variants tab
-ConfirmCloneProductCombinations=Would you like to copy all the product variants to the other parent product with the given reference?
+NoEditVariants=Vaia á tarxeta de produto principal e edite o impacto do prezo das variantes na lapela de variantes
+ConfirmCloneProductCombinations=¿Quere copiar todas as variantes do produto ao outro produto pai coa referencia dada?
CloneDestinationReference=Referencia de produto de destino
ErrorCopyProductCombinations=Aconteceu un erro ao copiar as variantes de produto
ErrorDestinationProductNotFound=Destino do produto non atopado
ErrorProductCombinationNotFound=Variante do produto non atopada
-ActionAvailableOnVariantProductOnly=Action only available on the variant of product
-ProductsPricePerCustomer=Product prices per customers
-ProductSupplierExtraFields=Additional Attributes (Supplier Prices)
-DeleteLinkedProduct=Delete the child product linked to the combination
+ActionAvailableOnVariantProductOnly=Acción só dispoñible na variante do produto
+ProductsPricePerCustomer=Prezos de produto por cliente
+ProductSupplierExtraFields=Atributos adicionais (Prezos Provedor)
+DeleteLinkedProduct=Eliminar o produto fillo ligado á combinación
diff --git a/htdocs/langs/gl_ES/projects.lang b/htdocs/langs/gl_ES/projects.lang
index 58766a79bc1..75bb1daca79 100644
--- a/htdocs/langs/gl_ES/projects.lang
+++ b/htdocs/langs/gl_ES/projects.lang
@@ -99,8 +99,8 @@ ListShippingAssociatedProject=Listaxe de envíos asociados ao proxecto
ListFichinterAssociatedProject=Listaxe de intervencións asociadas ao proxecto
ListExpenseReportsAssociatedProject=Listaxe de informes de gastos asociados ao proxecto
ListDonationsAssociatedProject=Listaxe de doacións/subvencións asociadas ao proxecto
-ListVariousPaymentsAssociatedProject=Listaxe de pagos diversos asociados ao proxecto
-ListSalariesAssociatedProject=Listaxe de pagos de salarios asociados ao proxecto
+ListVariousPaymentsAssociatedProject=Listaxe de pagamentos diversos asociados ao proxecto
+ListSalariesAssociatedProject=Listaxe de pagamentos de salarios asociados ao proxecto
ListActionsAssociatedProject=Listaxe de eventos asociados ao proxecto
ListMOAssociatedProject=Listaxe de ordes de fabricación asociadas ao proxecto
ListTaskTimeUserProject=Listaxe de tempo empregado nas tarefas do proxecto
@@ -115,7 +115,7 @@ ChildOfTask=Fío da tarefa
TaskHasChild=A tarefa ten fíos
NotOwnerOfProject=Non é dono deste proxecto privado
AffectedTo=Asignado a
-CantRemoveProject=Este proxecto non pode ser eliminado porque está referenciado por algúns outros obxectoss (facturas, pedimentos ou outras). Ver lapela de referencias.
+CantRemoveProject=Este proxecto non pode ser eliminado porque está referenciado por algúns outros obxectoss (facturas, pedimentos ou outras). Ver lapela '%s.'
ValidateProject=Validar proxecto
ConfirmValidateProject=¿Está certo de querer validar este proxecto?
CloseAProject=Pechar proxecto
@@ -126,25 +126,25 @@ ConfirmReOpenAProject=Está certo de querer reabrir este proxecto?
ProjectContact=Contactos do proxecto
TaskContact=Contactos de tarefas
ActionsOnProject=Eventos do proxecto
-YouAreNotContactOfProject=You are not a contact of this private project
-UserIsNotContactOfProject=User is not a contact of this private project
-DeleteATimeSpent=Delete time spent
-ConfirmDeleteATimeSpent=Are you sure you want to delete this time spent?
-DoNotShowMyTasksOnly=See also tasks not assigned to me
-ShowMyTasksOnly=View only tasks assigned to me
-TaskRessourceLinks=Contacts of task
-ProjectsDedicatedToThisThirdParty=Projects dedicated to this third party
-NoTasks=No tasks for this project
-LinkedToAnotherCompany=Linked to other third party
-TaskIsNotAssignedToUser=Task not assigned to user. Use button '%s' to assign task now.
-ErrorTimeSpentIsEmpty=Time spent is empty
-ThisWillAlsoRemoveTasks=This action will also delete all tasks of project (%s tasks at the moment) and all inputs of time spent.
-IfNeedToUseOtherObjectKeepEmpty=If some objects (invoice, order, ...), belonging to another third party, must be linked to the project to create, keep this empty to have the project being multi third parties.
+YouAreNotContactOfProject=Vostede non é contacto deste proxecto privado
+UserIsNotContactOfProject=O usuario non é contacto deste proxecto privado
+DeleteATimeSpent=Eliminación de tempo adicado
+ConfirmDeleteATimeSpent=¿Está certo de querer eliminar este tempo adicado?
+DoNotShowMyTasksOnly=Ver tamén tarefas non asignadas a min
+ShowMyTasksOnly=Ver só tarefas asignadas a min
+TaskRessourceLinks=Contactos da tarefa
+ProjectsDedicatedToThisThirdParty=Proxectos adicados a este terceiro
+NoTasks=Ningunha tarefa para este proxecto
+LinkedToAnotherCompany=Ligado a outro terceiro
+TaskIsNotAssignedToUser=Tarefa non asignada ao usuario. Use o botón '%s' para asignar a tarefa agora.
+ErrorTimeSpentIsEmpty=O tempo consumido está baleiro
+ThisWillAlsoRemoveTasks=Esta operación tamén eliminará todas as tarefas do proxecto (%s tarefas neste intre) e todas as entradas de tempo adicado.
+IfNeedToUseOtherObjectKeepEmpty=Se os obxectos (factura, pedimento, ...) pertencen a outro terceiro, debe estar ligado ao proxecto a crear, deixe isto baleiro para permitir asignar o proxecto a distintos terceiros.
CloneTasks=Clonar as tarefas
CloneContacts=Clonar os contactos
CloneNotes=Clonar a notas
CloneProjectFiles=Clonar os ficheiros engadidos no proxecto
-CloneTaskFiles=Clonar os ficheiros engadidos da(s) tarefa(s) (se se clonan a(s) tarefa(s))
+CloneTaskFiles=Clonar tarefa(s) engadida(s) a ficheiro(s) (se se clonaron a(s) tarefa(s))
CloneMoveDate=¿Actualizar as datas dos proxectos/tarefas?
ConfirmCloneProject=¿Está certo de querer clonar este proxecto?
ProjectReportDate=Cambiar data das tarefas segundo a data de inicio do novo proxecto
@@ -178,7 +178,7 @@ TypeContact_project_task_internal_TASKCONTRIBUTOR=Participante
TypeContact_project_task_external_TASKCONTRIBUTOR=Participante
SelectElement=Escolla elemento
AddElement=Ligar ao elemento
-LinkToElementShort=Vincular a
+LinkToElementShort=Ligar a
# Documents models
DocumentModelBeluga=Prantilla de documento para a descrición dos obxectos ligados
DocumentModelBaleine=Prantilla de documendo do proxecto para tarefas
@@ -187,7 +187,7 @@ PlannedWorkload=Carga de traballo planificada
PlannedWorkloadShort=Carga de traballo
ProjectReferers=Items relacionados
ProjectMustBeValidatedFirst=O proxecto previamente ten que validarse
-FirstAddRessourceToAllocateTime=Asignar a un usuario a unha tarefa para asignar tempo
+FirstAddRessourceToAllocateTime=Asignar un usuario a unha tarefa para asignar tempo
InputPerDay=Entrada por día
InputPerWeek=Entrada por semana
InputPerMonth=Entrada por mes
@@ -211,12 +211,12 @@ ProjectNbProjectByMonth=Nº de proxectos creados por mes
ProjectNbTaskByMonth=Nº de tarefas creadas por mes
ProjectOppAmountOfProjectsByMonth=Importe de oportunidades por mes
ProjectWeightedOppAmountOfProjectsByMonth=Importe medio oportunidades por mes
-ProjectOpenedProjectByOppStatus=Open project|lead by lead status
-ProjectsStatistics=Statistics on projects or leads
-TasksStatistics=Statistics on tasks of projects or leads
+ProjectOpenedProjectByOppStatus=Proxectos/oportunidades abertas por estado da oportunidade
+ProjectsStatistics=Estatísticas sobre proxectos/oportunidades
+TasksStatistics=Estatísticas sobre tarefas en proxectos/oportunidade
TaskAssignedToEnterTime=Tarefa asignada. Debería poder introducir tempos nesta tarefa.
IdTaskTime=Id tempo da tarefa
-YouCanCompleteRef=If you want to complete the ref with some suffix, it is recommanded to add a - character to separate it, so the automatic numbering will still work correctly for next projects. For example %s-MYSUFFIX
+YouCanCompleteRef=Se desexa completar a referencia con algún sufixo, recoméndase engadir un carácter - para separala, polo que a numeración automática aínda funcionará correctamente para os próximos proxectos. Por exemplo %s-MYSUFFIX
OpenedProjectsByThirdparties=Proxectos abertos de terceiros
OnlyOpportunitiesShort=Só oportunidades
OpenedOpportunitiesShort=Oportunidades abertas
@@ -238,7 +238,7 @@ LatestProjects=Últimos %s proxectos
LatestModifiedProjects=Últimos %s proxectos modificados
OtherFilteredTasks=Outras tarefas filtradas
NoAssignedTasks=Sen tarefas asignadas ( Asigne proxectos/tarefas ao usuario actual dende o selector superior para indicar tempos nelas)
-ThirdPartyRequiredToGenerateInvoice=A third party must be defined on project to be able to invoice it.
+ThirdPartyRequiredToGenerateInvoice=Debe definirse un terceiro no proxecto para poder facturalo.
ChooseANotYetAssignedTask=Escolla unha tarefa non asignada aínda a vostede
# Comments trans
AllowCommentOnTask=Permitir comentarios dos usuarios nas tarefas
@@ -254,7 +254,7 @@ TimeSpentForInvoice=Tempo empregado
OneLinePerUser=Unha liña por usuario
ServiceToUseOnLines=Servizo a usar en liñas
InvoiceGeneratedFromTimeSpent=Factura %s foi xerada co tempo empregado no proxecto
-ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). Note: To generate invoice, go on tab 'Time spent' of the project and select lines to include.
+ProjectBillTimeDescription=Comprobe se introduce unha folla de tempo nas tarefas do proxecto e planea xerar factura(s) a partir da folla de tempo para facturar ao cliente do proxecto (non comprobe se pensa crear unha factura que non estexa baseada nas follas de traballo introducidas). Nota: para xerar factura, vaia a pestana "Tempo empregado" do proxecto e selecciona as liñas a incluír.
ProjectFollowOpportunity=Seguir oportunidade
ProjectFollowTasks=Seguir tarefa
Usage=Uso
diff --git a/htdocs/langs/gl_ES/propal.lang b/htdocs/langs/gl_ES/propal.lang
index c0d0b31f60c..7870f3bd1ad 100644
--- a/htdocs/langs/gl_ES/propal.lang
+++ b/htdocs/langs/gl_ES/propal.lang
@@ -1,87 +1,91 @@
# Dolibarr language file - Source file is en_US - propal
Proposals=Orzamentos
-Proposal=Commercial proposal
+Proposal=Orzamento
ProposalShort=Orzamento
ProposalsDraft=Orzamentos borrador
-ProposalsOpened=Open commercial proposals
-CommercialProposal=Commercial proposal
-PdfCommercialProposalTitle=Commercial proposal
-ProposalCard=Proposal card
-NewProp=New commercial proposal
-NewPropal=New proposal
+ProposalsOpened=Orzamentos abertos
+CommercialProposal=Orzamento
+PdfCommercialProposalTitle=Orzamento
+ProposalCard=Ficha orzamento
+NewProp=Novo orzamento
+NewPropal=Novo orzamento
Prospect=Cliente potencial
-DeleteProp=Delete commercial proposal
-ValidateProp=Validate commercial proposal
-AddProp=Create proposal
-ConfirmDeleteProp=Are you sure you want to delete this commercial proposal?
-ConfirmValidateProp=Are you sure you want to validate this commercial proposal under name %s?
-LastPropals=Latest %s proposals
+DeleteProp=Eliminar orzamento
+ValidateProp=Validar orzamento
+AddProp=Crear orzamento
+ConfirmDeleteProp=¿Está certo de querer eliminar este orzamento?
+ConfirmValidateProp=¿Está certo de querer validar este orzamento coa referencia %s ?
+LastPropals=Últimos %s orzamentos
LastModifiedProposals=Últimos %s orzamentos modificados
-AllPropals=All proposals
-SearchAProposal=Search a proposal
-NoProposal=No proposal
-ProposalsStatistics=Commercial proposal's statistics
+AllPropals=Todos os orzamentos
+SearchAProposal=Atopar un orzamento
+NoProposal=Sen orzamentos
+ProposalsStatistics=Estatísticas de orzamentos
NumberOfProposalsByMonth=Número por mes
-AmountOfProposalsByMonthHT=Amount by month (excl. tax)
-NbOfProposals=Number of commercial proposals
-ShowPropal=Show proposal
+AmountOfProposalsByMonthHT=Importe por mes (sen IVE)
+NbOfProposals=Número de orzamentos
+ShowPropal=Ver orzamento
PropalsDraft=Borradores
PropalsOpened=Aberta
PropalStatusDraft=Borrador (é preciso validar)
-PropalStatusValidated=Validated (proposal is open)
-PropalStatusSigned=Signed (needs billing)
-PropalStatusNotSigned=Not signed (closed)
+PropalStatusValidated=Validado (Orzamento aberto)
+PropalStatusSigned=Asinado (a facturar)
+PropalStatusNotSigned=Non asinado (pechado)
PropalStatusBilled=Facturado
PropalStatusDraftShort=Borrador
-PropalStatusValidatedShort=Validated (open)
-PropalStatusClosedShort=Pechada
-PropalStatusSignedShort=Signed
-PropalStatusNotSignedShort=Not signed
+PropalStatusValidatedShort=Validado (aberto)
+PropalStatusClosedShort=Pechado
+PropalStatusSignedShort=Asinado
+PropalStatusNotSignedShort=Non asinado
PropalStatusBilledShort=Facturado
-PropalsToClose=Commercial proposals to close
-PropalsToBill=Signed commercial proposals to bill
-ListOfProposals=List of commercial proposals
-ActionsOnPropal=Events on proposal
-RefProposal=Commercial proposal ref
-SendPropalByMail=Send commercial proposal by mail
-DatePropal=Date of proposal
-DateEndPropal=Validity ending date
-ValidityDuration=Validity duration
-CloseAs=Set status to
-SetAcceptedRefused=Set accepted/refused
-ErrorPropalNotFound=Propal %s not found
-AddToDraftProposals=Add to draft proposal
-NoDraftProposals=No draft proposals
-CopyPropalFrom=Create commercial proposal by copying existing proposal
-CreateEmptyPropal=Create empty commercial proposal or from list of products/services
-DefaultProposalDurationValidity=Default commercial proposal validity duration (in days)
-UseCustomerContactAsPropalRecipientIfExist=Use contact/address with type 'Contact following-up proposal' if defined instead of third party address as proposal recipient address
-ConfirmClonePropal=Are you sure you want to clone the commercial proposal %s?
-ConfirmReOpenProp=Are you sure you want to open back the commercial proposal %s?
-ProposalsAndProposalsLines=Commercial proposal and lines
-ProposalLine=Proposal line
-AvailabilityPeriod=Availability delay
-SetAvailability=Set availability delay
-AfterOrder=after order
-OtherProposals=Other proposals
+PropalsToClose=Orzamentos a pechar
+PropalsToBill=Orzamentos asinados a facturar
+ListOfProposals=Listaxe de orzamentos
+ActionsOnPropal=Eventos no orzamento
+RefProposal=Ref. orzamento
+SendPropalByMail=Enviar orzamento por mail
+DatePropal=Data orzamento
+DateEndPropal=Data fin de validez
+ValidityDuration=Duración de validez
+SetAcceptedRefused=Establecer aceptado/rexeitado
+ErrorPropalNotFound=Orzamento %s non atopado
+AddToDraftProposals=Engadir borrador do orzamento
+NoDraftProposals=Sen orzamentos borrador
+CopyPropalFrom=Crear orzamento por copia dun existente
+CreateEmptyPropal=Crear proposta comercial baleira ou dende a listaxe de produtos/servizos.
+DefaultProposalDurationValidity=Prazo de validez por defecto (en días)
+UseCustomerContactAsPropalRecipientIfExist=Utilizar enderezo do contacto de seguemento do cliente definido, na vez do enderezo do terceiro como destinatario dos orzamentos
+ConfirmClonePropal=¿Está certo de querer clonar o orzamento %s?
+ConfirmReOpenProp=¿Está certo de abrir de novo o orzamento %s?
+ProposalsAndProposalsLines=Orzamentos e liñas de orzamentos
+ProposalLine=Liña de orzamento
+AvailabilityPeriod=Tempo de entrega
+SetAvailability=Definir o tempo de entrega
+AfterOrder=dende a sinatura
+OtherProposals=Outros orzamentos
##### Availability #####
-AvailabilityTypeAV_NOW=Immediate
-AvailabilityTypeAV_1W=1 week
-AvailabilityTypeAV_2W=2 weeks
-AvailabilityTypeAV_3W=3 weeks
-AvailabilityTypeAV_1M=1 month
+AvailabilityTypeAV_NOW=Inmediata
+AvailabilityTypeAV_1W=1 semana
+AvailabilityTypeAV_2W=2 semanas
+AvailabilityTypeAV_3W=3 semanas
+AvailabilityTypeAV_1M=1 mes
##### Types de contacts #####
-TypeContact_propal_internal_SALESREPFOLL=Representative following-up proposal
-TypeContact_propal_external_BILLING=Contacto cliente facturación pedido
-TypeContact_propal_external_CUSTOMER=Customer contact following-up proposal
-TypeContact_propal_external_SHIPPING=Customer contact for delivery
+TypeContact_propal_internal_SALESREPFOLL=Comercial seguemento orzamento
+TypeContact_propal_external_BILLING=Contacto cliente de facturación orzamento
+TypeContact_propal_external_CUSTOMER=Contacto cliente seguemento orzamento
+TypeContact_propal_external_SHIPPING=Contacto cliente para envíos
# Document models
-DocModelAzurDescription=A complete proposal model (old implementation of Cyan template)
-DocModelCyanDescription=A complete proposal model
-DefaultModelPropalCreate=Default model creation
-DefaultModelPropalToBill=Default template when closing a business proposal (to be invoiced)
-DefaultModelPropalClosed=Default template when closing a business proposal (unbilled)
-ProposalCustomerSignature=Written acceptance, company stamp, date and signature
-ProposalsStatisticsSuppliers=Vendor proposals statistics
-CaseFollowedBy=Case followed by
-SignedOnly=Signed only
+DocModelAzurDescription=Modelo de orzamento completo (vella implementación de modelo Cyan)
+DocModelCyanDescription=Modelo de orzamento completo
+DefaultModelPropalCreate=Modelo por defecto
+DefaultModelPropalToBill=Modelo por defecto ao pechar un orzamento (a facturar)
+DefaultModelPropalClosed=Modelo por defecto ao pechar un orzamento (non facturado)
+ProposalCustomerSignature=Aceptado: sinatura dixital (selo da empresa, data e sinatura)
+ProposalsStatisticsSuppliers=Estatísticas orzamentos de provedores
+CaseFollowedBy=Caso seguido por
+SignedOnly=Só asinado
+IdProposal=ID orzamento
+IdProduct=ID Produto
+PrParentLine=Liña principal do orzamento
+LineBuyPriceHT=Importe do prezo de compra neto sen impostos para a liña
+
diff --git a/htdocs/langs/gl_ES/receptions.lang b/htdocs/langs/gl_ES/receptions.lang
index aa749200b20..6c33af15572 100644
--- a/htdocs/langs/gl_ES/receptions.lang
+++ b/htdocs/langs/gl_ES/receptions.lang
@@ -1,47 +1,47 @@
# Dolibarr language file - Source file is en_US - receptions
-ReceptionsSetup=Product Reception setup
-RefReception=Ref. reception
-Reception=Reception
-Receptions=Receptions
-AllReceptions=All Receptions
-Reception=Reception
-Receptions=Receptions
-ShowReception=Show Receptions
-ReceptionsArea=Receptions area
-ListOfReceptions=List of receptions
-ReceptionMethod=Reception method
-LastReceptions=Latest %s receptions
-StatisticsOfReceptions=Statistics for receptions
-NbOfReceptions=Number of receptions
-NumberOfReceptionsByMonth=Number of receptions by month
-ReceptionCard=Reception card
-NewReception=New reception
-CreateReception=Create reception
-QtyInOtherReceptions=Qty in other receptions
-OtherReceptionsForSameOrder=Other receptions for this order
-ReceptionsAndReceivingForSameOrder=Receptions and receipts for this order
-ReceptionsToValidate=Receptions to validate
+ReceptionsSetup=Configuración da recepción del producto
+RefReception=Ref. recepción
+Reception=Recepción
+Receptions=Recepcións
+AllReceptions=Todas as recepcións
+Reception=Recepción
+Receptions=Recepcións
+ShowReception=Amosar recepcións
+ReceptionsArea=Área recepcións
+ListOfReceptions=Listaxe de recepcións
+ReceptionMethod=Método de recepción
+LastReceptions=Últimas %s recepciones
+StatisticsOfReceptions=Estadísticas de recepciones
+NbOfReceptions=Número de recepciones
+NumberOfReceptionsByMonth=Número de recepciones por mes
+ReceptionCard=Ficha recepción
+NewReception=Nova recepción
+CreateReception=Crear recepción
+QtyInOtherReceptions=Cant. en outras recepcións
+OtherReceptionsForSameOrder=Outras recepciones deste pedimento
+ReceptionsAndReceivingForSameOrder=Recepcións e recibos deste pedimento.
+ReceptionsToValidate=Recepcións a validar
StatusReceptionCanceled=Anulado
StatusReceptionDraft=Borrador
-StatusReceptionValidated=Validated (products to ship or already shipped)
+StatusReceptionValidated=Validado (produtos a enviar ou enviados)
StatusReceptionProcessed=Procesado
StatusReceptionDraftShort=Borrador
StatusReceptionValidatedShort=Validado
StatusReceptionProcessedShort=Procesado
-ReceptionSheet=Reception sheet
-ConfirmDeleteReception=Are you sure you want to delete this reception?
-ConfirmValidateReception=Are you sure you want to validate this reception with reference %s?
-ConfirmCancelReception=Are you sure you want to cancel this reception?
-StatsOnReceptionsOnlyValidated=Statistics conducted on receptions only validated. Date used is date of validation of reception (planed delivery date is not always known).
-SendReceptionByEMail=Send reception by email
-SendReceptionRef=Submission of reception %s
-ActionsOnReception=Events on reception
-ReceptionCreationIsDoneFromOrder=For the moment, creation of a new reception is done from the order card.
-ReceptionLine=Reception line
-ProductQtyInReceptionAlreadySent=Product quantity from open sales order already sent
-ProductQtyInSuppliersReceptionAlreadyRecevied=Product quantity from open supplier order already received
-ValidateOrderFirstBeforeReception=You must first validate the order before being able to make receptions.
-ReceptionsNumberingModules=Numbering module for receptions
-ReceptionsReceiptModel=Document templates for receptions
-NoMorePredefinedProductToDispatch=No more predefined products to dispatch
+ReceptionSheet=Folla de recepción
+ConfirmDeleteReception=¿Está certo de querer eliminar esta recepción?
+ConfirmValidateReception=¿Está certo de querer validar esta recepción coa referencia %s?
+ConfirmCancelReception=¿Está certo de querer cancelar esta recepción?
+StatsOnReceptionsOnlyValidated=Estatísticas realizadas únicamente sobre as recepcións validadas. A data usada é a data de validación da recepción (a data prevista de envío aínda non é coñecida)
+SendReceptionByEMail=Enviar recepción por correo electrónico
+SendReceptionRef=Envío da recepción %s
+ActionsOnReception=Eventos sobre a recepción
+ReceptionCreationIsDoneFromOrder=Polo momento, a creación dunha nova recepción faise a partir da tarxeta de pedimento.
+ReceptionLine=Liña de recepción
+ProductQtyInReceptionAlreadySent=Cantidade de produto do pedimento de cliente aberto xa enviado
+ProductQtyInSuppliersReceptionAlreadyRecevied=Cantidade de produto en pedimentos a proveedores xa recibidos
+ValidateOrderFirstBeforeReception=Primeiro debe validar o pedimento antes de poder facer recepcións.
+ReceptionsNumberingModules=Módulo de numeración para recepcións
+ReceptionsReceiptModel=Modeloss de documentos para recepcións.
+NoMorePredefinedProductToDispatch=Non hai máis produtos predefinidos para enviar
diff --git a/htdocs/langs/gl_ES/recruitment.lang b/htdocs/langs/gl_ES/recruitment.lang
index f97c12e25bb..f247bc5bd29 100644
--- a/htdocs/langs/gl_ES/recruitment.lang
+++ b/htdocs/langs/gl_ES/recruitment.lang
@@ -18,58 +18,59 @@
#
# Module label 'ModuleRecruitmentName'
-ModuleRecruitmentName = Recruitment
+ModuleRecruitmentName = Contratación
# Module description 'ModuleRecruitmentDesc'
-ModuleRecruitmentDesc = Manage and follow recruitment campaigns for new job positions
+ModuleRecruitmentDesc = Xestionar e seguir campañas de contratación para novos postos de traballo
#
# Admin page
#
-RecruitmentSetup = Recruitment setup
+RecruitmentSetup = Configuración da contratación
Settings = Configuracións
-RecruitmentSetupPage = Enter here the setup of main options for the recruitment module
-RecruitmentArea=Recruitement area
-PublicInterfaceRecruitmentDesc=Public pages of jobs are public URLs to show and answer to open jobs. There is one different link for each open job, found on each job record.
-EnablePublicRecruitmentPages=Enable public pages of open jobs
+RecruitmentSetupPage = Introduza aquí a configuración das principais opcións para o módulo de contratación
+RecruitmentArea=Área de contratación
+PublicInterfaceRecruitmentDesc=As páxinas públicas dos traballos son URL públicas para mostrar e responder aos traballos dispoñibles. Hai un enlace diferente para cada traballo dispoñible, que se atopa en cada rexistro de traballo.
+EnablePublicRecruitmentPages=Activar páxinas públicas de traballos dispoñibles
#
# About page
#
-About = Acerca de
-RecruitmentAbout = About Recruitment
-RecruitmentAboutPage = Recruitment about page
-NbOfEmployeesExpected=Expected nb of employees
-JobLabel=Label of job position
-WorkPlace=Work place
-DateExpected=Expected date
-FutureManager=Future manager
-ResponsibleOfRecruitement=Responsible of recruitment
-IfJobIsLocatedAtAPartner=If job is located at a partner place
+About = page
+RecruitmentAbout = Acerca de contratación
+RecruitmentAboutPage = Páxina acerca de contratación
+NbOfEmployeesExpected=Número esperado de empregados
+JobLabel=Etiqueta de posto de traballo
+WorkPlace=Lugar de traballo
+DateExpected=Data agardado
+FutureManager=Xestor de futuro
+ResponsibleOfRecruitement=Responsable da contratación
+IfJobIsLocatedAtAPartner=Se o traballo está situado nun lugar asociado
PositionToBeFilled=Posto de traballo
-PositionsToBeFilled=Job positions
+PositionsToBeFilled=Listaxe de postos de traballo
ListOfPositionsToBeFilled=List of job positions
-NewPositionToBeFilled=New job positions
+NewPositionToBeFilled=Novos postos de traballo
-JobOfferToBeFilled=Job position to be filled
-ThisIsInformationOnJobPosition=Information of the job position to be filled
-ContactForRecruitment=Contact for recruitment
-EmailRecruiter=Email recruiter
-ToUseAGenericEmail=To use a generic email. If not defined, the email of the responsible of recruitment will be used
-NewCandidature=New application
-ListOfCandidatures=List of applications
-RequestedRemuneration=Requested remuneration
-ProposedRemuneration=Proposed remuneration
-ContractProposed=Contract proposed
-ContractSigned=Contract signed
-ContractRefused=Contract refused
-RecruitmentCandidature=Application
-JobPositions=Job positions
-RecruitmentCandidatures=Applications
-InterviewToDo=Interview to do
-AnswerCandidature=Application answer
-YourCandidature=Your application
-YourCandidatureAnswerMessage=Thanks you for your application. ...
-JobClosedTextCandidateFound=The job position is closed. The position has been filled.
-JobClosedTextCanceled=The job position is closed.
-ExtrafieldsJobPosition=Complementary attributes (job positions)
-ExtrafieldsCandidatures=Complementary attributes (job applications)
+JobOfferToBeFilled=Posto de traballo a ocupar
+ThisIsInformationOnJobPosition=Información do posto de traballo a ocupar
+ContactForRecruitment=Contacto para a contratación
+EmailRecruiter=Correo electrónico do responsable de contratación
+ToUseAGenericEmail=Para usar un correo electrónico xenérico. Se non se define, utilizarase o correo electrónico do responsable de contratación
+NewCandidature=Nova aplicación
+ListOfCandidatures=Listaxe de aplicacións
+RequestedRemuneration=Remuneración solicitada
+ProposedRemuneration=Proposta de remuneración
+ContractProposed=Poroposta de contrato
+ContractSigned=Contrato asinado
+ContractRefused=Rexeitouse o contrato
+RecruitmentCandidature=Solicitude
+JobPositions=Postos de traballo
+RecruitmentCandidatures=Solicitudes
+InterviewToDo=Entrevista a realizar
+AnswerCandidature=Resposta da solicitude
+YourCandidature=A súa solicitude
+YourCandidatureAnswerMessage=Grazas pola túa solicitude. ...
+JobClosedTextCandidateFound=O posto de traballo está pechado. O posto foi cuberto.
+JobClosedTextCanceled=O posto de traballo está pechado
+ExtrafieldsJobPosition=Atributos complementarios (postos de traballo)
+ExtrafieldsCandidatures=Atributos complementarios (solicitudes de traballo)
+MakeOffer=Facer unha oferta
diff --git a/htdocs/langs/gl_ES/sendings.lang b/htdocs/langs/gl_ES/sendings.lang
index 7a2a0c2ce0b..c9c40f0b18a 100644
--- a/htdocs/langs/gl_ES/sendings.lang
+++ b/htdocs/langs/gl_ES/sendings.lang
@@ -30,8 +30,9 @@ OtherSendingsForSameOrder=Other shipments for this order
SendingsAndReceivingForSameOrder=Shipments and receipts for this order
SendingsToValidate=Shipments to validate
StatusSendingCanceled=Anulado
+StatusSendingCanceledShort=Anulada
StatusSendingDraft=Borrador
-StatusSendingValidated=Validated (products to ship or already shipped)
+StatusSendingValidated=Validado (produtos a enviar ou enviados)
StatusSendingProcessed=Procesado
StatusSendingDraftShort=Borrador
StatusSendingValidatedShort=Validado
@@ -56,7 +57,7 @@ ShipmentCreationIsDoneFromOrder=For the moment, creation of a new shipment is do
ShipmentLine=Shipment line
ProductQtyInCustomersOrdersRunning=Product quantity from open sales orders
ProductQtyInSuppliersOrdersRunning=Product quantity from open purchase orders
-ProductQtyInShipmentAlreadySent=Product quantity from open sales order already sent
+ProductQtyInShipmentAlreadySent=Cantidade de produto do pedimento de cliente aberto xa enviado
ProductQtyInSuppliersShipmentAlreadyRecevied=Product quantity from open purchase orders already received
NoProductToShipFoundIntoStock=No product to ship found in warehouse %s. Correct stock or go back to choose another warehouse.
WeightVolShort=Weight/Vol.
@@ -65,6 +66,7 @@ ValidateOrderFirstBeforeShipment=You must first validate the order before being
# Sending methods
# ModelDocument
DocumentModelTyphon=More complete document model for delivery receipts (logo...)
+DocumentModelStorm=More complete document model for delivery receipts and extrafields compatibility (logo...)
Error_EXPEDITION_ADDON_NUMBER_NotDefined=Constant EXPEDITION_ADDON_NUMBER not defined
SumOfProductVolumes=Sum of product volumes
SumOfProductWeights=Sum of product weights
diff --git a/htdocs/langs/gl_ES/sms.lang b/htdocs/langs/gl_ES/sms.lang
index 75f91e553c4..6d1b63764fb 100644
--- a/htdocs/langs/gl_ES/sms.lang
+++ b/htdocs/langs/gl_ES/sms.lang
@@ -36,16 +36,16 @@ SmsStatusSentCompletely=Envío completado
SmsStatusError=Erro
SmsStatusNotSent=Non enviado
SmsSuccessfulySent=SMS enviado correctamente (de 1%s a 1%s )
-ErrorSmsRecipientIsEmpty=Number of target is empty
-WarningNoSmsAdded=No new phone number to add to target list
-ConfirmValidSms=Do you confirm validation of this campaign?
-NbOfUniqueSms=No. of unique phone numbers
-NbOfSms=No. of phone numbers
-ThisIsATestMessage=This is a test message
-SendSms=Send SMS
-SmsInfoCharRemain=No. of remaining characters
-SmsInfoNumero= (international format i.e.: +33899701761)
-DelayBeforeSending=Delay before sending (minutes)
-SmsNoPossibleSenderFound=No sender available. Check setup of your SMS provider.
-SmsNoPossibleRecipientFound=No target available. Check setup of your SMS provider.
-DisableStopIfSupported=Disable STOP message (if supported)
+ErrorSmsRecipientIsEmpty=O número de destino está baleiro
+WarningNoSmsAdded=Non hai ningún número de teléfono novo para engadir á lista de destinos
+ConfirmValidSms=Confirmas a validación desta campaña?
+NbOfUniqueSms=Nº números de teléfonos únicos
+NbOfSms=Nº de números de teléfono
+ThisIsATestMessage=Esta é unha mensaxe de proba
+SendSms=Enviar SMS
+SmsInfoCharRemain=Nº de caracteres restantes
+SmsInfoNumero= (formato internacional ex.: +33899701761)
+DelayBeforeSending=Atraso antes de envío (minutos)
+SmsNoPossibleSenderFound=Sen remitente dispoñible. Comprobe a configuración do seu fornecedor de SMS.
+SmsNoPossibleRecipientFound=Sen destino dispoñible. Comprobe a configuración do seu fornecedor de SMS.
+DisableStopIfSupported=Desctivar a mensaxe STOP (sé é soportado)
diff --git a/htdocs/langs/gl_ES/stocks.lang b/htdocs/langs/gl_ES/stocks.lang
index dbe81a57b5b..be354f27b3e 100644
--- a/htdocs/langs/gl_ES/stocks.lang
+++ b/htdocs/langs/gl_ES/stocks.lang
@@ -1,242 +1,243 @@
# Dolibarr language file - Source file is en_US - stocks
-WarehouseCard=Warehouse card
+WarehouseCard=Ficha almacén
Warehouse=Almacén
-Warehouses=Warehouses
-ParentWarehouse=Parent warehouse
-NewWarehouse=New warehouse / Stock Location
-WarehouseEdit=Modify warehouse
-MenuNewWarehouse=New warehouse
-WarehouseSource=Source warehouse
-WarehouseSourceNotDefined=No warehouse defined,
-AddWarehouse=Create warehouse
-AddOne=Add one
-DefaultWarehouse=Default warehouse
-WarehouseTarget=Target warehouse
-ValidateSending=Delete sending
-CancelSending=Cancel sending
-DeleteSending=Delete sending
+Warehouses=Almacéns
+ParentWarehouse=Almacén pai
+NewWarehouse=Novo almacén / Zona de almacenaxe
+WarehouseEdit=Modificar almacén
+MenuNewWarehouse=Novo almacén
+WarehouseSource=Almacén orixe
+WarehouseSourceNotDefined=Sen almacéns definidos,
+AddWarehouse=Crear almacén
+AddOne=Engadir un
+DefaultWarehouse=Almacén por defecto
+WarehouseTarget=Almacén destino
+ValidateSending=Validar envío
+CancelSending=Anular envío
+DeleteSending=Eliminar envío
Stock=Stock
Stocks=Stocks
-MissingStocks=Missing stocks
-StockAtDate=Stocks at date
-StockAtDateInPast=Date in past
-StockAtDateInFuture=Date in future
-StocksByLotSerial=Stocks by lot/serial
-LotSerial=Lots/Serials
-LotSerialList=List of lot/serials
+MissingStocks=Falta sock
+StockAtDate=Stocks á data
+StockAtDateInPast=Data no pasado
+StockAtDateInFuture=Data no futuro
+StocksByLotSerial=Stocks por lotes/serie
+LotSerial=Lotes/Series
+LotSerialList=Listaxe de lotes/series
Movements=Movementos
-ErrorWarehouseRefRequired=Warehouse reference name is required
-ListOfWarehouses=List of warehouses
+ErrorWarehouseRefRequired=O nome de referencia do almacén é obrigado
+ListOfWarehouses=Listaxe de almacéns
ListOfStockMovements=Listaxe de movementos de stock
-ListOfInventories=List of inventories
-MovementId=Movement ID
-StockMovementForId=Movement ID %d
-ListMouvementStockProject=List of stock movements associated to project
-StocksArea=Warehouses area
-AllWarehouses=All warehouses
-IncludeEmptyDesiredStock=Include also negative stock with undefined desired stock
-IncludeAlsoDraftOrders=Include also draft orders
+ListOfInventories=Listaxe de inventarios
+MovementId=ID movemento
+StockMovementForId=ID movemento %d
+ListMouvementStockProject=Listaxe de movementos de stock asociados ao proxecto
+StocksArea=Área almacéns
+AllWarehouses=Todos os almacéns
+IncludeEmptyDesiredStock=Inclúe tamén stock negativo con stock desexado indefinido
+IncludeAlsoDraftOrders=Incluir tamén pedimentos borrador
Location=Localización
-LocationSummary=Short name location
-NumberOfDifferentProducts=Number of different products
-NumberOfProducts=Total number of products
-LastMovement=Latest movement
-LastMovements=Latest movements
+LocationSummary=Nome curto da localización
+NumberOfDifferentProducts=Número de produtos diferentes
+NumberOfProducts=Numero total de produtos
+LastMovement=Último movemento
+LastMovements=Últimos movementos
Units=Unidades
Unit=Unidade
-StockCorrection=Stock correction
-CorrectStock=Correct stock
-StockTransfer=Stock transfer
-TransferStock=Transfer stock
-MassStockTransferShort=Mass stock transfer
-StockMovement=Stock movement
-StockMovements=Stock movements
-NumberOfUnit=Number of units
-UnitPurchaseValue=Unit purchase price
-StockTooLow=Stock too low
-StockLowerThanLimit=Stock lower than alert limit (%s)
+StockCorrection=Corrección stock
+CorrectStock=Corrixir stock
+StockTransfer=Transferencia de stock
+TransferStock=Transferir stock
+MassStockTransferShort=Transferencia de stock masiva
+StockMovement=Movemento de stock
+StockMovements=Movementos de stock
+NumberOfUnit=Número de unidades
+UnitPurchaseValue=Prezo de compra unitario
+StockTooLow=Stock insuficinte
+StockLowerThanLimit=O stock é menor que o límite da alerta (%s)
EnhancedValue=Valor
-PMPValue=Weighted average price
-PMPValueShort=WAP
-EnhancedValueOfWarehouses=Warehouses value
-UserWarehouseAutoCreate=Create a user warehouse automatically when creating a user
-AllowAddLimitStockByWarehouse=Manage also value for minimum and desired stock per pairing (product-warehouse) in addition to the value for minimum and desired stock per product
-RuleForWarehouse=Rule for warehouses
-WarehouseAskWarehouseDuringOrder=Set a warehouse on Sale orders
-UserDefaultWarehouse=Set a warehouse on Users
-MainDefaultWarehouse=Default warehouse
-MainDefaultWarehouseUser=Use a default warehouse for each user
-MainDefaultWarehouseUserDesc=By activating this option, during creation of a product, the warehouse assigned to the product will be defined on this one. If no warehouse is defined on the user, the default warehouse is defined.
-IndependantSubProductStock=Product stock and subproduct stock are independent
-QtyDispatched=Quantity dispatched
-QtyDispatchedShort=Qty dispatched
-QtyToDispatchShort=Qty to dispatch
-OrderDispatch=Item receipts
-RuleForStockManagementDecrease=Choose Rule for automatic stock decrease (manual decrease is always possible, even if an automatic decrease rule is activated)
-RuleForStockManagementIncrease=Choose Rule for automatic stock increase (manual increase is always possible, even if an automatic increase rule is activated)
-DeStockOnBill=Decrease real stocks on validation of customer invoice/credit note
-DeStockOnValidateOrder=Decrease real stocks on validation of sales order
-DeStockOnShipment=Decrease real stocks on shipping validation
-DeStockOnShipmentOnClosing=Decrease real stocks when shipping is set to closed
-ReStockOnBill=Increase real stocks on validation of vendor invoice/credit note
-ReStockOnValidateOrder=Increase real stocks on purchase order approval
-ReStockOnDispatchOrder=Increase real stocks on manual dispatching into warehouse, after purchase order receipt of goods
-StockOnReception=Increase real stocks on validation of reception
-StockOnReceptionOnClosing=Increase real stocks when reception is set to closed
-OrderStatusNotReadyToDispatch=Order has not yet or no more a status that allows dispatching of products in stock warehouses.
-StockDiffPhysicTeoric=Explanation for difference between physical and virtual stock
-NoPredefinedProductToDispatch=No predefined products for this object. So no dispatching in stock is required.
-DispatchVerb=Dispatch
-StockLimitShort=Limit for alert
-StockLimit=Stock limit for alert
-StockLimitDesc=(empty) means no warning. 0 can be used for a warning as soon as stock is empty.
-PhysicalStock=Physical Stock
-RealStock=Real Stock
-RealStockDesc=Physical/real stock is the stock currently in the warehouses.
-RealStockWillAutomaticallyWhen=The real stock will be modified according to this rule (as defined in the Stock module):
-VirtualStock=Virtual stock
-VirtualStockAtDate=Virtual stock at date
-VirtualStockAtDateDesc=Virtual stock once all pending orders that are planned to be done before the date will be finished
-VirtualStockDesc=Virtual stock is the calculated stock available once all open/pending actions (that affect stocks) are closed (purchase orders received, sales orders shipped, manufacturing orders produced, etc)
-IdWarehouse=Id warehouse
-DescWareHouse=Description warehouse
-LieuWareHouse=Localisation warehouse
-WarehousesAndProducts=Warehouses and products
-WarehousesAndProductsBatchDetail=Warehouses and products (with detail per lot/serial)
-AverageUnitPricePMPShort=Weighted average price
-AverageUnitPricePMPDesc=The input average unit price we had to pay to suppliers to get the product into our stock.
-SellPriceMin=Selling Unit Price
-EstimatedStockValueSellShort=Value for sell
-EstimatedStockValueSell=Value for sell
-EstimatedStockValueShort=Input stock value
-EstimatedStockValue=Input stock value
-DeleteAWarehouse=Delete a warehouse
-ConfirmDeleteWarehouse=Are you sure you want to delete the warehouse %s?
-PersonalStock=Personal stock %s
-ThisWarehouseIsPersonalStock=This warehouse represents personal stock of %s %s
-SelectWarehouseForStockDecrease=Choose warehouse to use for stock decrease
-SelectWarehouseForStockIncrease=Choose warehouse to use for stock increase
-NoStockAction=No stock action
-DesiredStock=Desired Stock
-DesiredStockDesc=This stock amount will be the value used to fill the stock by replenishment feature.
-StockToBuy=To order
-Replenishment=Replenishment
-ReplenishmentOrders=Replenishment orders
-VirtualDiffersFromPhysical=According to increase/decrease stock options, physical stock and virtual stock (physical stock + open orders) may differ
-UseRealStockByDefault=Use real stock, instead of virtual stock, for replenishment feature
-ReplenishmentCalculation=Amount to order will be (desired quantity - real stock) instead of (desired quantity - virtual stock)
-UseVirtualStock=Use virtual stock
-UsePhysicalStock=Use physical stock
-CurentSelectionMode=Current selection mode
-CurentlyUsingVirtualStock=Virtual stock
-CurentlyUsingPhysicalStock=Physical stock
-RuleForStockReplenishment=Rule for stocks replenishment
-SelectProductWithNotNullQty=Select at least one product with a qty not null and a vendor
-AlertOnly= Alerts only
-IncludeProductWithUndefinedAlerts = Include also negative stock for products with no desired quantity defined, to restore them to 0
-WarehouseForStockDecrease=The warehouse %s will be used for stock decrease
-WarehouseForStockIncrease=The warehouse %s will be used for stock increase
-ForThisWarehouse=For this warehouse
-ReplenishmentStatusDesc=This is a list of all products with a stock lower than desired stock (or lower than alert value if checkbox "alert only" is checked). Using the checkbox, you can create purchase orders to fill the difference.
-ReplenishmentStatusDescPerWarehouse=If you want a replenishment based on desired quantity defined per warehouse, you must add a filter on the warehouse.
-ReplenishmentOrdersDesc=This is a list of all open purchase orders including predefined products. Only open orders with predefined products, so orders that may affect stocks, are visible here.
-Replenishments=Replenishments
-NbOfProductBeforePeriod=Quantity of product %s in stock before selected period (< %s)
-NbOfProductAfterPeriod=Quantity of product %s in stock after selected period (> %s)
-MassMovement=Mass movement
-SelectProductInAndOutWareHouse=Select a source warehouse and a target warehouse, a product and a quantity then click "%s". Once this is done for all required movements, click onto "%s".
-RecordMovement=Record transfer
-ReceivingForSameOrder=Receipts for this order
-StockMovementRecorded=Stock movements recorded
-RuleForStockAvailability=Rules on stock requirements
-StockMustBeEnoughForInvoice=Stock level must be enough to add product/service to invoice (check is done on current real stock when adding a line into invoice whatever the rule for automatic stock change)
-StockMustBeEnoughForOrder=Stock level must be enough to add product/service to order (check is done on current real stock when adding a line into order whatever the rule for automatic stock change)
-StockMustBeEnoughForShipment= Stock level must be enough to add product/service to shipment (check is done on current real stock when adding a line into shipment whatever the rule for automatic stock change)
-MovementLabel=Label of movement
-TypeMovement=Type of movement
-DateMovement=Date of movement
-InventoryCode=Movement or inventory code
-IsInPackage=Contained into package
-WarehouseAllowNegativeTransfer=Stock can be negative
-qtyToTranferIsNotEnough=You don't have enough stock from your source warehouse and your setup does not allow negative stocks.
-qtyToTranferLotIsNotEnough=You don't have enough stock, for this lot number, from your source warehouse and your setup does not allow negative stocks (Qty for product '%s' with lot '%s' is %s in warehouse '%s').
+PMPValue=Prezo medio ponderado
+PMPValueShort=PMP
+EnhancedValueOfWarehouses=Valor de stocks en almacén
+UserWarehouseAutoCreate=Crea automáticamente un almacén de usuarios ao crear un usuario
+AllowAddLimitStockByWarehouse=Xestionar tamén o valor do stock mínimo e desexado por emparellamento (produto-almacén) ademais do valor do stock mínimo e stock desexado por produto
+RuleForWarehouse=Regras para almacén
+WarehouseAskWarehouseDuringOrder=Establecer un almacén para pedimentos de provedor
+UserDefaultWarehouse=Establecer un almacén para usuarios
+MainDefaultWarehouse=Almacén por defecto
+MainDefaultWarehouseUser=Usar un almacén por defecto para cada usuario
+MainDefaultWarehouseUserDesc=Ao activar esta opción, durante a creación dun produto, o almacén asignado ao produto definirase nesta. Se non se define ningún almacén no usuario, defínese automaticamente o almacén predeterminado.
+IndependantSubProductStock=Stock do producto e stock do subproducto son independentes
+QtyDispatched=Cantidade enviada
+QtyDispatchedShort=Cant. enviada
+QtyToDispatchShort=Cant. a enviar
+OrderDispatch=Artigos recibidos
+RuleForStockManagementDecrease=Escolla Regra para diminución automática de stock (sempre é posible a diminución manual, aínda que estexa activada unha regra de diminución automática)
+RuleForStockManagementIncrease=Escolla Regra para o aumento automático de stock (o aumento manual sempre é posible, aínda que estexa activada unha regra de aumento automático)
+DeStockOnBill=Diminuir o stock real na validación da factura/nota de crédito do cliente
+DeStockOnValidateOrder=Diminuír o stock real na validación do pedimento de provedor
+DeStockOnShipment=Diminuír o stock real na validación do envío
+DeStockOnShipmentOnClosing=Diminúe o stock real cando o envío está pechado
+ReStockOnBill=Aumenta o stock real na validación da factura/nota de crédito do provedor
+ReStockOnValidateOrder=Aumenta o stock real na aprobación do pedimento de provedor
+ReStockOnDispatchOrder=Aumentar o stock real no envío manual ao almacén, despois da recepción da mercadoría do pedimento de provedor
+StockOnReception=Aumento o stock real na validación da recepción
+StockOnReceptionOnClosing=Aumenta o stock real cando pecha a recepción
+OrderStatusNotReadyToDispatch=O pedimento de cliente aínda non ten ou non ten un estado que permite o envío de produtos en almacéns.
+StockDiffPhysicTeoric=Explicación da diferenza entre stock físico e virtual
+NoPredefinedProductToDispatch=Non hai produtos predefinidos para este obxecto. Polo tanto, non é preciso o stock en envío.
+DispatchVerb=Enviado
+StockLimitShort=Límite para alerta
+StockLimit=Stock límite para alertas
+StockLimitDesc=(baleiro) significa que non hai aviso. 0 pode usarse como aviso en canto o stock estexa baleiro.
+PhysicalStock=Stock físico
+RealStock=Stock real
+RealStockDesc=O stock físico/real é o stock actualmente existente nos almacéns
+RealStockWillAutomaticallyWhen=O stock real modificarase segundo esta regra (como se define no módulo Stock):
+VirtualStock=Stock virtual
+VirtualStockAtDate=Stock virtual á data
+VirtualStockAtDateDesc=Stock virtual unha vez finalizados todos os pedidos pendentes que se prevé facer antes da data
+VirtualStockDesc=O stock virtual é o stock calculado dispoñible unha vez pechadas todas as accións abertas/pendentes (que afectan ao stock) (pedimentos a provedor recibidos, pedimentos de cliente enviados, pedimentos de fabricación producidos, etc.)
+IdWarehouse=Id. almacén
+DescWareHouse=Descrición almacén
+LieuWareHouse=Localización almacén
+WarehousesAndProducts=Almacéns e produtos
+WarehousesAndProductsBatchDetail=Almacéns e produtos (con detalle por lote/serie)
+AverageUnitPricePMPShort=Prezo medio ponderado (PMP)
+AverageUnitPricePMPDesc=O prezo unitario medio de entrada que houbo que pagar aos provedores para que o produto estivese no noso stock.
+SellPriceMin=Prezo de venda unitario
+EstimatedStockValueSellShort=Valor de venda
+EstimatedStockValueSell=Valor de venda
+EstimatedStockValueShort=Valor compra de stock
+EstimatedStockValue=Valor de compra de stock
+DeleteAWarehouse=Eliminar un almacén
+ConfirmDeleteWarehouse=¿Está certo de querer eliminar o almacén %s?
+PersonalStock=Stock persoal %s
+ThisWarehouseIsPersonalStock=Este almacén representa o stock persoal de %s %s
+SelectWarehouseForStockDecrease=Seleccione o almacén a usar no decremento de stock
+SelectWarehouseForStockIncrease=Seleccione o almacén a usar no incremento de stock
+NoStockAction=Sen accións sobre o stock
+DesiredStock=Stock ótimo desexado
+DesiredStockDesc=Esta cantidade será o valor que se utilizará para encher o stock no reposición.
+StockToBuy=A pedir
+Replenishment=Reposición
+ReplenishmentOrders=Ordes de reposición
+VirtualDiffersFromPhysical=Segundo as opcións de aumento/disminución, o stock físico e virtual (pedimentos en curso+stock físico) pode diferir
+UseRealStockByDefault=Usar stock real por defecto, en lugar de stock virtual, para o reposición
+ReplenishmentCalculation=A cantidade a pedir será (cantidade desexada - stock real) en lugar de (cantidade desexada - stock virtual)
+UseVirtualStock=Usar stock virtual
+UsePhysicalStock=Usar stock físico
+CurentSelectionMode=Modo de selección actual
+CurentlyUsingVirtualStock=Stock virtual
+CurentlyUsingPhysicalStock=Stock físico
+RuleForStockReplenishment=Regra para o reposicion de stock
+SelectProductWithNotNullQty=Seleccione alo menos un produto cunha cantidade distinta de cero e un provedor
+AlertOnly= Só alertas
+IncludeProductWithUndefinedAlerts = Inclúe tamén stock negativo para produtos sen cantidade desexada definida, para restablecelos a 0
+WarehouseForStockDecrease=Para o decremento de stock usarase o almacén %s
+WarehouseForStockIncrease=Para o incremento de stock usarase o almacén %s
+ForThisWarehouse=Para este almacén
+ReplenishmentStatusDesc=Esta é unha listaxe de todos os produtos cun stock inferior ao stock desexado (ou inferior ao valor de alerta se a caixa de verificación "só alerta" está marcada). Usando a caixa de verificación, pode crear pedimentos de provedor para cubrir a diferenza.
+ReplenishmentStatusDescPerWarehouse=Se desexa unha reposición baseada na cantidade desexada definida por almacén, debe engadir un filtro no almacén.
+ReplenishmentOrdersDesc=Esta é unha listaxe de todos os pedimentos a provedor abertos, incluídos os produtos predefinidos. Aquí só son visibles os pedimentos abertos con produtos predefinidos, polo que os pedimentos poden afectar ao stock..
+Replenishments=Reposicións
+NbOfProductBeforePeriod=Cantidade de produto %s en stock antes do período seleccionado (<%s)
+NbOfProductAfterPeriod=Cantidade de produto %s en stock despois do período seleccionado (>%s)
+MassMovement=Movementos en masa
+SelectProductInAndOutWareHouse=Seleccione un almacén de orixe e un almacén de destino, un produto e unha cantidade e prema en "%s". Unha vez feito isto para todos os movementos precisos, faga clic en "%s".
+RecordMovement=Rexistrar transferencia
+ReceivingForSameOrder=Recepcións deste pedimento
+StockMovementRecorded=Movemento de stock rexistrado
+RuleForStockAvailability=Reglas de requerimento de stock
+StockMustBeEnoughForInvoice=O nivel de stock debe ser suficiente para engadir produto/servizo á factura (a comprobación faise no stock real actual ao engadir unha liña na factura calquera que sexa a regra para o cambio automático de stock)
+StockMustBeEnoughForOrder=O nivel de stock debe ser suficiente para engadir produto/servizo ao pedimento (a comprobación faise no stock real actual ao engadir unha liña no pedimento calquera que sexa a regra para o cambio de stock automático)
+StockMustBeEnoughForShipment= O nivel de stock debe ser suficiente para engadir produto/servizo ao envío (a comprobación faise no stock real actual cando se engade unha liña ao envío calquera que sexa a regra para o cambio automático de stock)
+MovementLabel=Etiqueta do movemento
+TypeMovement=Tipo de movemento
+DateMovement=Data de movemento
+InventoryCode=Movemento ou código de inventario
+IsInPackage=Contido no paquete
+WarehouseAllowNegativeTransfer=O stock pode ser negativvo
+qtyToTranferIsNotEnough=Non ten stock suficiente no seu almacén de orixe e a súa configuración non permite stocks negativos
+qtyToTranferLotIsNotEnough=Non ten stock suficiente para este número de lote no seu almacén de orixe e a súa configuración non permite existencias negativas (a cantidade para o produto '%s' co lote '%s' é %s no almacén '%s').
ShowWarehouse=Ver almacén
-MovementCorrectStock=Stock correction for product %s
-MovementTransferStock=Stock transfer of product %s into another warehouse
-InventoryCodeShort=Inv./Mov. code
-NoPendingReceptionOnSupplierOrder=No pending reception due to open purchase order
-ThisSerialAlreadyExistWithDifferentDate=This lot/serial number (%s) already exists but with different eatby or sellby date (found %s but you enter %s).
-OpenAll=Open for all actions
-OpenInternal=Open only for internal actions
-UseDispatchStatus=Use a dispatch status (approve/refuse) for product lines on purchase order reception
-OptionMULTIPRICESIsOn=Option "several prices per segment" is on. It means a product has several selling price so value for sell can't be calculated
-ProductStockWarehouseCreated=Stock limit for alert and desired optimal stock correctly created
-ProductStockWarehouseUpdated=Stock limit for alert and desired optimal stock correctly updated
-ProductStockWarehouseDeleted=Stock limit for alert and desired optimal stock correctly deleted
-AddNewProductStockWarehouse=Set new limit for alert and desired optimal stock
-AddStockLocationLine=Decrease quantity then click to add another warehouse for this product
-InventoryDate=Inventory date
-NewInventory=New inventory
-inventorySetup = Inventory Setup
-inventoryCreatePermission=Create new inventory
-inventoryReadPermission=View inventories
-inventoryWritePermission=Update inventories
-inventoryValidatePermission=Validate inventory
+MovementCorrectStock=Correción de sotck do produto %s
+MovementTransferStock=Transferencia de stock do produto %s a outro almacén
+InventoryCodeShort=Código Inv./Mov.
+NoPendingReceptionOnSupplierOrder=Non agárdanse recepcións do pedimento a provedor
+ThisSerialAlreadyExistWithDifferentDate=Este número de lote/serie (%s) xa existe, pero cunha data de caducidade ou venda distinta (atopada %s pero vostede introduce %s).
+OpenAll=Aberto para todas as accións
+OpenInternal=Aberto só a accións internas
+UseDispatchStatus=Use un estado de envío (aprobar/rexeitar) para as liñas de produtos na recepción do pedimento de provedor
+OptionMULTIPRICESIsOn=A opción "varios prezos por segmento" está activada. Significa que un produto ten varios prezos de venda polo que o valor para a venda non se pode calcular
+ProductStockWarehouseCreated=Límite stock para alertas e stock óptimo desxeado creado correctamente
+ProductStockWarehouseUpdated=Límite stock para alertas e stock óptimo desexado actualizado correctamente
+ProductStockWarehouseDeleted=Límite stock para alertas e stock óptimo desexado eliminado correctamente
+AddNewProductStockWarehouse=Indicar novo límite para alertas e stock óptimo desexado
+AddStockLocationLine=Disminúa a cantidade, e a continuación, faga clic para agregar outro almacén para este produto
+InventoryDate=Data inventario
+NewInventory=Novo inventario
+inventorySetup = Configuración inventario
+inventoryCreatePermission=Crear novo inventario
+inventoryReadPermission=Ver inventarios
+inventoryWritePermission=Actualizar inventarios
+inventoryValidatePermission=Validar inventario
inventoryTitle=Inventario
-inventoryListTitle=Inventories
-inventoryListEmpty=No inventory in progress
-inventoryCreateDelete=Create/Delete inventory
-inventoryCreate=Create new
-inventoryEdit=Editar
+inventoryListTitle=Inventarios
+inventoryListEmpty=Sen inventario en progreso
+inventoryCreateDelete=Crear/Eliminar inventario
+inventoryCreate=Crear novo
+inventoryEdit=Modificar
inventoryValidate=Validado
inventoryDraft=En servizo
-inventorySelectWarehouse=Warehouse choice
+inventorySelectWarehouse=Selección de almacén
inventoryConfirmCreate=Crear
-inventoryOfWarehouse=Inventory for warehouse: %s
-inventoryErrorQtyAdd=Error: one quantity is less than zero
-inventoryMvtStock=By inventory
-inventoryWarningProductAlreadyExists=This product is already into list
-SelectCategory=Category filter
-SelectFournisseur=Vendor filter
+inventoryOfWarehouse=Inventario para o almacén: %s
+inventoryErrorQtyAdd=Erro: A cantidade é menor que cero
+inventoryMvtStock=Por inventario
+inventoryWarningProductAlreadyExists=Este producto xa atópase no listado
+SelectCategory=Filtro por categoría
+SelectFournisseur=Filtro provedor
inventoryOnDate=Inventario
-INVENTORY_USE_INVENTORY_DATE_FOR_DATE_OF_MVT=Stock movements will have the date of inventory (instead of the date of inventory validation)
-inventoryChangePMPPermission=Allow to change PMP value for a product
-ColumnNewPMP=New unit PMP
-OnlyProdsInStock=Do not add product without stock
-TheoricalQty=Theorique qty
-TheoricalValue=Theorique qty
-LastPA=Last BP
-CurrentPA=Curent BP
-RecordedQty=Recorded Qty
-RealQty=Real Qty
-RealValue=Real Value
-RegulatedQty=Regulated Qty
-AddInventoryProduct=Add product to inventory
+INVENTORY_USE_INVENTORY_DATE_FOR_DATE_OF_MVT=Os movementos de stock terán a data do inventario (en lugar da data da validación do inventario)
+inventoryChangePMPPermission=Permitir cambiar o PMP dun produto
+ColumnNewPMP=Nova unidade PMP
+OnlyProdsInStock=Non engadir produto sen stock
+TheoricalQty=Cant. teórica
+TheoricalValue=Cant. teórica
+LastPA=Último BP
+CurrentPA=BP actual
+RecordedQty=Cant. gardada
+RealQty=Cant. real
+RealValue=Valor Real
+RegulatedQty=Cant. Regulada
+AddInventoryProduct=Engadir produto ao inventario
AddProduct=Engadir
-ApplyPMP=Apply PMP
-FlushInventory=Flush inventory
-ConfirmFlushInventory=Do you confirm this action?
-InventoryFlushed=Inventory flushed
-ExitEditMode=Exit edition
+ApplyPMP=Aplicar PMP
+FlushInventory=Inventario
+ConfirmFlushInventory=¿Confirma esta acción?
+InventoryFlushed=Inventario finalizado
+ExitEditMode=Sair da edición
inventoryDeleteLine=Eliminación de liña
-RegulateStock=Regulate Stock
+RegulateStock=Regular stock
ListInventory=Listaxe
-StockSupportServices=Stock management supports Services
-StockSupportServicesDesc=By default, you can stock only products of type "product". You may also stock a product of type "service" if both module Services and this option are enabled.
-ReceiveProducts=Receive items
-StockIncreaseAfterCorrectTransfer=Increase by correction/transfer
-StockDecreaseAfterCorrectTransfer=Decrease by correction/transfer
-StockIncrease=Stock increase
-StockDecrease=Stock decrease
-InventoryForASpecificWarehouse=Inventory for a specific warehouse
-InventoryForASpecificProduct=Inventory for a specific product
-StockIsRequiredToChooseWhichLotToUse=Stock is required to choose which lot to use
-ForceTo=Force to
-AlwaysShowFullArbo=Display full tree of warehouse on popup of warehouse links (Warning: This may decrease dramatically performances)
-StockAtDatePastDesc=You can view here the stock (real stock) at a given date in the past
-StockAtDateFutureDesc=You can view here the stock (virtual stock) at a given date in future
-CurrentStock=Current stock
-InventoryRealQtyHelp=Set value to 0 to reset qty Keep field empty, or remove line, to keep unchanged
-UpdateByScaning=Update by scaning
-UpdateByScaningProductBarcode=Update by scan (product barcode)
-UpdateByScaningLot=Update by scan (lot|serial barcode)
+StockSupportServices=A xestión de stock soporta Servizos
+StockSupportServicesDesc=Por defecto só pode almacenar o produto co tipo "produto". Se está activado e se o servizo de módulo está activado, tamén pode almacenar un produto co tipo "servizo"
+ReceiveProducts=Recibir artigos
+StockIncreaseAfterCorrectTransfer=Incremento por corrección/transferencia
+StockDecreaseAfterCorrectTransfer=Decremento por corrección/transferencia
+StockIncrease=Incremento de stock
+StockDecrease=Decremento de stock
+InventoryForASpecificWarehouse=Inventario para un almacén determinado
+InventoryForASpecificProduct=Inventario para un produto determinado
+StockIsRequiredToChooseWhichLotToUse=Stock é solicitado para escoller que lote usar
+ForceTo=Forzar a
+AlwaysShowFullArbo=Mostrar a árbore completa do almacén na ventá emerxente das ligazóns do almacén (aviso: isto pode diminuír drasticamente o rendemento)
+StockAtDatePastDesc=Aquí pode ver o stock (stock real) nunha data determinada no pasado
+StockAtDateFutureDesc=Aquí pode ver o stock (stock virtual) nunha data determinada no futuro
+CurrentStock=Stock actual
+InventoryRealQtyHelp=Estableza o valor en 0 para restablecer cantidade Manteña o campo baleiro ou elimine a liña para mantelo sen cambios
+UpdateByScaning=Actualiza escaneando
+UpdateByScaningProductBarcode=Actualiza por escaneo (código de barras do produto)
+UpdateByScaningLot=Actualiza por escano (código de barras lote/serie)
+DisableStockChangeOfSubProduct=Desactive o cambio de stock de todos os subprodutos deste produto composto durante este movemento.
diff --git a/htdocs/langs/gl_ES/supplier_proposal.lang b/htdocs/langs/gl_ES/supplier_proposal.lang
index 1446d11794a..76ec6489a08 100644
--- a/htdocs/langs/gl_ES/supplier_proposal.lang
+++ b/htdocs/langs/gl_ES/supplier_proposal.lang
@@ -1,54 +1,55 @@
# Dolibarr language file - Source file is en_US - supplier_proposal
-SupplierProposal=Vendor commercial proposals
-supplier_proposalDESC=Manage price requests to suppliers
-SupplierProposalNew=New price request
-CommRequest=Price request
-CommRequests=Prezo orzamentos
-SearchRequest=Find a request
-DraftRequests=Draft requests
-SupplierProposalsDraft=Draft vendor proposals
-LastModifiedRequests=Latest %s modified price requests
-RequestsOpened=Open price requests
-SupplierProposalArea=Vendor proposals area
-SupplierProposalShort=Vendor proposal
-SupplierProposals=Orzamentos de provedor
-SupplierProposalsShort=Orzamentos de provedor
-NewAskPrice=New price request
-ShowSupplierProposal=Show price request
-AddSupplierProposal=Create a price request
-SupplierProposalRefFourn=Vendor ref
+SupplierProposal=Orzamentos de provedor
+supplier_proposalDESC=Xestiona orzamentos de provedor
+SupplierProposalNew=Novo orzamento
+CommRequest=Orzamento
+CommRequests=Orzamentos
+SearchRequest=Buscar un orzamento
+DraftRequests=Orzamentos borrador
+SupplierProposalsDraft=Orzamentos de provedor borrador
+LastModifiedRequests=Últimos %s orzamentos modificados
+RequestsOpened=Orzamentos abertos
+SupplierProposalArea=Área orzamentos de provedor
+SupplierProposalShort=Orzamento de provedor
+SupplierProposals=Orzamentos de provedores
+SupplierProposalsShort=Orzamentos de provedores
+AskPrice=Orzamento
+NewAskPrice=Novo orzamento
+ShowSupplierProposal=Amosar orzamento
+AddSupplierProposal=Crear un orzamento
+SupplierProposalRefFourn=Ref. provedor
SupplierProposalDate=Data de entrega
SupplierProposalRefFournNotice=Before closing to "Accepted", think to grasp suppliers references.
ConfirmValidateAsk=Are you sure you want to validate this price request under name %s?
-DeleteAsk=Delete request
-ValidateAsk=Validate request
-SupplierProposalStatusDraft=Borrador (é preciso validar)
-SupplierProposalStatusValidated=Validated (request is open)
-SupplierProposalStatusClosed=Pechada
-SupplierProposalStatusSigned=Accepted
+DeleteAsk=Eliminar orzamento
+ValidateAsk=Validar orzamento
+SupplierProposalStatusDraft=Borrador (a validar)
+SupplierProposalStatusValidated=Validado (orzamento aberto)
+SupplierProposalStatusClosed=Pechado
+SupplierProposalStatusSigned=Aceptado
SupplierProposalStatusNotSigned=Rexeitado
SupplierProposalStatusDraftShort=Borrador
SupplierProposalStatusValidatedShort=Validado
-SupplierProposalStatusClosedShort=Pechada
-SupplierProposalStatusSignedShort=Accepted
+SupplierProposalStatusClosedShort=Pechado
+SupplierProposalStatusSignedShort=Aceptado
SupplierProposalStatusNotSignedShort=Rexeitado
-CopyAskFrom=Create a price request by copying an existing request
-CreateEmptyAsk=Create blank request
-ConfirmCloneAsk=Are you sure you want to clone the price request %s?
-ConfirmReOpenAsk=Are you sure you want to open back the price request %s?
-SendAskByMail=Send price request by mail
-SendAskRef=Sending the price request %s
-SupplierProposalCard=Request card
-ConfirmDeleteAsk=Are you sure you want to delete this price request %s?
-ActionsOnSupplierProposal=Events on price request
-DocModelAuroreDescription=A complete request model (logo...)
-CommercialAsk=Price request
-DefaultModelSupplierProposalCreate=Default model creation
-DefaultModelSupplierProposalToBill=Default template when closing a price request (accepted)
-DefaultModelSupplierProposalClosed=Default template when closing a price request (refused)
-ListOfSupplierProposals=List of vendor proposal requests
-ListSupplierProposalsAssociatedProject=List of vendor proposals associated with project
-SupplierProposalsToClose=Vendor proposals to close
-SupplierProposalsToProcess=Vendor proposals to process
-LastSupplierProposals=Latest %s price requests
-AllPriceRequests=All requests
+CopyAskFrom=Crear orzamento por copia dun existente
+CreateEmptyAsk=Crear un orzamento en branco
+ConfirmCloneAsk=¿Está certo de querer clonar o orzamento %s?
+ConfirmReOpenAsk=¿Está certo de querer abrir de novo o orzamento %s?
+SendAskByMail=Enviar orzamento por correo electrónico
+SendAskRef=Enviando o orzamento %s
+SupplierProposalCard=Ficha orzamento
+ConfirmDeleteAsk=¿Está certo de querer eliminar este orzamento %s?
+ActionsOnSupplierProposal=Eventos do orzamento
+DocModelAuroreDescription=Modelo de orzamento completo (logo...)
+CommercialAsk=Orzamento
+DefaultModelSupplierProposalCreate=Modelo por defecto
+DefaultModelSupplierProposalToBill=Modelo por defecto ao pechar un orzamento (aceptado)
+DefaultModelSupplierProposalClosed=Modelo por defecto ao pechar un orzamento (rexeitado)
+ListOfSupplierProposals=Listaxe de orzamentos de provedor
+ListSupplierProposalsAssociatedProject=Listaxe de orzamentos de provedor asociados ao proxecto
+SupplierProposalsToClose=Orzamentos de provedor a pechar
+SupplierProposalsToProcess=Orzamentos de provedor a procesar
+LastSupplierProposals=Últimos %s orzamentos
+AllPriceRequests=Todos os orzamentos
diff --git a/htdocs/langs/gl_ES/suppliers.lang b/htdocs/langs/gl_ES/suppliers.lang
index 99bc16f91d3..daa7379bf6f 100644
--- a/htdocs/langs/gl_ES/suppliers.lang
+++ b/htdocs/langs/gl_ES/suppliers.lang
@@ -6,43 +6,43 @@ NewSupplier=Novo provedor
History=Histórico
ListOfSuppliers=Listaxe de provedores
ShowSupplier=Ver provedor
-OrderDate=Data de pedido
+OrderDate=Data de pedimento
BuyingPriceMin=Mellor prezo de compra
BuyingPriceMinShort=Mellor prezo de compra
-TotalBuyingPriceMinShort=Total dos prezos de compra dos subproductos
-TotalSellingPriceMinShort=Total dos prezos de venda dos subproductos
-SomeSubProductHaveNoPrices=Algúns subproductos non teñen prezo definido
+TotalBuyingPriceMinShort=Total dos prezos de compra dos subprodutos
+TotalSellingPriceMinShort=Total dos prezos de venda dos subprodutos
+SomeSubProductHaveNoPrices=Algúns subprodutos non teñen prezo definido
AddSupplierPrice=Engadir prezo de compra
ChangeSupplierPrice=Mudar prezo de compra
SupplierPrices=Prezos provedor
ReferenceSupplierIsAlreadyAssociatedWithAProduct=Esta referencia de provedor xa está asociada á referencia: %s
-NoRecordedSuppliers=Sen provedores registrados
+NoRecordedSuppliers=Sen provedores rexistrados
SupplierPayment=Pagos a provedor
SuppliersArea=Área provedores
RefSupplierShort=Ref. provedor
Availability=Dispoñibilidade
-ExportDataset_fournisseur_1=Facturas de provedor e detalle da factura
-ExportDataset_fournisseur_2=Facturas de provedor e pagos
-ExportDataset_fournisseur_3=Pedidos a provedor e detalles de pedido
-ApproveThisOrder=Aprobar este pedido
-ConfirmApproveThisOrder=Está certo de querer aprobar o pedido a provedor %s?
-DenyingThisOrder=Denegar este pedido
-ConfirmDenyingThisOrder=¿Está certo de querer denegar o pedido a provedor %s?
-ConfirmCancelThisOrder=¿Está certo de querer cancelar o pedido a provedor %s?
-AddSupplierOrder=Crear pedido a provedor
+ExportDataset_fournisseur_1=Facturas de provedor e liñas de factura
+ExportDataset_fournisseur_2=Facturas de provedor e pagamentos
+ExportDataset_fournisseur_3=Pedimentos a provedor e liñas de pedimento
+ApproveThisOrder=Aprobar este pedimento
+ConfirmApproveThisOrder=Está certo de querer aprobar o pedimento a provedor %s?
+DenyingThisOrder=Denegar este pedimento
+ConfirmDenyingThisOrder=¿Está certo de querer denegar o pedimento a provedor %s?
+ConfirmCancelThisOrder=¿Está certo de querer cancelar o pedimento a provedor %s?
+AddSupplierOrder=Crear pedimento a provedor
AddSupplierInvoice=Crear factura de provedor
ListOfSupplierProductForSupplier=Listaxe de produtos e prezos do provedor %s
SentToSuppliers=Enviado a provedores
-ListOfSupplierOrders=Listaxe de pedidos de compra
-MenuOrdersSupplierToBill=Pedidos de provedor a facturar
-NbDaysToDelivery=Tempo de entrega (días)
-DescNbDaysToDelivery=O maior atraso nas entregas de produtos deste pedido
+ListOfSupplierOrders=Listaxe de pedimentos a provedor
+MenuOrdersSupplierToBill=Pedidos a provedor a facturar
+NbDaysToDelivery=Tempo de entrega en días
+DescNbDaysToDelivery=O maior atraso nas entregas de produtos deste pedimento
SupplierReputation=Reputación provedor
-ReferenceReputation=Reference reputation
-DoNotOrderThisProductToThisSupplier=Non realizar pedidos
+ReferenceReputation=Reputación de referencia
+DoNotOrderThisProductToThisSupplier=Non realizar pedimentos
NotTheGoodQualitySupplier=Mala calidade
ReputationForThisProduct=Reputación
BuyerName=Nome do comprador
-AllProductServicePrices=Todos os prezos de produto / servizo
-AllProductReferencesOfSupplier=All references of vendor
+AllProductServicePrices=Todos os prezos de produto/servizo
+AllProductReferencesOfSupplier=Todas as referencias de provedores de produto/servizo
BuyingPriceNumShort=Prezos provedor
diff --git a/htdocs/langs/gl_ES/ticket.lang b/htdocs/langs/gl_ES/ticket.lang
index e99c740d69d..d9268409b20 100644
--- a/htdocs/langs/gl_ES/ticket.lang
+++ b/htdocs/langs/gl_ES/ticket.lang
@@ -19,289 +19,286 @@
#
Module56000Name=Tickets
-Module56000Desc=Ticket system for issue or request management
+Module56000Desc=Sistema detickets para a xestión de emisións ou solicitudes
-Permission56001=See tickets
-Permission56002=Modify tickets
-Permission56003=Delete tickets
-Permission56004=Manage tickets
-Permission56005=See tickets of all third parties (not effective for external users, always be limited to the third party they depend on)
+Permission56001=Ver tickets
+Permission56002=Modificar tickets
+Permission56003=Eliminar tickets
+Permission56004=Administrar tickets
+Permission56005=Ver tickets de todos os terceiros (non aplicable para usuarios externos, sempre estará limitado ao terceiro do que dependen)
-TicketDictType=Ticket - Types
-TicketDictCategory=Ticket - Groupes
-TicketDictSeverity=Ticket - Severities
-TicketDictResolution=Ticket - Resolution
-TicketTypeShortBUGSOFT=Dysfonctionnement logiciel
-TicketTypeShortBUGHARD=Dysfonctionnement matériel
-TicketTypeShortCOM=Commercial question
+TicketDictType=Tipo de tickets
+TicketDictCategory=Grupos de tickets
+TicketDictSeverity=Gravidade dos tickets
+TicketDictResolution=Resolución dos tickets
-TicketTypeShortHELP=Request for functionnal help
-TicketTypeShortISSUE=Issue, bug or problem
-TicketTypeShortREQUEST=Change or enhancement request
+TicketTypeShortCOM=Pregunta comercial
+TicketTypeShortHELP=Solicitar axuda sobre funcións
+TicketTypeShortISSUE=Erro, bug ou problema
+TicketTypeShortREQUEST=Solicitude de cambio ou mellora
TicketTypeShortPROJET=Proxecto
TicketTypeShortOTHER=Outro
TicketSeverityShortLOW=Baixo
TicketSeverityShortNORMAL=Normal
TicketSeverityShortHIGH=Alto
-TicketSeverityShortBLOCKING=Critical/Blocking
+TicketSeverityShortBLOCKING=Crítico / Bloqueo
-ErrorBadEmailAddress=Field '%s' incorrect
-MenuTicketMyAssign=My tickets
-MenuTicketMyAssignNonClosed=My open tickets
-MenuListNonClosed=Open tickets
+ErrorBadEmailAddress=O campo '%s' é incorrecto
+MenuTicketMyAssign=Meus tickets
+MenuTicketMyAssignNonClosed=Meus tickets abertos
+MenuListNonClosed=Tickets abertos
TypeContact_ticket_internal_CONTRIBUTOR=Participante
-TypeContact_ticket_internal_SUPPORTTEC=Assigned user
-TypeContact_ticket_external_SUPPORTCLI=Customer contact / incident tracking
-TypeContact_ticket_external_CONTRIBUTOR=External contributor
+TypeContact_ticket_internal_SUPPORTTEC=Usuario asignado
+TypeContact_ticket_external_SUPPORTCLI=Contacto seguemento cliente/incidente
+TypeContact_ticket_external_CONTRIBUTOR=Contribuidor externo
-OriginEmail=Email source
-Notify_TICKET_SENTBYMAIL=Send ticket message by email
+OriginEmail=Orixe E-Mail
+Notify_TICKET_SENTBYMAIL=Enviar mensaxe de ticket por e-mail
# Status
-NotRead=Non lido
Read=Lido
-Assigned=Assigned
+Assigned=Asignado
InProgress=En progreso
-NeedMoreInformation=Waiting for information
-Answered=Answered
-Waiting=Waiting
-Closed=Pechada
-Deleted=Deleted
+NeedMoreInformation=Agardando información
+Answered=Contestado
+Waiting=Agardando
+Closed=Pechado
+Deleted=Eliminado
# Dict
Type=Tipo
-Severity=Severity
+Severity=Gravidade
# Email templates
-MailToSendTicketMessage=To send email from ticket message
+MailToSendTicketMessage=Enviar correo electrónico dende ticket
#
# Admin page
#
-TicketSetup=Ticket module setup
+TicketSetup=Configuración do módulo de ticket
TicketSettings=Configuracións
TicketSetupPage=
-TicketPublicAccess=A public interface requiring no identification is available at the following url
-TicketSetupDictionaries=The type of ticket, severity and analytic codes are configurable from dictionaries
-TicketParamModule=Module variable setup
-TicketParamMail=Email setup
-TicketEmailNotificationFrom=Notification email from
-TicketEmailNotificationFromHelp=Used into ticket message answer by example
-TicketEmailNotificationTo=Notifications email to
-TicketEmailNotificationToHelp=Send email notifications to this address.
-TicketNewEmailBodyLabel=Text message sent after creating a ticket
-TicketNewEmailBodyHelp=The text specified here will be inserted into the email confirming the creation of a new ticket from the public interface. Information on the consultation of the ticket are automatically added.
-TicketParamPublicInterface=Public interface setup
-TicketsEmailMustExist=Require an existing email address to create a ticket
-TicketsEmailMustExistHelp=In the public interface, the email address should already be filled in the database to create a new ticket.
-PublicInterface=Public interface
-TicketUrlPublicInterfaceLabelAdmin=Alternative URL for public interface
-TicketUrlPublicInterfaceHelpAdmin=It is possible to define an alias to the web server and thus make available the public interface with another URL (the server must act as a proxy on this new URL)
-TicketPublicInterfaceTextHomeLabelAdmin=Welcome text of the public interface
-TicketPublicInterfaceTextHome=You can create a support ticket or view existing from its identifier tracking ticket.
-TicketPublicInterfaceTextHomeHelpAdmin=The text defined here will appear on the home page of the public interface.
-TicketPublicInterfaceTopicLabelAdmin=Interface title
-TicketPublicInterfaceTopicHelp=This text will appear as the title of the public interface.
-TicketPublicInterfaceTextHelpMessageLabelAdmin=Help text to the message entry
-TicketPublicInterfaceTextHelpMessageHelpAdmin=This text will appear above the message input area of the user.
-ExtraFieldsTicket=Extra attributes
-TicketCkEditorEmailNotActivated=HTML editor is not activated. Please put FCKEDITOR_ENABLE_MAIL content to 1 to get it.
-TicketsDisableEmail=Do not send emails for ticket creation or message recording
-TicketsDisableEmailHelp=By default, emails are sent when new tickets or messages created. Enable this option to disable *all* email notifications
-TicketsLogEnableEmail=Enable log by email
-TicketsLogEnableEmailHelp=At each change, an email will be sent **to each contact** associated with the ticket.
-TicketParams=Params
-TicketsShowModuleLogo=Display the logo of the module in the public interface
-TicketsShowModuleLogoHelp=Enable this option to hide the logo module in the pages of the public interface
-TicketsShowCompanyLogo=Display the logo of the company in the public interface
-TicketsShowCompanyLogoHelp=Enable this option to hide the logo of the main company in the pages of the public interface
-TicketsEmailAlsoSendToMainAddress=Also send notification to main email address
-TicketsEmailAlsoSendToMainAddressHelp=Enable this option to send an email to "Notification email from" address (see setup below)
-TicketsLimitViewAssignedOnly=Restrict the display to tickets assigned to the current user (not effective for external users, always be limited to the third party they depend on)
-TicketsLimitViewAssignedOnlyHelp=Only tickets assigned to the current user will be visible. Does not apply to a user with tickets management rights.
-TicketsActivatePublicInterface=Activate public interface
-TicketsActivatePublicInterfaceHelp=Public interface allow any visitors to create tickets.
-TicketsAutoAssignTicket=Automatically assign the user who created the ticket
-TicketsAutoAssignTicketHelp=When creating a ticket, the user can be automatically assigned to the ticket.
-TicketNumberingModules=Tickets numbering module
-TicketNotifyTiersAtCreation=Notify third party at creation
-TicketsDisableCustomerEmail=Always disable emails when a ticket is created from public interface
-TicketsPublicNotificationNewMessage=Send email(s) when a new message is added
-TicketsPublicNotificationNewMessageHelp=Send email(s) when a new message is added from public interface (to assigned user or the notifications email to (update) and/or the notifications email to)
-TicketPublicNotificationNewMessageDefaultEmail=Notifications email to (update)
-TicketPublicNotificationNewMessageDefaultEmailHelp=Send email new message notifications to this address if the ticket don't have a user assigned or the user don't have a email.
+TicketPublicAccess=Na seguinte url está dispoñible unha interface pública que non precisa identificación
+TicketSetupDictionaries=Os tipos de categorías e os niveis de gravidade podense configurar nos diccionarios
+TicketParamModule=Configuración de variables do módulo
+TicketParamMail=Configuración de correo electrónicol
+TicketEmailNotificationFrom=E-mail de notificación de
+TicketEmailNotificationFromHelp=Utilizado na resposta da mensaxe do ticket por exemplo
+TicketEmailNotificationTo=Notificacións e-mail a
+TicketEmailNotificationToHelp=Envíe notificacións por e-mail a este enderezo.
+TicketNewEmailBodyLabel=Mensaxe de texto enviado despois de crear un ticket
+TicketNewEmailBodyHelp=O texto especificado aquí será insertado no correo electrónico de confirmación de creación dun novo ticket dende a interfaz pública. A información sobre a consulta do ticket agregase automáticamente.
+TicketParamPublicInterface=Configuración da interfaz pública
+TicketsEmailMustExist=Requirir un enderezo de e-mail existente para crear un ticket
+TicketsEmailMustExistHelp=Na interfaz pública, o enderezo de correo electrónico debe ser cuberto na base de datos para crear un novo ticket.
+PublicInterface=Interfaz pública.
+TicketUrlPublicInterfaceLabelAdmin=URL alternativa de interfaz pública
+TicketUrlPublicInterfaceHelpAdmin=É posible definir un alias para o servidor web e así poñer a disposición a interface pública con outro URL (o servidor debe actuar como proxy neste novo URL)
+TicketPublicInterfaceTextHomeLabelAdmin=Texto de benvida da interfaz pública
+TicketPublicInterfaceTextHome=Pode crear un ticket de asistencia ou ver algún existente desde o identificados do seu ticket de seguimento.
+TicketPublicInterfaceTextHomeHelpAdmin=O texto aquí definido aparecerá na páxina de inicio da interface pública.
+TicketPublicInterfaceTopicLabelAdmin=Título da interfaz
+TicketPublicInterfaceTopicHelp=Este texto aparecerá como o título da interfaz pública.
+TicketPublicInterfaceTextHelpMessageLabelAdmin=Texto de axuda á entrada da mensaxe
+TicketPublicInterfaceTextHelpMessageHelpAdmin=Este texto aparecerá sobre o área de entrada de mensaxes do usuario.
+ExtraFieldsTicket=Campos adicionais
+TicketCkEditorEmailNotActivated=O editor HTML non está activado. Poña o contido de FCKEDITOR_ENABLE_MAIL en 1 para obtelo.
+TicketsDisableEmail=Non enviar correos electrónicos de creación de tickets ou grabación de mensaxes
+TicketsDisableEmailHelp=Por defecto, os correos electrónicos envíanse cando se crean novas entradas ou mensaxes. Active esta opción para desactivar as notificacións de correo electrónico *all*
+TicketsLogEnableEmail=Activar o rexistro por correo electrónico
+TicketsLogEnableEmailHelp=A cada cambio, enviarase un correo electrónico **to each contact** asociado ao ticket.
+TicketParams=Parámetros
+TicketsShowModuleLogo=Amosar o logotipo do módulo na interfaz pública
+TicketsShowModuleLogoHelp=Active esta opción para ocultar o logotipo nas páxinas da interfaz pública
+TicketsShowCompanyLogo=Amosar o logotipo da empresa na interfaz pública
+TicketsShowCompanyLogoHelp=Active esta opción para ocultar o logotipo da empresa principal nas páxinas da interfaz pública
+TicketsEmailAlsoSendToMainAddress=Envíe tamén notificacións a enderezo de correo electrónico principal
+TicketsEmailAlsoSendToMainAddressHelp=Active esta opción para enviar un correo electrónico ao enderezo "Notificación de correo electrónico desde" (ver configuración a continuación)
+TicketsLimitViewAssignedOnly=Restrinxir a visualización aos tickets asignados ao usuario actual (non é efectivo para usuarios externos, limítase sempre ao terceiro do que dependen)
+TicketsLimitViewAssignedOnlyHelp=Só serán visibles os tickets asignados ao usuario actual. Non se aplica a un usuario con dereitos de xestión de tickets.
+TicketsActivatePublicInterface=Activar a interface pública
+TicketsActivatePublicInterfaceHelp=A interface pública permite aos visitantes crear entradas.
+TicketsAutoAssignTicket=Asignar automaticamente ao usuario que creou o ticket
+TicketsAutoAssignTicketHelp=Ao crear un ticket, o usuario pode asignarse automaticamente ao ticket.
+TicketNumberingModules=Módulo de numeración de entradas
+TicketsModelModule=Modelos de documentos para os tickets
+TicketNotifyTiersAtCreation=Notificar a terceiros a creación
+TicketsDisableCustomerEmail=Desactiva sempre os correos electrónicos cando se crea un ticket desde a interface pública
+TicketsPublicNotificationNewMessage=Enviar correo electrónico cando se engada unha nova mensaxe
+TicketsPublicNotificationNewMessageHelp=Enviar correo electrónico cando se engada unha nova mensaxe desde a interface pública (ao usuario asignado ou ao correo electrónico de notificacións a (actualizar) e/ou ao correo electrónico de notificacións a)
+TicketPublicNotificationNewMessageDefaultEmail=Correo electrónico de notificacións a (actualizar)
+TicketPublicNotificationNewMessageDefaultEmailHelp=Envía por correo electrónico novas mensaxes a este enderezo se o ticket non ten asignado un usuario ou o usuario non ten un correo electrónico.
#
# Index & list page
#
-TicketsIndex=Tickets area
-TicketList=List of tickets
-TicketAssignedToMeInfos=This page display ticket list created by or assigned to current user
-NoTicketsFound=No ticket found
-NoUnreadTicketsFound=No unread ticket found
-TicketViewAllTickets=View all tickets
-TicketViewNonClosedOnly=View only open tickets
-TicketStatByStatus=Tickets by status
-OrderByDateAsc=Sort by ascending date
-OrderByDateDesc=Sort by descending date
-ShowAsConversation=Show as conversation list
-MessageListViewType=Show as table list
+TicketsIndex=Área Tickets
+TicketList=Listaxe de tickets
+TicketAssignedToMeInfos=Esta páxina amosa o listado de tickets que están asignados ao usuario actual
+NoTicketsFound=Ningún ticket atopado
+NoUnreadTicketsFound=Ningún ticket sen ler atopado
+TicketViewAllTickets=Ver todos os tickets
+TicketViewNonClosedOnly=Ver só tickets abertos
+TicketStatByStatus=Tickets por estado
+OrderByDateAsc=Ordear por data ascendente
+OrderByDateDesc=Ordear por data descendente
+ShowAsConversation=Amosar a listaxe de conversa
+MessageListViewType=Amosar a listaxe de taboas
#
# Ticket card
#
Ticket=Ticket
-TicketCard=Ticket card
-CreateTicket=Create ticket
-EditTicket=Edit ticket
-TicketsManagement=Tickets Management
-CreatedBy=Created by
-NewTicket=New Ticket
-SubjectAnswerToTicket=Ticket answer
-TicketTypeRequest=Request type
-TicketCategory=Grupo
-SeeTicket=See ticket
-TicketMarkedAsRead=Ticket has been marked as read
-TicketReadOn=Read on
+TicketCard=Ficha ticket
+CreateTicket=Crear ticket
+EditTicket=Editar ticket
+TicketsManagement=Xestión de tickets
+CreatedBy=Creado por
+NewTicket=Novo ticket
+SubjectAnswerToTicket=Resposta
+TicketTypeRequest=Tipo de solicitude
+TicketCategory=Grúpo
+SeeTicket=Ver ticket
+TicketMarkedAsRead=O ticket foi marcado como lido
+TicketReadOn=Lido o
TicketCloseOn=Data de peche
-MarkAsRead=Mark ticket as read
-TicketHistory=Ticket history
-AssignUser=Assign to user
-TicketAssigned=Ticket is now assigned
-TicketChangeType=Change type
-TicketChangeCategory=Change analytic code
-TicketChangeSeverity=Change severity
-TicketAddMessage=Add a message
-AddMessage=Add a message
-MessageSuccessfullyAdded=Ticket added
-TicketMessageSuccessfullyAdded=Message successfully added
-TicketMessagesList=Message list
-NoMsgForThisTicket=No message for this ticket
-Properties=Classification
-LatestNewTickets=Latest %s newest tickets (not read)
-TicketSeverity=Severity
-ShowTicket=See ticket
-RelatedTickets=Related tickets
-TicketAddIntervention=Create intervention
-CloseTicket=Close ticket
-CloseATicket=Close a ticket
-ConfirmCloseAticket=Confirm ticket closing
-ConfirmDeleteTicket=Please confirm ticket deleting
-TicketDeletedSuccess=Ticket deleted with success
-TicketMarkedAsClosed=Ticket marked as closed
-TicketDurationAuto=Calculated duration
-TicketDurationAutoInfos=Duration calculated automatically from intervention related
-TicketUpdated=Ticket updated
-SendMessageByEmail=Send message by email
-TicketNewMessage=New message
-ErrorMailRecipientIsEmptyForSendTicketMessage=Recipient is empty. No email send
-TicketGoIntoContactTab=Please go into "Contacts" tab to select them
-TicketMessageMailIntro=Introduction
-TicketMessageMailIntroHelp=This text is added only at the beginning of the email and will not be saved.
-TicketMessageMailIntroLabelAdmin=Introduction to the message when sending email
-TicketMessageMailIntroText=Hello, A new response was sent on a ticket that you contact. Here is the message:
-TicketMessageMailIntroHelpAdmin=This text will be inserted before the text of the response to a ticket.
+MarkAsRead=Marcar ticket como lido
+TicketHistory=Historial
+AssignUser=Asignar ao usuario
+TicketAssigned=O Ticket foi asignado
+TicketChangeType=Cambiar tipo
+TicketChangeCategory=Cambiar categoría
+TicketChangeSeverity=Cambiar gravidade
+TicketAddMessage=Engadir mensaxe
+AddMessage=Engadir mensaxe
+MessageSuccessfullyAdded=Ticket engadido
+TicketMessageSuccessfullyAdded=Mensaxe engadida correctamente
+TicketMessagesList=Listaxe de mensaxes
+NoMsgForThisTicket=Ningunha mensaxe para este ticket
+Properties=Clasificación
+LatestNewTickets=Últimos %s tickets (non lidos)
+TicketSeverity=Gravidade
+ShowTicket=Ver ticket
+RelatedTickets=Tickets relacionados
+TicketAddIntervention=Crear intervención
+CloseTicket=Pechar ticket
+CloseATicket=Pechar un ticket
+ConfirmCloseAticket=Confirmar o peche do ticket
+ConfirmDeleteTicket=Confirme a eliminación do ticket
+TicketDeletedSuccess=Ticket eliminado con éxito
+TicketMarkedAsClosed=Ticket marcado como pechado
+TicketDurationAuto=Duración calculada
+TicketDurationAutoInfos=Duración calculada automáticamente a partir da intervención relacionada
+TicketUpdated=Ticket actualizado
+SendMessageByEmail=Enviar mensaxe por e-mail
+TicketNewMessage=Nova mensaxe
+ErrorMailRecipientIsEmptyForSendTicketMessage=O destinatario está baleiro. Non foi enviado o email
+TicketGoIntoContactTab=Vaia á lapela "Contactos" para seleccionalos
+TicketMessageMailIntro=Introdución
+TicketMessageMailIntroHelp=Este texto é engadido só ao principio do email e non será gardado.
+TicketMessageMailIntroLabelAdmin=Introdución á mensaxe cando enviase un e-mail
+TicketMessageMailIntroText=Ola, Enviouse unha nova resposta a un ticket. Aquí está a mensaxe:
+TicketMessageMailIntroHelpAdmin=Este texto será insertado antes do texto daa resposta a un ticket.
TicketMessageMailSignature=Sinatura
-TicketMessageMailSignatureHelp=This text is added only at the end of the email and will not be saved.
-TicketMessageMailSignatureText=
Sincerely,
--
-TicketMessageMailSignatureLabelAdmin=Signature of response email
-TicketMessageMailSignatureHelpAdmin=This text will be inserted after the response message.
-TicketMessageHelp=Only this text will be saved in the message list on ticket card.
-TicketMessageSubstitutionReplacedByGenericValues=Substitutions variables are replaced by generic values.
-TimeElapsedSince=Time elapsed since
-TicketTimeToRead=Time elapsed before read
-TicketContacts=Contacts ticket
-TicketDocumentsLinked=Documents linked to ticket
-ConfirmReOpenTicket=Confirm reopen this ticket ?
-TicketMessageMailIntroAutoNewPublicMessage=A new message was posted on the ticket with the subject %s:
-TicketAssignedToYou=Ticket assigned
-TicketAssignedEmailBody=You have been assigned the ticket #%s by %s
-MarkMessageAsPrivate=Mark message as private
-TicketMessagePrivateHelp=This message will not display to external users
-TicketEmailOriginIssuer=Issuer at origin of the tickets
-InitialMessage=Initial Message
-LinkToAContract=Link to a contract
-TicketPleaseSelectAContract=Select a contract
-UnableToCreateInterIfNoSocid=Can not create an intervention when no third party is defined
-TicketMailExchanges=Mail exchanges
-TicketInitialMessageModified=Initial message modified
-TicketMessageSuccesfullyUpdated=Message successfully updated
-TicketChangeStatus=Change status
-TicketConfirmChangeStatus=Confirm the status change: %s ?
-TicketLogStatusChanged=Status changed: %s to %s
-TicketNotNotifyTiersAtCreate=Not notify company at create
-Unread=Unread
-TicketNotCreatedFromPublicInterface=Not available. Ticket was not created from public interface.
-PublicInterfaceNotEnabled=Public interface was not enabled
-ErrorTicketRefRequired=Ticket reference name is required
+TicketMessageMailSignatureHelp=Este texto será agregado só ao final do correo electrónico e non será gardado.
+TicketMessageMailSignatureText=
Cordialmente,
--
+TicketMessageMailSignatureLabelAdmin=Sinatura do correo electónico de resposta
+TicketMessageMailSignatureHelpAdmin=Este texto será insertado despois da mensaxe de resposta.
+TicketMessageHelp=Só este texto será gardado na listaxe de mensaxes na ficha do ticket
+TicketMessageSubstitutionReplacedByGenericValues=As variables de substitución son reemplazadas por valores xenéricos.
+TimeElapsedSince=Tempo transcurrido dende
+TicketTimeToRead=Tempo transcurrido antes de ler o ticket
+TicketContacts=Contactos do ticket
+TicketDocumentsLinked=Documentos ligados ao ticket
+ConfirmReOpenTicket=¿Está certo de querer reabrir este ticket?
+TicketMessageMailIntroAutoNewPublicMessage=Publicouse unha nova mensaxe no ticket co asunto %s:
+TicketAssignedToYou=Ticket asignado
+TicketAssignedEmailBody=Foille asignado o ticket #%s por %s
+MarkMessageAsPrivate=Marcar mensaxe como privada
+TicketMessagePrivateHelp=Esta mensaxe non será amosada aos usuarios externos
+TicketEmailOriginIssuer=Emisor orixe dos tickets
+InitialMessage=Mensaxe inicial
+LinkToAContract=Ligar a un contrato
+TicketPleaseSelectAContract=Seleccione un contrato
+UnableToCreateInterIfNoSocid=Non pode crearse unha intervención se non hai definidos terceiros
+TicketMailExchanges=Intercambios de correos electrónicos
+TicketInitialMessageModified=Mensaxe inicial modificada
+TicketMessageSuccesfullyUpdated=Mensaxe actualizada con éxito
+TicketChangeStatus=Cambiar estado
+TicketConfirmChangeStatus=¿Confirma o cambio de estado: %s?
+TicketLogStatusChanged=Estado cambiado: %s a %s
+TicketNotNotifyTiersAtCreate=Non notificar á compañía ao crear
+Unread=Non lido
+TicketNotCreatedFromPublicInterface=Non dispoñible. O ticket non se creou desde a interface pública.
+ErrorTicketRefRequired=O nome da referencia do ticket é obrigatorio
#
# Logs
#
-TicketLogMesgReadBy=Ticket %s read by %s
-NoLogForThisTicket=No log for this ticket yet
-TicketLogAssignedTo=Ticket %s assigned to %s
-TicketLogPropertyChanged=Ticket %s modified: classification from %s to %s
-TicketLogClosedBy=Ticket %s closed by %s
-TicketLogReopen=Ticket %s re-open
+TicketLogMesgReadBy=Ticket %s lido por %s
+NoLogForThisTicket=Aínda no hai rexistro para este ticket
+TicketLogAssignedTo=Ticket %s asignado a %s
+TicketLogPropertyChanged=Ticket %s modificado: clasificación: de %s a %s
+TicketLogClosedBy=Ticket %s pechado por %s
+TicketLogReopen=Ticket %s aberto de novo
#
# Public pages
#
-TicketSystem=Ticket system
-ShowListTicketWithTrackId=Display ticket list from track ID
-ShowTicketWithTrackId=Display ticket from track ID
-TicketPublicDesc=You can create a support ticket or check from an existing ID.
-YourTicketSuccessfullySaved=Ticket has been successfully saved!
-MesgInfosPublicTicketCreatedWithTrackId=A new ticket has been created with ID %s and Ref %s.
-PleaseRememberThisId=Please keep the tracking number that we might ask you later.
-TicketNewEmailSubject=Ticket creation confirmation - Ref %s (public ticket ID %s)
-TicketNewEmailSubjectCustomer=New support ticket
-TicketNewEmailBody=This is an automatic email to confirm you have registered a new ticket.
-TicketNewEmailBodyCustomer=This is an automatic email to confirm a new ticket has just been created into your account.
-TicketNewEmailBodyInfosTicket=Information for monitoring the ticket
-TicketNewEmailBodyInfosTrackId=Ticket tracking number: %s
-TicketNewEmailBodyInfosTrackUrl=You can view the progress of the ticket by clicking the link above.
-TicketNewEmailBodyInfosTrackUrlCustomer=You can view the progress of the ticket in the specific interface by clicking the following link
-TicketEmailPleaseDoNotReplyToThisEmail=Please do not reply directly to this email! Use the link to reply into the interface.
-TicketPublicInfoCreateTicket=This form allows you to record a support ticket in our management system.
-TicketPublicPleaseBeAccuratelyDescribe=Please accurately describe the problem. Provide the most information possible to allow us to correctly identify your request.
-TicketPublicMsgViewLogIn=Please enter ticket tracking ID
-TicketTrackId=Public Tracking ID
-OneOfTicketTrackId=One of your tracking ID
-ErrorTicketNotFound=Ticket with tracking ID %s not found!
+TicketSystem=Sistema de tickets
+ShowListTicketWithTrackId=Amosar listado de tickets con track ID
+ShowTicketWithTrackId=Amosar ticket desde id de seguemento
+TicketPublicDesc=Pode crear un ticket de soporte ou comprobar un ID existente.
+YourTicketSuccessfullySaved=Ticket gardado con éxito!
+MesgInfosPublicTicketCreatedWithTrackId=Foi creado un novo ticket con ID %s.
+PleaseRememberThisId=Pregase que conserve o número de seguimento que lle podemos pedir máis adiante.
+TicketNewEmailSubject=Confirmación de creación de ticket
+TicketNewEmailSubjectCustomer=Novo ticket de soporte
+TicketNewEmailBody=Este é un correo electrónico automático para confirmar que foi rexistrado un novo ticket.
+TicketNewEmailBodyCustomer=Este es un e-mail automático para confirmar que creouse un novo ticket na súa conta.
+TicketNewEmailBodyInfosTicket=Información para monitorear o ticket
+TicketNewEmailBodyInfosTrackId=Número de seguemento do ticket: %s
+TicketNewEmailBodyInfosTrackUrl=Pode ver o progreso do ticket facendo click sobre a seguinte ligazón.
+TicketNewEmailBodyInfosTrackUrlCustomer=Pode ver o progreso do ticket na interfaz específica facendo clic na seguinte ligazón
+TicketEmailPleaseDoNotReplyToThisEmail=Prégase non respostar directamente a este correo. Use a ligazón para respostar.
+TicketPublicInfoCreateTicket=Este formulario permitelle rexistrar un ticket de soporte no noso sistema.
+TicketPublicPleaseBeAccuratelyDescribe=Prégase describa de forma precisa o problema. Aporte a maior cantidade de información posible para permitirnos identificar a súa solicitude.
+TicketPublicMsgViewLogIn=Ingrese o ID de seguemento do ticket
+TicketTrackId=ID público de seguemento
+OneOfTicketTrackId=Un dos seus ID de seguemento
+ErrorTicketNotFound=Non foi atopado o ticket co id de seguemento %s!
Subject=Asunto
-ViewTicket=View ticket
-ViewMyTicketList=View my ticket list
-ErrorEmailMustExistToCreateTicket=Error: email address not found in our database
-TicketNewEmailSubjectAdmin=New ticket created - Ref %s (public ticket ID %s)
-TicketNewEmailBodyAdmin=
Ticket has just been created with ID #%s, see information:
-SeeThisTicketIntomanagementInterface=See ticket in management interface
-TicketPublicInterfaceForbidden=The public interface for the tickets was not enabled
-ErrorEmailOrTrackingInvalid=Bad value for tracking ID or email
-OldUser=Old user
+ViewTicket=Ver ticket
+ViewMyTicketList=Ver a miña listaxe de tickets
+ErrorEmailMustExistToCreateTicket=Erro: enderezo de correo electrónico non atopado na nosa base de datos
+TicketNewEmailSubjectAdmin=Novo ticket creado.
+TicketNewEmailBodyAdmin=
O ticket foi creado co ID # %s, ver información:
+SeeThisTicketIntomanagementInterface=Ver Ticket na interfaz de administración
+TicketPublicInterfaceForbidden=A interfaz pública para os tickets non estaba habilitada.
+ErrorEmailOrTrackingInvalid=ID de seguemento ou enderezo de correo electrónico incorrectos
+OldUser=Usuario antigo
NewUser=Novo usuario
-NumberOfTicketsByMonth=Number of tickets per month
-NbOfTickets=Number of tickets
+NumberOfTicketsByMonth=Número de tickets por mes
+NbOfTickets=Número de tickets
# notifications
-TicketNotificationEmailSubject=Ticket %s updated
-TicketNotificationEmailBody=This is an automatic message to notify you that ticket %s has just been updated
-TicketNotificationRecipient=Notification recipient
-TicketNotificationLogMessage=Log message
-TicketNotificationEmailBodyInfosTrackUrlinternal=View ticket into interface
-TicketNotificationNumberEmailSent=Notification email sent: %s
+TicketNotificationEmailSubject=Ticket %s actualizado
+TicketNotificationEmailBody=Esta é unha mensaxe automática para notificarlle queo ticket %s acaba de ser actualizado
+TicketNotificationRecipient=Recipiente de notificación
+TicketNotificationLogMessage=Rexistro de mensaxe
+TicketNotificationEmailBodyInfosTrackUrlinternal=Ver ticket na interfaz
+TicketNotificationNumberEmailSent=Enviouse un correo electrónico de notificación: %s
-ActionsOnTicket=Events on ticket
+ActionsOnTicket=Eventos no ticket
#
# Boxes
#
-BoxLastTicket=Latest created tickets
-BoxLastTicketDescription=Latest %s created tickets
+BoxLastTicket=Últimos tickets creados
+BoxLastTicketDescription=Últimos %s tickets creados
BoxLastTicketContent=
-BoxLastTicketNoRecordedTickets=No recent unread tickets
-BoxLastModifiedTicket=Latest modified tickets
-BoxLastModifiedTicketDescription=Latest %s modified tickets
+BoxLastTicketNoRecordedTickets=Non hai tickets recentes sen ler
+BoxLastModifiedTicket=Últimos tickets modificados
+BoxLastModifiedTicketDescription=Últimos %s tickets modificados
BoxLastModifiedTicketContent=
-BoxLastModifiedTicketNoRecordedTickets=No recent modified tickets
+BoxLastModifiedTicketNoRecordedTickets=Non hai tickets modificados recentemente
diff --git a/htdocs/langs/gl_ES/users.lang b/htdocs/langs/gl_ES/users.lang
index e6bcfc93d77..18657d820b1 100644
--- a/htdocs/langs/gl_ES/users.lang
+++ b/htdocs/langs/gl_ES/users.lang
@@ -46,6 +46,8 @@ RemoveFromGroup=Eliminar do grupo
PasswordChangedAndSentTo=Contrasinal cambiado e enviado a %s.
PasswordChangeRequest=Solicitude para cambiar o contrasinal de %s
PasswordChangeRequestSent=Solicitude de cambio de contrasinal para %s enviado a %s.
+IfLoginExistPasswordRequestSent=Se este inicio de sesión é unha conta válida, enviouse un correo electrónico para restablecer o contrasinal.
+IfEmailExistPasswordRequestSent=Se este correo electrónico é unha conta válida, enviouse un correo electrónico para restablecer o contrasinal.
ConfirmPasswordReset=Confirmar restablecemento de contrasinal
MenuUsersAndGroups=Usuarios e grupos
LastGroupsCreated=Últimos %s grupos creados
@@ -73,6 +75,7 @@ CreateInternalUserDesc=Este formulario permitelle engadir un usuario interno par
InternalExternalDesc=Un usuario interno é un usuario que pertence a súa empresa/organización. Un usuario externo é un usuario cliente, provedor ou outro.
Nos dous casos, os permisos de usuarios definen os dereitos de acceso, pero o usuario externo pode a maiores ter un xestor de menús diferente ao usuario interno (véxase Inicio - Configuración - Entorno)
PermissionInheritedFromAGroup=O permiso concédese xa que o hereda dun grupo ao cal pertence o usuario.
Inherited=Heredado
+UserWillBe=Será o usuario creado
UserWillBeInternalUser=O usuario creado será un usuario interno (xa que non está ligado a un terceiro en particular)
UserWillBeExternalUser=O usuario creado será un usuario externo (xa que está ligado a un terceiro en particular)
IdPhoneCaller=ID chamada recibida (teléfono)
@@ -108,13 +111,15 @@ DisabledInMonoUserMode=Desactivado en modo mantemento
UserAccountancyCode=Código contable usuario
UserLogoff=Usuario desconectado
UserLogged=Usuario conectado
-DateOfEmployment=Employment date
-DateEmployment=Data de contratación do empregado
+DateOfEmployment=Data de contratación empregado
+DateEmployment=Contratación empregado
+DateEmploymentstart=Data de comezo da contratación do empregado
DateEmploymentEnd=Data de baixa do empregado
+RangeOfLoginValidity=Rango de data de validez do inicio de sesión
CantDisableYourself=Pode desactivar o seu propio rexistro de usuario
ForceUserExpenseValidator=Forzar validación do informe de gasto
ForceUserHolidayValidator=Forzar validación do rexeitamento do gasto
-ValidatorIsSupervisorByDefault=Por defecto, o responsable da validación é o supervisor do usuario. Manter baleiro para manter este comportamento.
+ValidatorIsSupervisorByDefault=Por defecto, o responsable da validación é o supervisor do usuario. Manter baleiro para gardar este comportamento.
UserPersonalEmail=Email persoal
UserPersonalMobile=Teléfono móbil persoal
-WarningNotLangOfInterface=Warning, this is the main language the user speak, not the language of the interface he choosed to see. To change the interface language visible by this user, go on tab %s
+WarningNotLangOfInterface=Aviso, este é o idioma principal que fala o usuario, non o idioma da interface que escolleu ver. Para cambiar o idioma da interface visible por este usuario, vaia a lapela %s
diff --git a/htdocs/langs/gl_ES/website.lang b/htdocs/langs/gl_ES/website.lang
index e16ee97f8fa..7691822ddf4 100644
--- a/htdocs/langs/gl_ES/website.lang
+++ b/htdocs/langs/gl_ES/website.lang
@@ -1,139 +1,139 @@
# Dolibarr language file - Source file is en_US - website
Shortname=Código
-WebsiteSetupDesc=Create here the websites you wish to use. Then go into menu Websites to edit them.
-DeleteWebsite=Delete website
-ConfirmDeleteWebsite=Are you sure you want to delete this web site? All its pages and content will also be removed. The files uploaded (like into the medias directory, the ECM module, ...) will remain.
-WEBSITE_TYPE_CONTAINER=Type of page/container
-WEBSITE_PAGE_EXAMPLE=Web page to use as example
-WEBSITE_PAGENAME=Page name/alias
-WEBSITE_ALIASALT=Alternative page names/aliases
-WEBSITE_ALIASALTDesc=Use here list of other name/aliases so the page can also be accessed using this other names/aliases (for example the old name after renaming the alias to keep backlink on old link/name working). Syntax is: alternativename1, alternativename2, ...
-WEBSITE_CSS_URL=URL of external CSS file
-WEBSITE_CSS_INLINE=CSS file content (common to all pages)
-WEBSITE_JS_INLINE=Javascript file content (common to all pages)
-WEBSITE_HTML_HEADER=Addition at bottom of HTML Header (common to all pages)
-WEBSITE_ROBOT=Robot file (robots.txt)
-WEBSITE_HTACCESS=Website .htaccess file
-WEBSITE_MANIFEST_JSON=Website manifest.json file
-WEBSITE_README=README.md file
-WEBSITE_KEYWORDSDesc=Use a comma to separate values
-EnterHereLicenseInformation=Enter here meta data or license information to fille a README.md file. if you distribute your website as a template, the file will be included into the temptate package.
-HtmlHeaderPage=HTML header (specific to this page only)
-PageNameAliasHelp=Name or alias of the page. This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias.
-EditTheWebSiteForACommonHeader=Note: If you want to define a personalized header for all pages, edit the header on the site level instead of on the page/container.
-MediaFiles=Media library
-EditCss=Edit website properties
-EditMenu=Edit menu
-EditMedias=Edit medias
-EditPageMeta=Edit page/container properties
-EditInLine=Edit inline
-AddWebsite=Add website
-Webpage=Web page/container
-AddPage=Add page/container
-HomePage=Home Page
+WebsiteSetupDesc= Cree aquí os sitios web que desexa usar. Despois vaia ao menú de sitios web para editalos.
+DeleteWebsite=Eliminar sitio web
+ConfirmDeleteWebsite=¿Está certo de querer eliminar este sitio web? Tamén se eliminarán todas as súas páxinas e o contido. Os ficheiros cargados (como no directorio multimedia, no módulo ECM, ...) permanecerán.
+WEBSITE_TYPE_CONTAINER=Tipo de páxina / contedor
+WEBSITE_PAGE_EXAMPLE=Páxina web para usar como exemplo
+WEBSITE_PAGENAME=Nome/alias da páxina
+WEBSITE_ALIASALT=Nomes/alias alternativos de páxinas
+WEBSITE_ALIASALTDesc=Use aquí a listaxe doutros nomes/alias para que tamén se poida acceder á páxina usando outros nomes/alias (por exemplo, o nome antigo despois de renomear o alias para manter a ligazón de retroceso na ligazón/nome antigo funcionando). A sintaxe é: nome alternativo1,nome alternativo2, ...
+WEBSITE_CSS_URL=URL do ficheiro CSS externo
+WEBSITE_CSS_INLINE=Contido do ficheiro CSS (común a todas as páxinas)
+WEBSITE_JS_INLINE=Contido do ficheiro Javascript (común a todas as páxinas)
+WEBSITE_HTML_HEADER=Adición na parte inferior da cabeceira HTML (común a todas as páxinas)
+WEBSITE_ROBOT=Ficheiro robots (robots.txt)
+WEBSITE_HTACCESS=Ficheiro .htaccess do sitio web
+WEBSITE_MANIFEST_JSON=Ficheiro manifest.json do sitio web
+WEBSITE_README=Ficheiro README.md
+WEBSITE_KEYWORDSDesc=Use unha coma para separar os valores
+EnterHereLicenseInformation=Introduza aquí metadatos ou información de licenza para facer un ficheiro README.md. se distribúe o seu sitio web como modelo, o ficheiro incluirase no paquete temtate.
+HtmlHeaderPage=Cabeceira HTML (específica só para esta páxina)
+PageNameAliasHelp=Nome ou alias da páxina. Este alias tamén se usa para forxar un URL de SEO cando o sitio web se executa desde un servidor virtual dun servidor web (como Apacke, Nginx, ...). Use o botón "%s " para editar este alias.
+EditTheWebSiteForACommonHeader=Nota: Se desexa definir unha cabeceira personalizada para todas as páxinas, edite a cabeceira a nivel de sitio en lugar de a páxina/contedor.
+MediaFiles=Librería de medios
+EditCss=Editar propiedades do sitio web
+EditMenu=Menú Editar
+EditMedias=Editar medios
+EditPageMeta=Editar as propiedades da páxina/contedor
+EditInLine=Editar en liña
+AddWebsite=Engadir sitio web
+Webpage=Páxina web/contedor
+AddPage=Engadir páxina/contedor
PageContainer=Páxina
-PreviewOfSiteNotYetAvailable=Preview of your website %s not yet available. You must first 'Import a full website template' or just 'Add a page/container'.
-RequestedPageHasNoContentYet=Requested page with id %s has no content yet, or cache file .tpl.php was removed. Edit content of the page to solve this.
-SiteDeleted=Web site '%s' deleted
-PageContent=Page/Contenair
-PageDeleted=Page/Contenair '%s' of website %s deleted
-PageAdded=Page/Contenair '%s' added
-ViewSiteInNewTab=View site in new tab
-ViewPageInNewTab=View page in new tab
-SetAsHomePage=Set as Home page
-RealURL=Real URL
-ViewWebsiteInProduction=View web site using home URLs
-SetHereVirtualHost=Use with Apache/NGinx/... Create on your web server (Apache, Nginx, ...) a dedicated Virtual Host with PHP enabled and a Root directory on %s
-ExampleToUseInApacheVirtualHostConfig=Example to use in Apache virtual host setup:
-YouCanAlsoTestWithPHPS=Use with PHP embedded server On develop environment, you may prefer to test the site with the PHP embedded web server (PHP 5.5 required) by running php -S 0.0.0.0:8080 -t %s
-YouCanAlsoDeployToAnotherWHP=Run your web site with another Dolibarr Hosting provider If you don't have a web server like Apache or NGinx available on internet, you can export and import your web site onto another Dolibarr instance provided by another Dolibarr hosting provider that provide full integration with the Website module. You can find a list of some Dolibarr hosting providers on https://saas.dolibarr.org
-CheckVirtualHostPerms=Check also that virtual host has permission %s on files into %s
+PreviewOfSiteNotYetAvailable=A vista previa do seu sitio web %s aínda non está dispoñible. Primeiro debe " Importar un modelo de sitio web completo " ou simplemente " Engadir unha páxina/contedor ".
+RequestedPageHasNoContentYet=A páxina solicitada co id %s aínda non ten contido ou a caché file.tpl.php foi eliminada. Edite o contido da páxina para solucionar isto.
+SiteDeleted=Eliminouse o sitio web '%s'
+PageContent=Páxina/Contedor
+PageDeleted=Eliminouse a páxina/Contedor '%s' do sitio web %s
+PageAdded=Engadiuse a páxina/Contedor '%s'
+ViewSiteInNewTab=Ver o sitio nunha nova lapela
+ViewPageInNewTab=Ver a páxina nunha nova lapela
+SetAsHomePage=Establecer como páxina de inicio
+RealURL=URL real
+ViewWebsiteInProduction=Ver o sitio web usando URL de inicio
+SetHereVirtualHost= Usar con Apache/NGinx/... Cree no seu servidor web (Apache, Nginx, ...) un host virtual adicado con PHP habilitado e un directorio raíz en %s
+ExampleToUseInApacheVirtualHostConfig=Exemplo para usar na configuración do host virtual Apache:
+YouCanAlsoTestWithPHPS= Usar con servidor incorporado PHP No entorno de desenvolvemento, pode que prefira probar o sitio co servidor web incorporado PHP (é preciso PHP 5.5) executando php -S 0.0.0.0:8080 -t %s
+YouCanAlsoDeployToAnotherWHP= Execute o seu sitio web con outro provedor de hospedaxe Dolibarr Se non ten un servidor web como Apache ou NGinx dispoñible en internet, pode exportar e importar o seu sitio web a outro Dolibarr por outro provedor de hospedaxe Dolibarr que proporciona unha integración completa co módulo do sitio web. Pode atopar unha lista dalgúns provedores de hospedaxe Dolibarr en https://saas.dolibarr.org
+CheckVirtualHostPerms=Comprobe tamén que o servidor virtual ten permiso %s para ficheiros en %s
ReadPerm=Lido
-WritePerm=Write
-TestDeployOnWeb=Test/deploy on web
-PreviewSiteServedByWebServer=Preview %s in a new tab.
The %s will be served by an external web server (like Apache, Nginx, IIS). You must install and setup this server before to point to directory: %s URL served by external server: %s
-PreviewSiteServedByDolibarr=Preview %s in a new tab.
The %s will be served by Dolibarr server so it does not need any extra web server (like Apache, Nginx, IIS) to be installed. The inconvenient is that URL of pages are not user friendly and start with path of your Dolibarr. URL served by Dolibarr: %s
To use your own external web server to serve this web site, create a virtual host on your web server that point on directory %s then enter the name of this virtual server and click on the other preview button.
-VirtualHostUrlNotDefined=URL of the virtual host served by external web server not defined
-NoPageYet=No pages yet
-YouCanCreatePageOrImportTemplate=You can create a new page or import a full website template
-SyntaxHelp=Help on specific syntax tips
-YouCanEditHtmlSourceckeditor=You can edit HTML source code using the "Source" button in editor.
-YouCanEditHtmlSource= You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.
You can also include content of another Page/Container with the following syntax: <?php includeContainer('alias_of_container_to_include'); ?>
You can make a redirect to another Page/Container with the following syntax (Note: do not output any content before a redirect): <?php redirectToContainer('alias_of_container_to_redirect_to'); ?>
To add a link to another page, use the syntax: <a href="alias_of_page_to_link_to.php">mylink<a>
To include a link to download a file stored into the documents directory, use the document.php wrapper: Example, for a file into documents/ecm (need to be logged), syntax is: <a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext"> For a file into documents/medias (open directory for public access), syntax is: <a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext"> For a file shared with a share link (open access using the sharing hash key of file), syntax is: <a href="/document.php?hashp=publicsharekeyoffile">
To include an image stored into the documents directory, use the viewimage.php wrapper: Example, for an image into documents/medias (open directory for public access), syntax is: <img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">
+WritePerm=Escribe
+TestDeployOnWeb=Probar/despregar na web
+PreviewSiteServedByWebServer= Previsualizar %s nunha nova pestana.
O %s será servido por un servidor web externo (como Apache, Nginx, IIS). Debe instalar e configurar este servidor antes para apuntar ao directorio: %s URL ofrecido por un servidor externo: %s
+PreviewSiteServedByDolibarr= Previsualizar %s nunha nova lapela.
O servidor Dolibarr servirá o %s polo que non precisa instalar ningún servidor web adicional (como Apache, Nginx, IIS). O inconveniente é que o URL das páxinas non é fácil de usar e empeza co camiño do Dolibarr. URL servido por Dolibarr: %s < br> Para usar o seu propio servidor web externo para servir este sitio web, cree un servidor virtual no seu servidor web que apunte no directorio %s e logo introduza o nome deste servidor virtual e faga clic no outro botón de vista previa.
+VirtualHostUrlNotDefined=O URL do host virtual ofrecido por un servidor web externo non está definido
+NoPageYet=Aínda non hai páxinas
+YouCanCreatePageOrImportTemplate=Pode crear unha nova páxina ou importar un modelo de sitio web completo
+SyntaxHelp=Axuda sobre consellos específicos de sintaxe
+YouCanEditHtmlSourceckeditor=Pode editar o código fonte HTML empregando o botón "Fonte" do editor.
+YouCanEditHtmlSource= Pode incluír código PHP nesta fonte empregando etiquetas <?php ?>. Están dispoñibles as seguintes variables: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.
Tamén podes incluír contido doutra páxina/contedor coa seguinte sintaxe: <?php includeContainer('alias_of_container_to_include'); ?>
Pode facer unha redirección a outra páxina / contedor coa seguinte sintaxe (Nota: non publique ningún contido antes dunha redirección): <?php redirectToContainer('alias_of_container_to_redirect_to'); ?>
Para engadir unha ligazón a outra páxina, use a sintaxe: : <a href="alias_of_page_to_link_to.php">mylink<a>
Para incluír unha ligazón para descargar un ficheiro almacenado no directorio documentos , use o envoltorio document.php wrapper: Exemplo, para un ficheiro en documentos / ecm (hai que rexistralo), a sintaxe é : <a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext"> Para un ficheiro en documentos/medios (abrir o directorio para acceso público), a sintaxe é: <a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext"> Para un ficheiro compartido con unha ligazón para compartir (acceso aberto empregando a chave hash para compartir ficheiro), a sintaxe é: <a href="/document.php?hashp=publicsharekeyoffile">
Para incluír unha imaxe almacenada no directorio documentos , use o envoltorio viewimage.php Exemplo, para unha imaxe en documentos/medios (directorio aberto para acceso público), a sintaxe é: <img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">
#YouCanEditHtmlSource2= To include a image shared publicaly, use the viewimage.php wrapper: Example with a shared key 123456789, syntax is: <img src="/viewimage.php?hashp=12345679012...">
-YouCanEditHtmlSource2=For an image shared with a share link (open access using the sharing hash key of file), syntax is: <img src="/viewimage.php?hashp=12345679012...">
-YouCanEditHtmlSourceMore= More examples of HTML or dynamic code available on the wiki documentation .
-ClonePage=Clone page/container
-CloneSite=Clone site
-SiteAdded=Website added
-ConfirmClonePage=Please enter code/alias of new page and if it is a translation of the cloned page.
-PageIsANewTranslation=The new page is a translation of the current page ?
-LanguageMustNotBeSameThanClonedPage=You clone a page as a translation. The language of the new page must be different than language of source page.
-ParentPageId=Parent page ID
-WebsiteId=Website ID
-CreateByFetchingExternalPage=Create page/container by fetching page from external URL...
-OrEnterPageInfoManually=Or create page from scratch or from a page template...
-FetchAndCreate=Fetch and Create
-ExportSite=Export website
-ImportSite=Import website template
-IDOfPage=Id of page
+YouCanEditHtmlSource2=Para unha imaxe compartida cunha ligazón de uso compartido (acceso aberto mediante a chave hash para compartir ficheiro), a sintaxe é: <img src =" viewimage.php? Hashp=12345679012 ...">
+YouCanEditHtmlSourceMore= Máis exemplos de código HTML ou dinámico dispoñibles na documentación wiki
+ClonePage=Clonar páxina/contedor
+CloneSite=Clonar sitio
+SiteAdded=Sitio web engadido
+ConfirmClonePage=Introduza o código/alias da nova páxina e se é unha tradución da páxina clonada.
+PageIsANewTranslation=A nova páxina é unha tradución da páxina actual?
+LanguageMustNotBeSameThanClonedPage=Vostede clona unha páxina como tradución. O idioma da nova páxina debe ser diferente do idioma da páxina de orixe.
+ParentPageId=ID da páxina principal
+WebsiteId=ID do sitio web
+CreateByFetchingExternalPage=Crear páxina/contedor recuperando páxina desde un URL externo ...
+OrEnterPageInfoManually=Ou crea a páxina desde cero ou a partir dun modelo de páxina ...
+FetchAndCreate=Obter e crear
+ExportSite=Exportar sitio web
+ImportSite=Importar prantilla de sitio web
+IDOfPage=Id da páxina
Banner=Banner
-BlogPost=Blog post
-WebsiteAccount=Website account
+BlogPost=Entrada no blog
+WebsiteAccount=Conta do sitio web
WebsiteAccounts=Contas do sitio web
-AddWebsiteAccount=Create web site account
-BackToListForThirdParty=Back to list for the third-party
-DisableSiteFirst=Disable website first
-MyContainerTitle=My web site title
-AnotherContainer=This is how to include content of another page/container (you may have an error here if you enable dynamic code because the embedded subcontainer may not exists)
-SorryWebsiteIsCurrentlyOffLine=Sorry, this website is currently off line. Please comme back later...
-WEBSITE_USE_WEBSITE_ACCOUNTS=Enable the web site account table
-WEBSITE_USE_WEBSITE_ACCOUNTSTooltip=Enable the table to store web site accounts (login/pass) for each website / third party
-YouMustDefineTheHomePage=You must first define the default Home page
-OnlyEditionOfSourceForGrabbedContentFuture=Warning: Creating a web page by importing an external web page is reserved for experienced users. Depending on the complexity of source page, the result of importation may differ from the original. Also if the source page uses common CSS styles or conflicting javascript, it may break the look or features of the Website editor when working on this page. This method is a quicker way to create a page but it is recommended to create your new page from scratch or from a suggested page template. Note also that the inline editor may not works correclty when used on a grabbed external page.
-OnlyEditionOfSourceForGrabbedContent=Only edition of HTML source is possible when content was grabbed from an external site
-GrabImagesInto=Grab also images found into css and page.
-ImagesShouldBeSavedInto=Images should be saved into directory
-WebsiteRootOfImages=Root directory for website images
-SubdirOfPage=Sub-directory dedicated to page
-AliasPageAlreadyExists=Alias page %s already exists
-CorporateHomePage=Corporate Home page
-EmptyPage=Empty page
-ExternalURLMustStartWithHttp=External URL must start with http:// or https://
-ZipOfWebsitePackageToImport=Upload the Zip file of the website template package
-ZipOfWebsitePackageToLoad=or Choose an available embedded website template package
-ShowSubcontainers=Include dynamic content
-InternalURLOfPage=Internal URL of page
-ThisPageIsTranslationOf=This page/container is a translation of
-ThisPageHasTranslationPages=This page/container has translation
-NoWebSiteCreateOneFirst=No website has been created yet. Create one first.
-GoTo=Go to
-DynamicPHPCodeContainsAForbiddenInstruction=You add dynamic PHP code that contains the PHP instruction '%s' that is forbidden by default as dynamic content (see hidden options WEBSITE_PHP_ALLOW_xxx to increase list of allowed commands).
-NotAllowedToAddDynamicContent=You don't have permission to add or edit PHP dynamic content in websites. Ask permission or just keep code into php tags unmodified.
-ReplaceWebsiteContent=Search or Replace website content
-DeleteAlsoJs=Delete also all javascript files specific to this website?
-DeleteAlsoMedias=Delete also all medias files specific to this website?
-MyWebsitePages=My website pages
-SearchReplaceInto=Search | Replace into
-ReplaceString=New string
-CSSContentTooltipHelp=Enter here CSS content. To avoid any conflict with the CSS of the application, be sure to prepend all declaration with the .bodywebsite class. For example:
#mycssselector, input.myclass:hover { ... } must be .bodywebsite #mycssselector, .bodywebsite input.myclass:hover { ... }
Note: If you have a large file without this prefix, you can use 'lessc' to convert it to append the .bodywebsite prefix everywhere.
-LinkAndScriptsHereAreNotLoadedInEditor=Warning: This content is output only when site is accessed from a server. It is not used in Edit mode so if you need to load javascript files also in edit mode, just add your tag 'script src=...' into the page.
-Dynamiccontent=Sample of a page with dynamic content
-ImportSite=Import website template
-EditInLineOnOff=Mode 'Edit inline' is %s
-ShowSubContainersOnOff=Mode to execute 'dynamic content' is %s
-GlobalCSSorJS=Global CSS/JS/Header file of web site
-BackToHomePage=Back to home page...
-TranslationLinks=Translation links
-YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not available. (ref=%s, type=%s, status=%s)
-UseTextBetween5And70Chars=For good SEO practices, use a text between 5 and 70 characters
-MainLanguage=Main language
-OtherLanguages=Other languages
-UseManifest=Provide a manifest.json file
-PublicAuthorAlias=Public author alias
-AvailableLanguagesAreDefinedIntoWebsiteProperties=Available languages are defined into website properties
-ReplacementDoneInXPages=Replacement done in %s pages or containers
+AddWebsiteAccount=Crear unha conta de sitio web
+BackToListForThirdParty=Votar á listaxe do terceiros
+DisableSiteFirst=Desactivar primeiro o sitio web
+MyContainerTitle=Título do sitio web
+AnotherContainer=Isto é como incluír contido doutra páxina/contedor (pode ter un erro aquí se activa o código dinámico porque o subcontedor incrustado pode que non exista)
+SorryWebsiteIsCurrentlyOffLine=Sentímolo, este sitio web está actualmente fóra de liña. Por favor, volte máis tarde ...
+WEBSITE_USE_WEBSITE_ACCOUNTS=Activar a táboa de contas do sitio web
+WEBSITE_USE_WEBSITE_ACCOUNTSTooltip=Habilite a táboa para almacenar as contas do sitio web (inicio de sesión/contrasinal) para cada sitio web/terceiro
+YouMustDefineTheHomePage=Primeiro debe definir a páxina de inicio predeterminada
+OnlyEditionOfSourceForGrabbedContentFuture=Aviso: a creación dunha páxina web importando unha páxina web externa está reservada a usuarios experimentados. Dependendo da complexidade da páxina de orixe, o resultado da importación pode diferir do orixinal. Tamén se a páxina de orixe usa estilos CSS comúns ou javascript en conflito, pode rachar o aspecto ou as características do editor de sitios web cando se traballa nesta páxina. Este método é un xeito máis rápido de crear unha páxina, pero recoméndase crear a súa nova páxina desde cero ou a partir dun modelo de páxina suxerido. Teña en conta tamén que é posible que o editor en liña non funcione correctamente cando se usa nunha páxina externa.
+OnlyEditionOfSourceForGrabbedContent=Só é posible a edición de orixe HTML cando se capturou contido dun sitio externo
+GrabImagesInto=Toma tamén imaxes atopadas en css e páxina.
+ImagesShouldBeSavedInto=As imaxes deberían gardarse no directorio
+WebsiteRootOfImages=Directorio raíz para as imaxes do sitio web
+SubdirOfPage=Subdirectorio adicado á páxina
+AliasPageAlreadyExists=A páxina de alias %s xa existe
+CorporateHomePage=Páxina de inicio da empresa
+EmptyPage=Páxina baleira
+ExternalURLMustStartWithHttp=O URL externo debe comezar con http:// ou https://
+ZipOfWebsitePackageToImport=Cargue o ficheiro Zip do paquete de modelos do sitio web
+ZipOfWebsitePackageToLoad=ou Escolla un paquete de modelo de sitio web incrustado dispoñible
+ShowSubcontainers=Mostrar contido dinámico
+InternalURLOfPage=URL interno da páxina
+ThisPageIsTranslationOf=Esta páxina/contedor é unha tradución de
+ThisPageHasTranslationPages=Esta páxina/contedor ten tradución
+NoWebSiteCreateOneFirst=Aínda non se creou ningún sitio web. Cree un primeiro.
+GoTo=Ir a
+DynamicPHPCodeContainsAForbiddenInstruction=Engade un código PHP dinámico que contén a instrución PHP '%s ' que está prohibida por defecto como contido dinámico (ver as opcións ocultas WEBSITE_PHP_ALLOW_xxx para aumentar a lista de comandos permitidos).
+NotAllowedToAddDynamicContent=Non ten permiso para engadir ou editar contido dinámico PHP en sitios web. Solicite permiso ou simplemente manteña o código nas etiquetas PHP sen modificar.
+ReplaceWebsiteContent=Buscar ou substituír contido do sitio web
+DeleteAlsoJs=¿Eliminar tamén todos os ficheiros javascript específicos deste sitio web?
+DeleteAlsoMedias=¿Quere eliminar tamén todos os ficheiros multimedia específicos deste sitio web?
+MyWebsitePages=Páxinas do sitio web
+SearchReplaceInto=Buscar|Substituir por
+ReplaceString=Nova cadea
+CSSContentTooltipHelp=Introduza aquí contido CSS. Para evitar calquera conflito co CSS da aplicación, asegúrese de antepoñer toda a declaración coa clase .bodywebsite. Por exemplo:
#mycssselector, input.myclass:hover {...} debe ser .bodywebsite #mycssselector,.bodywebsite input.myclass:hover {...}
Nota: Se ten un ficheiro grande sen este prefixo, pode usar "lessc" para convertelo para engadir o prefixo .bodywebsite en todas partes.
+LinkAndScriptsHereAreNotLoadedInEditor=Aviso: este contido só se emite cando se accede ao sitio desde un servidor. Non se usa no modo de edición, polo que se precisa cargar ficheiros javascript tamén no modo de edición, só ten que engadir a súa etiqueta 'script src=...' á páxina.
+Dynamiccontent=Mostra dunha páxina con contido dinámico
+ImportSite=Importar prantilla de sitio web
+EditInLineOnOff=O modo 'Editar en liña' é %s
+ShowSubContainersOnOff=O modo para executar "contido dinámico" é %s
+GlobalCSSorJS=Ficheiro global CSS/JS/Header do sitio web
+BackToHomePage=Voltar á páxina de inicio ...
+TranslationLinks=Ligazóns de tradución
+YouTryToAccessToAFileThatIsNotAWebsitePage=Tenta acceder a unha páxina que non está dispoñible. (ref =%s, type =%s, status =%s)
+UseTextBetween5And70Chars=Para boas prácticas de SEO, use un texto de entre 5 e 70 caracteres
+MainLanguage=Idioma principal
+OtherLanguages= Outros idiomas
+UseManifest=Proporciona un ficheiro manifest.json
+PublicAuthorAlias= Alias de autor público
+AvailableLanguagesAreDefinedIntoWebsiteProperties=Os idiomas dispoñibles defínense nas propiedades do sitio web
+ReplacementDoneInXPages=Substitución feita en %s páxinas ou contedores
RSSFeed=Fíos RSS
-RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using this URL
-PagesRegenerated=%s page(s)/container(s) regenerated
-RegenerateWebsiteContent=Regenerate web site cache files
-AllowedInFrames=Allowed in Frames
+RSSFeedDesc=Pode obter unha fonte RSS dos últimos artigos co tipo 'blogpost' usando este URL
+PagesRegenerated=%s páxina(s)/contedor(es) rexenerados
+RegenerateWebsiteContent=Rexenerar ficheiros de caché do sitio web
+AllowedInFrames=Permitido en marcos
+DefineListOfAltLanguagesInWebsiteProperties=Define a listaxe de todos os idiomas dispoñibles nas propiedades do sitio web.
diff --git a/htdocs/langs/gl_ES/withdrawals.lang b/htdocs/langs/gl_ES/withdrawals.lang
index 396c348cb5f..ecb3e21ff85 100644
--- a/htdocs/langs/gl_ES/withdrawals.lang
+++ b/htdocs/langs/gl_ES/withdrawals.lang
@@ -1,16 +1,16 @@
# Dolibarr language file - Source file is en_US - withdrawals
-CustomersStandingOrdersArea=Payments by Direct debit orders
-SuppliersStandingOrdersArea=Payments by Credit transfer
-StandingOrdersPayment=Direct debit payment orders
+CustomersStandingOrdersArea=Área domiciliacións
+SuppliersStandingOrdersArea=Área domiciliacións
+StandingOrdersPayment=Domiciliacións
StandingOrderPayment=Domiciliación
-NewStandingOrder=New direct debit order
-NewPaymentByBankTransfer=New payment by credit transfer
+NewStandingOrder=Nova domiciliación
+NewPaymentByBankTransfer=Novo pagamenyo por transferencia
StandingOrderToProcess=A procesar
-PaymentByBankTransferReceipts=Credit transfer orders
+PaymentByBankTransferReceipts=Solicitudes de transferencia
PaymentByBankTransferLines=Credit transfer order lines
WithdrawalsReceipts=Domiciliacións
WithdrawalReceipt=Domiciliación
-BankTransferReceipts=Credit transfer orders
+BankTransferReceipts=Solicitudes de transferencia
BankTransferReceipt=Credit transfer order
LatestBankTransferReceipts=Latest %s credit transfer orders
LastWithdrawalReceipts=Latest %s direct debit files
@@ -18,131 +18,134 @@ WithdrawalsLine=Direct debit order line
CreditTransferLine=Credit transfer line
WithdrawalsLines=Direct debit order lines
CreditTransferLines=Credit transfer lines
-RequestStandingOrderToTreat=Requests for direct debit payment order to process
-RequestStandingOrderTreated=Requests for direct debit payment order processed
+RequestStandingOrderToTreat=Peticións de domiciliacións a procesar
+RequestStandingOrderTreated=Peticións de domiciliacións procesadas
RequestPaymentsByBankTransferToTreat=Requests for credit transfer to process
RequestPaymentsByBankTransferTreated=Requests for credit transfer processed
-NotPossibleForThisStatusOfWithdrawReceiptORLine=Not yet possible. Withdraw status must be set to 'credited' before declaring reject on specific lines.
-NbOfInvoiceToWithdraw=No. of qualified customer invoices with waiting direct debit order
-NbOfInvoiceToWithdrawWithInfo=No. of customer invoice with direct debit payment orders having defined bank account information
+NotPossibleForThisStatusOfWithdrawReceiptORLine=Aínda non é posible. O estado da domiciliación debe ser 'abonada' antes de poder realizar devolucións as súas líñas
+NbOfInvoiceToWithdraw=Nº de facturas pendentes de domiciliación
+NbOfInvoiceToWithdrawWithInfo=Número de facturas agardando domiciliación para clientes que teñen o seu número de conta definida
NbOfInvoiceToPayByBankTransfer=No. of qualified supplier invoices waiting for a payment by credit transfer
SupplierInvoiceWaitingWithdraw=Vendor invoice waiting for payment by credit transfer
-InvoiceWaitingWithdraw=Invoice waiting for direct debit
+InvoiceWaitingWithdraw=Facturas agardando domiciliación
InvoiceWaitingPaymentByBankTransfer=Invoice waiting for credit transfer
-AmountToWithdraw=Amount to withdraw
+AmountToWithdraw=Cantidade a domiciliar
NoInvoiceToWithdraw=No invoice open for '%s' is waiting. Go on tab '%s' on invoice card to make a request.
NoSupplierInvoiceToWithdraw=No supplier invoice with open 'Direct credit requests' is waiting. Go on tab '%s' on invoice card to make a request.
-ResponsibleUser=User Responsible
-WithdrawalsSetup=Direct debit payment setup
-CreditTransferSetup=Credit transfer setup
-WithdrawStatistics=Direct debit payment statistics
-CreditTransferStatistics=Credit transfer statistics
+ResponsibleUser=Usuario responsable das domiciliacións
+WithdrawalsSetup=Configuración das domiciliacións
+CreditTransferSetup=Configuración das transferencias
+WithdrawStatistics=Estatísticas de domiciliacións
+CreditTransferStatistics=Estatísticas das transferencias
Rejects=Devolucións
-LastWithdrawalReceipt=Latest %s direct debit receipts
-MakeWithdrawRequest=Make a direct debit payment request
-MakeBankTransferOrder=Make a credit transfer request
-WithdrawRequestsDone=%s direct debit payment requests recorded
-ThirdPartyBankCode=Third-party bank code
+LastWithdrawalReceipt=As %s últimas domiciliacións
+MakeWithdrawRequest=Realizar unha petición de domiciliación
+MakeBankTransferOrder=Realizar unha petición de transferencia
+WithdrawRequestsDone=%s domiciliacións rexistradas
+BankTransferRequestsDone=%s transferencias rexistradas
+ThirdPartyBankCode=Código banco do terceiro
NoInvoiceCouldBeWithdrawed=No invoice debited successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s.
-ClassCredited=Classify credited
-ClassCreditedConfirm=Are you sure you want to classify this withdrawal receipt as credited on your bank account?
-TransData=Transmission date
-TransMetod=Transmission method
-Send=Send
-Lines=Lines
-StandingOrderReject=Issue a rejection
-WithdrawsRefused=Direct debit refused
+ClassCredited=Clasificar como "Abonada"
+ClassCreditedConfirm=¿Está certo de querer clasificar esta domiciliación como abonada na súa conta bancaria?
+TransData=Data envío
+TransMetod=Método envío
+Send=Enviar
+Lines=Líñas
+StandingOrderReject=Emitir unha devolución
+WithdrawsRefused=Devolución de domiciliación
WithdrawalRefused=Withdrawal refused
CreditTransfersRefused=Credit transfers refused
-WithdrawalRefusedConfirm=Are you sure you want to enter a withdrawal rejection for society
-RefusedData=Date of rejection
-RefusedReason=Reason for rejection
-RefusedInvoicing=Billing the rejection
-NoInvoiceRefused=Do not charge the rejection
-InvoiceRefused=Invoice refused (Charge the rejection to customer)
-StatusDebitCredit=Status debit/credit
-StatusWaiting=Waiting
-StatusTrans=Enviado
+WithdrawalRefusedConfirm=¿Está certo de querer crear unha devolución de domiciliación para a empresa
+RefusedData=Data de devolución
+RefusedReason=Motivo de devolución
+RefusedInvoicing=Facturación da devolución
+NoInvoiceRefused=Non facturar a devolución
+InvoiceRefused=Factura rexeitada (Cargar os gastos ao cliente)
+StatusDebitCredit=Estado de débito/crédito
+StatusWaiting=Agardando
+StatusTrans=Enviada
StatusDebited=Debited
-StatusCredited=Credited
-StatusPaid=Pagada
-StatusRefused=Rexeitado
-StatusMotif0=Unspecified
-StatusMotif1=Insufficient funds
-StatusMotif2=Request contested
-StatusMotif3=No direct debit payment order
-StatusMotif4=Pedido de cliente
-StatusMotif5=RIB unusable
-StatusMotif6=Account without balance
-StatusMotif7=Judicial Decision
-StatusMotif8=Other reason
-CreateForSepaFRST=Create direct debit file (SEPA FRST)
-CreateForSepaRCUR=Create direct debit file (SEPA RCUR)
-CreateAll=Create direct debit file (all)
-CreateFileForPaymentByBankTransfer=Create file for credit transfer
-CreateSepaFileForPaymentByBankTransfer=Create credit transfer file (SEPA)
-CreateGuichet=Only office
-CreateBanque=Only bank
-OrderWaiting=Waiting for treatment
-NotifyTransmision=Record file transmission of order
-NotifyCredit=Record credit of order
-NumeroNationalEmetter=National Transmitter Number
-WithBankUsingRIB=For bank accounts using RIB
-WithBankUsingBANBIC=For bank accounts using IBAN/BIC/SWIFT
-BankToReceiveWithdraw=Receiving Bank Account
+StatusCredited=Abonada
+StatusPaid=Paga
+StatusRefused=Rexeitada
+StatusMotif0=Non especificado
+StatusMotif1=Fondos insuficintes
+StatusMotif2=Solicitude rexeitada
+StatusMotif3=Sen domiciliacións
+StatusMotif4=Pedimento do cliente
+StatusMotif5=Conta inexistente
+StatusMotif6=Conta sen saldo
+StatusMotif7=Decisión xudicial
+StatusMotif8=Outro motivo
+CreateForSepaFRST=Domiciliar (SEPA FRST)
+CreateForSepaRCUR=Domiciliar (SEPA RCUR)
+CreateAll=Domiciliar (todas)
+CreateFileForPaymentByBankTransfer=Crear un ficheiro para a transferencia
+CreateSepaFileForPaymentByBankTransfer=Crear un ficheiro de transferencia (SEPA)
+CreateGuichet=Só oficina
+CreateBanque=Só banco
+OrderWaiting=Agardando proceso
+NotifyTransmision=Envío de domiciliación
+NotifyCredit=Abono de domiciliación
+NumeroNationalEmetter=Número Nacional do Emisor
+WithBankUsingRIB=Para as contas bancarias que utilizan RIB
+WithBankUsingBANBIC=Para as contas bancarias que utilizan o código BAN/BIC/SWIFT
+BankToReceiveWithdraw=Conta bancaria para recibir a domiciliación
BankToPayCreditTransfer=Bank Account used as source of payments
-CreditDate=Credit on
+CreditDate=Abonada o
WithdrawalFileNotCapable=Unable to generate withdrawal receipt file for your country %s (Your country is not supported)
-ShowWithdraw=Show Direct Debit Order
+ShowWithdraw=Ver domiciliación
IfInvoiceNeedOnWithdrawPaymentWontBeClosed=However, if invoice has at least one direct debit payment order not yet processed, it won't be set as paid to allow prior withdrawal management.
DoStandingOrdersBeforePayments=This tab allows you to request a direct debit payment order. Once done, go into menu Bank->Payment by direct debit to generate and manage the direct debit order. When direct debit order is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null.
DoCreditTransferBeforePayments=This tab allows you to request a credit transfer order. Once done, go into menu Bank->Payment by credit transfer to generate and manage the credit transfer order. When credit transfer order is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null.
WithdrawalFile=Debit order file
CreditTransferFile=Credit transfer file
-SetToStatusSent=Set to status "File Sent"
-ThisWillAlsoAddPaymentOnInvoice=This will also record payments on invoices and will classify them as "Paid" if remain to pay is null
-StatisticsByLineStatus=Statistics by status of lines
-RUM=UMR
-DateRUM=Mandate signature date
-RUMLong=Unique Mandate Reference
-RUMWillBeGenerated=If empty, a UMR (Unique Mandate Reference) will be generated once the bank account information is saved.
-WithdrawMode=Direct debit mode (FRST or RECUR)
-WithdrawRequestAmount=Amount of Direct debit request:
+SetToStatusSent=Clasificar como "Ficheiro enviado"
+ThisWillAlsoAddPaymentOnInvoice=Isto tamén rexistrará os pagos nas facturas e clasificaos como "Pagados" se queda por pagar é nulo
+StatisticsByLineStatus=Estatísticas por estado das liñas
+RUM=RUM
+DateRUM=Data da sinatura do mandato
+RUMLong=Referencia única do mandato
+RUMWillBeGenerated=Se está baleiro, o número RUM /Referencia Única do Mandato) xérase unha vez gardada a información da conta bancaria
+WithdrawMode=Modo domiciliación (FRST o RECUR)
+WithdrawRequestAmount=Importe da domiciliación
BankTransferAmount=Amount of Credit Transfer request:
-WithdrawRequestErrorNilAmount=Unable to create direct debit request for empty amount.
-SepaMandate=SEPA Direct Debit Mandate
-SepaMandateShort=SEPA Mandate
-PleaseReturnMandate=Please return this mandate form by email to %s or by mail to
-SEPALegalText=By signing this mandate form, you authorize (A) %s to send instructions to your bank to debit your account and (B) your bank to debit your account in accordance with the instructions from %s. As part of your rights, you are entitled to a refund from your bank under the terms and conditions of your agreement with your bank. A refund must be claimed within 8 weeks starting from the date on which your account was debited. Your rights regarding the above mandate are explained in a statement that you can obtain from your bank.
-CreditorIdentifier=Creditor Identifier
-CreditorName=Creditor Name
-SEPAFillForm=(B) Please complete all the fields marked *
-SEPAFormYourName=Your name
-SEPAFormYourBAN=Your Bank Account Name (IBAN)
-SEPAFormYourBIC=Your Bank Identifier Code (BIC)
-SEPAFrstOrRecur=Type of payment
-ModeRECUR=Recurring payment
-ModeFRST=One-off payment
-PleaseCheckOne=Please check one only
+WithdrawRequestErrorNilAmount=Non é posible crear unha domiciliación sen importe
+SepaMandate=Mandato SEPA
+SepaMandateShort=Mandato SEPA
+PleaseReturnMandate=Envíe de volta este formulario de mandato por correo electrónico a %s ou por correo a
+SEPALegalText=Ao asinar este mandato, autoriza (A) %s a enviar instruccións ao seu banco para cargar na súa conta e (B) ao seu banco para cargar na súa conta en acordo coas instruccións de %s. Como parte dos seus dereitos, ten dereito a unha devolución nos termos e condicións do seu contrato co seu banco. Unha devolución debe reclamarse dentro de 8 semanas a partires da data na que foi realizado o cargo a súa conta. Os seus dereitos con respeito ao mandato anterior explícanse nun comunicado que pode obter do seu banco.
+CreditorIdentifier=Identificador Acredor
+CreditorName=Nome acredor
+SEPAFillForm=(B) Cubra todos os campos marcados con *
+SEPAFormYourName=O seu nome
+SEPAFormYourBAN=IBAN da súa conta bancaria
+SEPAFormYourBIC=BIC do seu banco
+SEPAFrstOrRecur=Tipo de pagamento
+ModeRECUR=Pago recorrente
+ModeFRST=Pago único
+PleaseCheckOne=Escolla só un
CreditTransferOrderCreated=Credit transfer order %s created
-DirectDebitOrderCreated=Direct debit order %s created
-AmountRequested=Amount requested
+DirectDebitOrderCreated=Domiciliación %s creada
+AmountRequested=Importe solicitado
SEPARCUR=SEPA CUR
SEPAFRST=SEPA FRST
-ExecutionDate=Execution date
-CreateForSepa=Create direct debit file
-ICS=Creditor Identifier CI
-END_TO_END="EndToEndId" SEPA XML tag - Unique id assigned per transaction
-USTRD="Unstructured" SEPA XML tag
-ADDDAYS=Add days to Execution Date
-NoDefaultIBANFound=No default IBAN found for this third party
+ExecutionDate=Data de execución
+CreateForSepa=Crear ficheiro de domiciliación bancaria
+ICS=Identificador de acreedor CI
+ICSTransfer=Creditor Identifier CI for bank transfer
+END_TO_END=Etiqueta XML SEPA "EndToEndId" - ID único asignada por transacción
+USTRD=Etiqueta SEPA XML "Unstructured"
+ADDDAYS=Engadir días á data de execución
+NoDefaultIBANFound=Non atopouse o IBAN deste terceiro
### Notifications
-InfoCreditSubject=Payment of direct debit payment order %s by the bank
-InfoCreditMessage=The direct debit payment order %s has been paid by the bank Data of payment: %s
-InfoTransSubject=Transmission of direct debit payment order %s to bank
-InfoTransMessage=The direct debit payment order %s has been sent to bank by %s %s.
the direct debit payment order of invoice %s related to the company %s, with an amount of %s has been refused by the bank.
-- %s
-ModeWarning=Option for real mode was not set, we stop after this simulation
-ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know wich one to use.
+InfoCreditSubject=Abono de domiciliación %s polo banco
+InfoCreditMessage=A orde de domiciliación %s foi abonada polo banco Data de abono: %s
+InfoTransSubject=Envío de domiciliación %s ao banco
+InfoTransMessage=A orde de domiciliación %s foi enviada ao banco por %s %s.
a domiciliación da factura %s por conta da empresa %s, cun importe de %s foi devolta polo banco.
-- %s
+ModeWarning=Non estableceuse a opción de modo real, deteremonos despois desta simulación
+ErrorCompanyHasDuplicateDefaultBAN=A empresa co identificador %s ten máis dunha conta bancaria predeterminada. Non hai xeito de saber cal usar.
+ErrorICSmissing=Falta o ICS na conta bancaria% s
diff --git a/htdocs/langs/gl_ES/workflow.lang b/htdocs/langs/gl_ES/workflow.lang
index 299be277e1d..18a8d3f5eb7 100644
--- a/htdocs/langs/gl_ES/workflow.lang
+++ b/htdocs/langs/gl_ES/workflow.lang
@@ -1,23 +1,23 @@
# Dolibarr language file - Source file is en_US - workflow
-WorkflowSetup=Workflow module setup
-WorkflowDesc=This module provides some automatic actions. By default, the workflow is open (you can do things in the order you want) but here you can activate some automatic actions.
-ThereIsNoWorkflowToModify=There is no workflow modifications available with the activated modules.
+WorkflowSetup=Configuración do modulo Fluxo de Traballo
+WorkflowDesc=Este módulo permite algunhas accíóns automátizadas. Por defecto, o fluxo de traballo está aberto (podense facer cousas na orde desexada) mais aquí pode activar algunhas accións automátizadas.
+ThereIsNoWorkflowToModify=No hai dispoñibles modificacións de fluxo de traballo nos módulos activados.
# Autocreate
-descWORKFLOW_PROPAL_AUTOCREATE_ORDER=Automatically create a sales order after a commercial proposal is signed (the new order will have same amount as the proposal)
-descWORKFLOW_PROPAL_AUTOCREATE_INVOICE=Automatically create a customer invoice after a commercial proposal is signed (the new invoice will have same amount as the proposal)
-descWORKFLOW_CONTRACT_AUTOCREATE_INVOICE=Automatically create a customer invoice after a contract is validated
-descWORKFLOW_ORDER_AUTOCREATE_INVOICE=Automatically create a customer invoice after a sales order is closed (the new invoice will have same amount as the order)
+descWORKFLOW_PROPAL_AUTOCREATE_ORDER=Crear automáticamente un pedimento de cliente despois da sinatura dun orzamento (o novo pedimento terá o mesmo importe que o orzamento)
+descWORKFLOW_PROPAL_AUTOCREATE_INVOICE=Crear automáticamente una factura a cliente despois da sinatura dun orzamento (a nova factura terá o mesmo importe que o orzamento)
+descWORKFLOW_CONTRACT_AUTOCREATE_INVOICE=Crear unha factura a cliente automáticamente despois de validar un contrato
+descWORKFLOW_ORDER_AUTOCREATE_INVOICE=Crear automáticamente unha factura a cliente despois de pechar o pedimento de cliente ( nova factura terá o mesmo importe que o pedimento)
# Autoclassify customer proposal or order
-descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Classify linked source proposal as billed when sales order is set to billed (and if the amount of the order is the same as the total amount of the signed linked proposal)
-descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Classify linked source proposal as billed when customer invoice is validated (and if the amount of the invoice is the same as the total amount of the signed linked proposal)
-descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Classify linked source sales order as billed when customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked order)
-descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Classify linked source sales order as billed when customer invoice is set to paid (and if the amount of the invoice is the same as the total amount of the linked order)
-descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Classify linked source sales order as shipped when a shipment is validated (and if the quantity shipped by all shipments is the same as in the order to update)
+descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Clasificar orzamento(s) orixe como facturado cando o pedimento do cliente sexa marcado como facturado (e se o importe do pedimento é igual á suma dos importes dos orzamentos relacionados)
+descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Clasificar os orzamento(s) orixe como facturados cando a factura ao cliente sexa validada (e se o importe da factura é igual á suma dos importes dos orzamentos relacionados)
+descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Clasificar pedimento(s) de cliente orixe como facturado cando a factura ao cliente sexa validada (e se o importe da factura é igual á suma dos importes dos pedimentos relacionados)
+descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Clasificar pedimento(s) de cliente orixe como facturado cando a factura ao cliente sexa marcada como pagada (e se o importe da factura é igual á suma dos importes dos pedimentos relacionados)
+descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Clasificar automáticamente o pedimento orixe como enviado cando o envío sexa validado (e se a cantidade enviada por todos os envíos é a mesma que o pedimento a actualizar)
# Autoclassify purchase order
-descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Classify linked source vendor proposal as billed when vendor invoice is validated (and if the amount of the invoice is the same as the total amount of the linked proposal)
-descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Classify linked source purchase order as billed when vendor invoice is validated (and if the amount of the invoice is the same as the total amount of the linked order)
-descWORKFLOW_BILL_ON_RECEPTION=Classify receptions to "billed" when a linked supplier order is validated
+descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Clasificar os orzamento(s) de provedor orixe como facturado(s) cando a factura de provedor sexa validada (e se o importe da factura é igual á suma dos importes dos orzamentos relacionados)
+descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Clasificar pedimento(s) a provedor orixe como facturado(s) cando a factura de provedor sexa validada (e se o importe da factura é igual á suma dos importes dos pedimentos relacionados)
+descWORKFLOW_BILL_ON_RECEPTION=Clasificar recepcións a "facturado" cando sexa validado un pedido de provedor relacionado
# Autoclose intervention
-descWORKFLOW_TICKET_CLOSE_INTERVENTION=Close all interventions linked to the ticket when a ticket is closed
-AutomaticCreation=Automatic creation
-AutomaticClassification=Automatic classification
+descWORKFLOW_TICKET_CLOSE_INTERVENTION=Pecha todas as intervencións ligadas ao ticket cando o ticket está pechado
+AutomaticCreation=Creación automática
+AutomaticClassification=Clasificación automática
diff --git a/htdocs/langs/he_IL/accountancy.lang b/htdocs/langs/he_IL/accountancy.lang
index 3211a0b62df..33ba4d9fea7 100644
--- a/htdocs/langs/he_IL/accountancy.lang
+++ b/htdocs/langs/he_IL/accountancy.lang
@@ -48,6 +48,7 @@ CountriesExceptMe=All countries except %s
AccountantFiles=Export source documents
ExportAccountingSourceDocHelp=With this tool, you can export the source events (list and PDFs) that were used to generate your accountancy. To export your journals, use the menu entry %s - %s.
VueByAccountAccounting=View by accounting account
+VueBySubAccountAccounting=View by accounting subaccount
MainAccountForCustomersNotDefined=Main accounting account for customers not defined in setup
MainAccountForSuppliersNotDefined=Main accounting account for vendors not defined in setup
@@ -144,7 +145,7 @@ NotVentilatedinAccount=Not bound to the accounting account
XLineSuccessfullyBinded=%s products/services successfully bound to an accounting account
XLineFailedToBeBinded=%s products/services were not bound to any accounting account
-ACCOUNTING_LIMIT_LIST_VENTILATION=Number of elements to bind shown by page (maximum recommended: 50)
+ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50)
ACCOUNTING_LIST_SORT_VENTILATION_TODO=Begin the sorting of the page "Binding to do" by the most recent elements
ACCOUNTING_LIST_SORT_VENTILATION_DONE=Begin the sorting of the page "Binding done" by the most recent elements
@@ -198,7 +199,8 @@ Docdate=Date
Docref=Reference
LabelAccount=Label account
LabelOperation=Label operation
-Sens=Sens
+Sens=Direction
+AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received For an accounting account of a supplier, use Debit to record a payment you make
LetteringCode=Lettering code
Lettering=Lettering
Codejournal=Journal
@@ -206,7 +208,8 @@ JournalLabel=Journal label
NumPiece=Piece number
TransactionNumShort=Num. transaction
AccountingCategory=Personalized groups
-GroupByAccountAccounting=Group by accounting account
+GroupByAccountAccounting=Group by general ledger account
+GroupBySubAccountAccounting=Group by subledger account
AccountingAccountGroupsDesc=You can define here some groups of accounting account. They will be used for personalized accounting reports.
ByAccounts=By accounts
ByPredefinedAccountGroups=By predefined groups
@@ -248,7 +251,7 @@ PaymentsNotLinkedToProduct=Payment not linked to any product / service
OpeningBalance=Opening balance
ShowOpeningBalance=Show opening balance
HideOpeningBalance=Hide opening balance
-ShowSubtotalByGroup=Show subtotal by group
+ShowSubtotalByGroup=Show subtotal by level
Pcgtype=Group of account
PcgtypeDesc=Group of account are used as predefined 'filter' and 'grouping' criteria for some accounting reports. For example, 'INCOME' or 'EXPENSE' are used as groups for accounting accounts of products to build the expense/income report.
@@ -271,11 +274,13 @@ DescVentilExpenseReport=Consult here the list of expense report lines bound (or
DescVentilExpenseReportMore=If you setup accounting account on type of expense report lines, the application will be able to make all the binding between your expense report lines and the accounting account of your chart of accounts, just in one click with the button "%s". If account was not set on fees dictionary or if you still have some lines not bound to any account, you will have to make a manual binding from the menu "%s".
DescVentilDoneExpenseReport=Consult here the list of the lines of expenses reports and their fees accounting account
+Closure=Annual closure
DescClosure=Consult here the number of movements by month who are not validated & fiscal years already open
OverviewOfMovementsNotValidated=Step 1/ Overview of movements not validated. (Necessary to close a fiscal year)
+AllMovementsWereRecordedAsValidated=All movements were recorded as validated
+NotAllMovementsCouldBeRecordedAsValidated=Not all movements could be recorded as validated
ValidateMovements=Validate movements
DescValidateMovements=Any modification or deletion of writing, lettering and deletes will be prohibited. All entries for an exercise must be validated otherwise closing will not be possible
-SelectMonthAndValidate=Select month and validate movements
ValidateHistory=Bind Automatically
AutomaticBindingDone=Automatic binding done
@@ -293,6 +298,7 @@ Accounted=Accounted in ledger
NotYetAccounted=Not yet accounted in ledger
ShowTutorial=Show Tutorial
NotReconciled=Not reconciled
+WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view
## Admin
BindingOptions=Binding options
@@ -337,6 +343,7 @@ Modelcsv_LDCompta10=Export for LD Compta (v10 & higher)
Modelcsv_openconcerto=Export for OpenConcerto (Test)
Modelcsv_configurable=Export CSV Configurable
Modelcsv_FEC=Export FEC
+Modelcsv_FEC2=Export FEC (With dates generation writing / document reversed)
Modelcsv_Sage50_Swiss=Export for Sage 50 Switzerland
Modelcsv_winfic=Export Winfic - eWinfic - WinSis Compta
Modelcsv_Gestinumv3=Export for Gestinum (v3)
diff --git a/htdocs/langs/he_IL/admin.lang b/htdocs/langs/he_IL/admin.lang
index e630e1c2258..1aa36f4265d 100644
--- a/htdocs/langs/he_IL/admin.lang
+++ b/htdocs/langs/he_IL/admin.lang
@@ -56,6 +56,8 @@ GUISetup=להציג
SetupArea=הגדרת
UploadNewTemplate=Upload new template(s)
FormToTestFileUploadForm=טופס לבדוק העלאת קובץ (על פי ההגדרה)
+ModuleMustBeEnabled=The module/application %s must be enabled
+ModuleIsEnabled=The module/application %s has been enabled
IfModuleEnabled=הערה: כן, הוא יעיל רק אם %s מודול מופעלת
RemoveLock=Remove/rename file %s if it exists, to allow usage of the Update/Install tool.
RestoreLock=Restore file %s, with read permission only, to disable any further use of the Update/Install tool.
@@ -85,7 +87,6 @@ ShowPreview=הצג תצוגה מקדימה
ShowHideDetails=Show-Hide details
PreviewNotAvailable=לא זמין תצוגה מקדימה
ThemeCurrentlyActive=פעיל כרגע הנושא
-CurrentTimeZone=אזור PHP (שרת)
MySQLTimeZone=TimeZone MySql (database)
TZHasNoEffect=Dates are stored and returned by database server as if they were kept as submitted string. The timezone has effect only when using the UNIX_TIMESTAMP function (that should not be used by Dolibarr, so database TZ should have no effect, even if changed after data was entered).
Space=מרחב
@@ -153,8 +154,8 @@ SystemToolsAreaDesc=This area provides administration functions. Use the menu to
Purge=Purge
PurgeAreaDesc=This page allows you to delete all files generated or stored by Dolibarr (temporary files or all files in %s directory). Using this feature is not normally necessary. It is provided as a workaround for users whose Dolibarr is hosted by a provider that does not offer permissions to delete files generated by the web server.
PurgeDeleteLogFile=Delete log files, including %s defined for Syslog module (no risk of losing data)
-PurgeDeleteTemporaryFiles=Delete all temporary files (no risk of losing data). Note: Deletion is done only if the temp directory was created 24 hours ago.
-PurgeDeleteTemporaryFilesShort=Delete temporary files
+PurgeDeleteTemporaryFiles=Delete all log and temporary files (no risk of losing data). Note: Deletion of temporary files is done only if the temp directory was created more than 24 hours ago.
+PurgeDeleteTemporaryFilesShort=Delete log and temporary files
PurgeDeleteAllFilesInDocumentsDir=Delete all files in directory: %s. This will delete all generated documents related to elements (third parties, invoices etc...), files uploaded into the ECM module, database backup dumps and temporary files.
PurgeRunNow=לטהר עכשיו
PurgeNothingToDelete=No directory or files to delete.
@@ -256,6 +257,7 @@ ReferencedPreferredPartners=Preferred Partners
OtherResources=Other resources
ExternalResources=External Resources
SocialNetworks=Social Networks
+SocialNetworkId=Social Network ID
ForDocumentationSeeWiki=עבור המשתמש או תיעוד של מפתח (דוק, שאלות ...) תסתכל על ויקי Dolibarr: %s
ForAnswersSeeForum=אם יש לך שאלות נוספות / עזרה, אתה יכול להשתמש בפורום Dolibarr: %s
HelpCenterDesc1=Here are some resources for getting help and support with Dolibarr.
@@ -375,7 +377,7 @@ ExamplesWithCurrentSetup=Examples with current configuration
ListOfDirectories=רשימה של ספריות ותבניות OpenDocument
ListOfDirectoriesForModelGenODT=List of directories containing templates files with OpenDocument format.
Put here full path of directories. Add a carriage return between eah directory. To add a directory of the GED module, add here DOL_DATA_ROOT/ecm/yourdirectoryname.
Files in those directories must end with .odt or .ods.
NumberOfModelFilesFound=Number of ODT/ODS template files found in these directories
-ExampleOfDirectoriesForModelGen=דוגמאות תחביר: c: \\ mydir / Home / mydir DOL_DATA_ROOT / ECM / ecmdir
+ExampleOfDirectoriesForModelGen=Examples of syntax: c:\\myapp\\mydocumentdir\\mysubdir /home/myapp/mydocumentdir/mysubdir DOL_DATA_ROOT/ecm/ecmdir
FollowingSubstitutionKeysCanBeUsed= לדעת איך ליצור תבניות ODT המסמכים שלך, לפני אחסונם ספריות אלה, קרא את התיעוד wiki:
FullListOnOnlineDocumentation=http://wiki.dolibarr.org/index.php/Create_an_ODT_document_template
FirstnameNamePosition=עמדת שם / שם משפחה
@@ -406,7 +408,7 @@ UrlGenerationParameters=פרמטרים כדי להבטיח את כתובות ה
SecurityTokenIsUnique=השתמש פרמטר ייחודי securekey עבור כל כתובת אתר
EnterRefToBuildUrl=הזן התייחסות %s אובייקט
GetSecuredUrl=לקבל את כתובת האתר מחושב
-ButtonHideUnauthorized=Hide buttons for non-admin users for unauthorized actions instead of showing greyed disabled buttons
+ButtonHideUnauthorized=Hide unauthorized action buttons also for internal users (just greyed otherwise)
OldVATRates=Old VAT rate
NewVATRates=New VAT rate
PriceBaseTypeToChange=Modify on prices with base reference value defined on
@@ -1689,7 +1691,7 @@ NotTopTreeMenuPersonalized=Personalized menus not linked to a top menu entry
NewMenu=תפריט חדש
MenuHandler=תפריט המטפל
MenuModule=מקור מודול
-HideUnauthorizedMenu= הסתר תפריטים בלתי מורשים (אפור)
+HideUnauthorizedMenu=Hide unauthorized menus also for internal users (just greyed otherwise)
DetailId=מזהה התפריט
DetailMenuHandler=תפריט המטפל היכן להציג תפריט חדש
DetailMenuModule=שם מודול אם סעיף מתפריט באים מודול
@@ -1983,11 +1985,12 @@ EMailHost=Host of email IMAP server
MailboxSourceDirectory=Mailbox source directory
MailboxTargetDirectory=Mailbox target directory
EmailcollectorOperations=Operations to do by collector
+EmailcollectorOperationsDesc=Operations are executed from top to bottom order
MaxEmailCollectPerCollect=Max number of emails collected per collect
CollectNow=Collect now
ConfirmCloneEmailCollector=Are you sure you want to clone the Email collector %s ?
-DateLastCollectResult=Date latest collect tried
-DateLastcollectResultOk=Date latest collect successfull
+DateLastCollectResult=Date of latest collect try
+DateLastcollectResultOk=Date of latest collect success
LastResult=Latest result
EmailCollectorConfirmCollectTitle=Email collect confirmation
EmailCollectorConfirmCollect=Do you want to run the collection for this collector now ?
@@ -2005,7 +2008,7 @@ WithDolTrackingID=Message from a conversation initiated by a first email sent fr
WithoutDolTrackingID=Message from a conversation initiated by a first email NOT sent from Dolibarr
WithDolTrackingIDInMsgId=Message sent from Dolibarr
WithoutDolTrackingIDInMsgId=Message NOT sent from Dolibarr
-CreateCandidature=Create candidature
+CreateCandidature=Create job application
FormatZip=רוכסן
MainMenuCode=Menu entry code (mainmenu)
ECMAutoTree=Show automatic ECM tree
@@ -2083,3 +2086,7 @@ CountryIfSpecificToOneCountry=Country (if specific to a given country)
YouMayFindSecurityAdviceHere=You may find security advisory here
ModuleActivatedMayExposeInformation=This module may expose sensitive data. If you don't need it, disable it.
ModuleActivatedDoNotUseInProduction=A module designed for the development has been enabled. Do not enable it on a production environment.
+CombinationsSeparator=Separator character for product combinations
+SeeLinkToOnlineDocumentation=See link to online documention on top menu for examples
+SHOW_SUBPRODUCT_REF_IN_PDF=If the feature "%s" of module %s is used, show details of subproducts of a kit on PDF.
+AskThisIDToYourBank=Contact your bank to get this ID
diff --git a/htdocs/langs/he_IL/banks.lang b/htdocs/langs/he_IL/banks.lang
index 9500a5b8b2e..a0dc27f86c4 100644
--- a/htdocs/langs/he_IL/banks.lang
+++ b/htdocs/langs/he_IL/banks.lang
@@ -173,8 +173,8 @@ SEPAMandate=SEPA mandate
YourSEPAMandate=Your SEPA mandate
FindYourSEPAMandate=This is your SEPA mandate to authorize our company to make direct debit order to your bank. Return it signed (scan of the signed document) or send it by mail to
AutoReportLastAccountStatement=Automatically fill the field 'number of bank statement' with last statement number when making reconciliation
-CashControl=POS cash fence
-NewCashFence=New cash fence
+CashControl=POS cash desk control
+NewCashFence=New cash desk closing
BankColorizeMovement=Colorize movements
BankColorizeMovementDesc=If this function is enable, you can choose specific background color for debit or credit movements
BankColorizeMovementName1=Background color for debit movement
diff --git a/htdocs/langs/he_IL/blockedlog.lang b/htdocs/langs/he_IL/blockedlog.lang
index 5afae6e9e53..0bba5605d0f 100644
--- a/htdocs/langs/he_IL/blockedlog.lang
+++ b/htdocs/langs/he_IL/blockedlog.lang
@@ -35,7 +35,7 @@ logDON_DELETE=Donation logical deletion
logMEMBER_SUBSCRIPTION_CREATE=Member subscription created
logMEMBER_SUBSCRIPTION_MODIFY=Member subscription modified
logMEMBER_SUBSCRIPTION_DELETE=Member subscription logical deletion
-logCASHCONTROL_VALIDATE=Cash fence recording
+logCASHCONTROL_VALIDATE=Cash desk closing recording
BlockedLogBillDownload=Customer invoice download
BlockedLogBillPreview=Customer invoice preview
BlockedlogInfoDialog=Log Details
diff --git a/htdocs/langs/he_IL/boxes.lang b/htdocs/langs/he_IL/boxes.lang
index 5fe5dc964a7..206876321c5 100644
--- a/htdocs/langs/he_IL/boxes.lang
+++ b/htdocs/langs/he_IL/boxes.lang
@@ -46,9 +46,12 @@ BoxTitleLastModifiedDonations=Latest %s modified donations
BoxTitleLastModifiedExpenses=Latest %s modified expense reports
BoxTitleLatestModifiedBoms=Latest %s modified BOMs
BoxTitleLatestModifiedMos=Latest %s modified Manufacturing Orders
+BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded
BoxGlobalActivity=Global activity (invoices, proposals, orders)
BoxGoodCustomers=Good customers
BoxTitleGoodCustomers=%s Good customers
+BoxScheduledJobs=Scheduled jobs
+BoxTitleFunnelOfProspection=Lead funnel
FailedToRefreshDataInfoNotUpToDate=Failed to refresh RSS flux. Latest successful refresh date: %s
LastRefreshDate=Latest refresh date
NoRecordedBookmarks=No bookmarks defined.
@@ -102,5 +105,7 @@ SuspenseAccountNotDefined=Suspense account isn't defined
BoxLastCustomerShipments=Last customer shipments
BoxTitleLastCustomerShipments=Latest %s customer shipments
NoRecordedShipments=No recorded customer shipment
+BoxCustomersOutstandingBillReached=Customers with oustanding limit reached
# Pages
AccountancyHome=Accountancy
+ValidatedProjects=Validated projects
diff --git a/htdocs/langs/he_IL/cashdesk.lang b/htdocs/langs/he_IL/cashdesk.lang
index 0e214defc7a..ddc13c48ea3 100644
--- a/htdocs/langs/he_IL/cashdesk.lang
+++ b/htdocs/langs/he_IL/cashdesk.lang
@@ -49,8 +49,8 @@ Footer=Footer
AmountAtEndOfPeriod=Amount at end of period (day, month or year)
TheoricalAmount=Theorical amount
RealAmount=Real amount
-CashFence=Cash fence
-CashFenceDone=Cash fence done for the period
+CashFence=Cash desk closing
+CashFenceDone=Cash desk closing done for the period
NbOfInvoices=Nb of invoices
Paymentnumpad=Type of Pad to enter payment
Numberspad=Numbers Pad
@@ -99,8 +99,9 @@ CashDeskRefNumberingModules=Numbering module for POS sales
CashDeskGenericMaskCodes6 = {TN} tag is used to add the terminal number
TakeposGroupSameProduct=Group same products lines
StartAParallelSale=Start a new parallel sale
-ControlCashOpening=Control cash box at opening POS
-CloseCashFence=Close cash fence
+SaleStartedAt=Sale started at %s
+ControlCashOpening=Control cash popup at opening POS
+CloseCashFence=Close cash desk control
CashReport=Cash report
MainPrinterToUse=Main printer to use
OrderPrinterToUse=Order printer to use
@@ -122,3 +123,4 @@ GiftReceipt=Gift receipt
ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled first
AllowDelayedPayment=Allow delayed payment
PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts
+WeighingScale=Weighing scale
diff --git a/htdocs/langs/he_IL/categories.lang b/htdocs/langs/he_IL/categories.lang
index c8bfcef77e2..d01b7fcecb9 100644
--- a/htdocs/langs/he_IL/categories.lang
+++ b/htdocs/langs/he_IL/categories.lang
@@ -19,6 +19,7 @@ ProjectsCategoriesArea=Projects tags/categories area
UsersCategoriesArea=Users tags/categories area
SubCats=Sub-categories
CatList=List of tags/categories
+CatListAll=List of tags/categories (all types)
NewCategory=New tag/category
ModifCat=Modify tag/category
CatCreated=Tag/category created
@@ -65,16 +66,22 @@ UsersCategoriesShort=Users tags/categories
StockCategoriesShort=Warehouse tags/categories
ThisCategoryHasNoItems=This category does not contain any items.
CategId=Tag/category id
-CatSupList=List of vendor tags/categories
-CatCusList=List of customer/prospect tags/categories
+ParentCategory=Parent tag/category
+ParentCategoryLabel=Label of parent tag/category
+CatSupList=List of vendors tags/categories
+CatCusList=List of customers/prospects tags/categories
CatProdList=List of products tags/categories
CatMemberList=List of members tags/categories
-CatContactList=List of contact tags/categories
-CatSupLinks=Links between suppliers and tags/categories
+CatContactList=List of contacts tags/categories
+CatProjectsList=List of projects tags/categories
+CatUsersList=List of users tags/categories
+CatSupLinks=Links between vendors and tags/categories
CatCusLinks=Links between customers/prospects and tags/categories
CatContactsLinks=Links between contacts/addresses and tags/categories
CatProdLinks=Links between products/services and tags/categories
-CatProJectLinks=Links between projects and tags/categories
+CatMembersLinks=Links between members and tags/categories
+CatProjectsLinks=Links between projects and tags/categories
+CatUsersLinks=Links between users and tags/categories
DeleteFromCat=Remove from tags/category
ExtraFieldsCategories=משלימים תכונות
CategoriesSetup=Tags/categories setup
diff --git a/htdocs/langs/he_IL/companies.lang b/htdocs/langs/he_IL/companies.lang
index 2537b7e9b2f..d1b5cde4dac 100644
--- a/htdocs/langs/he_IL/companies.lang
+++ b/htdocs/langs/he_IL/companies.lang
@@ -358,7 +358,7 @@ VATIntraCheckableOnEUSite=Check the intra-Community VAT ID on the European Commi
VATIntraManualCheck=You can also check manually on the European Commission website %s
ErrorVATCheckMS_UNAVAILABLE=Check not possible. Check service is not provided by the member state (%s).
NorProspectNorCustomer=Not prospect, nor customer
-JuridicalStatus=Legal Entity Type
+JuridicalStatus=Business entity type
Workforce=Workforce
Staff=Employees
ProspectLevelShort=Potential
diff --git a/htdocs/langs/he_IL/compta.lang b/htdocs/langs/he_IL/compta.lang
index 3dd45972e01..6635b8b2829 100644
--- a/htdocs/langs/he_IL/compta.lang
+++ b/htdocs/langs/he_IL/compta.lang
@@ -111,7 +111,7 @@ Refund=Refund
SocialContributionsPayments=Social/fiscal taxes payments
ShowVatPayment=Show VAT payment
TotalToPay=Total to pay
-BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted ascending on %s and filtered for 1 bank account
+BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted on %s and filtered on 1 bank account (with no other filters)
CustomerAccountancyCode=Customer accounting code
SupplierAccountancyCode=Vendor accounting code
CustomerAccountancyCodeShort=Cust. account. code
@@ -140,7 +140,7 @@ ConfirmDeleteSocialContribution=Are you sure you want to delete this social/fisc
ExportDataset_tax_1=Social and fiscal taxes and payments
CalcModeVATDebt=Mode %sVAT on commitment accounting%s.
CalcModeVATEngagement=Mode %sVAT on incomes-expenses%s.
-CalcModeDebt=Analysis of known recorded invoices even if they are not yet accounted in ledger.
+CalcModeDebt=Analysis of known recorded documents even if they are not yet accounted in ledger.
CalcModeEngagement=Analysis of known recorded payments, even if they are not yet accounted in Ledger.
CalcModeBookkeeping=Analysis of data journalized in Bookkeeping Ledger table.
CalcModeLT1= Mode %sRE on customer invoices - suppliers invoices%s
@@ -154,9 +154,9 @@ AnnualSummaryInputOutputMode=Balance of income and expenses, annual summary
AnnualByCompanies=Balance of income and expenses, by predefined groups of account
AnnualByCompaniesDueDebtMode=Balance of income and expenses, detail by predefined groups, mode %sClaims-Debts%s said Commitment accounting.
AnnualByCompaniesInputOutputMode=Balance of income and expenses, detail by predefined groups, mode %sIncomes-Expenses%s said cash accounting.
-SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation on actual payments made even if they are not yet accounted in Ledger.
-SeeReportInDueDebtMode=See %sanalysis of invoices%s for a calculation based on known recorded invoices even if they are not yet accounted in Ledger.
-SeeReportInBookkeepingMode=See %sBookeeping report%s for a calculation on Bookkeeping Ledger table
+SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation based on recorded payments made even if they are not yet accounted in Ledger
+SeeReportInDueDebtMode=See %sanalysis of recorded documents%s for a calculation based on known recorded documents even if they are not yet accounted in Ledger
+SeeReportInBookkeepingMode=See %sanalysis of bookeeping ledger table%s for a report based on Bookkeeping Ledger table
RulesAmountWithTaxIncluded=- Amounts shown are with all taxes included
RulesResultDue=- It includes outstanding invoices, expenses, VAT, donations whether they are paid or not. Is also includes paid salaries. - It is based on the billing date of invoices and on the due date for expenses or tax payments. For salaries defined with Salary module, the value date of payment is used.
RulesResultInOut=- It includes the real payments made on invoices, expenses, VAT and salaries. - It is based on the payment dates of the invoices, expenses, VAT and salaries. The donation date for donation.
@@ -169,12 +169,15 @@ RulesResultBookkeepingPersonalized=It show record in your Ledger with accounting
SeePageForSetup=See menu %s for setup
DepositsAreNotIncluded=- Down payment invoices are not included
DepositsAreIncluded=- Down payment invoices are included
+LT1ReportByMonth=Tax 2 report by month
+LT2ReportByMonth=Tax 3 report by month
LT1ReportByCustomers=Report tax 2 by third party
LT2ReportByCustomers=Report tax 3 by third party
LT1ReportByCustomersES=Report by third party RE
LT2ReportByCustomersES=Report by third party IRPF
VATReport=Sale tax report
VATReportByPeriods=Sale tax report by period
+VATReportByMonth=Sale tax report by month
VATReportByRates=Sale tax report by rates
VATReportByThirdParties=Sale tax report by third parties
VATReportByCustomers=Sale tax report by customer
diff --git a/htdocs/langs/he_IL/cron.lang b/htdocs/langs/he_IL/cron.lang
index d2da7ded67e..2ebdda1e685 100644
--- a/htdocs/langs/he_IL/cron.lang
+++ b/htdocs/langs/he_IL/cron.lang
@@ -6,14 +6,15 @@ Permission23102 = Create/update Scheduled job
Permission23103 = Delete Scheduled job
Permission23104 = Execute Scheduled job
# Admin
-CronSetup= Scheduled job management setup
-URLToLaunchCronJobs=URL to check and launch qualified cron jobs
-OrToLaunchASpecificJob=Or to check and launch a specific job
+CronSetup=Scheduled job management setup
+URLToLaunchCronJobs=URL to check and launch qualified cron jobs from a browser
+OrToLaunchASpecificJob=Or to check and launch a specific job from a browser
KeyForCronAccess=Security key for URL to launch cron jobs
FileToLaunchCronJobs=Command line to check and launch qualified cron jobs
CronExplainHowToRunUnix=On Unix environment you should use the following crontab entry to run the command line each 5 minutes
-CronExplainHowToRunWin=On Microsoft(tm) Windows environement you can use Scheduled task tools to run the command line each 5 minutes
+CronExplainHowToRunWin=On Microsoft(tm) Windows environment you can use Scheduled Task tools to run the command line each 5 minutes
CronMethodDoesNotExists=Class %s does not contains any method %s
+CronMethodNotAllowed=Method %s of class %s is in blacklist of forbidden methods
CronJobDefDesc=Cron job profiles are defined into the module descriptor file. When module is activated, they are loaded and available so you can administer the jobs from the admin tools menu %s.
CronJobProfiles=List of predefined cron job profiles
# Menu
@@ -42,10 +43,11 @@ CronModule=Module
CronNoJobs=No jobs registered
CronPriority=Priority
CronLabel=Label
-CronNbRun=Nb. launch
-CronMaxRun=Max number launch
+CronNbRun=Number of launches
+CronMaxRun=Maximum number of launches
CronEach=Every
JobFinished=Job launched and finished
+Scheduled=Scheduled
#Page card
CronAdd= Add jobs
CronEvery=Execute job each
@@ -56,16 +58,16 @@ CronNote=Comment
CronFieldMandatory=Fields %s is mandatory
CronErrEndDateStartDt=End date cannot be before start date
StatusAtInstall=Status at module installation
-CronStatusActiveBtn=Enable
+CronStatusActiveBtn=Schedule
CronStatusInactiveBtn=Disable
CronTaskInactive=This job is disabled
CronId=Id
CronClassFile=Filename with class
-CronModuleHelp=Name of Dolibarr module directory (also work with external Dolibarr module). For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for module is product
-CronClassFileHelp=The relative path and file name to load (path is relative to web server root directory). For exemple to call the fetch method of Dolibarr Product object htdocs/product/class/product.class.php, the value for class file name is product/class/product.class.php
-CronObjectHelp=The object name to load. For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for class file name is Product
-CronMethodHelp=The object method to launch. For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for method is fetch
-CronArgsHelp=The method arguments. For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for paramters can be 0, ProductRef
+CronModuleHelp=Name of Dolibarr module directory (also work with external Dolibarr module). For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for module is product
+CronClassFileHelp=The relative path and file name to load (path is relative to web server root directory). For example to call the fetch method of Dolibarr Product object htdocs/product/class/product.class.php, the value for class file name is product/class/product.class.php
+CronObjectHelp=The object name to load. For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for class file name is Product
+CronMethodHelp=The object method to launch. For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for method is fetch
+CronArgsHelp=The method arguments. For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for paramters can be 0, ProductRef
CronCommandHelp=The system command line to execute.
CronCreateJob=Create new Scheduled Job
CronFrom=From
@@ -76,8 +78,14 @@ CronType_method=Call method of a PHP Class
CronType_command=Shell command
CronCannotLoadClass=Cannot load class file %s (to use class %s)
CronCannotLoadObject=Class file %s was loaded, but object %s was not found into it
-UseMenuModuleToolsToAddCronJobs=Go into menu "Home - Admin tools - Scheduled jobs" to see and edit scheduled jobs.
+UseMenuModuleToolsToAddCronJobs=Go into menu "Home - Admin tools - Scheduled jobs" to see and edit scheduled jobs.
JobDisabled=Job disabled
MakeLocalDatabaseDumpShort=Local database backup
-MakeLocalDatabaseDump=Create a local database dump. Parameters are: compression ('gz' or 'bz' or 'none'), backup type ('mysql' or 'pgsql'), 1, 'auto' or filename to build, number of backup files to keep
+MakeLocalDatabaseDump=Create a local database dump. Parameters are: compression ('gz' or 'bz' or 'none'), backup type ('mysql', 'pgsql', 'auto'), 1, 'auto' or filename to build, number of backup files to keep
WarningCronDelayed=Attention, for performance purpose, whatever is next date of execution of enabled jobs, your jobs may be delayed to a maximum of %s hours, before being run.
+DATAPOLICYJob=Data cleaner and anonymizer
+JobXMustBeEnabled=Job %s must be enabled
+# Cron Boxes
+LastExecutedScheduledJob=Last executed scheduled job
+NextScheduledJobExecute=Next scheduled job to execute
+NumberScheduledJobError=Number of scheduled jobs in error
diff --git a/htdocs/langs/he_IL/errors.lang b/htdocs/langs/he_IL/errors.lang
index 893f4a35b65..5b26be724d9 100644
--- a/htdocs/langs/he_IL/errors.lang
+++ b/htdocs/langs/he_IL/errors.lang
@@ -5,8 +5,10 @@ NoErrorCommitIsDone=No error, we commit
# Errors
ErrorButCommitIsDone=Errors found but we validate despite this
ErrorBadEMail=Email %s is wrong
+ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record)
ErrorBadUrl=Url %s is wrong
ErrorBadValueForParamNotAString=Bad value for your parameter. It appends generally when translation is missing.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorLoginAlreadyExists=Login %s already exists.
ErrorGroupAlreadyExists=Group %s already exists.
ErrorRecordNotFound=Record not found.
@@ -48,6 +50,7 @@ ErrorFieldsRequired=Some required fields were not filled.
ErrorSubjectIsRequired=The email topic is required
ErrorFailedToCreateDir=Failed to create a directory. Check that Web server user has permissions to write into Dolibarr documents directory. If parameter safe_mode is enabled on this PHP, check that Dolibarr php files owns to web server user (or group).
ErrorNoMailDefinedForThisUser=No mail defined for this user
+ErrorSetupOfEmailsNotComplete=Setup of emails is not complete
ErrorFeatureNeedJavascript=This feature need javascript to be activated to work. Change this in setup - display.
ErrorTopMenuMustHaveAParentWithId0=A menu of type 'Top' can't have a parent menu. Put 0 in parent menu or choose a menu of type 'Left'.
ErrorLeftMenuMustHaveAParentId=A menu of type 'Left' must have a parent id.
@@ -75,7 +78,7 @@ ErrorExportDuplicateProfil=This profile name already exists for this export set.
ErrorLDAPSetupNotComplete=Dolibarr-LDAP matching is not complete.
ErrorLDAPMakeManualTest=A .ldif file has been generated in directory %s. Try to load it manually from command line to have more information on errors.
ErrorCantSaveADoneUserWithZeroPercentage=Can't save an action with "status not started" if field "done by" is also filled.
-ErrorRefAlreadyExists=Ref used for creation already exists.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorPleaseTypeBankTransactionReportName=Please enter the bank statement name where the entry has to be reported (Format YYYYMM or YYYYMMDD)
ErrorRecordHasChildren=Failed to delete record since it has some child records.
ErrorRecordHasAtLeastOneChildOfType=Object has at least one child of type %s
@@ -216,7 +219,7 @@ ErrorChooseBetweenFreeEntryOrPredefinedProduct=You must choose if article is a p
ErrorDiscountLargerThanRemainToPaySplitItBefore=The discount you try to apply is larger than remain to pay. Split the discount in 2 smaller discounts before.
ErrorFileNotFoundWithSharedLink=File was not found. May be the share key was modified or file was removed recently.
ErrorProductBarCodeAlreadyExists=The product barcode %s already exists on another product reference.
-ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using virtual product to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number.
+ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using kits to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number.
ErrorDescRequiredForFreeProductLines=Description is mandatory for lines with free product
ErrorAPageWithThisNameOrAliasAlreadyExists=The page/container %s has the same name or alternative alias that the one your try to use
ErrorDuringChartLoad=Error when loading chart of accounts. If few accounts were not loaded, you can still enter them manually.
@@ -243,6 +246,16 @@ ErrorReplaceStringEmpty=Error, the string to replace into is empty
ErrorProductNeedBatchNumber=Error, product '%s' need a lot/serial number
ErrorProductDoesNotNeedBatchNumber=Error, product '%s' does not accept a lot/serial number
ErrorFailedToReadObject=Error, failed to read object of type %s
+ErrorParameterMustBeEnabledToAllwoThisFeature=Error, parameter %s must be enabled into conf/conf.php to allow use of Command Line Interface by the internal job scheduler
+ErrorLoginDateValidity=Error, this login is outside the validity date range
+ErrorValueLength=Length of field '%s' must be higher than '%s'
+ErrorReservedKeyword=The word '%s' is a reserved keyword
+ErrorNotAvailableWithThisDistribution=Not available with this distribution
+ErrorPublicInterfaceNotEnabled=Public interface was not enabled
+ErrorLanguageRequiredIfPageIsTranslationOfAnother=The language of new page must be defined if it is set as a translation of another page
+ErrorLanguageMustNotBeSourceLanguageIfPageIsTranslationOfAnother=The language of new page must not be the source language if it is set as a translation of another page
+ErrorAParameterIsRequiredForThisOperation=A parameter is mandatory for this operation
+
# Warnings
WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup.
WarningPasswordSetWithNoAccount=A password was set for this member. However, no user account was created. So this password is stored but can't be used to login to Dolibarr. It may be used by an external module/interface but if you don't need to define any login nor password for a member, you can disable option "Manage a login for each member" from Member module setup. If you need to manage a login but don't need any password, you can keep this field empty to avoid this warning. Note: Email can also be used as a login if the member is linked to a user.
@@ -267,6 +280,10 @@ WarningYourLoginWasModifiedPleaseLogin=Your login was modified. For security pur
WarningAnEntryAlreadyExistForTransKey=An entry already exists for the translation key for this language
WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different recipient is limited to %s when using the mass actions on lists
WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report
+WarningProjectDraft=Project is still in draft mode. Don't forget to validate it if you plan to use tasks.
WarningProjectClosed=Project is closed. You must re-open it first.
WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list.
-WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table
+WarningFailedToAddFileIntoDatabaseIndex=Warning, failed to add file entry into ECM database index table
+WarningTheHiddenOptionIsOn=Warning, the hidden option %s is on.
+WarningCreateSubAccounts=Warning, you can't create directly a sub account, you must create a third party or an user and assign them an accounting code to find them in this list
+WarningAvailableOnlyForHTTPSServers=Available only if using HTTPS secured connection.
diff --git a/htdocs/langs/he_IL/exports.lang b/htdocs/langs/he_IL/exports.lang
index 2dcf4317e00..a0eb7161ef2 100644
--- a/htdocs/langs/he_IL/exports.lang
+++ b/htdocs/langs/he_IL/exports.lang
@@ -26,6 +26,8 @@ FieldTitle=Field title
NowClickToGenerateToBuildExportFile=Now, select the file format in the combo box and click on "Generate" to build the export file...
AvailableFormats=Available Formats
LibraryShort=Library
+ExportCsvSeparator=Csv caracter separator
+ImportCsvSeparator=Csv caracter separator
Step=Step
FormatedImport=Import Assistant
FormatedImportDesc1=This module allows you to update existing data or add new objects into the database from a file without technical knowledge, using an assistant.
@@ -131,3 +133,4 @@ KeysToUseForUpdates=Key (column) to use for updating existing data
NbInsert=Number of inserted lines: %s
NbUpdate=Number of updated lines: %s
MultipleRecordFoundWithTheseFilters=Multiple records have been found with these filters: %s
+StocksWithBatch=Stocks and location (warehouse) of products with batch/serial number
diff --git a/htdocs/langs/he_IL/mails.lang b/htdocs/langs/he_IL/mails.lang
index 041207e7c48..e31708339bb 100644
--- a/htdocs/langs/he_IL/mails.lang
+++ b/htdocs/langs/he_IL/mails.lang
@@ -92,6 +92,7 @@ MailingModuleDescEmailsFromUser=Emails input by user
MailingModuleDescDolibarrUsers=Users with Emails
MailingModuleDescThirdPartiesByCategories=Third parties (by categories)
SendingFromWebInterfaceIsNotAllowed=Sending from web interface is not allowed.
+EmailCollectorFilterDesc=All filters must match to have an email being collected
# Libelle des modules de liste de destinataires mailing
LineInFile=Line %s in file
@@ -125,12 +126,13 @@ TagMailtoEmail=Recipient Email (including html "mailto:" link)
NoEmailSentBadSenderOrRecipientEmail=No email sent. Bad sender or recipient email. Verify user profile.
# Module Notifications
Notifications=הודעות
-NoNotificationsWillBeSent=No email notifications are planned for this event and company
-ANotificationsWillBeSent=1 notification will be sent by email
-SomeNotificationsWillBeSent=%s notifications will be sent by email
-AddNewNotification=Activate a new email notification target/event
-ListOfActiveNotifications=List all active targets/events for email notification
-ListOfNotificationsDone=List all email notifications sent
+NotificationsAuto=Notifications Auto.
+NoNotificationsWillBeSent=No automatic email notifications are planned for this event type and company
+ANotificationsWillBeSent=1 automatic notification will be sent by email
+SomeNotificationsWillBeSent=%s automatic notifications will be sent by email
+AddNewNotification=Subscribe to a new automatic email notification (target/event)
+ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification
+ListOfNotificationsDone=List all automatic email notifications sent
MailSendSetupIs=Configuration of email sending has been setup to '%s'. This mode can't be used to send mass emailing.
MailSendSetupIs2=You must first go, with an admin account, into menu %sHome - Setup - EMails%s to change parameter '%s' to use mode '%s'. With this mode, you can enter setup of the SMTP server provided by your Internet Service Provider and use Mass emailing feature.
MailSendSetupIs3=If you have any questions on how to setup your SMTP server, you can ask to %s.
@@ -140,7 +142,7 @@ UseFormatFileEmailToTarget=Imported file must have format email;name;fir
UseFormatInputEmailToTarget=Enter a string with format email;name;firstname;other
MailAdvTargetRecipients=Recipients (advanced selection)
AdvTgtTitle=Fill input fields to preselect the third parties or contacts/addresses to target
-AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima% will target all jean, joe, start with jim but not jimo and not everything that starts with jima
+AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima%% will target all jean, joe, start with jim but not jimo and not everything that starts with jima
AdvTgtSearchIntHelp=Use interval to select int or float value
AdvTgtMinVal=Minimum value
AdvTgtMaxVal=Maximum value
@@ -162,13 +164,14 @@ AdvTgtCreateFilter=Create filter
AdvTgtOrCreateNewFilter=Name of new filter
NoContactWithCategoryFound=No contact/address with a category found
NoContactLinkedToThirdpartieWithCategoryFound=No contact/address with a category found
-OutGoingEmailSetup=Outgoing email setup
-InGoingEmailSetup=Incoming email setup
-OutGoingEmailSetupForEmailing=Outgoing email setup (for module %s)
-DefaultOutgoingEmailSetup=Default outgoing email setup
+OutGoingEmailSetup=Outgoing emails
+InGoingEmailSetup=Incoming emails
+OutGoingEmailSetupForEmailing=Outgoing emails (for module %s)
+DefaultOutgoingEmailSetup=Same configuration than the global Outgoing email setup
Information=Information
ContactsWithThirdpartyFilter=Contacts with third-party filter
Unanswered=Unanswered
Answered=Answered
IsNotAnAnswer=Is not answer (initial email)
IsAnAnswer=Is an answer of an initial email
+RecordCreatedByEmailCollector=Record created by the Email Collector %s from email %s
diff --git a/htdocs/langs/he_IL/main.lang b/htdocs/langs/he_IL/main.lang
index f6d4759a902..4371c400dc0 100644
--- a/htdocs/langs/he_IL/main.lang
+++ b/htdocs/langs/he_IL/main.lang
@@ -28,7 +28,9 @@ NoTemplateDefined=No template available for this email type
AvailableVariables=Available substitution variables
NoTranslation=No translation
Translation=Translation
+CurrentTimeZone=אזור PHP (שרת)
EmptySearchString=Enter non empty search criterias
+EnterADateCriteria=Enter a date criteria
NoRecordFound=No record found
NoRecordDeleted=No record deleted
NotEnoughDataYet=Not enough data
@@ -85,6 +87,8 @@ FileWasNotUploaded=A file is selected for attachment but was not yet uploaded. C
NbOfEntries=No. of entries
GoToWikiHelpPage=Read online help (Internet access needed)
GoToHelpPage=Read help
+DedicatedPageAvailable=There is a dedicated help page related to your current screen
+HomePage=Home Page
RecordSaved=Record saved
RecordDeleted=Record deleted
RecordGenerated=Record generated
@@ -433,6 +437,7 @@ RemainToPay=Remain to pay
Module=Module/Application
Modules=Modules/Applications
Option=Option
+Filters=Filters
List=List
FullList=Full list
FullConversation=Full conversation
@@ -671,7 +676,7 @@ SendMail=Send email
Email=Email
NoEMail=No email
AlreadyRead=Already read
-NotRead=Not read
+NotRead=Unread
NoMobilePhone=No mobile phone
Owner=Owner
FollowingConstantsWillBeSubstituted=The following constants will be replaced with the corresponding value.
@@ -1107,3 +1112,8 @@ UpToDate=Up-to-date
OutOfDate=Out-of-date
EventReminder=Event Reminder
UpdateForAllLines=Update for all lines
+OnHold=On hold
+AffectTag=Affect Tag
+ConfirmAffectTag=Bulk Tag Affect
+ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected record(s)?
+CategTypeNotFound=No tag type found for type of records
diff --git a/htdocs/langs/he_IL/modulebuilder.lang b/htdocs/langs/he_IL/modulebuilder.lang
index 460aef8103b..845dd12624d 100644
--- a/htdocs/langs/he_IL/modulebuilder.lang
+++ b/htdocs/langs/he_IL/modulebuilder.lang
@@ -40,6 +40,7 @@ PageForCreateEditView=PHP page to create/edit/view a record
PageForAgendaTab=PHP page for event tab
PageForDocumentTab=PHP page for document tab
PageForNoteTab=PHP page for note tab
+PageForContactTab=PHP page for contact tab
PathToModulePackage=Path to zip of module/application package
PathToModuleDocumentation=Path to file of module/application documentation (%s)
SpaceOrSpecialCharAreNotAllowed=Spaces or special characters are not allowed.
@@ -77,7 +78,7 @@ IsAMeasure=Is a measure
DirScanned=Directory scanned
NoTrigger=No trigger
NoWidget=No widget
-GoToApiExplorer=Go to API explorer
+GoToApiExplorer=API explorer
ListOfMenusEntries=List of menu entries
ListOfDictionariesEntries=List of dictionaries entries
ListOfPermissionsDefined=List of defined permissions
@@ -105,7 +106,7 @@ TryToUseTheModuleBuilder=If you have knowledge of SQL and PHP, you may use the n
SeeTopRightMenu=See on the top right menu
AddLanguageFile=Add language file
YouCanUseTranslationKey=You can use here a key that is the translation key found into language file (see tab "Languages")
-DropTableIfEmpty=(Delete table if empty)
+DropTableIfEmpty=(Destroy table if empty)
TableDoesNotExists=The table %s does not exists
TableDropped=Table %s deleted
InitStructureFromExistingTable=Build the structure array string of an existing table
@@ -126,7 +127,6 @@ UseSpecificEditorURL = Use a specific editor URL
UseSpecificFamily = Use a specific family
UseSpecificAuthor = Use a specific author
UseSpecificVersion = Use a specific initial version
-ModuleMustBeEnabled=The module/application must be enabled first
IncludeRefGeneration=The reference of object must be generated automatically
IncludeRefGenerationHelp=Check this if you want to include code to manage the generation automatically of the reference
IncludeDocGeneration=I want to generate some documents from the object
@@ -140,3 +140,4 @@ TypeOfFieldsHelp=Type of fields: varchar(99), double(24,8), real, text, html,
AsciiToHtmlConverter=Ascii to HTML converter
AsciiToPdfConverter=Ascii to PDF converter
TableNotEmptyDropCanceled=Table not empty. Drop has been canceled.
+ModuleBuilderNotAllowed=The module builder is available but not allowed to your user.
diff --git a/htdocs/langs/he_IL/other.lang b/htdocs/langs/he_IL/other.lang
index 374c864f7dc..9daefe2e59c 100644
--- a/htdocs/langs/he_IL/other.lang
+++ b/htdocs/langs/he_IL/other.lang
@@ -5,8 +5,6 @@ Tools=Tools
TMenuTools=Tools
ToolsDesc=All tools not included in other menu entries are grouped here. All the tools can be accessed via the left menu.
Birthday=Birthday
-BirthdayDate=Birthday date
-DateToBirth=Birth date
BirthdayAlertOn=birthday alert active
BirthdayAlertOff=birthday alert inactive
TransKey=Translation of the key TransKey
@@ -16,6 +14,8 @@ PreviousMonthOfInvoice=Previous month (number 1-12) of invoice date
TextPreviousMonthOfInvoice=Previous month (text) of invoice date
NextMonthOfInvoice=Following month (number 1-12) of invoice date
TextNextMonthOfInvoice=Following month (text) of invoice date
+PreviousMonth=Previous month
+CurrentMonth=Current month
ZipFileGeneratedInto=Zip file generated into %s.
DocFileGeneratedInto=Doc file generated into %s.
JumpToLogin=Disconnected. Go to login page...
@@ -99,6 +99,7 @@ PredefinedMailContentSendShipping=__(Hello)__\n\nPlease find shipping __REF__ at
PredefinedMailContentSendFichInter=__(Hello)__\n\nPlease find intervention __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.\n\n%s\n\n
PredefinedMailContentGeneric=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
+PredefinedMailContentSendActionComm=Event reminder "__EVENT_LABEL__" on __EVENT_DATE__ at __EVENT_TIME__
This is an automatic message, please do not reply.
DemoDesc=Dolibarr is a compact ERP/CRM supporting several business modules. A demo showcasing all modules makes no sense as this scenario never occurs (several hundred available). So, several demo profiles are available.
ChooseYourDemoProfil=Choose the demo profile that best suits your needs...
ChooseYourDemoProfilMore=...or build your own profile (manual module selection)
@@ -137,7 +138,7 @@ Right=Right
CalculatedWeight=Calculated weight
CalculatedVolume=Calculated volume
Weight=Weight
-WeightUnitton=tonne
+WeightUnitton=ton
WeightUnitkg=kg
WeightUnitg=g
WeightUnitmg=mg
@@ -258,6 +259,7 @@ ContactCreatedByEmailCollector=Contact/address created by email collector from e
ProjectCreatedByEmailCollector=Project created by email collector from email MSGID %s
TicketCreatedByEmailCollector=Ticket created by email collector from email MSGID %s
OpeningHoursFormatDesc=Use a - to separate opening and closing hours. Use a space to enter different ranges. Example: 8-12 14-18
+PrefixSession=Prefix for session ID
##### Export #####
ExportsArea=Exports area
diff --git a/htdocs/langs/he_IL/products.lang b/htdocs/langs/he_IL/products.lang
index fe9deabbb4e..19febde0e82 100644
--- a/htdocs/langs/he_IL/products.lang
+++ b/htdocs/langs/he_IL/products.lang
@@ -108,7 +108,8 @@ FillWithLastServiceDates=Fill with last service line dates
MultiPricesAbility=Multiple price segments per product/service (each customer is in one price segment)
MultiPricesNumPrices=Number of prices
DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices
-AssociatedProductsAbility=Activate kits (virtual products)
+AssociatedProductsAbility=Enable Kits (set of other products)
+VariantsAbility=Enable Variants (variations of products, for example color, size)
AssociatedProducts=Kits
AssociatedProductsNumber=Number of products composing this kit
ParentProductsNumber=Number of parent packaging product
@@ -167,8 +168,10 @@ BuyingPrices=Buying prices
CustomerPrices=Customer prices
SuppliersPrices=Vendor prices
SuppliersPricesOfProductsOrServices=Vendor prices (of products or services)
-CustomCode=Customs / Commodity / HS code
+CustomCode=Customs|Commodity|HS code
CountryOrigin=Origin country
+RegionStateOrigin=Region origin
+StateOrigin=State|Province origin
Nature=Nature of product (material/finished)
NatureOfProductShort=Nature of product
NatureOfProductDesc=Raw material or finished product
@@ -239,7 +242,7 @@ AlwaysUseFixedPrice=Use the fixed price
PriceByQuantity=Different prices by quantity
DisablePriceByQty=Disable prices by quantity
PriceByQuantityRange=Quantity range
-MultipriceRules=Price segment rules
+MultipriceRules=Automatic prices for segment
UseMultipriceRules=Use price segment rules (defined into product module setup) to auto calculate prices of all other segments according to first segment
PercentVariationOver=%% variation over %s
PercentDiscountOver=%% discount over %s
diff --git a/htdocs/langs/he_IL/recruitment.lang b/htdocs/langs/he_IL/recruitment.lang
index b775e78552e..437445f25dc 100644
--- a/htdocs/langs/he_IL/recruitment.lang
+++ b/htdocs/langs/he_IL/recruitment.lang
@@ -73,3 +73,4 @@ JobClosedTextCandidateFound=The job position is closed. The position has been fi
JobClosedTextCanceled=The job position is closed.
ExtrafieldsJobPosition=Complementary attributes (job positions)
ExtrafieldsCandidatures=Complementary attributes (job applications)
+MakeOffer=Make an offer
diff --git a/htdocs/langs/he_IL/sendings.lang b/htdocs/langs/he_IL/sendings.lang
index 80e3aa3af9c..17d8f937b82 100644
--- a/htdocs/langs/he_IL/sendings.lang
+++ b/htdocs/langs/he_IL/sendings.lang
@@ -30,6 +30,7 @@ OtherSendingsForSameOrder=Other shipments for this order
SendingsAndReceivingForSameOrder=Shipments and receipts for this order
SendingsToValidate=Shipments to validate
StatusSendingCanceled=Canceled
+StatusSendingCanceledShort=Canceled
StatusSendingDraft=Draft
StatusSendingValidated=Validated (products to ship or already shipped)
StatusSendingProcessed=Processed
@@ -65,6 +66,7 @@ ValidateOrderFirstBeforeShipment=You must first validate the order before being
# Sending methods
# ModelDocument
DocumentModelTyphon=More complete document model for delivery receipts (logo...)
+DocumentModelStorm=More complete document model for delivery receipts and extrafields compatibility (logo...)
Error_EXPEDITION_ADDON_NUMBER_NotDefined=Constant EXPEDITION_ADDON_NUMBER not defined
SumOfProductVolumes=Sum of product volumes
SumOfProductWeights=Sum of product weights
diff --git a/htdocs/langs/he_IL/stocks.lang b/htdocs/langs/he_IL/stocks.lang
index 8907a4d5091..d99d23d1d18 100644
--- a/htdocs/langs/he_IL/stocks.lang
+++ b/htdocs/langs/he_IL/stocks.lang
@@ -240,3 +240,4 @@ InventoryRealQtyHelp=Set value to 0 to reset qty Keep field empty, or remove
UpdateByScaning=Update by scaning
UpdateByScaningProductBarcode=Update by scan (product barcode)
UpdateByScaningLot=Update by scan (lot|serial barcode)
+DisableStockChangeOfSubProduct=Deactivate the stock change for all the subproducts of this Kit during this movement.
diff --git a/htdocs/langs/he_IL/ticket.lang b/htdocs/langs/he_IL/ticket.lang
index a8353b66744..39e0b9f8175 100644
--- a/htdocs/langs/he_IL/ticket.lang
+++ b/htdocs/langs/he_IL/ticket.lang
@@ -31,10 +31,8 @@ TicketDictType=Ticket - Types
TicketDictCategory=Ticket - Groupes
TicketDictSeverity=Ticket - Severities
TicketDictResolution=Ticket - Resolution
-TicketTypeShortBUGSOFT=Dysfonctionnement logiciel
-TicketTypeShortBUGHARD=Dysfonctionnement matériel
-TicketTypeShortCOM=Commercial question
+TicketTypeShortCOM=Commercial question
TicketTypeShortHELP=Request for functionnal help
TicketTypeShortISSUE=Issue, bug or problem
TicketTypeShortREQUEST=Change or enhancement request
@@ -44,7 +42,7 @@ TicketTypeShortOTHER=אחר
TicketSeverityShortLOW=Low
TicketSeverityShortNORMAL=Normal
TicketSeverityShortHIGH=High
-TicketSeverityShortBLOCKING=Critical/Blocking
+TicketSeverityShortBLOCKING=Critical, Blocking
ErrorBadEmailAddress=Field '%s' incorrect
MenuTicketMyAssign=My tickets
@@ -60,7 +58,6 @@ OriginEmail=Email source
Notify_TICKET_SENTBYMAIL=Send ticket message by email
# Status
-NotRead=Not read
Read=Read
Assigned=Assigned
InProgress=In progress
@@ -126,6 +123,7 @@ TicketsActivatePublicInterfaceHelp=Public interface allow any visitors to create
TicketsAutoAssignTicket=Automatically assign the user who created the ticket
TicketsAutoAssignTicketHelp=When creating a ticket, the user can be automatically assigned to the ticket.
TicketNumberingModules=Tickets numbering module
+TicketsModelModule=Document templates for tickets
TicketNotifyTiersAtCreation=Notify third party at creation
TicketsDisableCustomerEmail=Always disable emails when a ticket is created from public interface
TicketsPublicNotificationNewMessage=Send email(s) when a new message is added
@@ -233,7 +231,6 @@ TicketLogStatusChanged=Status changed: %s to %s
TicketNotNotifyTiersAtCreate=Not notify company at create
Unread=Unread
TicketNotCreatedFromPublicInterface=Not available. Ticket was not created from public interface.
-PublicInterfaceNotEnabled=Public interface was not enabled
ErrorTicketRefRequired=Ticket reference name is required
#
diff --git a/htdocs/langs/he_IL/website.lang b/htdocs/langs/he_IL/website.lang
index bc14948946c..e476cd982a3 100644
--- a/htdocs/langs/he_IL/website.lang
+++ b/htdocs/langs/he_IL/website.lang
@@ -30,7 +30,6 @@ EditInLine=Edit inline
AddWebsite=Add website
Webpage=Web page/container
AddPage=Add page/container
-HomePage=Home Page
PageContainer=Page
PreviewOfSiteNotYetAvailable=Preview of your website %s not yet available. You must first 'Import a full website template' or just 'Add a page/container'.
RequestedPageHasNoContentYet=Requested page with id %s has no content yet, or cache file .tpl.php was removed. Edit content of the page to solve this.
@@ -101,7 +100,7 @@ EmptyPage=Empty page
ExternalURLMustStartWithHttp=External URL must start with http:// or https://
ZipOfWebsitePackageToImport=Upload the Zip file of the website template package
ZipOfWebsitePackageToLoad=or Choose an available embedded website template package
-ShowSubcontainers=Include dynamic content
+ShowSubcontainers=Show dynamic content
InternalURLOfPage=Internal URL of page
ThisPageIsTranslationOf=This page/container is a translation of
ThisPageHasTranslationPages=This page/container has translation
@@ -137,3 +136,4 @@ RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using
PagesRegenerated=%s page(s)/container(s) regenerated
RegenerateWebsiteContent=Regenerate web site cache files
AllowedInFrames=Allowed in Frames
+DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languages into web site properties.
diff --git a/htdocs/langs/he_IL/withdrawals.lang b/htdocs/langs/he_IL/withdrawals.lang
index 114a8d9dd6c..e3bec6f9cb8 100644
--- a/htdocs/langs/he_IL/withdrawals.lang
+++ b/htdocs/langs/he_IL/withdrawals.lang
@@ -42,6 +42,7 @@ LastWithdrawalReceipt=Latest %s direct debit receipts
MakeWithdrawRequest=Make a direct debit payment request
MakeBankTransferOrder=Make a credit transfer request
WithdrawRequestsDone=%s direct debit payment requests recorded
+BankTransferRequestsDone=%s credit transfer requests recorded
ThirdPartyBankCode=Third-party bank code
NoInvoiceCouldBeWithdrawed=No invoice debited successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s.
ClassCredited=Classify credited
@@ -131,7 +132,8 @@ SEPARCUR=SEPA CUR
SEPAFRST=SEPA FRST
ExecutionDate=Execution date
CreateForSepa=Create direct debit file
-ICS=Creditor Identifier CI
+ICS=Creditor Identifier CI for direct debit
+ICSTransfer=Creditor Identifier CI for bank transfer
END_TO_END="EndToEndId" SEPA XML tag - Unique id assigned per transaction
USTRD="Unstructured" SEPA XML tag
ADDDAYS=Add days to Execution Date
@@ -146,3 +148,4 @@ InfoRejectSubject=Direct debit payment order refused
InfoRejectMessage=Hello,
the direct debit payment order of invoice %s related to the company %s, with an amount of %s has been refused by the bank.
-- %s
ModeWarning=Option for real mode was not set, we stop after this simulation
ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know wich one to use.
+ErrorICSmissing=Missing ICS in Bank account %s
diff --git a/htdocs/langs/hi_IN/accountancy.lang b/htdocs/langs/hi_IN/accountancy.lang
index 0afe8f7a50d..c137d53be96 100644
--- a/htdocs/langs/hi_IN/accountancy.lang
+++ b/htdocs/langs/hi_IN/accountancy.lang
@@ -48,6 +48,7 @@ CountriesExceptMe=All countries except %s
AccountantFiles=Export source documents
ExportAccountingSourceDocHelp=With this tool, you can export the source events (list and PDFs) that were used to generate your accountancy. To export your journals, use the menu entry %s - %s.
VueByAccountAccounting=View by accounting account
+VueBySubAccountAccounting=View by accounting subaccount
MainAccountForCustomersNotDefined=Main accounting account for customers not defined in setup
MainAccountForSuppliersNotDefined=Main accounting account for vendors not defined in setup
@@ -144,7 +145,7 @@ NotVentilatedinAccount=Not bound to the accounting account
XLineSuccessfullyBinded=%s products/services successfully bound to an accounting account
XLineFailedToBeBinded=%s products/services were not bound to any accounting account
-ACCOUNTING_LIMIT_LIST_VENTILATION=Number of elements to bind shown by page (maximum recommended: 50)
+ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50)
ACCOUNTING_LIST_SORT_VENTILATION_TODO=Begin the sorting of the page "Binding to do" by the most recent elements
ACCOUNTING_LIST_SORT_VENTILATION_DONE=Begin the sorting of the page "Binding done" by the most recent elements
@@ -198,7 +199,8 @@ Docdate=Date
Docref=Reference
LabelAccount=Label account
LabelOperation=Label operation
-Sens=Sens
+Sens=Direction
+AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received For an accounting account of a supplier, use Debit to record a payment you make
LetteringCode=Lettering code
Lettering=Lettering
Codejournal=Journal
@@ -206,7 +208,8 @@ JournalLabel=Journal label
NumPiece=Piece number
TransactionNumShort=Num. transaction
AccountingCategory=Personalized groups
-GroupByAccountAccounting=Group by accounting account
+GroupByAccountAccounting=Group by general ledger account
+GroupBySubAccountAccounting=Group by subledger account
AccountingAccountGroupsDesc=You can define here some groups of accounting account. They will be used for personalized accounting reports.
ByAccounts=By accounts
ByPredefinedAccountGroups=By predefined groups
@@ -248,7 +251,7 @@ PaymentsNotLinkedToProduct=Payment not linked to any product / service
OpeningBalance=Opening balance
ShowOpeningBalance=Show opening balance
HideOpeningBalance=Hide opening balance
-ShowSubtotalByGroup=Show subtotal by group
+ShowSubtotalByGroup=Show subtotal by level
Pcgtype=Group of account
PcgtypeDesc=Group of account are used as predefined 'filter' and 'grouping' criteria for some accounting reports. For example, 'INCOME' or 'EXPENSE' are used as groups for accounting accounts of products to build the expense/income report.
@@ -271,11 +274,13 @@ DescVentilExpenseReport=Consult here the list of expense report lines bound (or
DescVentilExpenseReportMore=If you setup accounting account on type of expense report lines, the application will be able to make all the binding between your expense report lines and the accounting account of your chart of accounts, just in one click with the button "%s". If account was not set on fees dictionary or if you still have some lines not bound to any account, you will have to make a manual binding from the menu "%s".
DescVentilDoneExpenseReport=Consult here the list of the lines of expenses reports and their fees accounting account
+Closure=Annual closure
DescClosure=Consult here the number of movements by month who are not validated & fiscal years already open
OverviewOfMovementsNotValidated=Step 1/ Overview of movements not validated. (Necessary to close a fiscal year)
+AllMovementsWereRecordedAsValidated=All movements were recorded as validated
+NotAllMovementsCouldBeRecordedAsValidated=Not all movements could be recorded as validated
ValidateMovements=Validate movements
DescValidateMovements=Any modification or deletion of writing, lettering and deletes will be prohibited. All entries for an exercise must be validated otherwise closing will not be possible
-SelectMonthAndValidate=Select month and validate movements
ValidateHistory=Bind Automatically
AutomaticBindingDone=Automatic binding done
@@ -293,6 +298,7 @@ Accounted=Accounted in ledger
NotYetAccounted=Not yet accounted in ledger
ShowTutorial=Show Tutorial
NotReconciled=Not reconciled
+WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view
## Admin
BindingOptions=Binding options
@@ -337,6 +343,7 @@ Modelcsv_LDCompta10=Export for LD Compta (v10 & higher)
Modelcsv_openconcerto=Export for OpenConcerto (Test)
Modelcsv_configurable=Export CSV Configurable
Modelcsv_FEC=Export FEC
+Modelcsv_FEC2=Export FEC (With dates generation writing / document reversed)
Modelcsv_Sage50_Swiss=Export for Sage 50 Switzerland
Modelcsv_winfic=Export Winfic - eWinfic - WinSis Compta
Modelcsv_Gestinumv3=Export for Gestinum (v3)
diff --git a/htdocs/langs/hi_IN/admin.lang b/htdocs/langs/hi_IN/admin.lang
index 976284cbff1..3704cf5a9cc 100644
--- a/htdocs/langs/hi_IN/admin.lang
+++ b/htdocs/langs/hi_IN/admin.lang
@@ -56,6 +56,8 @@ GUISetup=Display
SetupArea=Setup
UploadNewTemplate=Upload new template(s)
FormToTestFileUploadForm=Form to test file upload (according to setup)
+ModuleMustBeEnabled=The module/application %s must be enabled
+ModuleIsEnabled=The module/application %s has been enabled
IfModuleEnabled=Note: yes is effective only if module %s is enabled
RemoveLock=Remove/rename file %s if it exists, to allow usage of the Update/Install tool.
RestoreLock=Restore file %s, with read permission only, to disable any further use of the Update/Install tool.
@@ -85,7 +87,6 @@ ShowPreview=Show preview
ShowHideDetails=Show-Hide details
PreviewNotAvailable=Preview not available
ThemeCurrentlyActive=Theme currently active
-CurrentTimeZone=TimeZone PHP (server)
MySQLTimeZone=TimeZone MySql (database)
TZHasNoEffect=Dates are stored and returned by database server as if they were kept as submitted string. The timezone has effect only when using the UNIX_TIMESTAMP function (that should not be used by Dolibarr, so database TZ should have no effect, even if changed after data was entered).
Space=Space
@@ -153,8 +154,8 @@ SystemToolsAreaDesc=This area provides administration functions. Use the menu to
Purge=Purge
PurgeAreaDesc=This page allows you to delete all files generated or stored by Dolibarr (temporary files or all files in %s directory). Using this feature is not normally necessary. It is provided as a workaround for users whose Dolibarr is hosted by a provider that does not offer permissions to delete files generated by the web server.
PurgeDeleteLogFile=Delete log files, including %s defined for Syslog module (no risk of losing data)
-PurgeDeleteTemporaryFiles=Delete all temporary files (no risk of losing data). Note: Deletion is done only if the temp directory was created 24 hours ago.
-PurgeDeleteTemporaryFilesShort=Delete temporary files
+PurgeDeleteTemporaryFiles=Delete all log and temporary files (no risk of losing data). Note: Deletion of temporary files is done only if the temp directory was created more than 24 hours ago.
+PurgeDeleteTemporaryFilesShort=Delete log and temporary files
PurgeDeleteAllFilesInDocumentsDir=Delete all files in directory: %s. This will delete all generated documents related to elements (third parties, invoices etc...), files uploaded into the ECM module, database backup dumps and temporary files.
PurgeRunNow=Purge now
PurgeNothingToDelete=No directory or files to delete.
@@ -256,6 +257,7 @@ ReferencedPreferredPartners=Preferred Partners
OtherResources=Other resources
ExternalResources=External Resources
SocialNetworks=Social Networks
+SocialNetworkId=Social Network ID
ForDocumentationSeeWiki=For user or developer documentation (Doc, FAQs...), take a look at the Dolibarr Wiki: %s
ForAnswersSeeForum=For any other questions/help, you can use the Dolibarr forum: %s
HelpCenterDesc1=Here are some resources for getting help and support with Dolibarr.
@@ -375,7 +377,7 @@ ExamplesWithCurrentSetup=Examples with current configuration
ListOfDirectories=List of OpenDocument templates directories
ListOfDirectoriesForModelGenODT=List of directories containing templates files with OpenDocument format.
Put here full path of directories. Add a carriage return between eah directory. To add a directory of the GED module, add here DOL_DATA_ROOT/ecm/yourdirectoryname.
Files in those directories must end with .odt or .ods.
NumberOfModelFilesFound=Number of ODT/ODS template files found in these directories
-ExampleOfDirectoriesForModelGen=Examples of syntax: c:\\mydir /home/mydir DOL_DATA_ROOT/ecm/ecmdir
+ExampleOfDirectoriesForModelGen=Examples of syntax: c:\\myapp\\mydocumentdir\\mysubdir /home/myapp/mydocumentdir/mysubdir DOL_DATA_ROOT/ecm/ecmdir
FollowingSubstitutionKeysCanBeUsed= To know how to create your odt document templates, before storing them in those directories, read wiki documentation:
FullListOnOnlineDocumentation=http://wiki.dolibarr.org/index.php/Create_an_ODT_document_template
FirstnameNamePosition=Position of Name/Lastname
@@ -406,7 +408,7 @@ UrlGenerationParameters=Parameters to secure URLs
SecurityTokenIsUnique=Use a unique securekey parameter for each URL
EnterRefToBuildUrl=Enter reference for object %s
GetSecuredUrl=Get calculated URL
-ButtonHideUnauthorized=Hide buttons for non-admin users for unauthorized actions instead of showing greyed disabled buttons
+ButtonHideUnauthorized=Hide unauthorized action buttons also for internal users (just greyed otherwise)
OldVATRates=Old VAT rate
NewVATRates=New VAT rate
PriceBaseTypeToChange=Modify on prices with base reference value defined on
@@ -1689,7 +1691,7 @@ NotTopTreeMenuPersonalized=Personalized menus not linked to a top menu entry
NewMenu=New menu
MenuHandler=Menu handler
MenuModule=Source module
-HideUnauthorizedMenu= Hide unauthorized menus (gray)
+HideUnauthorizedMenu=Hide unauthorized menus also for internal users (just greyed otherwise)
DetailId=Id menu
DetailMenuHandler=Menu handler where to show new menu
DetailMenuModule=Module name if menu entry come from a module
@@ -1983,11 +1985,12 @@ EMailHost=Host of email IMAP server
MailboxSourceDirectory=Mailbox source directory
MailboxTargetDirectory=Mailbox target directory
EmailcollectorOperations=Operations to do by collector
+EmailcollectorOperationsDesc=Operations are executed from top to bottom order
MaxEmailCollectPerCollect=Max number of emails collected per collect
CollectNow=Collect now
ConfirmCloneEmailCollector=Are you sure you want to clone the Email collector %s ?
-DateLastCollectResult=Date latest collect tried
-DateLastcollectResultOk=Date latest collect successfull
+DateLastCollectResult=Date of latest collect try
+DateLastcollectResultOk=Date of latest collect success
LastResult=Latest result
EmailCollectorConfirmCollectTitle=Email collect confirmation
EmailCollectorConfirmCollect=Do you want to run the collection for this collector now ?
@@ -2005,7 +2008,7 @@ WithDolTrackingID=Message from a conversation initiated by a first email sent fr
WithoutDolTrackingID=Message from a conversation initiated by a first email NOT sent from Dolibarr
WithDolTrackingIDInMsgId=Message sent from Dolibarr
WithoutDolTrackingIDInMsgId=Message NOT sent from Dolibarr
-CreateCandidature=Create candidature
+CreateCandidature=Create job application
FormatZip=Zip
MainMenuCode=Menu entry code (mainmenu)
ECMAutoTree=Show automatic ECM tree
@@ -2083,3 +2086,7 @@ CountryIfSpecificToOneCountry=Country (if specific to a given country)
YouMayFindSecurityAdviceHere=You may find security advisory here
ModuleActivatedMayExposeInformation=This module may expose sensitive data. If you don't need it, disable it.
ModuleActivatedDoNotUseInProduction=A module designed for the development has been enabled. Do not enable it on a production environment.
+CombinationsSeparator=Separator character for product combinations
+SeeLinkToOnlineDocumentation=See link to online documention on top menu for examples
+SHOW_SUBPRODUCT_REF_IN_PDF=If the feature "%s" of module %s is used, show details of subproducts of a kit on PDF.
+AskThisIDToYourBank=Contact your bank to get this ID
diff --git a/htdocs/langs/hi_IN/banks.lang b/htdocs/langs/hi_IN/banks.lang
index 9500a5b8b2e..a0dc27f86c4 100644
--- a/htdocs/langs/hi_IN/banks.lang
+++ b/htdocs/langs/hi_IN/banks.lang
@@ -173,8 +173,8 @@ SEPAMandate=SEPA mandate
YourSEPAMandate=Your SEPA mandate
FindYourSEPAMandate=This is your SEPA mandate to authorize our company to make direct debit order to your bank. Return it signed (scan of the signed document) or send it by mail to
AutoReportLastAccountStatement=Automatically fill the field 'number of bank statement' with last statement number when making reconciliation
-CashControl=POS cash fence
-NewCashFence=New cash fence
+CashControl=POS cash desk control
+NewCashFence=New cash desk closing
BankColorizeMovement=Colorize movements
BankColorizeMovementDesc=If this function is enable, you can choose specific background color for debit or credit movements
BankColorizeMovementName1=Background color for debit movement
diff --git a/htdocs/langs/hi_IN/blockedlog.lang b/htdocs/langs/hi_IN/blockedlog.lang
index 5afae6e9e53..0bba5605d0f 100644
--- a/htdocs/langs/hi_IN/blockedlog.lang
+++ b/htdocs/langs/hi_IN/blockedlog.lang
@@ -35,7 +35,7 @@ logDON_DELETE=Donation logical deletion
logMEMBER_SUBSCRIPTION_CREATE=Member subscription created
logMEMBER_SUBSCRIPTION_MODIFY=Member subscription modified
logMEMBER_SUBSCRIPTION_DELETE=Member subscription logical deletion
-logCASHCONTROL_VALIDATE=Cash fence recording
+logCASHCONTROL_VALIDATE=Cash desk closing recording
BlockedLogBillDownload=Customer invoice download
BlockedLogBillPreview=Customer invoice preview
BlockedlogInfoDialog=Log Details
diff --git a/htdocs/langs/hi_IN/boxes.lang b/htdocs/langs/hi_IN/boxes.lang
index d6fd298a3a7..7db4ea8aa17 100644
--- a/htdocs/langs/hi_IN/boxes.lang
+++ b/htdocs/langs/hi_IN/boxes.lang
@@ -46,9 +46,12 @@ BoxTitleLastModifiedDonations=Latest %s modified donations
BoxTitleLastModifiedExpenses=Latest %s modified expense reports
BoxTitleLatestModifiedBoms=Latest %s modified BOMs
BoxTitleLatestModifiedMos=Latest %s modified Manufacturing Orders
+BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded
BoxGlobalActivity=Global activity (invoices, proposals, orders)
BoxGoodCustomers=Good customers
BoxTitleGoodCustomers=%s Good customers
+BoxScheduledJobs=Scheduled jobs
+BoxTitleFunnelOfProspection=Lead funnel
FailedToRefreshDataInfoNotUpToDate=Failed to refresh RSS flux. Latest successful refresh date: %s
LastRefreshDate=Latest refresh date
NoRecordedBookmarks=No bookmarks defined.
@@ -102,5 +105,7 @@ SuspenseAccountNotDefined=Suspense account isn't defined
BoxLastCustomerShipments=Last customer shipments
BoxTitleLastCustomerShipments=Latest %s customer shipments
NoRecordedShipments=No recorded customer shipment
+BoxCustomersOutstandingBillReached=Customers with oustanding limit reached
# Pages
AccountancyHome=Accountancy
+ValidatedProjects=Validated projects
diff --git a/htdocs/langs/hi_IN/cashdesk.lang b/htdocs/langs/hi_IN/cashdesk.lang
index 498baa82200..3fef645d99d 100644
--- a/htdocs/langs/hi_IN/cashdesk.lang
+++ b/htdocs/langs/hi_IN/cashdesk.lang
@@ -49,8 +49,8 @@ Footer=Footer
AmountAtEndOfPeriod=Amount at end of period (day, month or year)
TheoricalAmount=Theorical amount
RealAmount=Real amount
-CashFence=Cash fence
-CashFenceDone=Cash fence done for the period
+CashFence=Cash desk closing
+CashFenceDone=Cash desk closing done for the period
NbOfInvoices=Nb of invoices
Paymentnumpad=Type of Pad to enter payment
Numberspad=Numbers Pad
@@ -99,8 +99,9 @@ CashDeskRefNumberingModules=Numbering module for POS sales
CashDeskGenericMaskCodes6 = {TN} tag is used to add the terminal number
TakeposGroupSameProduct=Group same products lines
StartAParallelSale=Start a new parallel sale
-ControlCashOpening=Control cash box at opening POS
-CloseCashFence=Close cash fence
+SaleStartedAt=Sale started at %s
+ControlCashOpening=Control cash popup at opening POS
+CloseCashFence=Close cash desk control
CashReport=Cash report
MainPrinterToUse=Main printer to use
OrderPrinterToUse=Order printer to use
@@ -122,3 +123,4 @@ GiftReceipt=Gift receipt
ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled first
AllowDelayedPayment=Allow delayed payment
PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts
+WeighingScale=Weighing scale
diff --git a/htdocs/langs/hi_IN/categories.lang b/htdocs/langs/hi_IN/categories.lang
index ba37a43b4ec..4ddf0d6093f 100644
--- a/htdocs/langs/hi_IN/categories.lang
+++ b/htdocs/langs/hi_IN/categories.lang
@@ -19,6 +19,7 @@ ProjectsCategoriesArea=Projects tags/categories area
UsersCategoriesArea=Users tags/categories area
SubCats=Sub-categories
CatList=List of tags/categories
+CatListAll=List of tags/categories (all types)
NewCategory=New tag/category
ModifCat=Modify tag/category
CatCreated=Tag/category created
@@ -65,16 +66,22 @@ UsersCategoriesShort=Users tags/categories
StockCategoriesShort=Warehouse tags/categories
ThisCategoryHasNoItems=This category does not contain any items.
CategId=Tag/category id
-CatSupList=List of vendor tags/categories
-CatCusList=List of customer/prospect tags/categories
+ParentCategory=Parent tag/category
+ParentCategoryLabel=Label of parent tag/category
+CatSupList=List of vendors tags/categories
+CatCusList=List of customers/prospects tags/categories
CatProdList=List of products tags/categories
CatMemberList=List of members tags/categories
-CatContactList=List of contact tags/categories
-CatSupLinks=Links between suppliers and tags/categories
+CatContactList=List of contacts tags/categories
+CatProjectsList=List of projects tags/categories
+CatUsersList=List of users tags/categories
+CatSupLinks=Links between vendors and tags/categories
CatCusLinks=Links between customers/prospects and tags/categories
CatContactsLinks=Links between contacts/addresses and tags/categories
CatProdLinks=Links between products/services and tags/categories
-CatProJectLinks=Links between projects and tags/categories
+CatMembersLinks=Links between members and tags/categories
+CatProjectsLinks=Links between projects and tags/categories
+CatUsersLinks=Links between users and tags/categories
DeleteFromCat=Remove from tags/category
ExtraFieldsCategories=Complementary attributes
CategoriesSetup=Tags/categories setup
diff --git a/htdocs/langs/hi_IN/companies.lang b/htdocs/langs/hi_IN/companies.lang
index e9f51f14885..1481398db45 100644
--- a/htdocs/langs/hi_IN/companies.lang
+++ b/htdocs/langs/hi_IN/companies.lang
@@ -358,7 +358,7 @@ VATIntraCheckableOnEUSite=Check the intra-Community VAT ID on the European Commi
VATIntraManualCheck=You can also check manually on the European Commission website %s
ErrorVATCheckMS_UNAVAILABLE=Check not possible. Check service is not provided by the member state (%s).
NorProspectNorCustomer=Not prospect, nor customer
-JuridicalStatus=Legal Entity Type
+JuridicalStatus=Business entity type
Workforce=Workforce
Staff=Employees
ProspectLevelShort=Potential
diff --git a/htdocs/langs/hi_IN/compta.lang b/htdocs/langs/hi_IN/compta.lang
index 8f4f058bb87..1afeb6e3727 100644
--- a/htdocs/langs/hi_IN/compta.lang
+++ b/htdocs/langs/hi_IN/compta.lang
@@ -111,7 +111,7 @@ Refund=Refund
SocialContributionsPayments=Social/fiscal taxes payments
ShowVatPayment=Show VAT payment
TotalToPay=Total to pay
-BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted ascending on %s and filtered for 1 bank account
+BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted on %s and filtered on 1 bank account (with no other filters)
CustomerAccountancyCode=Customer accounting code
SupplierAccountancyCode=Vendor accounting code
CustomerAccountancyCodeShort=Cust. account. code
@@ -140,7 +140,7 @@ ConfirmDeleteSocialContribution=Are you sure you want to delete this social/fisc
ExportDataset_tax_1=Social and fiscal taxes and payments
CalcModeVATDebt=Mode %sVAT on commitment accounting%s.
CalcModeVATEngagement=Mode %sVAT on incomes-expenses%s.
-CalcModeDebt=Analysis of known recorded invoices even if they are not yet accounted in ledger.
+CalcModeDebt=Analysis of known recorded documents even if they are not yet accounted in ledger.
CalcModeEngagement=Analysis of known recorded payments, even if they are not yet accounted in Ledger.
CalcModeBookkeeping=Analysis of data journalized in Bookkeeping Ledger table.
CalcModeLT1= Mode %sRE on customer invoices - suppliers invoices%s
@@ -154,9 +154,9 @@ AnnualSummaryInputOutputMode=Balance of income and expenses, annual summary
AnnualByCompanies=Balance of income and expenses, by predefined groups of account
AnnualByCompaniesDueDebtMode=Balance of income and expenses, detail by predefined groups, mode %sClaims-Debts%s said Commitment accounting.
AnnualByCompaniesInputOutputMode=Balance of income and expenses, detail by predefined groups, mode %sIncomes-Expenses%s said cash accounting.
-SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation on actual payments made even if they are not yet accounted in Ledger.
-SeeReportInDueDebtMode=See %sanalysis of invoices%s for a calculation based on known recorded invoices even if they are not yet accounted in Ledger.
-SeeReportInBookkeepingMode=See %sBookeeping report%s for a calculation on Bookkeeping Ledger table
+SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation based on recorded payments made even if they are not yet accounted in Ledger
+SeeReportInDueDebtMode=See %sanalysis of recorded documents%s for a calculation based on known recorded documents even if they are not yet accounted in Ledger
+SeeReportInBookkeepingMode=See %sanalysis of bookeeping ledger table%s for a report based on Bookkeeping Ledger table
RulesAmountWithTaxIncluded=- Amounts shown are with all taxes included
RulesResultDue=- It includes outstanding invoices, expenses, VAT, donations whether they are paid or not. Is also includes paid salaries. - It is based on the billing date of invoices and on the due date for expenses or tax payments. For salaries defined with Salary module, the value date of payment is used.
RulesResultInOut=- It includes the real payments made on invoices, expenses, VAT and salaries. - It is based on the payment dates of the invoices, expenses, VAT and salaries. The donation date for donation.
@@ -169,12 +169,15 @@ RulesResultBookkeepingPersonalized=It show record in your Ledger with accounting
SeePageForSetup=See menu %s for setup
DepositsAreNotIncluded=- Down payment invoices are not included
DepositsAreIncluded=- Down payment invoices are included
+LT1ReportByMonth=Tax 2 report by month
+LT2ReportByMonth=Tax 3 report by month
LT1ReportByCustomers=Report tax 2 by third party
LT2ReportByCustomers=Report tax 3 by third party
LT1ReportByCustomersES=Report by third party RE
LT2ReportByCustomersES=Report by third party IRPF
VATReport=Sale tax report
VATReportByPeriods=Sale tax report by period
+VATReportByMonth=Sale tax report by month
VATReportByRates=Sale tax report by rates
VATReportByThirdParties=Sale tax report by third parties
VATReportByCustomers=Sale tax report by customer
diff --git a/htdocs/langs/hi_IN/cron.lang b/htdocs/langs/hi_IN/cron.lang
index 1de1251831a..2ebdda1e685 100644
--- a/htdocs/langs/hi_IN/cron.lang
+++ b/htdocs/langs/hi_IN/cron.lang
@@ -7,13 +7,14 @@ Permission23103 = Delete Scheduled job
Permission23104 = Execute Scheduled job
# Admin
CronSetup=Scheduled job management setup
-URLToLaunchCronJobs=URL to check and launch qualified cron jobs
-OrToLaunchASpecificJob=Or to check and launch a specific job
+URLToLaunchCronJobs=URL to check and launch qualified cron jobs from a browser
+OrToLaunchASpecificJob=Or to check and launch a specific job from a browser
KeyForCronAccess=Security key for URL to launch cron jobs
FileToLaunchCronJobs=Command line to check and launch qualified cron jobs
CronExplainHowToRunUnix=On Unix environment you should use the following crontab entry to run the command line each 5 minutes
CronExplainHowToRunWin=On Microsoft(tm) Windows environment you can use Scheduled Task tools to run the command line each 5 minutes
CronMethodDoesNotExists=Class %s does not contains any method %s
+CronMethodNotAllowed=Method %s of class %s is in blacklist of forbidden methods
CronJobDefDesc=Cron job profiles are defined into the module descriptor file. When module is activated, they are loaded and available so you can administer the jobs from the admin tools menu %s.
CronJobProfiles=List of predefined cron job profiles
# Menu
@@ -46,6 +47,7 @@ CronNbRun=Number of launches
CronMaxRun=Maximum number of launches
CronEach=Every
JobFinished=Job launched and finished
+Scheduled=Scheduled
#Page card
CronAdd= Add jobs
CronEvery=Execute job each
@@ -56,7 +58,7 @@ CronNote=Comment
CronFieldMandatory=Fields %s is mandatory
CronErrEndDateStartDt=End date cannot be before start date
StatusAtInstall=Status at module installation
-CronStatusActiveBtn=Enable
+CronStatusActiveBtn=Schedule
CronStatusInactiveBtn=Disable
CronTaskInactive=This job is disabled
CronId=Id
@@ -82,3 +84,8 @@ MakeLocalDatabaseDumpShort=Local database backup
MakeLocalDatabaseDump=Create a local database dump. Parameters are: compression ('gz' or 'bz' or 'none'), backup type ('mysql', 'pgsql', 'auto'), 1, 'auto' or filename to build, number of backup files to keep
WarningCronDelayed=Attention, for performance purpose, whatever is next date of execution of enabled jobs, your jobs may be delayed to a maximum of %s hours, before being run.
DATAPOLICYJob=Data cleaner and anonymizer
+JobXMustBeEnabled=Job %s must be enabled
+# Cron Boxes
+LastExecutedScheduledJob=Last executed scheduled job
+NextScheduledJobExecute=Next scheduled job to execute
+NumberScheduledJobError=Number of scheduled jobs in error
diff --git a/htdocs/langs/hi_IN/errors.lang b/htdocs/langs/hi_IN/errors.lang
index 893f4a35b65..5b26be724d9 100644
--- a/htdocs/langs/hi_IN/errors.lang
+++ b/htdocs/langs/hi_IN/errors.lang
@@ -5,8 +5,10 @@ NoErrorCommitIsDone=No error, we commit
# Errors
ErrorButCommitIsDone=Errors found but we validate despite this
ErrorBadEMail=Email %s is wrong
+ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record)
ErrorBadUrl=Url %s is wrong
ErrorBadValueForParamNotAString=Bad value for your parameter. It appends generally when translation is missing.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorLoginAlreadyExists=Login %s already exists.
ErrorGroupAlreadyExists=Group %s already exists.
ErrorRecordNotFound=Record not found.
@@ -48,6 +50,7 @@ ErrorFieldsRequired=Some required fields were not filled.
ErrorSubjectIsRequired=The email topic is required
ErrorFailedToCreateDir=Failed to create a directory. Check that Web server user has permissions to write into Dolibarr documents directory. If parameter safe_mode is enabled on this PHP, check that Dolibarr php files owns to web server user (or group).
ErrorNoMailDefinedForThisUser=No mail defined for this user
+ErrorSetupOfEmailsNotComplete=Setup of emails is not complete
ErrorFeatureNeedJavascript=This feature need javascript to be activated to work. Change this in setup - display.
ErrorTopMenuMustHaveAParentWithId0=A menu of type 'Top' can't have a parent menu. Put 0 in parent menu or choose a menu of type 'Left'.
ErrorLeftMenuMustHaveAParentId=A menu of type 'Left' must have a parent id.
@@ -75,7 +78,7 @@ ErrorExportDuplicateProfil=This profile name already exists for this export set.
ErrorLDAPSetupNotComplete=Dolibarr-LDAP matching is not complete.
ErrorLDAPMakeManualTest=A .ldif file has been generated in directory %s. Try to load it manually from command line to have more information on errors.
ErrorCantSaveADoneUserWithZeroPercentage=Can't save an action with "status not started" if field "done by" is also filled.
-ErrorRefAlreadyExists=Ref used for creation already exists.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorPleaseTypeBankTransactionReportName=Please enter the bank statement name where the entry has to be reported (Format YYYYMM or YYYYMMDD)
ErrorRecordHasChildren=Failed to delete record since it has some child records.
ErrorRecordHasAtLeastOneChildOfType=Object has at least one child of type %s
@@ -216,7 +219,7 @@ ErrorChooseBetweenFreeEntryOrPredefinedProduct=You must choose if article is a p
ErrorDiscountLargerThanRemainToPaySplitItBefore=The discount you try to apply is larger than remain to pay. Split the discount in 2 smaller discounts before.
ErrorFileNotFoundWithSharedLink=File was not found. May be the share key was modified or file was removed recently.
ErrorProductBarCodeAlreadyExists=The product barcode %s already exists on another product reference.
-ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using virtual product to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number.
+ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using kits to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number.
ErrorDescRequiredForFreeProductLines=Description is mandatory for lines with free product
ErrorAPageWithThisNameOrAliasAlreadyExists=The page/container %s has the same name or alternative alias that the one your try to use
ErrorDuringChartLoad=Error when loading chart of accounts. If few accounts were not loaded, you can still enter them manually.
@@ -243,6 +246,16 @@ ErrorReplaceStringEmpty=Error, the string to replace into is empty
ErrorProductNeedBatchNumber=Error, product '%s' need a lot/serial number
ErrorProductDoesNotNeedBatchNumber=Error, product '%s' does not accept a lot/serial number
ErrorFailedToReadObject=Error, failed to read object of type %s
+ErrorParameterMustBeEnabledToAllwoThisFeature=Error, parameter %s must be enabled into conf/conf.php to allow use of Command Line Interface by the internal job scheduler
+ErrorLoginDateValidity=Error, this login is outside the validity date range
+ErrorValueLength=Length of field '%s' must be higher than '%s'
+ErrorReservedKeyword=The word '%s' is a reserved keyword
+ErrorNotAvailableWithThisDistribution=Not available with this distribution
+ErrorPublicInterfaceNotEnabled=Public interface was not enabled
+ErrorLanguageRequiredIfPageIsTranslationOfAnother=The language of new page must be defined if it is set as a translation of another page
+ErrorLanguageMustNotBeSourceLanguageIfPageIsTranslationOfAnother=The language of new page must not be the source language if it is set as a translation of another page
+ErrorAParameterIsRequiredForThisOperation=A parameter is mandatory for this operation
+
# Warnings
WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup.
WarningPasswordSetWithNoAccount=A password was set for this member. However, no user account was created. So this password is stored but can't be used to login to Dolibarr. It may be used by an external module/interface but if you don't need to define any login nor password for a member, you can disable option "Manage a login for each member" from Member module setup. If you need to manage a login but don't need any password, you can keep this field empty to avoid this warning. Note: Email can also be used as a login if the member is linked to a user.
@@ -267,6 +280,10 @@ WarningYourLoginWasModifiedPleaseLogin=Your login was modified. For security pur
WarningAnEntryAlreadyExistForTransKey=An entry already exists for the translation key for this language
WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different recipient is limited to %s when using the mass actions on lists
WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report
+WarningProjectDraft=Project is still in draft mode. Don't forget to validate it if you plan to use tasks.
WarningProjectClosed=Project is closed. You must re-open it first.
WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list.
-WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table
+WarningFailedToAddFileIntoDatabaseIndex=Warning, failed to add file entry into ECM database index table
+WarningTheHiddenOptionIsOn=Warning, the hidden option %s is on.
+WarningCreateSubAccounts=Warning, you can't create directly a sub account, you must create a third party or an user and assign them an accounting code to find them in this list
+WarningAvailableOnlyForHTTPSServers=Available only if using HTTPS secured connection.
diff --git a/htdocs/langs/hi_IN/exports.lang b/htdocs/langs/hi_IN/exports.lang
index 3549e3f8b23..a0eb7161ef2 100644
--- a/htdocs/langs/hi_IN/exports.lang
+++ b/htdocs/langs/hi_IN/exports.lang
@@ -133,3 +133,4 @@ KeysToUseForUpdates=Key (column) to use for updating existing data
NbInsert=Number of inserted lines: %s
NbUpdate=Number of updated lines: %s
MultipleRecordFoundWithTheseFilters=Multiple records have been found with these filters: %s
+StocksWithBatch=Stocks and location (warehouse) of products with batch/serial number
diff --git a/htdocs/langs/hi_IN/mails.lang b/htdocs/langs/hi_IN/mails.lang
index 1235eef3b27..7fd93be7b71 100644
--- a/htdocs/langs/hi_IN/mails.lang
+++ b/htdocs/langs/hi_IN/mails.lang
@@ -92,6 +92,7 @@ MailingModuleDescEmailsFromUser=Emails input by user
MailingModuleDescDolibarrUsers=Users with Emails
MailingModuleDescThirdPartiesByCategories=Third parties (by categories)
SendingFromWebInterfaceIsNotAllowed=Sending from web interface is not allowed.
+EmailCollectorFilterDesc=All filters must match to have an email being collected
# Libelle des modules de liste de destinataires mailing
LineInFile=Line %s in file
@@ -125,12 +126,13 @@ TagMailtoEmail=Recipient Email (including html "mailto:" link)
NoEmailSentBadSenderOrRecipientEmail=No email sent. Bad sender or recipient email. Verify user profile.
# Module Notifications
Notifications=Notifications
-NoNotificationsWillBeSent=No email notifications are planned for this event and company
-ANotificationsWillBeSent=1 notification will be sent by email
-SomeNotificationsWillBeSent=%s notifications will be sent by email
-AddNewNotification=Activate a new email notification target/event
-ListOfActiveNotifications=List all active targets/events for email notification
-ListOfNotificationsDone=List all email notifications sent
+NotificationsAuto=Notifications Auto.
+NoNotificationsWillBeSent=No automatic email notifications are planned for this event type and company
+ANotificationsWillBeSent=1 automatic notification will be sent by email
+SomeNotificationsWillBeSent=%s automatic notifications will be sent by email
+AddNewNotification=Subscribe to a new automatic email notification (target/event)
+ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification
+ListOfNotificationsDone=List all automatic email notifications sent
MailSendSetupIs=Configuration of email sending has been setup to '%s'. This mode can't be used to send mass emailing.
MailSendSetupIs2=You must first go, with an admin account, into menu %sHome - Setup - EMails%s to change parameter '%s' to use mode '%s'. With this mode, you can enter setup of the SMTP server provided by your Internet Service Provider and use Mass emailing feature.
MailSendSetupIs3=If you have any questions on how to setup your SMTP server, you can ask to %s.
@@ -140,7 +142,7 @@ UseFormatFileEmailToTarget=Imported file must have format email;name;fir
UseFormatInputEmailToTarget=Enter a string with format email;name;firstname;other
MailAdvTargetRecipients=Recipients (advanced selection)
AdvTgtTitle=Fill input fields to preselect the third parties or contacts/addresses to target
-AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima% will target all jean, joe, start with jim but not jimo and not everything that starts with jima
+AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima%% will target all jean, joe, start with jim but not jimo and not everything that starts with jima
AdvTgtSearchIntHelp=Use interval to select int or float value
AdvTgtMinVal=Minimum value
AdvTgtMaxVal=Maximum value
@@ -162,13 +164,14 @@ AdvTgtCreateFilter=Create filter
AdvTgtOrCreateNewFilter=Name of new filter
NoContactWithCategoryFound=No contact/address with a category found
NoContactLinkedToThirdpartieWithCategoryFound=No contact/address with a category found
-OutGoingEmailSetup=Outgoing email setup
-InGoingEmailSetup=Incoming email setup
-OutGoingEmailSetupForEmailing=Outgoing email setup (for module %s)
-DefaultOutgoingEmailSetup=Default outgoing email setup
+OutGoingEmailSetup=Outgoing emails
+InGoingEmailSetup=Incoming emails
+OutGoingEmailSetupForEmailing=Outgoing emails (for module %s)
+DefaultOutgoingEmailSetup=Same configuration than the global Outgoing email setup
Information=Information
ContactsWithThirdpartyFilter=Contacts with third-party filter
Unanswered=Unanswered
Answered=Answered
IsNotAnAnswer=Is not answer (initial email)
IsAnAnswer=Is an answer of an initial email
+RecordCreatedByEmailCollector=Record created by the Email Collector %s from email %s
diff --git a/htdocs/langs/hi_IN/main.lang b/htdocs/langs/hi_IN/main.lang
index 50363abd476..d44adf6c9fb 100644
--- a/htdocs/langs/hi_IN/main.lang
+++ b/htdocs/langs/hi_IN/main.lang
@@ -28,7 +28,9 @@ NoTemplateDefined=No template available for this email type
AvailableVariables=Available substitution variables
NoTranslation=No translation
Translation=Translation
+CurrentTimeZone=TimeZone PHP (server)
EmptySearchString=Enter non empty search criterias
+EnterADateCriteria=Enter a date criteria
NoRecordFound=No record found
NoRecordDeleted=No record deleted
NotEnoughDataYet=Not enough data
@@ -85,6 +87,8 @@ FileWasNotUploaded=A file is selected for attachment but was not yet uploaded. C
NbOfEntries=No. of entries
GoToWikiHelpPage=Read online help (Internet access needed)
GoToHelpPage=Read help
+DedicatedPageAvailable=There is a dedicated help page related to your current screen
+HomePage=Home Page
RecordSaved=Record saved
RecordDeleted=Record deleted
RecordGenerated=Record generated
@@ -433,6 +437,7 @@ RemainToPay=Remain to pay
Module=Module/Application
Modules=Modules/Applications
Option=Option
+Filters=Filters
List=List
FullList=Full list
FullConversation=Full conversation
@@ -671,7 +676,7 @@ SendMail=Send email
Email=Email
NoEMail=No email
AlreadyRead=Already read
-NotRead=Not read
+NotRead=Unread
NoMobilePhone=No mobile phone
Owner=Owner
FollowingConstantsWillBeSubstituted=The following constants will be replaced with the corresponding value.
@@ -1107,3 +1112,8 @@ UpToDate=Up-to-date
OutOfDate=Out-of-date
EventReminder=Event Reminder
UpdateForAllLines=Update for all lines
+OnHold=On hold
+AffectTag=Affect Tag
+ConfirmAffectTag=Bulk Tag Affect
+ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected record(s)?
+CategTypeNotFound=No tag type found for type of records
diff --git a/htdocs/langs/hi_IN/modulebuilder.lang b/htdocs/langs/hi_IN/modulebuilder.lang
index 460aef8103b..845dd12624d 100644
--- a/htdocs/langs/hi_IN/modulebuilder.lang
+++ b/htdocs/langs/hi_IN/modulebuilder.lang
@@ -40,6 +40,7 @@ PageForCreateEditView=PHP page to create/edit/view a record
PageForAgendaTab=PHP page for event tab
PageForDocumentTab=PHP page for document tab
PageForNoteTab=PHP page for note tab
+PageForContactTab=PHP page for contact tab
PathToModulePackage=Path to zip of module/application package
PathToModuleDocumentation=Path to file of module/application documentation (%s)
SpaceOrSpecialCharAreNotAllowed=Spaces or special characters are not allowed.
@@ -77,7 +78,7 @@ IsAMeasure=Is a measure
DirScanned=Directory scanned
NoTrigger=No trigger
NoWidget=No widget
-GoToApiExplorer=Go to API explorer
+GoToApiExplorer=API explorer
ListOfMenusEntries=List of menu entries
ListOfDictionariesEntries=List of dictionaries entries
ListOfPermissionsDefined=List of defined permissions
@@ -105,7 +106,7 @@ TryToUseTheModuleBuilder=If you have knowledge of SQL and PHP, you may use the n
SeeTopRightMenu=See on the top right menu
AddLanguageFile=Add language file
YouCanUseTranslationKey=You can use here a key that is the translation key found into language file (see tab "Languages")
-DropTableIfEmpty=(Delete table if empty)
+DropTableIfEmpty=(Destroy table if empty)
TableDoesNotExists=The table %s does not exists
TableDropped=Table %s deleted
InitStructureFromExistingTable=Build the structure array string of an existing table
@@ -126,7 +127,6 @@ UseSpecificEditorURL = Use a specific editor URL
UseSpecificFamily = Use a specific family
UseSpecificAuthor = Use a specific author
UseSpecificVersion = Use a specific initial version
-ModuleMustBeEnabled=The module/application must be enabled first
IncludeRefGeneration=The reference of object must be generated automatically
IncludeRefGenerationHelp=Check this if you want to include code to manage the generation automatically of the reference
IncludeDocGeneration=I want to generate some documents from the object
@@ -140,3 +140,4 @@ TypeOfFieldsHelp=Type of fields: varchar(99), double(24,8), real, text, html,
AsciiToHtmlConverter=Ascii to HTML converter
AsciiToPdfConverter=Ascii to PDF converter
TableNotEmptyDropCanceled=Table not empty. Drop has been canceled.
+ModuleBuilderNotAllowed=The module builder is available but not allowed to your user.
diff --git a/htdocs/langs/hi_IN/other.lang b/htdocs/langs/hi_IN/other.lang
index 54c0572d453..0a7b3723ab1 100644
--- a/htdocs/langs/hi_IN/other.lang
+++ b/htdocs/langs/hi_IN/other.lang
@@ -5,8 +5,6 @@ Tools=Tools
TMenuTools=Tools
ToolsDesc=All tools not included in other menu entries are grouped here. All the tools can be accessed via the left menu.
Birthday=Birthday
-BirthdayDate=Birthday date
-DateToBirth=Birth date
BirthdayAlertOn=birthday alert active
BirthdayAlertOff=birthday alert inactive
TransKey=Translation of the key TransKey
@@ -16,6 +14,8 @@ PreviousMonthOfInvoice=Previous month (number 1-12) of invoice date
TextPreviousMonthOfInvoice=Previous month (text) of invoice date
NextMonthOfInvoice=Following month (number 1-12) of invoice date
TextNextMonthOfInvoice=Following month (text) of invoice date
+PreviousMonth=Previous month
+CurrentMonth=Current month
ZipFileGeneratedInto=Zip file generated into %s.
DocFileGeneratedInto=Doc file generated into %s.
JumpToLogin=Disconnected. Go to login page...
@@ -99,6 +99,7 @@ PredefinedMailContentSendShipping=__(Hello)__\n\nPlease find shipping __REF__ at
PredefinedMailContentSendFichInter=__(Hello)__\n\nPlease find intervention __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.\n\n%s\n\n
PredefinedMailContentGeneric=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
+PredefinedMailContentSendActionComm=Event reminder "__EVENT_LABEL__" on __EVENT_DATE__ at __EVENT_TIME__
This is an automatic message, please do not reply.
DemoDesc=Dolibarr is a compact ERP/CRM supporting several business modules. A demo showcasing all modules makes no sense as this scenario never occurs (several hundred available). So, several demo profiles are available.
ChooseYourDemoProfil=Choose the demo profile that best suits your needs...
ChooseYourDemoProfilMore=...or build your own profile (manual module selection)
@@ -137,7 +138,7 @@ Right=Right
CalculatedWeight=Calculated weight
CalculatedVolume=Calculated volume
Weight=Weight
-WeightUnitton=tonne
+WeightUnitton=ton
WeightUnitkg=kg
WeightUnitg=g
WeightUnitmg=mg
@@ -258,6 +259,7 @@ ContactCreatedByEmailCollector=Contact/address created by email collector from e
ProjectCreatedByEmailCollector=Project created by email collector from email MSGID %s
TicketCreatedByEmailCollector=Ticket created by email collector from email MSGID %s
OpeningHoursFormatDesc=Use a - to separate opening and closing hours. Use a space to enter different ranges. Example: 8-12 14-18
+PrefixSession=Prefix for session ID
##### Export #####
ExportsArea=Exports area
diff --git a/htdocs/langs/hi_IN/products.lang b/htdocs/langs/hi_IN/products.lang
index 97db059594f..f0c4a5362b8 100644
--- a/htdocs/langs/hi_IN/products.lang
+++ b/htdocs/langs/hi_IN/products.lang
@@ -108,7 +108,8 @@ FillWithLastServiceDates=Fill with last service line dates
MultiPricesAbility=Multiple price segments per product/service (each customer is in one price segment)
MultiPricesNumPrices=Number of prices
DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices
-AssociatedProductsAbility=Activate kits (virtual products)
+AssociatedProductsAbility=Enable Kits (set of other products)
+VariantsAbility=Enable Variants (variations of products, for example color, size)
AssociatedProducts=Kits
AssociatedProductsNumber=Number of products composing this kit
ParentProductsNumber=Number of parent packaging product
@@ -167,8 +168,10 @@ BuyingPrices=Buying prices
CustomerPrices=Customer prices
SuppliersPrices=Vendor prices
SuppliersPricesOfProductsOrServices=Vendor prices (of products or services)
-CustomCode=Customs / Commodity / HS code
+CustomCode=Customs|Commodity|HS code
CountryOrigin=Origin country
+RegionStateOrigin=Region origin
+StateOrigin=State|Province origin
Nature=Nature of product (material/finished)
NatureOfProductShort=Nature of product
NatureOfProductDesc=Raw material or finished product
@@ -239,7 +242,7 @@ AlwaysUseFixedPrice=Use the fixed price
PriceByQuantity=Different prices by quantity
DisablePriceByQty=Disable prices by quantity
PriceByQuantityRange=Quantity range
-MultipriceRules=Price segment rules
+MultipriceRules=Automatic prices for segment
UseMultipriceRules=Use price segment rules (defined into product module setup) to auto calculate prices of all other segments according to first segment
PercentVariationOver=%% variation over %s
PercentDiscountOver=%% discount over %s
diff --git a/htdocs/langs/hi_IN/recruitment.lang b/htdocs/langs/hi_IN/recruitment.lang
index b775e78552e..437445f25dc 100644
--- a/htdocs/langs/hi_IN/recruitment.lang
+++ b/htdocs/langs/hi_IN/recruitment.lang
@@ -73,3 +73,4 @@ JobClosedTextCandidateFound=The job position is closed. The position has been fi
JobClosedTextCanceled=The job position is closed.
ExtrafieldsJobPosition=Complementary attributes (job positions)
ExtrafieldsCandidatures=Complementary attributes (job applications)
+MakeOffer=Make an offer
diff --git a/htdocs/langs/hi_IN/sendings.lang b/htdocs/langs/hi_IN/sendings.lang
index 5ce3b7f67e9..73bd9aebd42 100644
--- a/htdocs/langs/hi_IN/sendings.lang
+++ b/htdocs/langs/hi_IN/sendings.lang
@@ -30,6 +30,7 @@ OtherSendingsForSameOrder=Other shipments for this order
SendingsAndReceivingForSameOrder=Shipments and receipts for this order
SendingsToValidate=Shipments to validate
StatusSendingCanceled=Canceled
+StatusSendingCanceledShort=Canceled
StatusSendingDraft=Draft
StatusSendingValidated=Validated (products to ship or already shipped)
StatusSendingProcessed=Processed
@@ -65,6 +66,7 @@ ValidateOrderFirstBeforeShipment=You must first validate the order before being
# Sending methods
# ModelDocument
DocumentModelTyphon=More complete document model for delivery receipts (logo...)
+DocumentModelStorm=More complete document model for delivery receipts and extrafields compatibility (logo...)
Error_EXPEDITION_ADDON_NUMBER_NotDefined=Constant EXPEDITION_ADDON_NUMBER not defined
SumOfProductVolumes=Sum of product volumes
SumOfProductWeights=Sum of product weights
diff --git a/htdocs/langs/hi_IN/stocks.lang b/htdocs/langs/hi_IN/stocks.lang
index 660443bcded..6cf089096dd 100644
--- a/htdocs/langs/hi_IN/stocks.lang
+++ b/htdocs/langs/hi_IN/stocks.lang
@@ -240,3 +240,4 @@ InventoryRealQtyHelp=Set value to 0 to reset qty Keep field empty, or remove
UpdateByScaning=Update by scaning
UpdateByScaningProductBarcode=Update by scan (product barcode)
UpdateByScaningLot=Update by scan (lot|serial barcode)
+DisableStockChangeOfSubProduct=Deactivate the stock change for all the subproducts of this Kit during this movement.
diff --git a/htdocs/langs/hi_IN/ticket.lang b/htdocs/langs/hi_IN/ticket.lang
index 59519282c80..982fff90ffa 100644
--- a/htdocs/langs/hi_IN/ticket.lang
+++ b/htdocs/langs/hi_IN/ticket.lang
@@ -31,10 +31,8 @@ TicketDictType=Ticket - Types
TicketDictCategory=Ticket - Groupes
TicketDictSeverity=Ticket - Severities
TicketDictResolution=Ticket - Resolution
-TicketTypeShortBUGSOFT=Dysfonctionnement logiciel
-TicketTypeShortBUGHARD=Dysfonctionnement matériel
-TicketTypeShortCOM=Commercial question
+TicketTypeShortCOM=Commercial question
TicketTypeShortHELP=Request for functionnal help
TicketTypeShortISSUE=Issue, bug or problem
TicketTypeShortREQUEST=Change or enhancement request
@@ -44,7 +42,7 @@ TicketTypeShortOTHER=Other
TicketSeverityShortLOW=Low
TicketSeverityShortNORMAL=Normal
TicketSeverityShortHIGH=High
-TicketSeverityShortBLOCKING=Critical/Blocking
+TicketSeverityShortBLOCKING=Critical, Blocking
ErrorBadEmailAddress=Field '%s' incorrect
MenuTicketMyAssign=My tickets
@@ -60,7 +58,6 @@ OriginEmail=Email source
Notify_TICKET_SENTBYMAIL=Send ticket message by email
# Status
-NotRead=Not read
Read=Read
Assigned=Assigned
InProgress=In progress
@@ -126,6 +123,7 @@ TicketsActivatePublicInterfaceHelp=Public interface allow any visitors to create
TicketsAutoAssignTicket=Automatically assign the user who created the ticket
TicketsAutoAssignTicketHelp=When creating a ticket, the user can be automatically assigned to the ticket.
TicketNumberingModules=Tickets numbering module
+TicketsModelModule=Document templates for tickets
TicketNotifyTiersAtCreation=Notify third party at creation
TicketsDisableCustomerEmail=Always disable emails when a ticket is created from public interface
TicketsPublicNotificationNewMessage=Send email(s) when a new message is added
@@ -233,7 +231,6 @@ TicketLogStatusChanged=Status changed: %s to %s
TicketNotNotifyTiersAtCreate=Not notify company at create
Unread=Unread
TicketNotCreatedFromPublicInterface=Not available. Ticket was not created from public interface.
-PublicInterfaceNotEnabled=Public interface was not enabled
ErrorTicketRefRequired=Ticket reference name is required
#
diff --git a/htdocs/langs/hi_IN/website.lang b/htdocs/langs/hi_IN/website.lang
index 03e042e4be6..f17def114b8 100644
--- a/htdocs/langs/hi_IN/website.lang
+++ b/htdocs/langs/hi_IN/website.lang
@@ -30,7 +30,6 @@ EditInLine=Edit inline
AddWebsite=Add website
Webpage=Web page/container
AddPage=Add page/container
-HomePage=Home Page
PageContainer=Page
PreviewOfSiteNotYetAvailable=Preview of your website %s not yet available. You must first 'Import a full website template' or just 'Add a page/container'.
RequestedPageHasNoContentYet=Requested page with id %s has no content yet, or cache file .tpl.php was removed. Edit content of the page to solve this.
@@ -101,7 +100,7 @@ EmptyPage=Empty page
ExternalURLMustStartWithHttp=External URL must start with http:// or https://
ZipOfWebsitePackageToImport=Upload the Zip file of the website template package
ZipOfWebsitePackageToLoad=or Choose an available embedded website template package
-ShowSubcontainers=Include dynamic content
+ShowSubcontainers=Show dynamic content
InternalURLOfPage=Internal URL of page
ThisPageIsTranslationOf=This page/container is a translation of
ThisPageHasTranslationPages=This page/container has translation
@@ -137,3 +136,4 @@ RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using
PagesRegenerated=%s page(s)/container(s) regenerated
RegenerateWebsiteContent=Regenerate web site cache files
AllowedInFrames=Allowed in Frames
+DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languages into web site properties.
diff --git a/htdocs/langs/hi_IN/withdrawals.lang b/htdocs/langs/hi_IN/withdrawals.lang
index 114a8d9dd6c..e3bec6f9cb8 100644
--- a/htdocs/langs/hi_IN/withdrawals.lang
+++ b/htdocs/langs/hi_IN/withdrawals.lang
@@ -42,6 +42,7 @@ LastWithdrawalReceipt=Latest %s direct debit receipts
MakeWithdrawRequest=Make a direct debit payment request
MakeBankTransferOrder=Make a credit transfer request
WithdrawRequestsDone=%s direct debit payment requests recorded
+BankTransferRequestsDone=%s credit transfer requests recorded
ThirdPartyBankCode=Third-party bank code
NoInvoiceCouldBeWithdrawed=No invoice debited successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s.
ClassCredited=Classify credited
@@ -131,7 +132,8 @@ SEPARCUR=SEPA CUR
SEPAFRST=SEPA FRST
ExecutionDate=Execution date
CreateForSepa=Create direct debit file
-ICS=Creditor Identifier CI
+ICS=Creditor Identifier CI for direct debit
+ICSTransfer=Creditor Identifier CI for bank transfer
END_TO_END="EndToEndId" SEPA XML tag - Unique id assigned per transaction
USTRD="Unstructured" SEPA XML tag
ADDDAYS=Add days to Execution Date
@@ -146,3 +148,4 @@ InfoRejectSubject=Direct debit payment order refused
InfoRejectMessage=Hello,
the direct debit payment order of invoice %s related to the company %s, with an amount of %s has been refused by the bank.
-- %s
ModeWarning=Option for real mode was not set, we stop after this simulation
ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know wich one to use.
+ErrorICSmissing=Missing ICS in Bank account %s
diff --git a/htdocs/langs/hr_HR/accountancy.lang b/htdocs/langs/hr_HR/accountancy.lang
index d3f1ceacc61..8dc3ede2487 100644
--- a/htdocs/langs/hr_HR/accountancy.lang
+++ b/htdocs/langs/hr_HR/accountancy.lang
@@ -48,6 +48,7 @@ CountriesExceptMe=All countries except %s
AccountantFiles=Export source documents
ExportAccountingSourceDocHelp=With this tool, you can export the source events (list and PDFs) that were used to generate your accountancy. To export your journals, use the menu entry %s - %s.
VueByAccountAccounting=View by accounting account
+VueBySubAccountAccounting=View by accounting subaccount
MainAccountForCustomersNotDefined=Main accounting account for customers not defined in setup
MainAccountForSuppliersNotDefined=Main accounting account for vendors not defined in setup
@@ -144,7 +145,7 @@ NotVentilatedinAccount=Not bound to the accounting account
XLineSuccessfullyBinded=%s products/services successfully bound to an accounting account
XLineFailedToBeBinded=%s products/services were not bound to any accounting account
-ACCOUNTING_LIMIT_LIST_VENTILATION=Number of elements to bind shown by page (maximum recommended: 50)
+ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50)
ACCOUNTING_LIST_SORT_VENTILATION_TODO=Begin the sorting of the page "Binding to do" by the most recent elements
ACCOUNTING_LIST_SORT_VENTILATION_DONE=Begin the sorting of the page "Binding done" by the most recent elements
@@ -198,7 +199,8 @@ Docdate=Date
Docref=Reference
LabelAccount=Oznaka računa
LabelOperation=Label operation
-Sens=Sens
+Sens=Direction
+AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received For an accounting account of a supplier, use Debit to record a payment you make
LetteringCode=Lettering code
Lettering=Lettering
Codejournal=Journal
@@ -206,7 +208,8 @@ JournalLabel=Journal label
NumPiece=Broj komada
TransactionNumShort=Num. transaction
AccountingCategory=Personalized groups
-GroupByAccountAccounting=Group by accounting account
+GroupByAccountAccounting=Group by general ledger account
+GroupBySubAccountAccounting=Group by subledger account
AccountingAccountGroupsDesc=You can define here some groups of accounting account. They will be used for personalized accounting reports.
ByAccounts=By accounts
ByPredefinedAccountGroups=By predefined groups
@@ -248,7 +251,7 @@ PaymentsNotLinkedToProduct=Payment not linked to any product / service
OpeningBalance=Opening balance
ShowOpeningBalance=Show opening balance
HideOpeningBalance=Hide opening balance
-ShowSubtotalByGroup=Show subtotal by group
+ShowSubtotalByGroup=Show subtotal by level
Pcgtype=Group of account
PcgtypeDesc=Group of account are used as predefined 'filter' and 'grouping' criteria for some accounting reports. For example, 'INCOME' or 'EXPENSE' are used as groups for accounting accounts of products to build the expense/income report.
@@ -271,11 +274,13 @@ DescVentilExpenseReport=Consult here the list of expense report lines bound (or
DescVentilExpenseReportMore=If you setup accounting account on type of expense report lines, the application will be able to make all the binding between your expense report lines and the accounting account of your chart of accounts, just in one click with the button "%s". If account was not set on fees dictionary or if you still have some lines not bound to any account, you will have to make a manual binding from the menu "%s".
DescVentilDoneExpenseReport=Consult here the list of the lines of expenses reports and their fees accounting account
+Closure=Annual closure
DescClosure=Consult here the number of movements by month who are not validated & fiscal years already open
OverviewOfMovementsNotValidated=Step 1/ Overview of movements not validated. (Necessary to close a fiscal year)
+AllMovementsWereRecordedAsValidated=All movements were recorded as validated
+NotAllMovementsCouldBeRecordedAsValidated=Not all movements could be recorded as validated
ValidateMovements=Validate movements
DescValidateMovements=Any modification or deletion of writing, lettering and deletes will be prohibited. All entries for an exercise must be validated otherwise closing will not be possible
-SelectMonthAndValidate=Select month and validate movements
ValidateHistory=Bind Automatically
AutomaticBindingDone=Automatic binding done
@@ -293,6 +298,7 @@ Accounted=Accounted in ledger
NotYetAccounted=Not yet accounted in ledger
ShowTutorial=Show Tutorial
NotReconciled=Not reconciled
+WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view
## Admin
BindingOptions=Binding options
@@ -337,6 +343,7 @@ Modelcsv_LDCompta10=Export for LD Compta (v10 & higher)
Modelcsv_openconcerto=Export for OpenConcerto (Test)
Modelcsv_configurable=Export CSV Configurable
Modelcsv_FEC=Export FEC
+Modelcsv_FEC2=Export FEC (With dates generation writing / document reversed)
Modelcsv_Sage50_Swiss=Export for Sage 50 Switzerland
Modelcsv_winfic=Export Winfic - eWinfic - WinSis Compta
Modelcsv_Gestinumv3=Export for Gestinum (v3)
diff --git a/htdocs/langs/hr_HR/admin.lang b/htdocs/langs/hr_HR/admin.lang
index 073e9232710..106fe1407cf 100644
--- a/htdocs/langs/hr_HR/admin.lang
+++ b/htdocs/langs/hr_HR/admin.lang
@@ -56,6 +56,8 @@ GUISetup=Prikaz
SetupArea=Postavke
UploadNewTemplate=Upload new template(s)
FormToTestFileUploadForm=Obrazac za testiranje uploada datoteka (sukladno postavkama)
+ModuleMustBeEnabled=The module/application %s must be enabled
+ModuleIsEnabled=The module/application %s has been enabled
IfModuleEnabled=Napomena: DA je efektivno samo ako je modul %s omogućen
RemoveLock=Remove/rename file %s if it exists, to allow usage of the Update/Install tool.
RestoreLock=Restore file %s, with read permission only, to disable any further use of the Update/Install tool.
@@ -85,7 +87,6 @@ ShowPreview=Prikaži pregled
ShowHideDetails=Show-Hide details
PreviewNotAvailable=Pregled nije dostupan
ThemeCurrentlyActive=Tema trenutno aktivna
-CurrentTimeZone=Vremenska zona PHP (server)
MySQLTimeZone=TimeZone MySql (database)
TZHasNoEffect=Dates are stored and returned by database server as if they were kept as submitted string. The timezone has effect only when using the UNIX_TIMESTAMP function (that should not be used by Dolibarr, so database TZ should have no effect, even if changed after data was entered).
Space=Razmak
@@ -153,8 +154,8 @@ SystemToolsAreaDesc=This area provides administration functions. Use the menu to
Purge=Trajno izbriši
PurgeAreaDesc=This page allows you to delete all files generated or stored by Dolibarr (temporary files or all files in %s directory). Using this feature is not normally necessary. It is provided as a workaround for users whose Dolibarr is hosted by a provider that does not offer permissions to delete files generated by the web server.
PurgeDeleteLogFile=Delete log files, including %s defined for Syslog module (no risk of losing data)
-PurgeDeleteTemporaryFiles=Delete all temporary files (no risk of losing data). Note: Deletion is done only if the temp directory was created 24 hours ago.
-PurgeDeleteTemporaryFilesShort=Obriši privremene datoteke
+PurgeDeleteTemporaryFiles=Delete all log and temporary files (no risk of losing data). Note: Deletion of temporary files is done only if the temp directory was created more than 24 hours ago.
+PurgeDeleteTemporaryFilesShort=Delete log and temporary files
PurgeDeleteAllFilesInDocumentsDir=Delete all files in directory: %s. This will delete all generated documents related to elements (third parties, invoices etc...), files uploaded into the ECM module, database backup dumps and temporary files.
PurgeRunNow=Izbriši sada
PurgeNothingToDelete=Nema mapa i datoteka za brisanje.
@@ -256,6 +257,7 @@ ReferencedPreferredPartners=Preferirani partneri
OtherResources=Drugi izvori
ExternalResources=External Resources
SocialNetworks=Social Networks
+SocialNetworkId=Social Network ID
ForDocumentationSeeWiki=Za korisničku ili razvojnu dokumentciju ( DOC, FAQ...) pogledajte na Dolibarr Wiki-u: %s
ForAnswersSeeForum=Za sva ostala pitanja/pomoć, obratite se na Dolibarr forumu: %s
HelpCenterDesc1=Here are some resources for getting help and support with Dolibarr.
@@ -375,7 +377,7 @@ ExamplesWithCurrentSetup=Examples with current configuration
ListOfDirectories=Popis mapa sa OpenDocument predlošcima
ListOfDirectoriesForModelGenODT=List of directories containing templates files with OpenDocument format.
Put here full path of directories. Add a carriage return between eah directory. To add a directory of the GED module, add here DOL_DATA_ROOT/ecm/yourdirectoryname.
Files in those directories must end with .odt or .ods.
NumberOfModelFilesFound=Number of ODT/ODS template files found in these directories
-ExampleOfDirectoriesForModelGen=Primjer: c:\\mydir /home/mydir DOL_DATA_ROOT/ecm/ecmdir
+ExampleOfDirectoriesForModelGen=Examples of syntax: c:\\myapp\\mydocumentdir\\mysubdir /home/myapp/mydocumentdir/mysubdir DOL_DATA_ROOT/ecm/ecmdir
FollowingSubstitutionKeysCanBeUsed= Da bi ste saznali kako kreirati ODT predloške dokumenata, prije pohranjivanja istih u navedene mape, pročitajte wiki dokumentaciju na:
FullListOnOnlineDocumentation=http://wiki.dolibarr.org/index.php/Create_an_ODT_document_template
FirstnameNamePosition=Pozicija Imena/Prezimena
@@ -406,7 +408,7 @@ UrlGenerationParameters=Parametri za osiguranje URL-a
SecurityTokenIsUnique=Koristi jedinstven securekey parametar za svaki URL
EnterRefToBuildUrl=Unesite referencu za objekt %s
GetSecuredUrl=Traži izračunan URL
-ButtonHideUnauthorized=Hide buttons for non-admin users for unauthorized actions instead of showing greyed disabled buttons
+ButtonHideUnauthorized=Hide unauthorized action buttons also for internal users (just greyed otherwise)
OldVATRates=Stara stopa PDV-a
NewVATRates=Nova stopa PDV-a
PriceBaseTypeToChange=Promjeni cijene sa baznom referentnom vrijednosti definiranoj na
@@ -1689,7 +1691,7 @@ NotTopTreeMenuPersonalized=Osobni izbornici nisu povezani na gornji izbornik
NewMenu=Novi izbornik
MenuHandler=Nosioc izbornika
MenuModule=Izvorni modul
-HideUnauthorizedMenu= Sakrij neautorizirane izbornike (sivo)
+HideUnauthorizedMenu=Hide unauthorized menus also for internal users (just greyed otherwise)
DetailId=ID Izbornika
DetailMenuHandler=Nosioc izbornika gdje da se prikaže novi izbornik
DetailMenuModule=Naziv modula ako stavka izbornika dolazi iz modula
@@ -1983,11 +1985,12 @@ EMailHost=Host of email IMAP server
MailboxSourceDirectory=Mailbox source directory
MailboxTargetDirectory=Mailbox target directory
EmailcollectorOperations=Operations to do by collector
+EmailcollectorOperationsDesc=Operations are executed from top to bottom order
MaxEmailCollectPerCollect=Max number of emails collected per collect
CollectNow=Collect now
ConfirmCloneEmailCollector=Are you sure you want to clone the Email collector %s ?
-DateLastCollectResult=Date latest collect tried
-DateLastcollectResultOk=Date latest collect successfull
+DateLastCollectResult=Date of latest collect try
+DateLastcollectResultOk=Date of latest collect success
LastResult=Latest result
EmailCollectorConfirmCollectTitle=Email collect confirmation
EmailCollectorConfirmCollect=Do you want to run the collection for this collector now ?
@@ -2005,7 +2008,7 @@ WithDolTrackingID=Message from a conversation initiated by a first email sent fr
WithoutDolTrackingID=Message from a conversation initiated by a first email NOT sent from Dolibarr
WithDolTrackingIDInMsgId=Message sent from Dolibarr
WithoutDolTrackingIDInMsgId=Message NOT sent from Dolibarr
-CreateCandidature=Create candidature
+CreateCandidature=Create job application
FormatZip=PBR
MainMenuCode=Menu entry code (mainmenu)
ECMAutoTree=Show automatic ECM tree
@@ -2083,3 +2086,7 @@ CountryIfSpecificToOneCountry=Country (if specific to a given country)
YouMayFindSecurityAdviceHere=You may find security advisory here
ModuleActivatedMayExposeInformation=This module may expose sensitive data. If you don't need it, disable it.
ModuleActivatedDoNotUseInProduction=A module designed for the development has been enabled. Do not enable it on a production environment.
+CombinationsSeparator=Separator character for product combinations
+SeeLinkToOnlineDocumentation=See link to online documention on top menu for examples
+SHOW_SUBPRODUCT_REF_IN_PDF=If the feature "%s" of module %s is used, show details of subproducts of a kit on PDF.
+AskThisIDToYourBank=Contact your bank to get this ID
diff --git a/htdocs/langs/hr_HR/banks.lang b/htdocs/langs/hr_HR/banks.lang
index 722bbc6949d..8f4eededff5 100644
--- a/htdocs/langs/hr_HR/banks.lang
+++ b/htdocs/langs/hr_HR/banks.lang
@@ -173,8 +173,8 @@ SEPAMandate=SEPA mandate
YourSEPAMandate=Your SEPA mandate
FindYourSEPAMandate=This is your SEPA mandate to authorize our company to make direct debit order to your bank. Return it signed (scan of the signed document) or send it by mail to
AutoReportLastAccountStatement=Automatically fill the field 'number of bank statement' with last statement number when making reconciliation
-CashControl=POS cash fence
-NewCashFence=New cash fence
+CashControl=POS cash desk control
+NewCashFence=New cash desk closing
BankColorizeMovement=Colorize movements
BankColorizeMovementDesc=If this function is enable, you can choose specific background color for debit or credit movements
BankColorizeMovementName1=Background color for debit movement
diff --git a/htdocs/langs/hr_HR/blockedlog.lang b/htdocs/langs/hr_HR/blockedlog.lang
index 5afae6e9e53..0bba5605d0f 100644
--- a/htdocs/langs/hr_HR/blockedlog.lang
+++ b/htdocs/langs/hr_HR/blockedlog.lang
@@ -35,7 +35,7 @@ logDON_DELETE=Donation logical deletion
logMEMBER_SUBSCRIPTION_CREATE=Member subscription created
logMEMBER_SUBSCRIPTION_MODIFY=Member subscription modified
logMEMBER_SUBSCRIPTION_DELETE=Member subscription logical deletion
-logCASHCONTROL_VALIDATE=Cash fence recording
+logCASHCONTROL_VALIDATE=Cash desk closing recording
BlockedLogBillDownload=Customer invoice download
BlockedLogBillPreview=Customer invoice preview
BlockedlogInfoDialog=Log Details
diff --git a/htdocs/langs/hr_HR/boxes.lang b/htdocs/langs/hr_HR/boxes.lang
index 91564430c76..78c566be990 100644
--- a/htdocs/langs/hr_HR/boxes.lang
+++ b/htdocs/langs/hr_HR/boxes.lang
@@ -46,9 +46,12 @@ BoxTitleLastModifiedDonations=Zadnjih %s izmjenjenih donacija
BoxTitleLastModifiedExpenses=Zadnjih %s izmjenjenih izvještaja troškova
BoxTitleLatestModifiedBoms=Latest %s modified BOMs
BoxTitleLatestModifiedMos=Latest %s modified Manufacturing Orders
+BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded
BoxGlobalActivity=Globalna aktivnost (računi, prijedlozi, nalozi)
BoxGoodCustomers=Dobar kupac
BoxTitleGoodCustomers=%s dobrih kupaca
+BoxScheduledJobs=Planirani poslovi
+BoxTitleFunnelOfProspection=Lead funnel
FailedToRefreshDataInfoNotUpToDate=Failed to refresh RSS flux. Latest successful refresh date: %s
LastRefreshDate=Datum zadnjeg osvježavanja
NoRecordedBookmarks=Nema definiranih oznaka.
@@ -102,5 +105,7 @@ SuspenseAccountNotDefined=Suspense account isn't defined
BoxLastCustomerShipments=Last customer shipments
BoxTitleLastCustomerShipments=Latest %s customer shipments
NoRecordedShipments=No recorded customer shipment
+BoxCustomersOutstandingBillReached=Customers with oustanding limit reached
# Pages
AccountancyHome=Računovodstvo
+ValidatedProjects=Validated projects
diff --git a/htdocs/langs/hr_HR/cashdesk.lang b/htdocs/langs/hr_HR/cashdesk.lang
index f03eb1340b0..ac1d97cc447 100644
--- a/htdocs/langs/hr_HR/cashdesk.lang
+++ b/htdocs/langs/hr_HR/cashdesk.lang
@@ -49,8 +49,8 @@ Footer=Footer
AmountAtEndOfPeriod=Amount at end of period (day, month or year)
TheoricalAmount=Theorical amount
RealAmount=Real amount
-CashFence=Cash fence
-CashFenceDone=Cash fence done for the period
+CashFence=Cash desk closing
+CashFenceDone=Cash desk closing done for the period
NbOfInvoices=Broj računa
Paymentnumpad=Type of Pad to enter payment
Numberspad=Numbers Pad
@@ -99,8 +99,9 @@ CashDeskRefNumberingModules=Numbering module for POS sales
CashDeskGenericMaskCodes6 = {TN} tag is used to add the terminal number
TakeposGroupSameProduct=Group same products lines
StartAParallelSale=Start a new parallel sale
-ControlCashOpening=Control cash box at opening POS
-CloseCashFence=Close cash fence
+SaleStartedAt=Sale started at %s
+ControlCashOpening=Control cash popup at opening POS
+CloseCashFence=Close cash desk control
CashReport=Cash report
MainPrinterToUse=Main printer to use
OrderPrinterToUse=Order printer to use
@@ -122,3 +123,4 @@ GiftReceipt=Gift receipt
ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled first
AllowDelayedPayment=Allow delayed payment
PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts
+WeighingScale=Weighing scale
diff --git a/htdocs/langs/hr_HR/categories.lang b/htdocs/langs/hr_HR/categories.lang
index b3f785c8df7..38b81102ca5 100644
--- a/htdocs/langs/hr_HR/categories.lang
+++ b/htdocs/langs/hr_HR/categories.lang
@@ -19,6 +19,7 @@ ProjectsCategoriesArea=Sučelje kategorija projekata
UsersCategoriesArea=Users tags/categories area
SubCats=Sub-categories
CatList=Popis kategorija
+CatListAll=List of tags/categories (all types)
NewCategory=Nova kategorija
ModifCat=Promjeni kategoriju
CatCreated=Kategorija kreirana
@@ -65,16 +66,22 @@ UsersCategoriesShort=Users tags/categories
StockCategoriesShort=Warehouse tags/categories
ThisCategoryHasNoItems=This category does not contain any items.
CategId=ID Kategorije
-CatSupList=List of vendor tags/categories
-CatCusList=Popis kategorija kupaca/potencijalnih kupaca
+ParentCategory=Parent tag/category
+ParentCategoryLabel=Label of parent tag/category
+CatSupList=List of vendors tags/categories
+CatCusList=List of customers/prospects tags/categories
CatProdList=Popis kategorija proizvoda
CatMemberList=Popis kategorija članova
-CatContactList=Popis kategorija kontakta
-CatSupLinks=Veze između dobavljača i kategorija
+CatContactList=List of contacts tags/categories
+CatProjectsList=List of projects tags/categories
+CatUsersList=List of users tags/categories
+CatSupLinks=Links between vendors and tags/categories
CatCusLinks=Veze između kupaca/potencijalnih kupaca i kategorija
CatContactsLinks=Links between contacts/addresses and tags/categories
CatProdLinks=Veze izmeđi proizvoda/usluga i kategorija
-CatProJectLinks=Veze između projekata i kategorija
+CatMembersLinks=Links between members and tags/categories
+CatProjectsLinks=Veze između projekata i kategorija
+CatUsersLinks=Links between users and tags/categories
DeleteFromCat=Makni iz kategorije
ExtraFieldsCategories=Dodatni atributi
CategoriesSetup=Podešavanje kategorija
diff --git a/htdocs/langs/hr_HR/companies.lang b/htdocs/langs/hr_HR/companies.lang
index 70f428267e7..ab89dcbabc0 100644
--- a/htdocs/langs/hr_HR/companies.lang
+++ b/htdocs/langs/hr_HR/companies.lang
@@ -358,7 +358,7 @@ VATIntraCheckableOnEUSite=Check the intra-Community VAT ID on the European Commi
VATIntraManualCheck=You can also check manually on the European Commission website %s
ErrorVATCheckMS_UNAVAILABLE=Provjera nije moguća. Servis za provjeru nije pružena od strane države članice (%s).
NorProspectNorCustomer=Not prospect, nor customer
-JuridicalStatus=Legal Entity Type
+JuridicalStatus=Business entity type
Workforce=Workforce
Staff=Zaposlenici
ProspectLevelShort=Potencijal
diff --git a/htdocs/langs/hr_HR/compta.lang b/htdocs/langs/hr_HR/compta.lang
index 35de89eb445..78940a5a086 100644
--- a/htdocs/langs/hr_HR/compta.lang
+++ b/htdocs/langs/hr_HR/compta.lang
@@ -111,7 +111,7 @@ Refund=Povrat
SocialContributionsPayments=Plaćanja društveni/fiskalni porez
ShowVatPayment=Prikaži PDV plaćanja
TotalToPay=Ukupno za platiti
-BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted ascending on %s and filtered for 1 bank account
+BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted on %s and filtered on 1 bank account (with no other filters)
CustomerAccountancyCode=Customer accounting code
SupplierAccountancyCode=Vendor accounting code
CustomerAccountancyCodeShort=Konto kupca
@@ -140,7 +140,7 @@ ConfirmDeleteSocialContribution=Jeste li sigurni da želite obrisati ovu uplatu
ExportDataset_tax_1=Društveni i fiskalni porezi i plaćanja
CalcModeVATDebt=Način %sPDV na računovodstvene usluge%s
CalcModeVATEngagement=Način %sPDV na prihode-troškove%s
-CalcModeDebt=Analysis of known recorded invoices even if they are not yet accounted in ledger.
+CalcModeDebt=Analysis of known recorded documents even if they are not yet accounted in ledger.
CalcModeEngagement=Analysis of known recorded payments, even if they are not yet accounted in Ledger.
CalcModeBookkeeping=Analysis of data journalized in Bookkeeping Ledger table.
CalcModeLT1= Način %sRE na računima kupaca - računima dobavljača%s
@@ -154,9 +154,9 @@ AnnualSummaryInputOutputMode=Stanje prihoda i troškova, godišnji sažetak
AnnualByCompanies=Balance of income and expenses, by predefined groups of account
AnnualByCompaniesDueDebtMode=Balance of income and expenses, detail by predefined groups, mode %sClaims-Debts%s said Commitment accounting.
AnnualByCompaniesInputOutputMode=Balance of income and expenses, detail by predefined groups, mode %sIncomes-Expenses%s said cash accounting.
-SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation on actual payments made even if they are not yet accounted in Ledger.
-SeeReportInDueDebtMode=See %sanalysis of invoices%s for a calculation based on known recorded invoices even if they are not yet accounted in Ledger.
-SeeReportInBookkeepingMode=See %sBookeeping report%s for a calculation on Bookkeeping Ledger table
+SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation based on recorded payments made even if they are not yet accounted in Ledger
+SeeReportInDueDebtMode=See %sanalysis of recorded documents%s for a calculation based on known recorded documents even if they are not yet accounted in Ledger
+SeeReportInBookkeepingMode=See %sanalysis of bookeeping ledger table%s for a report based on Bookkeeping Ledger table
RulesAmountWithTaxIncluded=Prikazani iznosi su sa uključenim svim porezima
RulesResultDue=- It includes outstanding invoices, expenses, VAT, donations whether they are paid or not. Is also includes paid salaries. - It is based on the billing date of invoices and on the due date for expenses or tax payments. For salaries defined with Salary module, the value date of payment is used.
RulesResultInOut=- Uključuje stvarne uplate po računima, troškove, PDV i plaće. - Baziran je po datumu plaćanja računa, troškova, PDV-a i plaćama. Datum donacje za donacije.
@@ -169,12 +169,15 @@ RulesResultBookkeepingPersonalized=It show record in your Ledger with accounting
SeePageForSetup=See menu %s for setup
DepositsAreNotIncluded=- Računi za predujam nisu uključeni
DepositsAreIncluded=- Down payment invoices are included
+LT1ReportByMonth=Tax 2 report by month
+LT2ReportByMonth=Tax 3 report by month
LT1ReportByCustomers=Report tax 2 by third party
LT2ReportByCustomers=Report tax 3 by third party
LT1ReportByCustomersES=Izvještaj po RE komitenta
LT2ReportByCustomersES=Izvještaj po IRPF komitenta
VATReport=Sale tax report
VATReportByPeriods=Sale tax report by period
+VATReportByMonth=Sale tax report by month
VATReportByRates=Sale tax report by rates
VATReportByThirdParties=Sale tax report by third parties
VATReportByCustomers=Sale tax report by customer
diff --git a/htdocs/langs/hr_HR/cron.lang b/htdocs/langs/hr_HR/cron.lang
index d91b7a5fb77..1f2d530e535 100644
--- a/htdocs/langs/hr_HR/cron.lang
+++ b/htdocs/langs/hr_HR/cron.lang
@@ -7,13 +7,14 @@ Permission23103 = Obriši planirani posao
Permission23104 = Pokreni planirani posao
# Admin
CronSetup=Postavljanje upravljanja planiranih poslova
-URLToLaunchCronJobs=URL to check and launch qualified cron jobs
-OrToLaunchASpecificJob=Ili za provjeru i pokretanje specifičnog posla
+URLToLaunchCronJobs=URL to check and launch qualified cron jobs from a browser
+OrToLaunchASpecificJob=Or to check and launch a specific job from a browser
KeyForCronAccess=Sigurnosni ključ za URL za pokretanje cron zadataka
FileToLaunchCronJobs=Command line to check and launch qualified cron jobs
CronExplainHowToRunUnix=U Unix okolini potrebno je korisititi sljedeći crontab unos za pokretanje komande svakih 5 minuta
CronExplainHowToRunWin=On Microsoft(tm) Windows environment you can use Scheduled Task tools to run the command line each 5 minutes
CronMethodDoesNotExists=Klasa %s ne sadrži niti jednu %s metodu
+CronMethodNotAllowed=Method %s of class %s is in blacklist of forbidden methods
CronJobDefDesc=Cron job profiles are defined into the module descriptor file. When module is activated, they are loaded and available so you can administer the jobs from the admin tools menu %s.
CronJobProfiles=List of predefined cron job profiles
# Menu
@@ -46,6 +47,7 @@ CronNbRun=Number of launches
CronMaxRun=Maximum number of launches
CronEach=Svakih
JobFinished=Posao pokrenut i završen
+Scheduled=Scheduled
#Page card
CronAdd= Dodaj poslove
CronEvery=Izvrši posao svaki
@@ -56,7 +58,7 @@ CronNote=Napomena
CronFieldMandatory=Polja %s su obavezna
CronErrEndDateStartDt=Datum kraja ne može biti prije datuma početka
StatusAtInstall=Status at module installation
-CronStatusActiveBtn=Omogući
+CronStatusActiveBtn=Schedule
CronStatusInactiveBtn=Onemogući
CronTaskInactive=Ovaj posao je onemogućen
CronId=ID
@@ -76,8 +78,14 @@ CronType_method=Call method of a PHP Class
CronType_command=Shell command
CronCannotLoadClass=Cannot load class file %s (to use class %s)
CronCannotLoadObject=Class file %s was loaded, but object %s was not found into it
-UseMenuModuleToolsToAddCronJobs=Idite na izbornik "Home - Admin tools - Scheduled jobs" za prikaz i uređivanje planiranih poslova.
+UseMenuModuleToolsToAddCronJobs=Go into menu "Home - Admin tools - Scheduled jobs" to see and edit scheduled jobs.
JobDisabled=Posao onemogućen
MakeLocalDatabaseDumpShort=Lakalni backup baze
MakeLocalDatabaseDump=Create a local database dump. Parameters are: compression ('gz' or 'bz' or 'none'), backup type ('mysql', 'pgsql', 'auto'), 1, 'auto' or filename to build, number of backup files to keep
WarningCronDelayed=Attention, for performance purpose, whatever is next date of execution of enabled jobs, your jobs may be delayed to a maximum of %s hours, before being run.
+DATAPOLICYJob=Data cleaner and anonymizer
+JobXMustBeEnabled=Job %s must be enabled
+# Cron Boxes
+LastExecutedScheduledJob=Last executed scheduled job
+NextScheduledJobExecute=Next scheduled job to execute
+NumberScheduledJobError=Number of scheduled jobs in error
diff --git a/htdocs/langs/hr_HR/errors.lang b/htdocs/langs/hr_HR/errors.lang
index 8b017fff9cf..cf19fd01b31 100644
--- a/htdocs/langs/hr_HR/errors.lang
+++ b/htdocs/langs/hr_HR/errors.lang
@@ -5,8 +5,10 @@ NoErrorCommitIsDone=No error, we commit
# Errors
ErrorButCommitIsDone=Errors found but we validate despite this
ErrorBadEMail=Email %s is wrong
+ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record)
ErrorBadUrl=Url %s is wrong
ErrorBadValueForParamNotAString=Bad value for your parameter. It appends generally when translation is missing.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorLoginAlreadyExists=Login %s already exists.
ErrorGroupAlreadyExists=Group %s already exists.
ErrorRecordNotFound=Record not found.
@@ -48,6 +50,7 @@ ErrorFieldsRequired=Some required fields were not filled.
ErrorSubjectIsRequired=The email topic is required
ErrorFailedToCreateDir=Failed to create a directory. Check that Web server user has permissions to write into Dolibarr documents directory. If parameter safe_mode is enabled on this PHP, check that Dolibarr php files owns to web server user (or group).
ErrorNoMailDefinedForThisUser=No mail defined for this user
+ErrorSetupOfEmailsNotComplete=Setup of emails is not complete
ErrorFeatureNeedJavascript=This feature need javascript to be activated to work. Change this in setup - display.
ErrorTopMenuMustHaveAParentWithId0=A menu of type 'Top' can't have a parent menu. Put 0 in parent menu or choose a menu of type 'Left'.
ErrorLeftMenuMustHaveAParentId=A menu of type 'Left' must have a parent id.
@@ -75,7 +78,7 @@ ErrorExportDuplicateProfil=This profile name already exists for this export set.
ErrorLDAPSetupNotComplete=Dolibarr-LDAP matching is not complete.
ErrorLDAPMakeManualTest=A .ldif file has been generated in directory %s. Try to load it manually from command line to have more information on errors.
ErrorCantSaveADoneUserWithZeroPercentage=Can't save an action with "status not started" if field "done by" is also filled.
-ErrorRefAlreadyExists=Ref used for creation already exists.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorPleaseTypeBankTransactionReportName=Please enter the bank statement name where the entry has to be reported (Format YYYYMM or YYYYMMDD)
ErrorRecordHasChildren=Failed to delete record since it has some child records.
ErrorRecordHasAtLeastOneChildOfType=Object has at least one child of type %s
@@ -216,7 +219,7 @@ ErrorChooseBetweenFreeEntryOrPredefinedProduct=You must choose if article is a p
ErrorDiscountLargerThanRemainToPaySplitItBefore=The discount you try to apply is larger than remain to pay. Split the discount in 2 smaller discounts before.
ErrorFileNotFoundWithSharedLink=File was not found. May be the share key was modified or file was removed recently.
ErrorProductBarCodeAlreadyExists=The product barcode %s already exists on another product reference.
-ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using virtual product to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number.
+ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using kits to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number.
ErrorDescRequiredForFreeProductLines=Description is mandatory for lines with free product
ErrorAPageWithThisNameOrAliasAlreadyExists=The page/container %s has the same name or alternative alias that the one your try to use
ErrorDuringChartLoad=Error when loading chart of accounts. If few accounts were not loaded, you can still enter them manually.
@@ -243,6 +246,16 @@ ErrorReplaceStringEmpty=Error, the string to replace into is empty
ErrorProductNeedBatchNumber=Error, product '%s' need a lot/serial number
ErrorProductDoesNotNeedBatchNumber=Error, product '%s' does not accept a lot/serial number
ErrorFailedToReadObject=Error, failed to read object of type %s
+ErrorParameterMustBeEnabledToAllwoThisFeature=Error, parameter %s must be enabled into conf/conf.php to allow use of Command Line Interface by the internal job scheduler
+ErrorLoginDateValidity=Error, this login is outside the validity date range
+ErrorValueLength=Length of field '%s' must be higher than '%s'
+ErrorReservedKeyword=The word '%s' is a reserved keyword
+ErrorNotAvailableWithThisDistribution=Not available with this distribution
+ErrorPublicInterfaceNotEnabled=Public interface was not enabled
+ErrorLanguageRequiredIfPageIsTranslationOfAnother=The language of new page must be defined if it is set as a translation of another page
+ErrorLanguageMustNotBeSourceLanguageIfPageIsTranslationOfAnother=The language of new page must not be the source language if it is set as a translation of another page
+ErrorAParameterIsRequiredForThisOperation=A parameter is mandatory for this operation
+
# Warnings
WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup.
WarningPasswordSetWithNoAccount=A password was set for this member. However, no user account was created. So this password is stored but can't be used to login to Dolibarr. It may be used by an external module/interface but if you don't need to define any login nor password for a member, you can disable option "Manage a login for each member" from Member module setup. If you need to manage a login but don't need any password, you can keep this field empty to avoid this warning. Note: Email can also be used as a login if the member is linked to a user.
@@ -267,6 +280,10 @@ WarningYourLoginWasModifiedPleaseLogin=Your login was modified. For security pur
WarningAnEntryAlreadyExistForTransKey=An entry already exists for the translation key for this language
WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different recipient is limited to %s when using the mass actions on lists
WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report
+WarningProjectDraft=Project is still in draft mode. Don't forget to validate it if you plan to use tasks.
WarningProjectClosed=Project is closed. You must re-open it first.
WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list.
-WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table
+WarningFailedToAddFileIntoDatabaseIndex=Warning, failed to add file entry into ECM database index table
+WarningTheHiddenOptionIsOn=Warning, the hidden option %s is on.
+WarningCreateSubAccounts=Warning, you can't create directly a sub account, you must create a third party or an user and assign them an accounting code to find them in this list
+WarningAvailableOnlyForHTTPSServers=Available only if using HTTPS secured connection.
diff --git a/htdocs/langs/hr_HR/exports.lang b/htdocs/langs/hr_HR/exports.lang
index f8f24af0ed9..f214e7f85dd 100644
--- a/htdocs/langs/hr_HR/exports.lang
+++ b/htdocs/langs/hr_HR/exports.lang
@@ -26,6 +26,8 @@ FieldTitle=Field title
NowClickToGenerateToBuildExportFile=Now, select the file format in the combo box and click on "Generate" to build the export file...
AvailableFormats=Available Formats
LibraryShort=Biblioteka
+ExportCsvSeparator=Csv caracter separator
+ImportCsvSeparator=Csv caracter separator
Step=Step
FormatedImport=Čarobnjak za unos podataka
FormatedImportDesc1=This module allows you to update existing data or add new objects into the database from a file without technical knowledge, using an assistant.
@@ -131,3 +133,4 @@ KeysToUseForUpdates=Key (column) to use for updating existing data
NbInsert=Number of inserted lines: %s
NbUpdate=Number of updated lines: %s
MultipleRecordFoundWithTheseFilters=Multiple records have been found with these filters: %s
+StocksWithBatch=Stocks and location (warehouse) of products with batch/serial number
diff --git a/htdocs/langs/hr_HR/mails.lang b/htdocs/langs/hr_HR/mails.lang
index 80155474705..f94b828340b 100644
--- a/htdocs/langs/hr_HR/mails.lang
+++ b/htdocs/langs/hr_HR/mails.lang
@@ -92,6 +92,7 @@ MailingModuleDescEmailsFromUser=Emails input by user
MailingModuleDescDolibarrUsers=Users with Emails
MailingModuleDescThirdPartiesByCategories=Third parties (by categories)
SendingFromWebInterfaceIsNotAllowed=Sending from web interface is not allowed.
+EmailCollectorFilterDesc=All filters must match to have an email being collected
# Libelle des modules de liste de destinataires mailing
LineInFile=Line %s in file
@@ -125,12 +126,13 @@ TagMailtoEmail=Recipient Email (including html "mailto:" link)
NoEmailSentBadSenderOrRecipientEmail=No email sent. Bad sender or recipient email. Verify user profile.
# Module Notifications
Notifications=Obavijesti
-NoNotificationsWillBeSent=Nema planiranih obavijesti za ovaj događaj i tvrtku
-ANotificationsWillBeSent=1 notification will be sent by email
-SomeNotificationsWillBeSent=%s notifications will be sent by email
-AddNewNotification=Activate a new email notification target/event
-ListOfActiveNotifications=List all active targets/events for email notification
-ListOfNotificationsDone=List all email notifications sent
+NotificationsAuto=Notifications Auto.
+NoNotificationsWillBeSent=No automatic email notifications are planned for this event type and company
+ANotificationsWillBeSent=1 automatic notification will be sent by email
+SomeNotificationsWillBeSent=%s automatic notifications will be sent by email
+AddNewNotification=Subscribe to a new automatic email notification (target/event)
+ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification
+ListOfNotificationsDone=List all automatic email notifications sent
MailSendSetupIs=Configuration of email sending has been setup to '%s'. This mode can't be used to send mass emailing.
MailSendSetupIs2=You must first go, with an admin account, into menu %sHome - Setup - EMails%s to change parameter '%s' to use mode '%s'. With this mode, you can enter setup of the SMTP server provided by your Internet Service Provider and use Mass emailing feature.
MailSendSetupIs3=If you have any questions on how to setup your SMTP server, you can ask to %s.
@@ -140,7 +142,7 @@ UseFormatFileEmailToTarget=Imported file must have format email;name;fir
UseFormatInputEmailToTarget=Enter a string with format email;name;firstname;other
MailAdvTargetRecipients=Recipients (advanced selection)
AdvTgtTitle=Fill input fields to preselect the third parties or contacts/addresses to target
-AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima% will target all jean, joe, start with jim but not jimo and not everything that starts with jima
+AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima%% will target all jean, joe, start with jim but not jimo and not everything that starts with jima
AdvTgtSearchIntHelp=Use interval to select int or float value
AdvTgtMinVal=Minimum value
AdvTgtMaxVal=Maximum value
@@ -162,13 +164,14 @@ AdvTgtCreateFilter=Create filter
AdvTgtOrCreateNewFilter=Name of new filter
NoContactWithCategoryFound=No contact/address with a category found
NoContactLinkedToThirdpartieWithCategoryFound=No contact/address with a category found
-OutGoingEmailSetup=Outgoing email setup
-InGoingEmailSetup=Incoming email setup
-OutGoingEmailSetupForEmailing=Outgoing email setup (for module %s)
-DefaultOutgoingEmailSetup=Default outgoing email setup
+OutGoingEmailSetup=Outgoing emails
+InGoingEmailSetup=Incoming emails
+OutGoingEmailSetupForEmailing=Outgoing emails (for module %s)
+DefaultOutgoingEmailSetup=Same configuration than the global Outgoing email setup
Information=Podatak
ContactsWithThirdpartyFilter=Contacts with third-party filter
Unanswered=Unanswered
Answered=Answered
IsNotAnAnswer=Is not answer (initial email)
IsAnAnswer=Is an answer of an initial email
+RecordCreatedByEmailCollector=Record created by the Email Collector %s from email %s
diff --git a/htdocs/langs/hr_HR/main.lang b/htdocs/langs/hr_HR/main.lang
index 8ef879f459d..12f0f2be331 100644
--- a/htdocs/langs/hr_HR/main.lang
+++ b/htdocs/langs/hr_HR/main.lang
@@ -28,7 +28,9 @@ NoTemplateDefined=Nema predloška za taj tip e-pošte
AvailableVariables=Dostupne zamjenske vrijednosti
NoTranslation=Bez prijevoda
Translation=Prijevod
+CurrentTimeZone=Vremenska zona PHP (server)
EmptySearchString=Enter non empty search criterias
+EnterADateCriteria=Enter a date criteria
NoRecordFound=Spis nije pronađen
NoRecordDeleted=Spis nije izbrisan
NotEnoughDataYet=Nedovoljno podataka
@@ -85,6 +87,8 @@ FileWasNotUploaded=Datoteka za prilog je odabrana, ali još nije učitana. Klikn
NbOfEntries=Broj unosa
GoToWikiHelpPage=Pročitajte Online pomoć (potreban pristup Internetu)
GoToHelpPage=Pročitaj pomoć
+DedicatedPageAvailable=There is a dedicated help page related to your current screen
+HomePage=Home Page
RecordSaved=Podatak spremljen
RecordDeleted=Podatak obrisan
RecordGenerated=Record generated
@@ -354,8 +358,8 @@ UnitPrice=Jedinična cijena
UnitPriceHT=Jedinična cijena (bez poreza)
UnitPriceHTCurrency=Jedinična cijena (bez poreza) (u valuti)
UnitPriceTTC=Jedinična cijena
-PriceU=Jed. cijena
-PriceUHT=Jed. cijena
+PriceU=Jed. cij.
+PriceUHT=J.C. netto
PriceUHTCurrency=J.C. (valuta)
PriceUTTC=J.C. (s porezom)
Amount=Iznos
@@ -391,7 +395,7 @@ TotalHTShort=Ukupno (bez poreza)
TotalHT100Short=Total 100%% (excl.)
TotalHTShortCurrency=Total (excl. in currency)
TotalTTCShort=Ukupno s PDV-om
-TotalHT=Ukupno bez PDV-a
+TotalHT=Ukupno netto
TotalHTforthispage=Ukupno (bez PDV-a) na ovoj stranici
Totalforthispage=Ukupno na ovoj stranici
TotalTTC=Ukupno s PDV-om
@@ -433,6 +437,7 @@ RemainToPay=Preostalo za platiti
Module=Modul/Aplikacija
Modules=Moduli/Aplikacije
Option=Opcija
+Filters=Filters
List=Popis
FullList=Cijeli popis
FullConversation=Cijeli razgovor
@@ -671,7 +676,7 @@ SendMail=Pošalji e-poštu
Email=E-pošta
NoEMail=Nema e-pošte
AlreadyRead=Već pročitano
-NotRead=Nije pročitano
+NotRead=Unread
NoMobilePhone=Nema mobilnog telefona
Owner=Vlasnik
FollowingConstantsWillBeSubstituted=Sljedeće konstante bit će zamjenjene s odgovarajućom vrijednošću.
@@ -1107,3 +1112,8 @@ UpToDate=Up-to-date
OutOfDate=Out-of-date
EventReminder=Event Reminder
UpdateForAllLines=Update for all lines
+OnHold=On hold
+AffectTag=Affect Tag
+ConfirmAffectTag=Bulk Tag Affect
+ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected record(s)?
+CategTypeNotFound=No tag type found for type of records
diff --git a/htdocs/langs/hr_HR/modulebuilder.lang b/htdocs/langs/hr_HR/modulebuilder.lang
index 460aef8103b..845dd12624d 100644
--- a/htdocs/langs/hr_HR/modulebuilder.lang
+++ b/htdocs/langs/hr_HR/modulebuilder.lang
@@ -40,6 +40,7 @@ PageForCreateEditView=PHP page to create/edit/view a record
PageForAgendaTab=PHP page for event tab
PageForDocumentTab=PHP page for document tab
PageForNoteTab=PHP page for note tab
+PageForContactTab=PHP page for contact tab
PathToModulePackage=Path to zip of module/application package
PathToModuleDocumentation=Path to file of module/application documentation (%s)
SpaceOrSpecialCharAreNotAllowed=Spaces or special characters are not allowed.
@@ -77,7 +78,7 @@ IsAMeasure=Is a measure
DirScanned=Directory scanned
NoTrigger=No trigger
NoWidget=No widget
-GoToApiExplorer=Go to API explorer
+GoToApiExplorer=API explorer
ListOfMenusEntries=List of menu entries
ListOfDictionariesEntries=List of dictionaries entries
ListOfPermissionsDefined=List of defined permissions
@@ -105,7 +106,7 @@ TryToUseTheModuleBuilder=If you have knowledge of SQL and PHP, you may use the n
SeeTopRightMenu=See on the top right menu
AddLanguageFile=Add language file
YouCanUseTranslationKey=You can use here a key that is the translation key found into language file (see tab "Languages")
-DropTableIfEmpty=(Delete table if empty)
+DropTableIfEmpty=(Destroy table if empty)
TableDoesNotExists=The table %s does not exists
TableDropped=Table %s deleted
InitStructureFromExistingTable=Build the structure array string of an existing table
@@ -126,7 +127,6 @@ UseSpecificEditorURL = Use a specific editor URL
UseSpecificFamily = Use a specific family
UseSpecificAuthor = Use a specific author
UseSpecificVersion = Use a specific initial version
-ModuleMustBeEnabled=The module/application must be enabled first
IncludeRefGeneration=The reference of object must be generated automatically
IncludeRefGenerationHelp=Check this if you want to include code to manage the generation automatically of the reference
IncludeDocGeneration=I want to generate some documents from the object
@@ -140,3 +140,4 @@ TypeOfFieldsHelp=Type of fields: varchar(99), double(24,8), real, text, html,
AsciiToHtmlConverter=Ascii to HTML converter
AsciiToPdfConverter=Ascii to PDF converter
TableNotEmptyDropCanceled=Table not empty. Drop has been canceled.
+ModuleBuilderNotAllowed=The module builder is available but not allowed to your user.
diff --git a/htdocs/langs/hr_HR/other.lang b/htdocs/langs/hr_HR/other.lang
index f2b9c16f0f7..87a41146b95 100644
--- a/htdocs/langs/hr_HR/other.lang
+++ b/htdocs/langs/hr_HR/other.lang
@@ -5,8 +5,6 @@ Tools=Alati
TMenuTools=Alati
ToolsDesc=Svi alati koji nisu uključeni u ostalim sučeljima grupirani su ovdje. Možete im pristupiti uz pomoć izbornika lijevo.
Birthday=Birthday
-BirthdayDate=Birthday date
-DateToBirth=Birth date
BirthdayAlertOn=birthday alert active
BirthdayAlertOff=birthday alert inactive
TransKey=Translation of the key TransKey
@@ -16,6 +14,8 @@ PreviousMonthOfInvoice=Previous month (number 1-12) of invoice date
TextPreviousMonthOfInvoice=Previous month (text) of invoice date
NextMonthOfInvoice=Following month (number 1-12) of invoice date
TextNextMonthOfInvoice=Following month (text) of invoice date
+PreviousMonth=Previous month
+CurrentMonth=Current month
ZipFileGeneratedInto=Zip file generated into %s.
DocFileGeneratedInto=Doc file generated into %s.
JumpToLogin=Disconnected. Go to login page...
@@ -99,6 +99,7 @@ PredefinedMailContentSendShipping=Poštovana/ni,\nposlali smo vam robu prema dos
PredefinedMailContentSendFichInter=__(Hello)__\n\nPlease find intervention __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.\n\n%s\n\n
PredefinedMailContentGeneric=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
+PredefinedMailContentSendActionComm=Event reminder "__EVENT_LABEL__" on __EVENT_DATE__ at __EVENT_TIME__
This is an automatic message, please do not reply.
DemoDesc=Dolibarr is a compact ERP/CRM supporting several business modules. A demo showcasing all modules makes no sense as this scenario never occurs (several hundred available). So, several demo profiles are available.
ChooseYourDemoProfil=Choose the demo profile that best suits your needs...
ChooseYourDemoProfilMore=...or build your own profile (manual module selection)
@@ -137,7 +138,7 @@ Right=Right
CalculatedWeight=Izračunata masa
CalculatedVolume=Izračunati volumen
Weight=Masa
-WeightUnitton=tonne
+WeightUnitton=ton
WeightUnitkg=kg
WeightUnitg=g
WeightUnitmg=mg
@@ -258,6 +259,7 @@ ContactCreatedByEmailCollector=Contact/address created by email collector from e
ProjectCreatedByEmailCollector=Project created by email collector from email MSGID %s
TicketCreatedByEmailCollector=Ticket created by email collector from email MSGID %s
OpeningHoursFormatDesc=Use a - to separate opening and closing hours. Use a space to enter different ranges. Example: 8-12 14-18
+PrefixSession=Prefix for session ID
##### Export #####
ExportsArea=Exports area
diff --git a/htdocs/langs/hr_HR/products.lang b/htdocs/langs/hr_HR/products.lang
index bceda0c20e6..d702a04fc78 100644
--- a/htdocs/langs/hr_HR/products.lang
+++ b/htdocs/langs/hr_HR/products.lang
@@ -108,7 +108,8 @@ FillWithLastServiceDates=Fill with last service line dates
MultiPricesAbility=Multiple price segments per product/service (each customer is in one price segment)
MultiPricesNumPrices=Broj cijena
DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices
-AssociatedProductsAbility=Activate kits (virtual products)
+AssociatedProductsAbility=Enable Kits (set of other products)
+VariantsAbility=Enable Variants (variations of products, for example color, size)
AssociatedProducts=Kits
AssociatedProductsNumber=Number of products composing this kit
ParentProductsNumber=Broj matičnih grupiranih proizvoda
@@ -167,8 +168,10 @@ BuyingPrices=Nabavne cijene
CustomerPrices=Cijene kupaca
SuppliersPrices=Vendor prices
SuppliersPricesOfProductsOrServices=Vendor prices (of products or services)
-CustomCode=Customs / Commodity / HS code
+CustomCode=Customs|Commodity|HS code
CountryOrigin=Zemlja porijekla
+RegionStateOrigin=Region origin
+StateOrigin=State|Province origin
Nature=Nature of product (material/finished)
NatureOfProductShort=Nature of product
NatureOfProductDesc=Raw material or finished product
@@ -239,7 +242,7 @@ AlwaysUseFixedPrice=Koristi fiksnu cijenu
PriceByQuantity=Različite cijene prema količini
DisablePriceByQty=Disable prices by quantity
PriceByQuantityRange=Raspon količine
-MultipriceRules=Pravila odjelnih cijena
+MultipriceRules=Automatic prices for segment
UseMultipriceRules=Use price segment rules (defined into product module setup) to auto calculate prices of all other segments according to first segment
PercentVariationOver=%% varijacija preko %s
PercentDiscountOver=%% popust preko %s
diff --git a/htdocs/langs/hr_HR/recruitment.lang b/htdocs/langs/hr_HR/recruitment.lang
index 31f81481a9c..519a3ae434e 100644
--- a/htdocs/langs/hr_HR/recruitment.lang
+++ b/htdocs/langs/hr_HR/recruitment.lang
@@ -73,3 +73,4 @@ JobClosedTextCandidateFound=The job position is closed. The position has been fi
JobClosedTextCanceled=The job position is closed.
ExtrafieldsJobPosition=Complementary attributes (job positions)
ExtrafieldsCandidatures=Complementary attributes (job applications)
+MakeOffer=Make an offer
diff --git a/htdocs/langs/hr_HR/sendings.lang b/htdocs/langs/hr_HR/sendings.lang
index 9d7ec4b228e..220a0004a70 100644
--- a/htdocs/langs/hr_HR/sendings.lang
+++ b/htdocs/langs/hr_HR/sendings.lang
@@ -30,6 +30,7 @@ OtherSendingsForSameOrder=Ostale isporuke za ovu narudžbu
SendingsAndReceivingForSameOrder=Shipments and receipts for this order
SendingsToValidate=Isporuke za ovjeru
StatusSendingCanceled=Poništeno
+StatusSendingCanceledShort=Poništeno
StatusSendingDraft=Skica
StatusSendingValidated=Ovjereno (proizvodi za isporuku ili su isporučeni)
StatusSendingProcessed=Obrađen
@@ -65,6 +66,7 @@ ValidateOrderFirstBeforeShipment=Prvo morate ovjeriti narudžbu prije izrade otp
# Sending methods
# ModelDocument
DocumentModelTyphon=Kompletan model dokumenta za dostavnu primku (logo...)
+DocumentModelStorm=More complete document model for delivery receipts and extrafields compatibility (logo...)
Error_EXPEDITION_ADDON_NUMBER_NotDefined=Konstanta EXPEDITION_ADDON_NUMBER nije definirana
SumOfProductVolumes=Ukupni volumen proizvoda
SumOfProductWeights=Ukupna masa proizvoda
diff --git a/htdocs/langs/hr_HR/stocks.lang b/htdocs/langs/hr_HR/stocks.lang
index 20f7b0c745c..f19d6f180e9 100644
--- a/htdocs/langs/hr_HR/stocks.lang
+++ b/htdocs/langs/hr_HR/stocks.lang
@@ -240,3 +240,4 @@ InventoryRealQtyHelp=Set value to 0 to reset qty Keep field empty, or remove
UpdateByScaning=Update by scaning
UpdateByScaningProductBarcode=Update by scan (product barcode)
UpdateByScaningLot=Update by scan (lot|serial barcode)
+DisableStockChangeOfSubProduct=Deactivate the stock change for all the subproducts of this Kit during this movement.
diff --git a/htdocs/langs/hr_HR/ticket.lang b/htdocs/langs/hr_HR/ticket.lang
index 70e17eef676..7a4ddd8295d 100644
--- a/htdocs/langs/hr_HR/ticket.lang
+++ b/htdocs/langs/hr_HR/ticket.lang
@@ -31,10 +31,8 @@ TicketDictType=Ticket - Types
TicketDictCategory=Ticket - Groupes
TicketDictSeverity=Ticket - Severities
TicketDictResolution=Ticket - Resolution
-TicketTypeShortBUGSOFT=Dysfonctionnement logiciel
-TicketTypeShortBUGHARD=Dysfonctionnement matériel
-TicketTypeShortCOM=Commercial question
+TicketTypeShortCOM=Commercial question
TicketTypeShortHELP=Request for functionnal help
TicketTypeShortISSUE=Issue, bug or problem
TicketTypeShortREQUEST=Change or enhancement request
@@ -44,7 +42,7 @@ TicketTypeShortOTHER=Ostalo
TicketSeverityShortLOW=Nisko
TicketSeverityShortNORMAL=Normal
TicketSeverityShortHIGH=Visoko
-TicketSeverityShortBLOCKING=Critical/Blocking
+TicketSeverityShortBLOCKING=Critical, Blocking
ErrorBadEmailAddress=Field '%s' incorrect
MenuTicketMyAssign=My tickets
@@ -60,7 +58,6 @@ OriginEmail=Email source
Notify_TICKET_SENTBYMAIL=Send ticket message by email
# Status
-NotRead=Nije pročitano
Read=Read
Assigned=Assigned
InProgress=U postupku
@@ -126,6 +123,7 @@ TicketsActivatePublicInterfaceHelp=Public interface allow any visitors to create
TicketsAutoAssignTicket=Automatically assign the user who created the ticket
TicketsAutoAssignTicketHelp=When creating a ticket, the user can be automatically assigned to the ticket.
TicketNumberingModules=Tickets numbering module
+TicketsModelModule=Document templates for tickets
TicketNotifyTiersAtCreation=Notify third party at creation
TicketsDisableCustomerEmail=Always disable emails when a ticket is created from public interface
TicketsPublicNotificationNewMessage=Send email(s) when a new message is added
@@ -233,7 +231,6 @@ TicketLogStatusChanged=Status changed: %s to %s
TicketNotNotifyTiersAtCreate=Not notify company at create
Unread=Unread
TicketNotCreatedFromPublicInterface=Not available. Ticket was not created from public interface.
-PublicInterfaceNotEnabled=Public interface was not enabled
ErrorTicketRefRequired=Ticket reference name is required
#
diff --git a/htdocs/langs/hr_HR/website.lang b/htdocs/langs/hr_HR/website.lang
index 41f2e8808aa..893a4042577 100644
--- a/htdocs/langs/hr_HR/website.lang
+++ b/htdocs/langs/hr_HR/website.lang
@@ -30,7 +30,6 @@ EditInLine=Edit inline
AddWebsite=Add website
Webpage=Web page/container
AddPage=Add page/container
-HomePage=Home Page
PageContainer=Strana
PreviewOfSiteNotYetAvailable=Preview of your website %s not yet available. You must first 'Import a full website template' or just 'Add a page/container'.
RequestedPageHasNoContentYet=Requested page with id %s has no content yet, or cache file .tpl.php was removed. Edit content of the page to solve this.
@@ -101,7 +100,7 @@ EmptyPage=Empty page
ExternalURLMustStartWithHttp=External URL must start with http:// or https://
ZipOfWebsitePackageToImport=Upload the Zip file of the website template package
ZipOfWebsitePackageToLoad=or Choose an available embedded website template package
-ShowSubcontainers=Include dynamic content
+ShowSubcontainers=Show dynamic content
InternalURLOfPage=Internal URL of page
ThisPageIsTranslationOf=This page/container is a translation of
ThisPageHasTranslationPages=This page/container has translation
@@ -137,3 +136,4 @@ RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using
PagesRegenerated=%s page(s)/container(s) regenerated
RegenerateWebsiteContent=Regenerate web site cache files
AllowedInFrames=Allowed in Frames
+DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languages into web site properties.
diff --git a/htdocs/langs/hr_HR/withdrawals.lang b/htdocs/langs/hr_HR/withdrawals.lang
index 9d80e1ba9bd..2bd9d25c986 100644
--- a/htdocs/langs/hr_HR/withdrawals.lang
+++ b/htdocs/langs/hr_HR/withdrawals.lang
@@ -42,6 +42,7 @@ LastWithdrawalReceipt=Latest %s direct debit receipts
MakeWithdrawRequest=Make a direct debit payment request
MakeBankTransferOrder=Make a credit transfer request
WithdrawRequestsDone=%s direct debit payment requests recorded
+BankTransferRequestsDone=%s credit transfer requests recorded
ThirdPartyBankCode=Third-party bank code
NoInvoiceCouldBeWithdrawed=No invoice debited successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s.
ClassCredited=Označi kao kreditirano
@@ -131,7 +132,8 @@ SEPARCUR=SEPA CUR
SEPAFRST=SEPA FRST
ExecutionDate=Execution date
CreateForSepa=Create direct debit file
-ICS=Creditor Identifier CI
+ICS=Creditor Identifier CI for direct debit
+ICSTransfer=Creditor Identifier CI for bank transfer
END_TO_END="EndToEndId" SEPA XML tag - Unique id assigned per transaction
USTRD="Unstructured" SEPA XML tag
ADDDAYS=Add days to Execution Date
@@ -146,3 +148,4 @@ InfoRejectSubject=Direct debit payment order refused
InfoRejectMessage=Hello,
the direct debit payment order of invoice %s related to the company %s, with an amount of %s has been refused by the bank.
-- %s
ModeWarning=Opcija za stvarni način nije postavljena, zaustavljamo nakon ove simulacije
ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know wich one to use.
+ErrorICSmissing=Missing ICS in Bank account %s
diff --git a/htdocs/langs/hu_HU/accountancy.lang b/htdocs/langs/hu_HU/accountancy.lang
index 70ffa6bdfbb..efbd2144bae 100644
--- a/htdocs/langs/hu_HU/accountancy.lang
+++ b/htdocs/langs/hu_HU/accountancy.lang
@@ -48,6 +48,7 @@ CountriesExceptMe=All countries except %s
AccountantFiles=Export source documents
ExportAccountingSourceDocHelp=With this tool, you can export the source events (list and PDFs) that were used to generate your accountancy. To export your journals, use the menu entry %s - %s.
VueByAccountAccounting=View by accounting account
+VueBySubAccountAccounting=View by accounting subaccount
MainAccountForCustomersNotDefined=Main accounting account for customers not defined in setup
MainAccountForSuppliersNotDefined=Main accounting account for vendors not defined in setup
@@ -144,7 +145,7 @@ NotVentilatedinAccount=Not bound to the accounting account
XLineSuccessfullyBinded=%s products/services successfully bound to an accounting account
XLineFailedToBeBinded=%s products/services were not bound to any accounting account
-ACCOUNTING_LIMIT_LIST_VENTILATION=Number of elements to bind shown by page (maximum recommended: 50)
+ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50)
ACCOUNTING_LIST_SORT_VENTILATION_TODO=Begin the sorting of the page "Binding to do" by the most recent elements
ACCOUNTING_LIST_SORT_VENTILATION_DONE=Begin the sorting of the page "Binding done" by the most recent elements
@@ -198,7 +199,8 @@ Docdate=Dátum
Docref=Hivatkozás
LabelAccount=Label account
LabelOperation=Label operation
-Sens=Sens
+Sens=Direction
+AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received For an accounting account of a supplier, use Debit to record a payment you make
LetteringCode=Lettering code
Lettering=Lettering
Codejournal=Journal
@@ -206,7 +208,8 @@ JournalLabel=Journal label
NumPiece=Piece number
TransactionNumShort=Num. transaction
AccountingCategory=Personalized groups
-GroupByAccountAccounting=Group by accounting account
+GroupByAccountAccounting=Group by general ledger account
+GroupBySubAccountAccounting=Group by subledger account
AccountingAccountGroupsDesc=You can define here some groups of accounting account. They will be used for personalized accounting reports.
ByAccounts=By accounts
ByPredefinedAccountGroups=By predefined groups
@@ -248,7 +251,7 @@ PaymentsNotLinkedToProduct=Payment not linked to any product / service
OpeningBalance=Opening balance
ShowOpeningBalance=Show opening balance
HideOpeningBalance=Hide opening balance
-ShowSubtotalByGroup=Show subtotal by group
+ShowSubtotalByGroup=Show subtotal by level
Pcgtype=Group of account
PcgtypeDesc=Group of account are used as predefined 'filter' and 'grouping' criteria for some accounting reports. For example, 'INCOME' or 'EXPENSE' are used as groups for accounting accounts of products to build the expense/income report.
@@ -271,11 +274,13 @@ DescVentilExpenseReport=Consult here the list of expense report lines bound (or
DescVentilExpenseReportMore=If you setup accounting account on type of expense report lines, the application will be able to make all the binding between your expense report lines and the accounting account of your chart of accounts, just in one click with the button "%s". If account was not set on fees dictionary or if you still have some lines not bound to any account, you will have to make a manual binding from the menu "%s".
DescVentilDoneExpenseReport=Consult here the list of the lines of expenses reports and their fees accounting account
+Closure=Annual closure
DescClosure=Consult here the number of movements by month who are not validated & fiscal years already open
OverviewOfMovementsNotValidated=Step 1/ Overview of movements not validated. (Necessary to close a fiscal year)
+AllMovementsWereRecordedAsValidated=All movements were recorded as validated
+NotAllMovementsCouldBeRecordedAsValidated=Not all movements could be recorded as validated
ValidateMovements=Validate movements
DescValidateMovements=Any modification or deletion of writing, lettering and deletes will be prohibited. All entries for an exercise must be validated otherwise closing will not be possible
-SelectMonthAndValidate=Select month and validate movements
ValidateHistory=Bind Automatically
AutomaticBindingDone=Automatic binding done
@@ -293,6 +298,7 @@ Accounted=Accounted in ledger
NotYetAccounted=Not yet accounted in ledger
ShowTutorial=Show Tutorial
NotReconciled=Not reconciled
+WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view
## Admin
BindingOptions=Binding options
@@ -337,6 +343,7 @@ Modelcsv_LDCompta10=Export for LD Compta (v10 & higher)
Modelcsv_openconcerto=Export for OpenConcerto (Test)
Modelcsv_configurable=Export CSV Configurable
Modelcsv_FEC=Export FEC
+Modelcsv_FEC2=Export FEC (With dates generation writing / document reversed)
Modelcsv_Sage50_Swiss=Export for Sage 50 Switzerland
Modelcsv_winfic=Export Winfic - eWinfic - WinSis Compta
Modelcsv_Gestinumv3=Export for Gestinum (v3)
diff --git a/htdocs/langs/hu_HU/admin.lang b/htdocs/langs/hu_HU/admin.lang
index 2beca20a1c0..04f16556d06 100644
--- a/htdocs/langs/hu_HU/admin.lang
+++ b/htdocs/langs/hu_HU/admin.lang
@@ -56,6 +56,8 @@ GUISetup=Kijelző
SetupArea=Beállítás
UploadNewTemplate=Új sablon(ok) feltöltése
FormToTestFileUploadForm=A fájlfeltöltés tesztelésének űrlapja (beállítás szerint)
+ModuleMustBeEnabled=The module/application %s must be enabled
+ModuleIsEnabled=The module/application %s has been enabled
IfModuleEnabled=Megjegyzés: az 'igen' csak akkor eredményes, ha a %s modul engedélyezve van
RemoveLock=Távolítsa el / nevezze át a(z) %s fájlt, ha létezik, hogy engedélyezze a Frissítés / Telepítés eszközt.
RestoreLock=Állítsa vissza az %s fájlt, csak olvasási jogokat engedélyezzen, hogy le lehessen tiltani a Frissítés / Telepítés eszköz további használatát.
@@ -85,7 +87,6 @@ ShowPreview=Előnézet megtekintése
ShowHideDetails=Show-Hide details
PreviewNotAvailable=Előnézet nem elérhető
ThemeCurrentlyActive=Jelenleg aktív téma
-CurrentTimeZone=A PHP (szerver) időzónája
MySQLTimeZone=MySql (adatbázis) időzóna
TZHasNoEffect=A dátumokat az adatbázis-kiszolgáló karakterláncként tárolja és küldi vissza. Az időzónának csak az UNIX_TIMESTAMP funkció használatakor van hatása (ezt a Dolibarr nem használhatja, tehát az adatbázis TZ-nek nincs hatása, még akkor sem, ha az adatok bevitele után megváltozott).
Space=Hely
@@ -153,8 +154,8 @@ SystemToolsAreaDesc=Ez a terület adminisztrációs lehetőségeket biztosít. A
Purge=Tisztítsd
PurgeAreaDesc=Ezen az oldalon törölheti a Dolibarr által létrehozott vagy tárolt összes fájlt (ideiglenes fájlok vagy az %s könyvtárban lévő fájlok). Ennek a szolgáltatásnak a használata általában nem szükséges. Megkerülő megoldásként szolgál azoknak a felhasználóknak, akiknek a Dolibarr-ját olyan szolgáltató üzemelteti, amely nem engedélyezi a webszerver által generált fájlok törlését.
PurgeDeleteLogFile=Naplófájlok törlése, beleértve a(z) %s fájlt, amely a Syslog modulhoz lett megadva (nincs adatvesztés kockázata)
-PurgeDeleteTemporaryFiles=Az összes ideiglenes fájl törlése (nincs adatvesztés kockázata). Megjegyzés: A törlés csak akkor történik meg, ha a temp könyvtárat 24 órával ezelőtt hozták létre.
-PurgeDeleteTemporaryFilesShort=Ideiglenes fájlok törlése
+PurgeDeleteTemporaryFiles=Delete all log and temporary files (no risk of losing data). Note: Deletion of temporary files is done only if the temp directory was created more than 24 hours ago.
+PurgeDeleteTemporaryFilesShort=Delete log and temporary files
PurgeDeleteAllFilesInDocumentsDir=Az összes fájlt törölése ebben a könyvtárban: %s . Ezzel törölheti az elemekhez kapcsolódó összes generált dokumentumot (harmadik felek, számlák stb.), az ECM modulba feltöltött fájlokat, az adatbázis biztonsági mentési ürlapjait és az ideiglenes fájlokat.
PurgeRunNow=Ürítsd ki most
PurgeNothingToDelete=Nincs törlésre váró fájl vagy könyvtár
@@ -256,6 +257,7 @@ ReferencedPreferredPartners=Preferált partnerek
OtherResources=Egyéb források
ExternalResources=Külső források
SocialNetworks=Közösségi hálózatok
+SocialNetworkId=Social Network ID
ForDocumentationSeeWiki=A felhasználó vagy fejlesztői dokumentáció (doc, GYIK ...), vessünk egy pillantást a Dolibarr Wiki: %s
ForAnswersSeeForum=Ha bármilyen további kérdése / help, akkor használja a fórumot Dolibarr: %s
HelpCenterDesc1=Itt kaphat a Dolibarr-rel kapcsolatban segítséget és támogatást.
@@ -375,7 +377,7 @@ ExamplesWithCurrentSetup=Példák az aktuális konfigurációval
ListOfDirectories=OpenDocument sablonok listája könyvtárak
ListOfDirectoriesForModelGenODT=Az OpenDocument formátumú sablonfájlokat tartalmazó könyvtárak listája.
Írja ide a könyvtárak teljes elérési útját. Nyomjon "Enter"-t minden egyes könyvtár között. A GED modul könyvtárának hozzáadása: DOL_DATA_ROOT/ecm/saját_könyvtár_neve.
Az e könyvtárakban található fájloknak .odt vagy .ods kiterjesztésre kell végződni.
NumberOfModelFilesFound=Ezekben a könyvtárakban található ODT / ODS sablon fájlok száma
-ExampleOfDirectoriesForModelGen=Példák a szintaxis: c: \\ mydir / Home / mydir DOL_DATA_ROOT / ECM / ecmdir
+ExampleOfDirectoriesForModelGen=Examples of syntax: c:\\myapp\\mydocumentdir\\mysubdir /home/myapp/mydocumentdir/mysubdir DOL_DATA_ROOT/ecm/ecmdir
FollowingSubstitutionKeysCanBeUsed= Ha tudod, hogyan kell létrehozni a odt dokumentumsablonok, mielőtt tárolja őket azokra a könyvtárakra, olvasd el a wiki dokumentáció:
FullListOnOnlineDocumentation=http://wiki.dolibarr.org/index.php/Create_an_ODT_document_template
FirstnameNamePosition=A név / vezetéknév sorrendje
@@ -406,7 +408,7 @@ UrlGenerationParameters=URL paraméterek biztosítása
SecurityTokenIsUnique=Használjunk olyan egyedi securekey paraméter az URL
EnterRefToBuildUrl=Adja meg az objektum referencia %s
GetSecuredUrl=Get URL számított
-ButtonHideUnauthorized=Rejtett gombok elrejtése nem adminisztrátorok számára az illetéktelen tevékenységekhez a szürke letiltott gombok megjelenítése helyett
+ButtonHideUnauthorized=Hide unauthorized action buttons also for internal users (just greyed otherwise)
OldVATRates=Régi ÁFA-kulcs
NewVATRates=Új ÁFA-kulcs
PriceBaseTypeToChange=Módosítsa az árakat a meghatározott alap referenciaértékkel
@@ -1689,7 +1691,7 @@ NotTopTreeMenuPersonalized=Personalized menus not linked to a top menu entry
NewMenu=Új menü
MenuHandler=Menü kezelő
MenuModule=Forrás modul
-HideUnauthorizedMenu= Hide jogosulatlan menük (szürke)
+HideUnauthorizedMenu=Hide unauthorized menus also for internal users (just greyed otherwise)
DetailId=Id menü
DetailMenuHandler=Menü, ahol a kezelő jelzi az új menü
DetailMenuModule=Modul neve, ha menübejegyzés származnak modul
@@ -1983,11 +1985,12 @@ EMailHost=Host of email IMAP server
MailboxSourceDirectory=Mailbox source directory
MailboxTargetDirectory=Mailbox target directory
EmailcollectorOperations=Operations to do by collector
+EmailcollectorOperationsDesc=Operations are executed from top to bottom order
MaxEmailCollectPerCollect=Max number of emails collected per collect
CollectNow=Collect now
ConfirmCloneEmailCollector=Are you sure you want to clone the Email collector %s ?
-DateLastCollectResult=Date latest collect tried
-DateLastcollectResultOk=Date latest collect successfull
+DateLastCollectResult=Date of latest collect try
+DateLastcollectResultOk=Date of latest collect success
LastResult=Latest result
EmailCollectorConfirmCollectTitle=Email collect confirmation
EmailCollectorConfirmCollect=Do you want to run the collection for this collector now ?
@@ -2005,7 +2008,7 @@ WithDolTrackingID=Message from a conversation initiated by a first email sent fr
WithoutDolTrackingID=Message from a conversation initiated by a first email NOT sent from Dolibarr
WithDolTrackingIDInMsgId=Message sent from Dolibarr
WithoutDolTrackingIDInMsgId=Message NOT sent from Dolibarr
-CreateCandidature=Create candidature
+CreateCandidature=Create job application
FormatZip=Zip
MainMenuCode=Menu entry code (mainmenu)
ECMAutoTree=Show automatic ECM tree
@@ -2083,3 +2086,7 @@ CountryIfSpecificToOneCountry=Country (if specific to a given country)
YouMayFindSecurityAdviceHere=You may find security advisory here
ModuleActivatedMayExposeInformation=This module may expose sensitive data. If you don't need it, disable it.
ModuleActivatedDoNotUseInProduction=A module designed for the development has been enabled. Do not enable it on a production environment.
+CombinationsSeparator=Separator character for product combinations
+SeeLinkToOnlineDocumentation=See link to online documention on top menu for examples
+SHOW_SUBPRODUCT_REF_IN_PDF=If the feature "%s" of module %s is used, show details of subproducts of a kit on PDF.
+AskThisIDToYourBank=Contact your bank to get this ID
diff --git a/htdocs/langs/hu_HU/banks.lang b/htdocs/langs/hu_HU/banks.lang
index b526b83be5c..2ceff216cd2 100644
--- a/htdocs/langs/hu_HU/banks.lang
+++ b/htdocs/langs/hu_HU/banks.lang
@@ -173,8 +173,8 @@ SEPAMandate=SEPA mandate
YourSEPAMandate=Your SEPA mandate
FindYourSEPAMandate=This is your SEPA mandate to authorize our company to make direct debit order to your bank. Return it signed (scan of the signed document) or send it by mail to
AutoReportLastAccountStatement=Automatically fill the field 'number of bank statement' with last statement number when making reconciliation
-CashControl=POS cash fence
-NewCashFence=New cash fence
+CashControl=POS cash desk control
+NewCashFence=New cash desk closing
BankColorizeMovement=Colorize movements
BankColorizeMovementDesc=If this function is enable, you can choose specific background color for debit or credit movements
BankColorizeMovementName1=Background color for debit movement
diff --git a/htdocs/langs/hu_HU/blockedlog.lang b/htdocs/langs/hu_HU/blockedlog.lang
index 8a37fe90724..e2c08d1d937 100644
--- a/htdocs/langs/hu_HU/blockedlog.lang
+++ b/htdocs/langs/hu_HU/blockedlog.lang
@@ -35,7 +35,7 @@ logDON_DELETE=Donation logical deletion
logMEMBER_SUBSCRIPTION_CREATE=Member subscription created
logMEMBER_SUBSCRIPTION_MODIFY=Member subscription modified
logMEMBER_SUBSCRIPTION_DELETE=Member subscription logical deletion
-logCASHCONTROL_VALIDATE=Cash fence recording
+logCASHCONTROL_VALIDATE=Cash desk closing recording
BlockedLogBillDownload=Customer invoice download
BlockedLogBillPreview=Customer invoice preview
BlockedlogInfoDialog=Log Details
diff --git a/htdocs/langs/hu_HU/boxes.lang b/htdocs/langs/hu_HU/boxes.lang
index 93ca573083a..7aa3db3646a 100644
--- a/htdocs/langs/hu_HU/boxes.lang
+++ b/htdocs/langs/hu_HU/boxes.lang
@@ -46,9 +46,12 @@ BoxTitleLastModifiedDonations=Latest %s modified donations
BoxTitleLastModifiedExpenses=Latest %s modified expense reports
BoxTitleLatestModifiedBoms=Latest %s modified BOMs
BoxTitleLatestModifiedMos=Latest %s modified Manufacturing Orders
+BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded
BoxGlobalActivity=Global activity (invoices, proposals, orders)
BoxGoodCustomers=Good customers
BoxTitleGoodCustomers=%s Good customers
+BoxScheduledJobs=Időzített feladatok
+BoxTitleFunnelOfProspection=Lead funnel
FailedToRefreshDataInfoNotUpToDate=Failed to refresh RSS flux. Latest successful refresh date: %s
LastRefreshDate=Latest refresh date
NoRecordedBookmarks=Nincs könyvjezlő. Kattintson ide könyvjelző hozzáadásához.
@@ -102,5 +105,7 @@ SuspenseAccountNotDefined=Suspense account isn't defined
BoxLastCustomerShipments=Last customer shipments
BoxTitleLastCustomerShipments=Latest %s customer shipments
NoRecordedShipments=No recorded customer shipment
+BoxCustomersOutstandingBillReached=Customers with oustanding limit reached
# Pages
AccountancyHome=Accountancy
+ValidatedProjects=Validated projects
diff --git a/htdocs/langs/hu_HU/cashdesk.lang b/htdocs/langs/hu_HU/cashdesk.lang
index f562064c20c..3215e0e3839 100644
--- a/htdocs/langs/hu_HU/cashdesk.lang
+++ b/htdocs/langs/hu_HU/cashdesk.lang
@@ -49,8 +49,8 @@ Footer=Footer
AmountAtEndOfPeriod=Amount at end of period (day, month or year)
TheoricalAmount=Theorical amount
RealAmount=Real amount
-CashFence=Cash fence
-CashFenceDone=Cash fence done for the period
+CashFence=Cash desk closing
+CashFenceDone=Cash desk closing done for the period
NbOfInvoices=Számlák száma
Paymentnumpad=Type of Pad to enter payment
Numberspad=Numbers Pad
@@ -99,8 +99,9 @@ CashDeskRefNumberingModules=Numbering module for POS sales
CashDeskGenericMaskCodes6 = {TN} tag is used to add the terminal number
TakeposGroupSameProduct=Group same products lines
StartAParallelSale=Start a new parallel sale
-ControlCashOpening=Control cash box at opening POS
-CloseCashFence=Close cash fence
+SaleStartedAt=Sale started at %s
+ControlCashOpening=Control cash popup at opening POS
+CloseCashFence=Close cash desk control
CashReport=Cash report
MainPrinterToUse=Main printer to use
OrderPrinterToUse=Order printer to use
@@ -122,3 +123,4 @@ GiftReceipt=Gift receipt
ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled first
AllowDelayedPayment=Allow delayed payment
PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts
+WeighingScale=Weighing scale
diff --git a/htdocs/langs/hu_HU/categories.lang b/htdocs/langs/hu_HU/categories.lang
index 741cab33de6..f16ea1f8280 100644
--- a/htdocs/langs/hu_HU/categories.lang
+++ b/htdocs/langs/hu_HU/categories.lang
@@ -19,6 +19,7 @@ ProjectsCategoriesArea=Projects tags/categories area
UsersCategoriesArea=Users tags/categories area
SubCats=Sub-categories
CatList=List of tags/categories
+CatListAll=List of tags/categories (all types)
NewCategory=New tag/category
ModifCat=Modify tag/category
CatCreated=Tag/category created
@@ -65,16 +66,22 @@ UsersCategoriesShort=Users tags/categories
StockCategoriesShort=Warehouse tags/categories
ThisCategoryHasNoItems=This category does not contain any items.
CategId=Tag/category id
-CatSupList=List of vendor tags/categories
-CatCusList=List of customer/prospect tags/categories
+ParentCategory=Parent tag/category
+ParentCategoryLabel=Label of parent tag/category
+CatSupList=List of vendors tags/categories
+CatCusList=List of customers/prospects tags/categories
CatProdList=List of products tags/categories
CatMemberList=List of members tags/categories
-CatContactList=List of contact tags/categories
-CatSupLinks=Links between suppliers and tags/categories
+CatContactList=List of contacts tags/categories
+CatProjectsList=List of projects tags/categories
+CatUsersList=List of users tags/categories
+CatSupLinks=Links between vendors and tags/categories
CatCusLinks=Links between customers/prospects and tags/categories
CatContactsLinks=Links between contacts/addresses and tags/categories
CatProdLinks=Links between products/services and tags/categories
-CatProJectLinks=Links between projects and tags/categories
+CatMembersLinks=Links between members and tags/categories
+CatProjectsLinks=Links between projects and tags/categories
+CatUsersLinks=Links between users and tags/categories
DeleteFromCat=Remove from tags/category
ExtraFieldsCategories=Kiegészítő tulajdonságok
CategoriesSetup=Tags/categories setup
diff --git a/htdocs/langs/hu_HU/companies.lang b/htdocs/langs/hu_HU/companies.lang
index d6179acca4b..7848c56a7d1 100644
--- a/htdocs/langs/hu_HU/companies.lang
+++ b/htdocs/langs/hu_HU/companies.lang
@@ -358,7 +358,7 @@ VATIntraCheckableOnEUSite=Ellenőrizze a Közösségen belüli ÁFA-azonosítót
VATIntraManualCheck=Manuálisan ellenőrizheti az Európai Bizottság webhelyén %s
ErrorVATCheckMS_UNAVAILABLE=Ellenőrzés nem lehetséges. A szolgáltatást a tagállam nem teszi lehetővé (%s).
NorProspectNorCustomer=Nem leendő partner, nem ügyfél
-JuridicalStatus=Jogi személy típusa
+JuridicalStatus=Business entity type
Workforce=Workforce
Staff=Alkalmazottak
ProspectLevelShort=Potenciális
diff --git a/htdocs/langs/hu_HU/compta.lang b/htdocs/langs/hu_HU/compta.lang
index e750d016947..58ff2d8bdcf 100644
--- a/htdocs/langs/hu_HU/compta.lang
+++ b/htdocs/langs/hu_HU/compta.lang
@@ -111,7 +111,7 @@ Refund=Visszatérítés
SocialContributionsPayments=Social/fiscal taxes payments
ShowVatPayment=Mutasd ÁFA fizetési
TotalToPay=Összes fizetni
-BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted ascending on %s and filtered for 1 bank account
+BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted on %s and filtered on 1 bank account (with no other filters)
CustomerAccountancyCode=Customer accounting code
SupplierAccountancyCode=Vendor accounting code
CustomerAccountancyCodeShort=Cust. account. code
@@ -140,7 +140,7 @@ ConfirmDeleteSocialContribution=Are you sure you want to delete this social/fisc
ExportDataset_tax_1=Social and fiscal taxes and payments
CalcModeVATDebt=Mode %sVAT on commitment accounting%s.
CalcModeVATEngagement=Mode %sVAT on incomes-expenses%s.
-CalcModeDebt=Analysis of known recorded invoices even if they are not yet accounted in ledger.
+CalcModeDebt=Analysis of known recorded documents even if they are not yet accounted in ledger.
CalcModeEngagement=Analysis of known recorded payments, even if they are not yet accounted in Ledger.
CalcModeBookkeeping=Analysis of data journalized in Bookkeeping Ledger table.
CalcModeLT1= Mode %sRE on customer invoices - suppliers invoices%s
@@ -154,9 +154,9 @@ AnnualSummaryInputOutputMode=Balance of income and expenses, annual summary
AnnualByCompanies=Balance of income and expenses, by predefined groups of account
AnnualByCompaniesDueDebtMode=Balance of income and expenses, detail by predefined groups, mode %sClaims-Debts%s said Commitment accounting.
AnnualByCompaniesInputOutputMode=Balance of income and expenses, detail by predefined groups, mode %sIncomes-Expenses%s said cash accounting.
-SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation on actual payments made even if they are not yet accounted in Ledger.
-SeeReportInDueDebtMode=See %sanalysis of invoices%s for a calculation based on known recorded invoices even if they are not yet accounted in Ledger.
-SeeReportInBookkeepingMode=See %sBookeeping report%s for a calculation on Bookkeeping Ledger table
+SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation based on recorded payments made even if they are not yet accounted in Ledger
+SeeReportInDueDebtMode=See %sanalysis of recorded documents%s for a calculation based on known recorded documents even if they are not yet accounted in Ledger
+SeeReportInBookkeepingMode=See %sanalysis of bookeeping ledger table%s for a report based on Bookkeeping Ledger table
RulesAmountWithTaxIncluded=- Amounts shown are with all taxes included
RulesResultDue=- It includes outstanding invoices, expenses, VAT, donations whether they are paid or not. Is also includes paid salaries. - It is based on the billing date of invoices and on the due date for expenses or tax payments. For salaries defined with Salary module, the value date of payment is used.
RulesResultInOut=- It includes the real payments made on invoices, expenses, VAT and salaries. - It is based on the payment dates of the invoices, expenses, VAT and salaries. The donation date for donation.
@@ -169,12 +169,15 @@ RulesResultBookkeepingPersonalized=It show record in your Ledger with accounting
SeePageForSetup=See menu %s for setup
DepositsAreNotIncluded=- Down payment invoices are not included
DepositsAreIncluded=- Down payment invoices are included
+LT1ReportByMonth=Tax 2 report by month
+LT2ReportByMonth=Tax 3 report by month
LT1ReportByCustomers=Report tax 2 by third party
LT2ReportByCustomers=Report tax 3 by third party
LT1ReportByCustomersES=Report by third party RE
LT2ReportByCustomersES=Jelentés a harmadik fél IRPF
VATReport=Sale tax report
VATReportByPeriods=Sale tax report by period
+VATReportByMonth=Sale tax report by month
VATReportByRates=Sale tax report by rates
VATReportByThirdParties=Sale tax report by third parties
VATReportByCustomers=Sale tax report by customer
diff --git a/htdocs/langs/hu_HU/cron.lang b/htdocs/langs/hu_HU/cron.lang
index 70fd2ff5e3c..88f0a731a8c 100644
--- a/htdocs/langs/hu_HU/cron.lang
+++ b/htdocs/langs/hu_HU/cron.lang
@@ -7,13 +7,14 @@ Permission23103 = Ütemezett feladatok törlése
Permission23104 = Ütemezett feladat végrehajtása
# Admin
CronSetup=Scheduled job management setup
-URLToLaunchCronJobs=URL to check and launch qualified cron jobs
-OrToLaunchASpecificJob=Or to check and launch a specific job
+URLToLaunchCronJobs=URL to check and launch qualified cron jobs from a browser
+OrToLaunchASpecificJob=Or to check and launch a specific job from a browser
KeyForCronAccess=Security key for URL to launch cron jobs
FileToLaunchCronJobs=Command line to check and launch qualified cron jobs
CronExplainHowToRunUnix=On Unix environment you should use the following crontab entry to run the command line each 5 minutes
CronExplainHowToRunWin=On Microsoft(tm) Windows environment you can use Scheduled Task tools to run the command line each 5 minutes
CronMethodDoesNotExists=Class %s does not contains any method %s
+CronMethodNotAllowed=Method %s of class %s is in blacklist of forbidden methods
CronJobDefDesc=Cron job profiles are defined into the module descriptor file. When module is activated, they are loaded and available so you can administer the jobs from the admin tools menu %s.
CronJobProfiles=List of predefined cron job profiles
# Menu
@@ -46,6 +47,7 @@ CronNbRun=Number of launches
CronMaxRun=Maximum number of launches
CronEach=Every
JobFinished=Job launched and finished
+Scheduled=Scheduled
#Page card
CronAdd= Add jobs
CronEvery=Execute job each
@@ -56,7 +58,7 @@ CronNote=Megjegyzés
CronFieldMandatory=A %s mezőket kötelező kitölteni
CronErrEndDateStartDt=A befejezés időpontja nem lehet hamarabb mint a kezdet
StatusAtInstall=Status at module installation
-CronStatusActiveBtn=Engedélyez
+CronStatusActiveBtn=Schedule
CronStatusInactiveBtn=Letiltás
CronTaskInactive=Ez a feladat ki van kapcsolva
CronId=Id
@@ -82,3 +84,8 @@ MakeLocalDatabaseDumpShort=Local database backup
MakeLocalDatabaseDump=Create a local database dump. Parameters are: compression ('gz' or 'bz' or 'none'), backup type ('mysql', 'pgsql', 'auto'), 1, 'auto' or filename to build, number of backup files to keep
WarningCronDelayed=Attention, for performance purpose, whatever is next date of execution of enabled jobs, your jobs may be delayed to a maximum of %s hours, before being run.
DATAPOLICYJob=Data cleaner and anonymizer
+JobXMustBeEnabled=Job %s must be enabled
+# Cron Boxes
+LastExecutedScheduledJob=Last executed scheduled job
+NextScheduledJobExecute=Next scheduled job to execute
+NumberScheduledJobError=Number of scheduled jobs in error
diff --git a/htdocs/langs/hu_HU/errors.lang b/htdocs/langs/hu_HU/errors.lang
index 2fcfb92b003..66351dfdb7e 100644
--- a/htdocs/langs/hu_HU/errors.lang
+++ b/htdocs/langs/hu_HU/errors.lang
@@ -5,8 +5,10 @@ NoErrorCommitIsDone=No error, we commit
# Errors
ErrorButCommitIsDone=Errors found but we validate despite this
ErrorBadEMail=Email %s is wrong
+ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record)
ErrorBadUrl=Url %s rossz
ErrorBadValueForParamNotAString=Bad value for your parameter. It appends generally when translation is missing.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorLoginAlreadyExists=A %s felhasználói név már létezik.
ErrorGroupAlreadyExists=A %s csoport már létezik.
ErrorRecordNotFound=A rekord nem található
@@ -48,6 +50,7 @@ ErrorFieldsRequired=Néhány kötelezően kitöltendő mező még üres.
ErrorSubjectIsRequired=The email topic is required
ErrorFailedToCreateDir=Nem sikerült létrehozni egy könyvtárat. Ellenőrizze, hogy a Web szerver felhasználó engedélyekkel rendelkezik, hogy ültesse át Dolibarr dokumentumok könyvtárba. Ha a paraméter safe_mode engedélyezve van ez a PHP-t, ellenőrizze, hogy Dolibarr PHP fájlok tulajdonosa a webszerver felhasználó (vagy csoport).
ErrorNoMailDefinedForThisUser=Nincs megadva a felhasználó email címe
+ErrorSetupOfEmailsNotComplete=Setup of emails is not complete
ErrorFeatureNeedJavascript=A funkcó működéséhez Javascript aktiválására van szükség. A beállítások - képernyő részben beállíthatja.
ErrorTopMenuMustHaveAParentWithId0=Egy menü típusú "fent" nem lehet egy szülő menüben. Tedd 0 szülő menüből, vagy válasszon egy menüt típusú "baloldal".
ErrorLeftMenuMustHaveAParentId=Egy menü típusú "Bal" kell egy szülő id.
@@ -75,7 +78,7 @@ ErrorExportDuplicateProfil=This profile name already exists for this export set.
ErrorLDAPSetupNotComplete=Dolibarr LDAP-egyezés nem teljes.
ErrorLDAPMakeManualTest=Egy. LDIF fájlt keletkezett %s könyvtárban. Próbálja meg kézzel betölteni a parancssorból, hogy több információt hibákat.
ErrorCantSaveADoneUserWithZeroPercentage=Can't save an action with "status not started" if field "done by" is also filled.
-ErrorRefAlreadyExists=Ref használt létrehozására már létezik.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorPleaseTypeBankTransactionReportName=Please enter the bank statement name where the entry has to be reported (Format YYYYMM or YYYYMMDD)
ErrorRecordHasChildren=Failed to delete record since it has some child records.
ErrorRecordHasAtLeastOneChildOfType=Object has at least one child of type %s
@@ -216,7 +219,7 @@ ErrorChooseBetweenFreeEntryOrPredefinedProduct=You must choose if article is a p
ErrorDiscountLargerThanRemainToPaySplitItBefore=The discount you try to apply is larger than remain to pay. Split the discount in 2 smaller discounts before.
ErrorFileNotFoundWithSharedLink=File was not found. May be the share key was modified or file was removed recently.
ErrorProductBarCodeAlreadyExists=The product barcode %s already exists on another product reference.
-ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using virtual product to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number.
+ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using kits to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number.
ErrorDescRequiredForFreeProductLines=Description is mandatory for lines with free product
ErrorAPageWithThisNameOrAliasAlreadyExists=The page/container %s has the same name or alternative alias that the one your try to use
ErrorDuringChartLoad=Error when loading chart of accounts. If few accounts were not loaded, you can still enter them manually.
@@ -243,6 +246,16 @@ ErrorReplaceStringEmpty=Error, the string to replace into is empty
ErrorProductNeedBatchNumber=Error, product '%s' need a lot/serial number
ErrorProductDoesNotNeedBatchNumber=Error, product '%s' does not accept a lot/serial number
ErrorFailedToReadObject=Error, failed to read object of type %s
+ErrorParameterMustBeEnabledToAllwoThisFeature=Error, parameter %s must be enabled into conf/conf.php to allow use of Command Line Interface by the internal job scheduler
+ErrorLoginDateValidity=Error, this login is outside the validity date range
+ErrorValueLength=Length of field '%s' must be higher than '%s'
+ErrorReservedKeyword=The word '%s' is a reserved keyword
+ErrorNotAvailableWithThisDistribution=Not available with this distribution
+ErrorPublicInterfaceNotEnabled=Public interface was not enabled
+ErrorLanguageRequiredIfPageIsTranslationOfAnother=The language of new page must be defined if it is set as a translation of another page
+ErrorLanguageMustNotBeSourceLanguageIfPageIsTranslationOfAnother=The language of new page must not be the source language if it is set as a translation of another page
+ErrorAParameterIsRequiredForThisOperation=A parameter is mandatory for this operation
+
# Warnings
WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup.
WarningPasswordSetWithNoAccount=A password was set for this member. However, no user account was created. So this password is stored but can't be used to login to Dolibarr. It may be used by an external module/interface but if you don't need to define any login nor password for a member, you can disable option "Manage a login for each member" from Member module setup. If you need to manage a login but don't need any password, you can keep this field empty to avoid this warning. Note: Email can also be used as a login if the member is linked to a user.
@@ -267,6 +280,10 @@ WarningYourLoginWasModifiedPleaseLogin=Your login was modified. For security pur
WarningAnEntryAlreadyExistForTransKey=An entry already exists for the translation key for this language
WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different recipient is limited to %s when using the mass actions on lists
WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report
+WarningProjectDraft=Project is still in draft mode. Don't forget to validate it if you plan to use tasks.
WarningProjectClosed=Project is closed. You must re-open it first.
WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list.
-WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table
+WarningFailedToAddFileIntoDatabaseIndex=Warning, failed to add file entry into ECM database index table
+WarningTheHiddenOptionIsOn=Warning, the hidden option %s is on.
+WarningCreateSubAccounts=Warning, you can't create directly a sub account, you must create a third party or an user and assign them an accounting code to find them in this list
+WarningAvailableOnlyForHTTPSServers=Available only if using HTTPS secured connection.
diff --git a/htdocs/langs/hu_HU/exports.lang b/htdocs/langs/hu_HU/exports.lang
index 69e7436c345..207e255a0f7 100644
--- a/htdocs/langs/hu_HU/exports.lang
+++ b/htdocs/langs/hu_HU/exports.lang
@@ -26,6 +26,8 @@ FieldTitle=Mező cím
NowClickToGenerateToBuildExportFile=Now, select the file format in the combo box and click on "Generate" to build the export file...
AvailableFormats=Available Formats
LibraryShort=Könyvtár
+ExportCsvSeparator=Csv caracter separator
+ImportCsvSeparator=Csv caracter separator
Step=Lépés
FormatedImport=Import Assistant
FormatedImportDesc1=This module allows you to update existing data or add new objects into the database from a file without technical knowledge, using an assistant.
@@ -131,3 +133,4 @@ KeysToUseForUpdates=Key (column) to use for updating existing data
NbInsert=Number of inserted lines: %s
NbUpdate=Number of updated lines: %s
MultipleRecordFoundWithTheseFilters=Multiple records have been found with these filters: %s
+StocksWithBatch=Stocks and location (warehouse) of products with batch/serial number
diff --git a/htdocs/langs/hu_HU/mails.lang b/htdocs/langs/hu_HU/mails.lang
index a00af6c7a1f..dda1e486e67 100644
--- a/htdocs/langs/hu_HU/mails.lang
+++ b/htdocs/langs/hu_HU/mails.lang
@@ -92,6 +92,7 @@ MailingModuleDescEmailsFromUser=Emails input by user
MailingModuleDescDolibarrUsers=Users with Emails
MailingModuleDescThirdPartiesByCategories=Third parties (by categories)
SendingFromWebInterfaceIsNotAllowed=Sending from web interface is not allowed.
+EmailCollectorFilterDesc=All filters must match to have an email being collected
# Libelle des modules de liste de destinataires mailing
LineInFile=Vonal %s fájlban
@@ -125,12 +126,13 @@ TagMailtoEmail=Recipient Email (including html "mailto:" link)
NoEmailSentBadSenderOrRecipientEmail=No email sent. Bad sender or recipient email. Verify user profile.
# Module Notifications
Notifications=Értesítések
-NoNotificationsWillBeSent=Nincs e-mail értesítést terveznek erre az eseményre és vállalati
-ANotificationsWillBeSent=1 értesítést küldünk e-mailben
-SomeNotificationsWillBeSent=%s értesítést küldünk e-mailben
-AddNewNotification=Activate a new email notification target/event
-ListOfActiveNotifications=List all active targets/events for email notification
-ListOfNotificationsDone=Lista minden e-mail értesítést küldeni
+NotificationsAuto=Notifications Auto.
+NoNotificationsWillBeSent=No automatic email notifications are planned for this event type and company
+ANotificationsWillBeSent=1 automatic notification will be sent by email
+SomeNotificationsWillBeSent=%s automatic notifications will be sent by email
+AddNewNotification=Subscribe to a new automatic email notification (target/event)
+ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification
+ListOfNotificationsDone=List all automatic email notifications sent
MailSendSetupIs=Configuration of email sending has been setup to '%s'. This mode can't be used to send mass emailing.
MailSendSetupIs2=You must first go, with an admin account, into menu %sHome - Setup - EMails%s to change parameter '%s' to use mode '%s'. With this mode, you can enter setup of the SMTP server provided by your Internet Service Provider and use Mass emailing feature.
MailSendSetupIs3=If you have any questions on how to setup your SMTP server, you can ask to %s.
@@ -140,7 +142,7 @@ UseFormatFileEmailToTarget=Imported file must have format email;name;fir
UseFormatInputEmailToTarget=Enter a string with format email;name;firstname;other
MailAdvTargetRecipients=Recipients (advanced selection)
AdvTgtTitle=Fill input fields to preselect the third parties or contacts/addresses to target
-AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima% will target all jean, joe, start with jim but not jimo and not everything that starts with jima
+AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima%% will target all jean, joe, start with jim but not jimo and not everything that starts with jima
AdvTgtSearchIntHelp=Use interval to select int or float value
AdvTgtMinVal=Minimum value
AdvTgtMaxVal=Maximum value
@@ -162,13 +164,14 @@ AdvTgtCreateFilter=Create filter
AdvTgtOrCreateNewFilter=Name of new filter
NoContactWithCategoryFound=No contact/address with a category found
NoContactLinkedToThirdpartieWithCategoryFound=No contact/address with a category found
-OutGoingEmailSetup=Outgoing email setup
-InGoingEmailSetup=Incoming email setup
-OutGoingEmailSetupForEmailing=Outgoing email setup (for module %s)
-DefaultOutgoingEmailSetup=Default outgoing email setup
+OutGoingEmailSetup=Outgoing emails
+InGoingEmailSetup=Incoming emails
+OutGoingEmailSetupForEmailing=Outgoing emails (for module %s)
+DefaultOutgoingEmailSetup=Same configuration than the global Outgoing email setup
Information=Információ
ContactsWithThirdpartyFilter=Contacts with third-party filter
Unanswered=Unanswered
Answered=Answered
IsNotAnAnswer=Is not answer (initial email)
IsAnAnswer=Is an answer of an initial email
+RecordCreatedByEmailCollector=Record created by the Email Collector %s from email %s
diff --git a/htdocs/langs/hu_HU/main.lang b/htdocs/langs/hu_HU/main.lang
index 1cb2ef1cbf2..958c680691f 100644
--- a/htdocs/langs/hu_HU/main.lang
+++ b/htdocs/langs/hu_HU/main.lang
@@ -28,7 +28,9 @@ NoTemplateDefined=Ilyen e-mail típushoz nincs elérhető sablon
AvailableVariables=Elérhető helyettesítő változók
NoTranslation=Nincs fordítás
Translation=Fordítás
+CurrentTimeZone=A PHP (szerver) időzónája
EmptySearchString=Adjon meg nem üres keresési feltételeket
+EnterADateCriteria=Enter a date criteria
NoRecordFound=Rekord nem található
NoRecordDeleted=Nincs törölt rekord
NotEnoughDataYet=Nincs elég adat
@@ -85,6 +87,8 @@ FileWasNotUploaded=Egy fájl ki lett választva csatolásra, de még nincs felt
NbOfEntries=Bejegyzések száma
GoToWikiHelpPage=Online súgó olvasása (Internet hozzáférés szükséges)
GoToHelpPage=Segítség olvasása
+DedicatedPageAvailable=There is a dedicated help page related to your current screen
+HomePage=Home Page
RecordSaved=Rekord elmentve
RecordDeleted=Rekord törölve
RecordGenerated=Rekord létrehozva
@@ -433,6 +437,7 @@ RemainToPay=Még fizetendő
Module=Modul/Alkalmazás
Modules=Modulok/alkalmazások
Option=Opció
+Filters=Filters
List=Lista
FullList=Teljes lista
FullConversation=Teljes beszélgetés
@@ -671,7 +676,7 @@ SendMail=E-mail küldése
Email=E-mail
NoEMail=Nincs email
AlreadyRead=Már elolvasott
-NotRead=Nem olvasott
+NotRead=Unread
NoMobilePhone=Nincs mobilszám
Owner=Tulajdonos
FollowingConstantsWillBeSubstituted=Az alábbi konstansok helyettesítve leszenek a hozzájuk tartozó értékekkel.
@@ -1107,3 +1112,8 @@ UpToDate=Up-to-date
OutOfDate=Out-of-date
EventReminder=Event Reminder
UpdateForAllLines=Update for all lines
+OnHold=On hold
+AffectTag=Affect Tag
+ConfirmAffectTag=Bulk Tag Affect
+ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected record(s)?
+CategTypeNotFound=No tag type found for type of records
diff --git a/htdocs/langs/hu_HU/modulebuilder.lang b/htdocs/langs/hu_HU/modulebuilder.lang
index 460aef8103b..d257f8a1b0b 100644
--- a/htdocs/langs/hu_HU/modulebuilder.lang
+++ b/htdocs/langs/hu_HU/modulebuilder.lang
@@ -5,7 +5,7 @@ EnterNameOfObjectDesc=Enter name of the object to create with no spaces. Use upp
ModuleBuilderDesc2=Path where modules are generated/edited (first directory for external modules defined into %s): %s
ModuleBuilderDesc3=Generated/editable modules found: %s
ModuleBuilderDesc4=A module is detected as 'editable' when the file %s exists in root of module directory
-NewModule=New module
+NewModule=Új modul
NewObjectInModulebuilder=New object
ModuleKey=Module key
ObjectKey=Object key
@@ -40,6 +40,7 @@ PageForCreateEditView=PHP page to create/edit/view a record
PageForAgendaTab=PHP page for event tab
PageForDocumentTab=PHP page for document tab
PageForNoteTab=PHP page for note tab
+PageForContactTab=PHP page for contact tab
PathToModulePackage=Path to zip of module/application package
PathToModuleDocumentation=Path to file of module/application documentation (%s)
SpaceOrSpecialCharAreNotAllowed=Spaces or special characters are not allowed.
@@ -77,7 +78,7 @@ IsAMeasure=Is a measure
DirScanned=Directory scanned
NoTrigger=No trigger
NoWidget=No widget
-GoToApiExplorer=Go to API explorer
+GoToApiExplorer=API explorer
ListOfMenusEntries=List of menu entries
ListOfDictionariesEntries=List of dictionaries entries
ListOfPermissionsDefined=List of defined permissions
@@ -105,7 +106,7 @@ TryToUseTheModuleBuilder=If you have knowledge of SQL and PHP, you may use the n
SeeTopRightMenu=See on the top right menu
AddLanguageFile=Add language file
YouCanUseTranslationKey=You can use here a key that is the translation key found into language file (see tab "Languages")
-DropTableIfEmpty=(Delete table if empty)
+DropTableIfEmpty=(Destroy table if empty)
TableDoesNotExists=The table %s does not exists
TableDropped=Table %s deleted
InitStructureFromExistingTable=Build the structure array string of an existing table
@@ -126,7 +127,6 @@ UseSpecificEditorURL = Use a specific editor URL
UseSpecificFamily = Use a specific family
UseSpecificAuthor = Use a specific author
UseSpecificVersion = Use a specific initial version
-ModuleMustBeEnabled=The module/application must be enabled first
IncludeRefGeneration=The reference of object must be generated automatically
IncludeRefGenerationHelp=Check this if you want to include code to manage the generation automatically of the reference
IncludeDocGeneration=I want to generate some documents from the object
@@ -140,3 +140,4 @@ TypeOfFieldsHelp=Type of fields: varchar(99), double(24,8), real, text, html,
AsciiToHtmlConverter=Ascii to HTML converter
AsciiToPdfConverter=Ascii to PDF converter
TableNotEmptyDropCanceled=Table not empty. Drop has been canceled.
+ModuleBuilderNotAllowed=The module builder is available but not allowed to your user.
diff --git a/htdocs/langs/hu_HU/other.lang b/htdocs/langs/hu_HU/other.lang
index 934ae54ceb1..29967b14c24 100644
--- a/htdocs/langs/hu_HU/other.lang
+++ b/htdocs/langs/hu_HU/other.lang
@@ -5,8 +5,6 @@ Tools=Eszközök
TMenuTools=Eszközök
ToolsDesc=A menükben nem szereplő összes eszköz ide van gyűjtve. Az eszközök a bal oldali menüből érhetők el.
Birthday=Születésnap
-BirthdayDate=Születésnap dátuma
-DateToBirth=Születési dátum
BirthdayAlertOn=Születésnaposok aktív
BirthdayAlertOff=Születésnaposok inaktív
TransKey=Translation of the key TransKey
@@ -16,6 +14,8 @@ PreviousMonthOfInvoice=A számla dátumát megelőző hónap (1–12)
TextPreviousMonthOfInvoice=A számla dátumát megelőző hónap (szöveges)
NextMonthOfInvoice=A számla dátumát követő hónap (1-12)
TextNextMonthOfInvoice=A számla dátumát követő hónap (szöveges)
+PreviousMonth=Previous month
+CurrentMonth=Current month
ZipFileGeneratedInto=A(z) %s fájlba létrehozott ZIP-fájl.
DocFileGeneratedInto=A(z) %s fájlba létrehozott dokumentum fájl.
JumpToLogin=A kapcsolat megszakadt. Ugrás a bejelentkezési oldalra ...
@@ -99,6 +99,7 @@ PredefinedMailContentSendShipping=__(Hello)__\n\nPlease find shipping __REF__ at
PredefinedMailContentSendFichInter=__(Hello)__\n\nPlease find intervention __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
PredefinedMailContentLink=A kifizetéshez kattintson az alábbi linkre, ha még nem történt meg.\n\n%s\n\n
PredefinedMailContentGeneric=__(Helló)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
+PredefinedMailContentSendActionComm=Event reminder "__EVENT_LABEL__" on __EVENT_DATE__ at __EVENT_TIME__
This is an automatic message, please do not reply.
DemoDesc=A Dolibarr egy kompakt ERP/CRM, amely számos üzleti modult támogat. Az összes modult bemutató demonstrációnak nincs értelme, mivel ez a forgatókönyv soha nem fordul elő (több száz elérhető). Azonban számos demo profil elérhető.
ChooseYourDemoProfil=Válassza ki az igényeinek leginkább megfelelő bemutató profilt ...
ChooseYourDemoProfilMore=... vagy készítsen saját profilt (manuális modulválasztás)
@@ -258,6 +259,7 @@ ContactCreatedByEmailCollector=Az elérhetőség/cím létrehozva az e-mail gyű
ProjectCreatedByEmailCollector=A projektet létrehozva az e-mail gyűjtő által az MSGID %s e-mailből
TicketCreatedByEmailCollector=A jegy létrehozva az e-mail gyűjtő által az MSGID %s e-mailből
OpeningHoursFormatDesc=A nyitvatartási időket (-tól-ig) kötőjellel (-) válassza el. Használjon szóközt a különböző idősávok megadásához. Példa: 8-12 14-18
+PrefixSession=Prefix for session ID
##### Export #####
ExportsArea=Az export területén
diff --git a/htdocs/langs/hu_HU/products.lang b/htdocs/langs/hu_HU/products.lang
index f260c21a8ac..cfb3c184ba5 100644
--- a/htdocs/langs/hu_HU/products.lang
+++ b/htdocs/langs/hu_HU/products.lang
@@ -108,7 +108,8 @@ FillWithLastServiceDates=Fill with last service line dates
MultiPricesAbility=Több árszegmens termékenként / szolgáltatásonként (minden ügyfél egy árszegmensben van)
MultiPricesNumPrices=Árak száma
DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices
-AssociatedProductsAbility=Activate kits (virtual products)
+AssociatedProductsAbility=Enable Kits (set of other products)
+VariantsAbility=Enable Variants (variations of products, for example color, size)
AssociatedProducts=Kits
AssociatedProductsNumber=Number of products composing this kit
ParentProductsNumber=Number of parent packaging product
@@ -167,8 +168,10 @@ BuyingPrices=Vételi árak
CustomerPrices=Végfelhasználói árak
SuppliersPrices=Eladási árak
SuppliersPricesOfProductsOrServices=Eladási árak (termékek vagy szolgáltatások)
-CustomCode=Vám / Áru / HS kód
+CustomCode=Customs|Commodity|HS code
CountryOrigin=Származási ország
+RegionStateOrigin=Region origin
+StateOrigin=State|Province origin
Nature=Nature of product (material/finished)
NatureOfProductShort=Nature of product
NatureOfProductDesc=Raw material or finished product
@@ -239,7 +242,7 @@ AlwaysUseFixedPrice=Használja a fix árat
PriceByQuantity=Mennyiségtől függő ár
DisablePriceByQty=Disable prices by quantity
PriceByQuantityRange=Mennyiségi intervallum
-MultipriceRules=Árazási szabályok
+MultipriceRules=Automatic prices for segment
UseMultipriceRules=Használjon árszegmens-szabályokat (meghatározva a termékmodul beállításában), hogy automatikusan kiszámítsa az összes többi szegmens árát az első szegmens szerint
PercentVariationOver=%% változó ár %s fölött
PercentDiscountOver=%% kedvezmény %s fölött
diff --git a/htdocs/langs/hu_HU/recruitment.lang b/htdocs/langs/hu_HU/recruitment.lang
index 17638802c51..590a003a8f0 100644
--- a/htdocs/langs/hu_HU/recruitment.lang
+++ b/htdocs/langs/hu_HU/recruitment.lang
@@ -73,3 +73,4 @@ JobClosedTextCandidateFound=The job position is closed. The position has been fi
JobClosedTextCanceled=The job position is closed.
ExtrafieldsJobPosition=Complementary attributes (job positions)
ExtrafieldsCandidatures=Complementary attributes (job applications)
+MakeOffer=Make an offer
diff --git a/htdocs/langs/hu_HU/sendings.lang b/htdocs/langs/hu_HU/sendings.lang
index 9e47080363d..aba9cc8f51b 100644
--- a/htdocs/langs/hu_HU/sendings.lang
+++ b/htdocs/langs/hu_HU/sendings.lang
@@ -30,6 +30,7 @@ OtherSendingsForSameOrder=Más szállítások ehhez a megrendeléshez
SendingsAndReceivingForSameOrder=Shipments and receipts for this order
SendingsToValidate=Hitelesítésre váró szállítások
StatusSendingCanceled=Megszakítva
+StatusSendingCanceledShort=Visszavonva
StatusSendingDraft=Piszkozat
StatusSendingValidated=Hitelesítve (már szállítva)
StatusSendingProcessed=Feldolgozott
@@ -65,6 +66,7 @@ ValidateOrderFirstBeforeShipment=You must first validate the order before being
# Sending methods
# ModelDocument
DocumentModelTyphon=Teljesebb dokumentum modell bizonylatokhoz (logo...)
+DocumentModelStorm=More complete document model for delivery receipts and extrafields compatibility (logo...)
Error_EXPEDITION_ADDON_NUMBER_NotDefined=Állandó EXPEDITION_ADDON_NUMBER nincs definiálva
SumOfProductVolumes=Sum of product volumes
SumOfProductWeights=Sum of product weights
diff --git a/htdocs/langs/hu_HU/stocks.lang b/htdocs/langs/hu_HU/stocks.lang
index c41ce038ee2..796e088e34d 100644
--- a/htdocs/langs/hu_HU/stocks.lang
+++ b/htdocs/langs/hu_HU/stocks.lang
@@ -240,3 +240,4 @@ InventoryRealQtyHelp=Set value to 0 to reset qty Keep field empty, or remove
UpdateByScaning=Update by scaning
UpdateByScaningProductBarcode=Update by scan (product barcode)
UpdateByScaningLot=Update by scan (lot|serial barcode)
+DisableStockChangeOfSubProduct=Deactivate the stock change for all the subproducts of this Kit during this movement.
diff --git a/htdocs/langs/hu_HU/ticket.lang b/htdocs/langs/hu_HU/ticket.lang
index 79cde86ee8b..eca711a1cf2 100644
--- a/htdocs/langs/hu_HU/ticket.lang
+++ b/htdocs/langs/hu_HU/ticket.lang
@@ -31,10 +31,8 @@ TicketDictType=Ticket - Types
TicketDictCategory=Ticket - Groupes
TicketDictSeverity=Ticket - Severities
TicketDictResolution=Ticket - Resolution
-TicketTypeShortBUGSOFT=Dysfonctionnement logiciel
-TicketTypeShortBUGHARD=Dysfonctionnement matériel
-TicketTypeShortCOM=Commercial question
+TicketTypeShortCOM=Commercial question
TicketTypeShortHELP=Request for functionnal help
TicketTypeShortISSUE=Issue, bug or problem
TicketTypeShortREQUEST=Change or enhancement request
@@ -44,7 +42,7 @@ TicketTypeShortOTHER=Egyéb
TicketSeverityShortLOW=Alacsony
TicketSeverityShortNORMAL=Normal
TicketSeverityShortHIGH=Magas
-TicketSeverityShortBLOCKING=Critical/Blocking
+TicketSeverityShortBLOCKING=Critical, Blocking
ErrorBadEmailAddress=Field '%s' incorrect
MenuTicketMyAssign=My tickets
@@ -60,7 +58,6 @@ OriginEmail=Email source
Notify_TICKET_SENTBYMAIL=Send ticket message by email
# Status
-NotRead=Nem olvasott
Read=Olvas
Assigned=Assigned
InProgress=Folyamatban
@@ -126,6 +123,7 @@ TicketsActivatePublicInterfaceHelp=Public interface allow any visitors to create
TicketsAutoAssignTicket=Automatically assign the user who created the ticket
TicketsAutoAssignTicketHelp=When creating a ticket, the user can be automatically assigned to the ticket.
TicketNumberingModules=Tickets numbering module
+TicketsModelModule=Document templates for tickets
TicketNotifyTiersAtCreation=Notify third party at creation
TicketsDisableCustomerEmail=Always disable emails when a ticket is created from public interface
TicketsPublicNotificationNewMessage=Send email(s) when a new message is added
@@ -233,7 +231,6 @@ TicketLogStatusChanged=Status changed: %s to %s
TicketNotNotifyTiersAtCreate=Not notify company at create
Unread=Unread
TicketNotCreatedFromPublicInterface=Not available. Ticket was not created from public interface.
-PublicInterfaceNotEnabled=Public interface was not enabled
ErrorTicketRefRequired=Ticket reference name is required
#
diff --git a/htdocs/langs/hu_HU/website.lang b/htdocs/langs/hu_HU/website.lang
index 25d8faccd6d..d7e4a43010d 100644
--- a/htdocs/langs/hu_HU/website.lang
+++ b/htdocs/langs/hu_HU/website.lang
@@ -30,7 +30,6 @@ EditInLine=Szerkesztés inline
AddWebsite=Webhely hozzáadása
Webpage=Weblap / tároló
AddPage=Oldal / tároló hozzáadása
-HomePage=Honlap
PageContainer=Oldal
PreviewOfSiteNotYetAvailable=A weboldal előnézete %s még nem érhető el. Először ' Teljes weboldal-sablont kell importálnia ' vagy csak ' Oldal / tároló hozzáadása ' elemet .
RequestedPageHasNoContentYet=Az %s azonosítóval kért oldalnak még nincs tartalma, vagy a .tpl.php gyorsítótár fájlt eltávolították. Szerkessze az oldal tartalmát ennek megoldásához.
@@ -101,7 +100,7 @@ EmptyPage=Üres oldal
ExternalURLMustStartWithHttp=A külső URL-nek http: // vagy https: // -el kell kezdődnie.
ZipOfWebsitePackageToImport=Töltse fel a webhelysablon-csomag Zip fájlját
ZipOfWebsitePackageToLoad=vagy Válasszon egy elérhető beágyazott webhelysablon-csomagot
-ShowSubcontainers=Vegye fel a dinamikus tartalmat
+ShowSubcontainers=Show dynamic content
InternalURLOfPage=Az oldal belső URL-je
ThisPageIsTranslationOf=Ez az oldal / konténer a(z) ... nyelv fordítása
ThisPageHasTranslationPages=Ezen az oldalon / tárolóban van fordítás
@@ -137,3 +136,4 @@ RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using
PagesRegenerated=%s page(s)/container(s) regenerated
RegenerateWebsiteContent=Regenerate web site cache files
AllowedInFrames=Allowed in Frames
+DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languages into web site properties.
diff --git a/htdocs/langs/hu_HU/withdrawals.lang b/htdocs/langs/hu_HU/withdrawals.lang
index 7522b6d2bd1..5c76ab61299 100644
--- a/htdocs/langs/hu_HU/withdrawals.lang
+++ b/htdocs/langs/hu_HU/withdrawals.lang
@@ -42,6 +42,7 @@ LastWithdrawalReceipt=Latest %s direct debit receipts
MakeWithdrawRequest=Make a direct debit payment request
MakeBankTransferOrder=Make a credit transfer request
WithdrawRequestsDone=%s direct debit payment requests recorded
+BankTransferRequestsDone=%s credit transfer requests recorded
ThirdPartyBankCode=Third-party bank code
NoInvoiceCouldBeWithdrawed=No invoice debited successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s.
ClassCredited=Jóváírtan osztályozva
@@ -131,7 +132,8 @@ SEPARCUR=SEPA CUR
SEPAFRST=SEPA FRST
ExecutionDate=Execution date
CreateForSepa=Create direct debit file
-ICS=Creditor Identifier CI
+ICS=Creditor Identifier CI for direct debit
+ICSTransfer=Creditor Identifier CI for bank transfer
END_TO_END="EndToEndId" SEPA XML tag - Unique id assigned per transaction
USTRD="Unstructured" SEPA XML tag
ADDDAYS=Add days to Execution Date
@@ -146,3 +148,4 @@ InfoRejectSubject=Direct debit payment order refused
InfoRejectMessage=Hello,
the direct debit payment order of invoice %s related to the company %s, with an amount of %s has been refused by the bank.
-- %s
ModeWarning=Opció a valós módban nem volt beállítva, akkor hagyja abba ezt követően szimuláció
ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know wich one to use.
+ErrorICSmissing=Missing ICS in Bank account %s
diff --git a/htdocs/langs/id_ID/accountancy.lang b/htdocs/langs/id_ID/accountancy.lang
index 669c6b2ad04..fdfffbf1e1b 100644
--- a/htdocs/langs/id_ID/accountancy.lang
+++ b/htdocs/langs/id_ID/accountancy.lang
@@ -48,6 +48,7 @@ CountriesExceptMe=Semua negara kecuali %s
AccountantFiles=Export source documents
ExportAccountingSourceDocHelp=With this tool, you can export the source events (list and PDFs) that were used to generate your accountancy. To export your journals, use the menu entry %s - %s.
VueByAccountAccounting=View by accounting account
+VueBySubAccountAccounting=View by accounting subaccount
MainAccountForCustomersNotDefined=Akun akuntansi utama untuk pelanggan tidak ditentukan dalam pengaturan
MainAccountForSuppliersNotDefined=Akun akuntansi utama untuk vendor tidak ditentukan dalam pengaturan
@@ -144,7 +145,7 @@ NotVentilatedinAccount=Tidak terikat pada akun akuntansi
XLineSuccessfullyBinded=%s produk/layanan berhasil diikat ke akun akuntansi
XLineFailedToBeBinded=Produk/layanan %s tidak terikat pada akun akuntansi mana pun
-ACCOUNTING_LIMIT_LIST_VENTILATION=Jumlah elemen yang akan dijilidkan ditunjukkan oleh halaman (maksimum yang disarankan: 50)
+ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50)
ACCOUNTING_LIST_SORT_VENTILATION_TODO=Mulailah menyortir halaman "Binding to do" oleh elemen-elemen terbaru
ACCOUNTING_LIST_SORT_VENTILATION_DONE=Mulailah menyortir halaman "Binding done" oleh elemen-elemen terbaru
@@ -198,7 +199,8 @@ Docdate=Tanggal
Docref=Referensi
LabelAccount=Label Akun
LabelOperation=Operasi label
-Sens=Sen
+Sens=Direction
+AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received For an accounting account of a supplier, use Debit to record a payment you make
LetteringCode=Kode huruf
Lettering=Tulisan
Codejournal=Jurnal
@@ -206,7 +208,8 @@ JournalLabel=Label jurnal
NumPiece=Jumlah potongan
TransactionNumShort=Tidak. transaksi
AccountingCategory=Grup yang dipersonalisasi
-GroupByAccountAccounting=Kelompokkan dengan akun akuntansi
+GroupByAccountAccounting=Group by general ledger account
+GroupBySubAccountAccounting=Group by subledger account
AccountingAccountGroupsDesc=Anda dapat mendefinisikan di sini beberapa grup akun akuntansi. Mereka akan digunakan untuk laporan akuntansi yang dipersonalisasi.
ByAccounts=Dengan akun
ByPredefinedAccountGroups=Oleh kelompok yang telah ditentukan
@@ -248,7 +251,7 @@ PaymentsNotLinkedToProduct=Pembayaran tidak terkait dengan produk / layanan apa
OpeningBalance=Saldo awal
ShowOpeningBalance=Tampilkan saldo awal
HideOpeningBalance=Sembunyikan saldo awal
-ShowSubtotalByGroup=Tampilkan subtotal menurut grup
+ShowSubtotalByGroup=Show subtotal by level
Pcgtype=Grup akun
PcgtypeDesc=Grup akun digunakan sebagai kriteria 'filter' dan 'pengelompokan' yang telah ditentukan sebelumnya untuk beberapa laporan akuntansi. Misalnya, 'PENGHASILAN' atau 'BEBAN' digunakan sebagai grup untuk akun akuntansi produk untuk membangun laporan pengeluaran / pendapatan.
@@ -271,11 +274,13 @@ DescVentilExpenseReport=Konsultasikan di sini daftar garis laporan pengeluaran y
DescVentilExpenseReportMore=Jika Anda mengatur akun akuntansi pada jenis garis laporan pengeluaran, aplikasi akan dapat membuat semua ikatan antara garis laporan pengeluaran Anda dan akun akuntansi dari bagan akun Anda, cukup dengan satu klik dengan tombol"%s" . Jika akun tidak ditetapkan pada kamus biaya atau jika Anda masih memiliki beberapa baris yang tidak terikat pada akun apa pun, Anda harus membuat manual yang mengikat dari menu " %s ".
DescVentilDoneExpenseReport=Konsultasikan di sini daftar garis laporan pengeluaran dan akun akuntansi biayanya
+Closure=Annual closure
DescClosure=Konsultasikan di sini jumlah gerakan berdasarkan bulan yang tidak divalidasi & tahun fiskal sudah terbuka
OverviewOfMovementsNotValidated=Langkah 1 / Ikhtisar gerakan yang tidak divalidasi. (Diperlukan untuk menutup tahun fiskal)
+AllMovementsWereRecordedAsValidated=All movements were recorded as validated
+NotAllMovementsCouldBeRecordedAsValidated=Not all movements could be recorded as validated
ValidateMovements=Validasi gerakan
DescValidateMovements=Setiap modifikasi atau penghapusan tulisan, huruf dan penghapusan akan dilarang. Semua entri untuk latihan harus divalidasi jika tidak, penutupan tidak akan mungkin
-SelectMonthAndValidate=Pilih bulan dan validasi gerakan
ValidateHistory=Mengikat Secara Otomatis
AutomaticBindingDone=Pengikatan otomatis dilakukan
@@ -293,6 +298,7 @@ Accounted=Disumbang dalam buku besar
NotYetAccounted=Belum diperhitungkan dalam buku besar
ShowTutorial=Perlihatkan Tutorial
NotReconciled=Tidak didamaikan
+WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view
## Admin
BindingOptions=Binding options
@@ -337,6 +343,7 @@ Modelcsv_LDCompta10=Ekspor untuk LD Compta (v10 & lebih tinggi)
Modelcsv_openconcerto=Ekspor untuk OpenConcerto (Uji)
Modelcsv_configurable=Ekspor CSV Dapat Dikonfigurasi
Modelcsv_FEC=Ekspor FEC
+Modelcsv_FEC2=Export FEC (With dates generation writing / document reversed)
Modelcsv_Sage50_Swiss=Ekspor untuk Sage 50 Swiss
Modelcsv_winfic=Ekspor Winfic - eWinfic - WinSis Compta
Modelcsv_Gestinumv3=Export for Gestinum (v3)
diff --git a/htdocs/langs/id_ID/admin.lang b/htdocs/langs/id_ID/admin.lang
index d5b84801d2d..a6f95dbd569 100644
--- a/htdocs/langs/id_ID/admin.lang
+++ b/htdocs/langs/id_ID/admin.lang
@@ -56,6 +56,8 @@ GUISetup=Tampakan Display
SetupArea=Pengaturan
UploadNewTemplate=Unggah templat baru(s)
FormToTestFileUploadForm=Halaman percobaan untuk mengunggah berkas (berdasarkan konfigurasi di pengaturan)
+ModuleMustBeEnabled=The module/application %s must be enabled
+ModuleIsEnabled=The module/application %s has been enabled
IfModuleEnabled=Catatan: Ya akan hanya efektif ketika modul %s diaktifkan
RemoveLock=Hapus / ganti nama berkas %s jika sudah ada, untuk memperbolehkan pemakaian alat Perbarui / Instal.
RestoreLock=Pulihkan berkas %s, dengan izin baca saja, untuk menonaktifkan pemakaian alat Pembaruan / Instal lebih lanjut.
@@ -85,7 +87,6 @@ ShowPreview=Tampilkan pratinjau
ShowHideDetails=Show-Hide details
PreviewNotAvailable=Preview tidak tersedia
ThemeCurrentlyActive=Tema yang sedang aktif
-CurrentTimeZone=TimeZone PHP (Server)
MySQLTimeZone=TimeZone MySql (database)
TZHasNoEffect=Tanggal disimpan dan dikembalikan oleh server database seolah-olah disimpan sebagai string yang dikirimkan. Zona waktu hanya berpengaruh bila menggunakan fungsi UNIX_TIMESTAMP (yang seharusnya tidak digunakan oleh Dolibarr, jadi basis data TZ seharusnya tidak berpengaruh, bahkan jika diubah setelah data dimasukkan).
Space=Ruang
@@ -153,8 +154,8 @@ SystemToolsAreaDesc=Area ini menyediakan fungsi administrasi. Gunakan menu untuk
Purge=Perbersihan
PurgeAreaDesc=Halaman ini memungkinkan Anda untuk menghapus semua file yang dihasilkan atau disimpan oleh Dolibarr (file sementara atau semua file di%sdirektori). Menggunakan fitur ini biasanya tidak diperlukan. Ini disediakan sebagai solusi untuk pengguna yang Dolibarr di-host oleh penyedia yang tidak menawarkan izin untuk menghapus file yang dihasilkan oleh server web.
PurgeDeleteLogFile=Hapus file log, termasuk%sdidefinisikan untuk modul Syslog (tidak ada risiko kehilangan data)
-PurgeDeleteTemporaryFiles=Hapus semua file sementara (tidak ada risiko kehilangan data). Catatan: Penghapusan dilakukan hanya jika direktori temp dibuat 24 jam yang lalu.
-PurgeDeleteTemporaryFilesShort=Hapus file sementara
+PurgeDeleteTemporaryFiles=Delete all log and temporary files (no risk of losing data). Note: Deletion of temporary files is done only if the temp directory was created more than 24 hours ago.
+PurgeDeleteTemporaryFilesShort=Delete log and temporary files
PurgeDeleteAllFilesInDocumentsDir=Hapus semua file dalam direktori:%s . Ini akan menghapus semua dokumen yang dihasilkan terkait dengan elemen (pihak ketiga, faktur dll ...), file yang diunggah ke dalam modul ECM, kesedihan cadangan database dan file sementara.
PurgeRunNow=Bersihkan sekarang
PurgeNothingToDelete=Tidak ada direktori atau file untuk dihapus.
@@ -256,6 +257,7 @@ ReferencedPreferredPartners=Mitra yang Dipilih
OtherResources=Sumber daya lainnya
ExternalResources=Sumber Daya Eksternal
SocialNetworks=Jaringan sosial
+SocialNetworkId=Social Network ID
ForDocumentationSeeWiki=Untuk dokumentasi pengguna atau pengembang (Doc, FAQs ...), lihatlah pada Dolibarr Wiki: %s a0ebd08bc08bc08
ForAnswersSeeForum=Untuk pertanyaan / bantuan lain, Anda dapat menggunakan forum Dolibarr: %s
HelpCenterDesc1=Berikut adalah beberapa sumber untuk mendapatkan bantuan dan dukungan dengan Dolibarr.
@@ -375,7 +377,7 @@ ExamplesWithCurrentSetup=Contoh dengan konfigurasi saat ini
ListOfDirectories=Daftar direktori templat OpenDocument
ListOfDirectoriesForModelGenODT=Daftar direktori yang berisi file templat dengan format OpenDocument.
Masukkan path direktori lengkap di sini. Tambahkan carriage return antara direktori eah. Untuk menambahkan direktori modul GED, tambahkan di siniDOL_DATA_ROOT / ecm / yourdirectoryname .
File dalam direktori tersebut harus diakhiri dengan.odtatau.ods .
NumberOfModelFilesFound=Jumlah file template ODT / ODS yang ditemukan di direktori ini
-ExampleOfDirectoriesForModelGen=Contoh sintaks: c: \\ mydir / home / mydir DOL_DATA_ROOT / ecm / ecmdir
+ExampleOfDirectoriesForModelGen=Examples of syntax: c:\\myapp\\mydocumentdir\\mysubdir /home/myapp/mydocumentdir/mysubdir DOL_DATA_ROOT/ecm/ecmdir
FollowingSubstitutionKeysCanBeUsed= Untuk mengetahui cara membuat tempt dokumen ODT Anda, sebelum menyimpannya di direktori tersebut, baca dokumentasi wiki:
FullListOnOnlineDocumentation=http://wiki.dolibarr.org/index.php/Create_an_ODT_document_template
FirstnameNamePosition=Posisi Nama/Nama Belakang
@@ -406,7 +408,7 @@ UrlGenerationParameters=Parameter untuk mengamankan URL
SecurityTokenIsUnique=Gunakan parameter keamanan unik untuk setiap URL
EnterRefToBuildUrl=Masukkan referensi untuk objek %s
GetSecuredUrl=Dapatkan URL yang dihitung
-ButtonHideUnauthorized=Sembunyikan tombol untuk pengguna non-admin untuk tindakan yang tidak sah alih-alih menunjukkan tombol yang dinonaktifkan yang berwarna abu-abu
+ButtonHideUnauthorized=Hide unauthorized action buttons also for internal users (just greyed otherwise)
OldVATRates=Suku VAT lama
NewVATRates=Suku VAT baru
PriceBaseTypeToChange=Ubah harga dengan nilai referensi dasar ditentukan pada
@@ -1689,7 +1691,7 @@ NotTopTreeMenuPersonalized=Menu yang dipersonalisasi tidak ditautkan ke entri me
NewMenu=Menu baru
MenuHandler=Penangan menu
MenuModule=Modul sumber
-HideUnauthorizedMenu= Sembunyikan menu yang tidak sah (abu-abu)
+HideUnauthorizedMenu=Hide unauthorized menus also for internal users (just greyed otherwise)
DetailId=Menu id
DetailMenuHandler=Penangan menu tempat menampilkan menu baru
DetailMenuModule=Nama modul jika entri menu berasal dari modul
@@ -1983,11 +1985,12 @@ EMailHost=Host server IMAP email
MailboxSourceDirectory=Direktori sumber kotak surat
MailboxTargetDirectory=Direktori target kotak surat
EmailcollectorOperations=Operasi yang harus dilakukan oleh kolektor
+EmailcollectorOperationsDesc=Operations are executed from top to bottom order
MaxEmailCollectPerCollect=Jumlah email maksimum yang dikumpulkan per kumpulkan
CollectNow=Kumpulkan sekarang
ConfirmCloneEmailCollector=Anda yakin ingin mengkloning kolektor Email %s?
-DateLastCollectResult=Tanggal kumpulkan terbaru dicoba
-DateLastcollectResultOk=Tanggal terbaru kumpulkan berhasill
+DateLastCollectResult=Date of latest collect try
+DateLastcollectResultOk=Date of latest collect success
LastResult=Hasil terbaru
EmailCollectorConfirmCollectTitle=Konfirmasi pengumpulan email
EmailCollectorConfirmCollect=Apakah Anda ingin menjalankan koleksi untuk kolektor ini sekarang?
@@ -2005,7 +2008,7 @@ WithDolTrackingID=Message from a conversation initiated by a first email sent fr
WithoutDolTrackingID=Message from a conversation initiated by a first email NOT sent from Dolibarr
WithDolTrackingIDInMsgId=Message sent from Dolibarr
WithoutDolTrackingIDInMsgId=Message NOT sent from Dolibarr
-CreateCandidature=Create candidature
+CreateCandidature=Create job application
FormatZip=Kode Pos
MainMenuCode=Kode entri menu (mainmenu)
ECMAutoTree=Tampilkan pohon ECM otomatis
@@ -2083,3 +2086,7 @@ CountryIfSpecificToOneCountry=Country (if specific to a given country)
YouMayFindSecurityAdviceHere=You may find security advisory here
ModuleActivatedMayExposeInformation=This module may expose sensitive data. If you don't need it, disable it.
ModuleActivatedDoNotUseInProduction=A module designed for the development has been enabled. Do not enable it on a production environment.
+CombinationsSeparator=Separator character for product combinations
+SeeLinkToOnlineDocumentation=See link to online documention on top menu for examples
+SHOW_SUBPRODUCT_REF_IN_PDF=If the feature "%s" of module %s is used, show details of subproducts of a kit on PDF.
+AskThisIDToYourBank=Contact your bank to get this ID
diff --git a/htdocs/langs/id_ID/banks.lang b/htdocs/langs/id_ID/banks.lang
index 4f6a68201fd..c4da69105fe 100644
--- a/htdocs/langs/id_ID/banks.lang
+++ b/htdocs/langs/id_ID/banks.lang
@@ -173,8 +173,8 @@ SEPAMandate=Mandat SEPA
YourSEPAMandate=Mandat SEPA Anda
FindYourSEPAMandate=Ini adalah mandat SEPA Anda untuk mengotorisasi perusahaan kami untuk melakukan pemesanan debit langsung ke bank Anda. Kembalikan ditandatangani (pindai dokumen yang ditandatangani) atau kirimkan melalui pos ke
AutoReportLastAccountStatement=Isi kolom 'nomor rekening bank' secara otomatis dengan nomor pernyataan terakhir saat melakukan rekonsiliasi
-CashControl=Pagar kas POS
-NewCashFence=Pagar uang tunai baru
+CashControl=POS cash desk control
+NewCashFence=New cash desk closing
BankColorizeMovement=Warnai gerakan
BankColorizeMovementDesc=Jika fungsi ini diaktifkan, Anda dapat memilih warna latar belakang spesifik untuk gerakan debit atau kredit
BankColorizeMovementName1=Warna latar belakang untuk pergerakan debit
diff --git a/htdocs/langs/id_ID/blockedlog.lang b/htdocs/langs/id_ID/blockedlog.lang
index 6e33a07b94f..45c2d2264dd 100644
--- a/htdocs/langs/id_ID/blockedlog.lang
+++ b/htdocs/langs/id_ID/blockedlog.lang
@@ -35,7 +35,7 @@ logDON_DELETE=Penghapusan donasi logis
logMEMBER_SUBSCRIPTION_CREATE=Langganan anggota dibuat
logMEMBER_SUBSCRIPTION_MODIFY=Langganan anggota diubah
logMEMBER_SUBSCRIPTION_DELETE=Penghapusan logis langganan anggota
-logCASHCONTROL_VALIDATE=Rekaman pagar uang tunai
+logCASHCONTROL_VALIDATE=Cash desk closing recording
BlockedLogBillDownload=Unduhan faktur pelanggan
BlockedLogBillPreview=Pratinjau faktur pelanggan
BlockedlogInfoDialog=Detail Log
diff --git a/htdocs/langs/id_ID/boxes.lang b/htdocs/langs/id_ID/boxes.lang
index d4ae8002577..87ccb7831b5 100644
--- a/htdocs/langs/id_ID/boxes.lang
+++ b/htdocs/langs/id_ID/boxes.lang
@@ -46,9 +46,12 @@ BoxTitleLastModifiedDonations=Donasi terbaru %s yang dimodifikasi
BoxTitleLastModifiedExpenses=Laporan pengeluaran termodifikasi %s terbaru
BoxTitleLatestModifiedBoms=BOM dimodifikasi %s terbaru
BoxTitleLatestModifiedMos=Modifikasi Pesanan Manufaktur %s terbaru
+BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded
BoxGlobalActivity=Aktivitas global (faktur, proposal, pesanan)
BoxGoodCustomers=Pelanggan yang baik
BoxTitleGoodCustomers=%s Pelanggan yang baik
+BoxScheduledJobs=Scheduled jobs
+BoxTitleFunnelOfProspection=Lead funnel
FailedToRefreshDataInfoNotUpToDate=Gagal menyegarkan fluks RSS. Tanggal penyegaran yang sukses terakhir: %s
LastRefreshDate=Tanggal penyegaran terbaru
NoRecordedBookmarks=Tidak ada penanda yang ditentukan.
@@ -102,5 +105,7 @@ SuspenseAccountNotDefined=Akun penangguhan tidak ditentukan
BoxLastCustomerShipments=Pengiriman pelanggan terakhir
BoxTitleLastCustomerShipments=Pengiriman pelanggan %s terbaru
NoRecordedShipments=Tidak ada pengiriman pelanggan yang direkam
+BoxCustomersOutstandingBillReached=Customers with oustanding limit reached
# Pages
AccountancyHome=Akuntansi
+ValidatedProjects=Validated projects
diff --git a/htdocs/langs/id_ID/cashdesk.lang b/htdocs/langs/id_ID/cashdesk.lang
index bc39b8bf56b..b18ea4ad4a5 100644
--- a/htdocs/langs/id_ID/cashdesk.lang
+++ b/htdocs/langs/id_ID/cashdesk.lang
@@ -49,8 +49,8 @@ Footer=Catatan Kaki
AmountAtEndOfPeriod=Jumlah pada akhir periode (hari, bulan atau tahun)
TheoricalAmount=Jumlah teoretis
RealAmount=Jumlah nyata
-CashFence=Anggaran uang tunai
-CashFenceDone=Anggaran uang tunai yang dilakukan untuk periode tersebut
+CashFence=Cash desk closing
+CashFenceDone=Cash desk closing done for the period
NbOfInvoices=Nb faktur
Paymentnumpad=Jenis Pad untuk memasukkan pembayaran
Numberspad=Angka pad
@@ -99,8 +99,9 @@ CashDeskRefNumberingModules=Modul penomoran untuk penjualan POS
CashDeskGenericMaskCodes6 = tag {TN}digunakan untuk menambahkan nomor terminal
TakeposGroupSameProduct=Kelompokkan lini produk yang sama
StartAParallelSale=Mulai penjualan paralel baru
-ControlCashOpening=Control cash box at opening POS
-CloseCashFence=Tutup pagar uang
+SaleStartedAt=Sale started at %s
+ControlCashOpening=Control cash popup at opening POS
+CloseCashFence=Close cash desk control
CashReport=Laporan tunai
MainPrinterToUse=Printer utama untuk digunakan
OrderPrinterToUse=Memesan printer untuk digunakan
@@ -122,3 +123,4 @@ GiftReceipt=Gift receipt
ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled first
AllowDelayedPayment=Allow delayed payment
PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts
+WeighingScale=Weighing scale
diff --git a/htdocs/langs/id_ID/categories.lang b/htdocs/langs/id_ID/categories.lang
index 15b8b143200..d37a907add2 100644
--- a/htdocs/langs/id_ID/categories.lang
+++ b/htdocs/langs/id_ID/categories.lang
@@ -19,6 +19,7 @@ ProjectsCategoriesArea=Area label/kategori Proyek
UsersCategoriesArea=Area label/kategori Pengguna
SubCats=Sub-kategori
CatList=Daftar label/kategori
+CatListAll=List of tags/categories (all types)
NewCategory=Label/kategori baru
ModifCat=Ubah label/kategori
CatCreated=Label/kategori dibuat
@@ -65,16 +66,22 @@ UsersCategoriesShort=Label/kategori pengguna
StockCategoriesShort=Label/kategori gudang
ThisCategoryHasNoItems=Kategori ini tidak mengandung barang apa pun.
CategId=Label/id kategori
-CatSupList=Daftar label/kategori vendor
-CatCusList=Daftar label/kategori pelanggan/prospek
+ParentCategory=Parent tag/category
+ParentCategoryLabel=Label of parent tag/category
+CatSupList=List of vendors tags/categories
+CatCusList=List of customers/prospects tags/categories
CatProdList=Daftar label/kategori produk
CatMemberList=Daftar label/kategori anggota
-CatContactList=Daftar label/kategori kontak
-CatSupLinks=Tautan antara pemasok dan label/kategori
+CatContactList=List of contacts tags/categories
+CatProjectsList=List of projects tags/categories
+CatUsersList=List of users tags/categories
+CatSupLinks=Links between vendors and tags/categories
CatCusLinks=Tautan antara pelanggan/prospek dan label/kategori
CatContactsLinks=Tautan antara kontak/alamat dan label/kategori
CatProdLinks=Tautan antara produk/layanan dan label/kategori
-CatProJectLinks=Tautan antara proyek dan label/kategori
+CatMembersLinks=Links between members and tags/categories
+CatProjectsLinks=Tautan antara proyek dan label/kategori
+CatUsersLinks=Links between users and tags/categories
DeleteFromCat=Hapus dari label/kategori
ExtraFieldsCategories=Atribut pelengkap
CategoriesSetup=Pengaturan label/kategori
diff --git a/htdocs/langs/id_ID/companies.lang b/htdocs/langs/id_ID/companies.lang
index 3dd19063424..08b96e96903 100644
--- a/htdocs/langs/id_ID/companies.lang
+++ b/htdocs/langs/id_ID/companies.lang
@@ -358,7 +358,7 @@ VATIntraCheckableOnEUSite=Periksa ID PPN intra-Komunitas di situs web Komisi Ero
VATIntraManualCheck=Anda juga dapat memeriksa secara manual di situs web Komisi Eropa %s
ErrorVATCheckMS_UNAVAILABLE=Periksa tidak mungkin. Layanan cek tidak disediakan oleh negara anggota (%s).
NorProspectNorCustomer=Bukan prospek, bukan pelanggan
-JuridicalStatus=Jenis Badan Hukum
+JuridicalStatus=Business entity type
Workforce=Workforce
Staff=karyawan
ProspectLevelShort=Potensi
diff --git a/htdocs/langs/id_ID/compta.lang b/htdocs/langs/id_ID/compta.lang
index 5b49606be63..9e62c742f29 100644
--- a/htdocs/langs/id_ID/compta.lang
+++ b/htdocs/langs/id_ID/compta.lang
@@ -111,7 +111,7 @@ Refund=Pengembalian dana
SocialContributionsPayments=Pembayaran pajak sosial / fiskal
ShowVatPayment=Tampilkan pembayaran PPN
TotalToPay=Total yang harus dibayar
-BalanceVisibilityDependsOnSortAndFilters=Saldo terlihat dalam daftar ini hanya jika tabel diurutkan naik pada %s dan difilter untuk 1 rekening bank
+BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted on %s and filtered on 1 bank account (with no other filters)
CustomerAccountancyCode=Kode akuntansi pelanggan
SupplierAccountancyCode=Kode akuntansi vendor
CustomerAccountancyCodeShort=Cust. Akun. kode
@@ -140,7 +140,7 @@ ConfirmDeleteSocialContribution=Anda yakin ingin menghapus pembayaran pajak sosi
ExportDataset_tax_1=Pajak dan pembayaran sosial dan fiskal
CalcModeVATDebt=Mode%sVAT pada komitmen akuning%s .
CalcModeVATEngagement=Mode%sVAT pada pendapatan-pengeluaran%s .
-CalcModeDebt=Analisis faktur tercatat yang diketahui bahkan jika mereka belum diperhitungkan dalam buku besar.
+CalcModeDebt=Analysis of known recorded documents even if they are not yet accounted in ledger.
CalcModeEngagement=Analisis pembayaran tercatat yang diketahui, bahkan jika mereka belum diperhitungkan dalam Buku Besar.
CalcModeBookkeeping=Analisis data dijurnal dalam tabel Pembukuan Pembukuan.
CalcModeLT1= Mode%sRE pada faktur pelanggan - pemasok invoices%s
@@ -154,9 +154,9 @@ AnnualSummaryInputOutputMode=Neraca pendapatan dan pengeluaran, ringkasan tahuna
AnnualByCompanies=Saldo pendapatan dan pengeluaran, menurut kelompok akun yang telah ditentukan
AnnualByCompaniesDueDebtMode=Neraca pendapatan dan pengeluaran, perincian menurut kelompok yang telah ditentukan, mode%sClaims-Debts%sberkataakuntansi akuntan a09a4b7f0f
AnnualByCompaniesInputOutputMode=Neraca pendapatan dan pengeluaran, perincian menurut kelompok yang telah ditentukan, mode%s Penghasilan-Pengeluaran%smengatakanakuntansi kas a09a4b739f178
-SeeReportInInputOutputMode=Lihat %sanalisis pembayaran%s untuk perhitungan pembayaran aktual yang dilakukan bahkan jika mereka belum diperhitungkan dalam Ledger.
-SeeReportInDueDebtMode=Lihat %s analisis faktur %s untuk perhitungan berdasarkan faktur tercatat yang diketahui bahkan jika mereka belum diperhitungkan dalam Ledger.
-SeeReportInBookkeepingMode=Lihat%sLaporan pembuatan%suntuk perhitungan padaTabel Pembukuan Pembukuan a09a4b739f17f8f0z
+SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation based on recorded payments made even if they are not yet accounted in Ledger
+SeeReportInDueDebtMode=See %sanalysis of recorded documents%s for a calculation based on known recorded documents even if they are not yet accounted in Ledger
+SeeReportInBookkeepingMode=See %sanalysis of bookeeping ledger table%s for a report based on Bookkeeping Ledger table
RulesAmountWithTaxIncluded=- Jumlah yang ditampilkan termasuk semua pajak
RulesResultDue=- Ini termasuk faktur terutang, biaya, PPN, sumbangan apakah mereka dibayar atau tidak. Juga termasuk gaji yang dibayarkan. - Ini didasarkan pada tanggal penagihan faktur dan pada tanggal jatuh tempo untuk pengeluaran atau pembayaran pajak. Untuk gaji yang ditentukan dengan modul Gaji, tanggal nilai pembayaran digunakan.
RulesResultInOut=- Ini termasuk pembayaran nyata yang dilakukan pada faktur, biaya, PPN dan gaji. - Ini didasarkan pada tanggal pembayaran faktur, biaya, PPN dan gaji. Tanggal donasi untuk donasi.
@@ -169,12 +169,15 @@ RulesResultBookkeepingPersonalized=Ini menunjukkan catatan dalam Buku Besar Anda
SeePageForSetup=Lihat menu %s untuk pengaturan
DepositsAreNotIncluded=- Faktur pembayaran tidak termasuk
DepositsAreIncluded=- Faktur pembayaran disertakan
+LT1ReportByMonth=Tax 2 report by month
+LT2ReportByMonth=Tax 3 report by month
LT1ReportByCustomers=Laporkan pajak 2 oleh pihak ketiga
LT2ReportByCustomers=Laporkan pajak 3 oleh pihak ketiga
LT1ReportByCustomersES=Laporan oleh RE pihak ketiga
LT2ReportByCustomersES=Laporkan oleh IRPF pihak ketiga
VATReport=Laporan pajak penjualan
VATReportByPeriods=Laporan pajak penjualan berdasarkan periode
+VATReportByMonth=Sale tax report by month
VATReportByRates=Laporan pajak penjualan berdasarkan tarif
VATReportByThirdParties=Laporan pajak penjualan oleh pihak ketiga
VATReportByCustomers=Laporan pajak penjualan oleh pelanggan
diff --git a/htdocs/langs/id_ID/cron.lang b/htdocs/langs/id_ID/cron.lang
index 611fd7aa4ba..226c36001ea 100644
--- a/htdocs/langs/id_ID/cron.lang
+++ b/htdocs/langs/id_ID/cron.lang
@@ -7,13 +7,14 @@ Permission23103 = Hapus pekerjaan terjadwal
Permission23104 = Jalankan pekerjaan yang Dijadwalkan
# Admin
CronSetup=Penyiapan manajemen pekerjaan terjadwal
-URLToLaunchCronJobs=URL untuk memeriksa dan meluncurkan pekerjaan cron yang berkualitas
-OrToLaunchASpecificJob=Atau untuk memeriksa dan meluncurkan pekerjaan tertentu
+URLToLaunchCronJobs=URL to check and launch qualified cron jobs from a browser
+OrToLaunchASpecificJob=Or to check and launch a specific job from a browser
KeyForCronAccess=Kunci keamanan untuk URL untuk meluncurkan pekerjaan cron
FileToLaunchCronJobs=Baris perintah untuk memeriksa dan meluncurkan pekerjaan cron yang berkualitas
CronExplainHowToRunUnix=Pada lingkungan Unix Anda harus menggunakan entri crontab berikut untuk menjalankan baris perintah setiap 5 menit
CronExplainHowToRunWin=Pada lingkungan Microsoft (tm) Windows Anda dapat menggunakan alat Tugas Terjadwal untuk menjalankan baris perintah setiap 5 menit
CronMethodDoesNotExists=Kelas %s tidak mengandung metode apa pun %s
+CronMethodNotAllowed=Method %s of class %s is in blacklist of forbidden methods
CronJobDefDesc=Profil pekerjaan Cron didefinisikan ke dalam file deskriptor modul. Ketika modul diaktifkan, mereka dimuat dan tersedia sehingga Anda dapat mengelola pekerjaan dari menu alat admin %s.
CronJobProfiles=Daftar profil pekerjaan cron yang telah ditentukan
# Menu
@@ -46,6 +47,7 @@ CronNbRun=Jumlah peluncuran
CronMaxRun=Jumlah maksimum peluncuran
CronEach=Setiap
JobFinished=Pekerjaan diluncurkan dan selesai
+Scheduled=Scheduled
#Page card
CronAdd= Tambahkan pekerjaan
CronEvery=Jalankan pekerjaan masing-masing
@@ -56,7 +58,7 @@ CronNote=Komentar
CronFieldMandatory=Bidang %s wajib diisi
CronErrEndDateStartDt=Tanggal akhir tidak boleh sebelum tanggal mulai
StatusAtInstall=Status pada pemasangan modul
-CronStatusActiveBtn=Memungkinkan
+CronStatusActiveBtn=Schedule
CronStatusInactiveBtn=Nonaktifkan
CronTaskInactive=Pekerjaan ini dinonaktifkan
CronId=Indo
@@ -82,3 +84,8 @@ MakeLocalDatabaseDumpShort=Pencadangan basis data lokal
MakeLocalDatabaseDump=Buat dump basis data lokal. Parameternya adalah: kompresi ('gz' atau 'bz' atau 'tidak ada'), jenis cadangan ('mysql', 'pgsql', 'auto'), 1, 'otomatis' atau nama file yang akan dibuat, jumlah file cadangan yang akan disimpan
WarningCronDelayed=Perhatian, untuk tujuan kinerja, apa pun tanggal berikutnya pelaksanaan pekerjaan yang diaktifkan, pekerjaan Anda mungkin tertunda hingga maksimum %s jam, sebelum dijalankan.
DATAPOLICYJob=Pembersih data dan penganonim
+JobXMustBeEnabled=Job %s must be enabled
+# Cron Boxes
+LastExecutedScheduledJob=Last executed scheduled job
+NextScheduledJobExecute=Next scheduled job to execute
+NumberScheduledJobError=Number of scheduled jobs in error
diff --git a/htdocs/langs/id_ID/errors.lang b/htdocs/langs/id_ID/errors.lang
index 0d776c69a27..73af84cd831 100644
--- a/htdocs/langs/id_ID/errors.lang
+++ b/htdocs/langs/id_ID/errors.lang
@@ -5,8 +5,10 @@ NoErrorCommitIsDone=Tidak ada kesalahan, kami berkomitmen
# Errors
ErrorButCommitIsDone=Kesalahan ditemukan tetapi kami memvalidasinya
ErrorBadEMail=Email %s salah
+ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record)
ErrorBadUrl=Url %s salah
ErrorBadValueForParamNotAString=Nilai buruk untuk parameter Anda. Biasanya ditambahkan ketika terjemahan tidak ada.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorLoginAlreadyExists=Login %s sudah ada.
ErrorGroupAlreadyExists=Grup %s sudah ada.
ErrorRecordNotFound=Rekaman tidak ditemukan.
@@ -48,6 +50,7 @@ ErrorFieldsRequired=Beberapa bidang wajib diisi tidak terisi.
ErrorSubjectIsRequired=Diperlukan topik email
ErrorFailedToCreateDir=Gagal membuat direktori. Periksa apakah pengguna server Web memiliki izin untuk menulis ke direktori dokumen Dolibarr. Jika parametersafe_modediaktifkan pada PHP ini, periksa apakah file-file Dolibarr php milik pengguna web server (atau grup).
ErrorNoMailDefinedForThisUser=Tidak ada surat yang ditentukan untuk pengguna ini
+ErrorSetupOfEmailsNotComplete=Setup of emails is not complete
ErrorFeatureNeedJavascript=Fitur ini perlu javascript untuk diaktifkan agar berfungsi. Ubah ini dalam pengaturan - tampilan.
ErrorTopMenuMustHaveAParentWithId0=Menu bertipe 'Top' tidak dapat memiliki menu induk. Masukkan 0 di menu induk atau pilih menu dengan tipe 'Kiri'.
ErrorLeftMenuMustHaveAParentId=Menu bertipe 'Kiri' harus memiliki id induk.
@@ -75,7 +78,7 @@ ErrorExportDuplicateProfil=Nama profil ini sudah ada untuk set ekspor ini.
ErrorLDAPSetupNotComplete=Pencocokan Dolibarr-LDAP tidak lengkap.
ErrorLDAPMakeManualTest=File .ldif telah dibuat di direktori %s. Cobalah memuatnya secara manual dari baris perintah untuk mendapatkan informasi lebih lanjut tentang kesalahan.
ErrorCantSaveADoneUserWithZeroPercentage=Tidak dapat menyimpan tindakan dengan "status tidak dimulai" jika bidang "dilakukan oleh" juga diisi.
-ErrorRefAlreadyExists=Referensi yang digunakan untuk pembuatan sudah ada.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorPleaseTypeBankTransactionReportName=Masukkan nama laporan bank tempat entri harus dilaporkan (Format YYYYMM atau YYYYMMDD)
ErrorRecordHasChildren=Gagal menghapus catatan karena memiliki beberapa catatan anak.
ErrorRecordHasAtLeastOneChildOfType=Objek memiliki setidaknya satu anak tipe %s
@@ -216,7 +219,7 @@ ErrorChooseBetweenFreeEntryOrPredefinedProduct=Anda harus memilih apakah artikel
ErrorDiscountLargerThanRemainToPaySplitItBefore=Diskon yang Anda coba terapkan lebih besar daripada tetap membayar. Membagi diskon menjadi 2 diskon lebih kecil sebelumnya.
ErrorFileNotFoundWithSharedLink=File tidak ditemukan. Mungkin kunci berbagi diubah atau file dihapus baru-baru ini.
ErrorProductBarCodeAlreadyExists=Barcode produk %s sudah ada pada referensi produk lain.
-ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Perhatikan juga bahwa menggunakan produk virtual untuk menambah / mengurangi subproduk secara otomatis tidak dimungkinkan ketika setidaknya satu sub-produk (atau subproduk dari subproduk) memerlukan nomor seri / lot.
+ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using kits to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number.
ErrorDescRequiredForFreeProductLines=Deskripsi adalah wajib untuk saluran dengan produk gratis
ErrorAPageWithThisNameOrAliasAlreadyExists=Halaman / wadah%s memiliki nama atau alias alternatif yang sama dengan yang Anda coba gunakan
ErrorDuringChartLoad=Kesalahan saat memuat bagan akun. Jika beberapa akun tidak dimuat, Anda masih dapat memasukkannya secara manual.
@@ -243,6 +246,16 @@ ErrorReplaceStringEmpty=Kesalahan, string untuk diganti menjadi kosong
ErrorProductNeedBatchNumber=Error, product '%s' need a lot/serial number
ErrorProductDoesNotNeedBatchNumber=Error, product '%s' does not accept a lot/serial number
ErrorFailedToReadObject=Error, failed to read object of type %s
+ErrorParameterMustBeEnabledToAllwoThisFeature=Error, parameter %s must be enabled into conf/conf.php to allow use of Command Line Interface by the internal job scheduler
+ErrorLoginDateValidity=Error, this login is outside the validity date range
+ErrorValueLength=Length of field '%s' must be higher than '%s'
+ErrorReservedKeyword=The word '%s' is a reserved keyword
+ErrorNotAvailableWithThisDistribution=Not available with this distribution
+ErrorPublicInterfaceNotEnabled=Public interface was not enabled
+ErrorLanguageRequiredIfPageIsTranslationOfAnother=The language of new page must be defined if it is set as a translation of another page
+ErrorLanguageMustNotBeSourceLanguageIfPageIsTranslationOfAnother=The language of new page must not be the source language if it is set as a translation of another page
+ErrorAParameterIsRequiredForThisOperation=A parameter is mandatory for this operation
+
# Warnings
WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Parameter PHP Anda upload_max_filesize (%s) lebih tinggi dari parameter PHP post_max_size (%s). Ini bukan pengaturan yang konsisten.
WarningPasswordSetWithNoAccount=Kata sandi ditetapkan untuk anggota ini. Namun, tidak ada akun pengguna yang dibuat. Jadi kata sandi ini disimpan tetapi tidak dapat digunakan untuk masuk ke Dolibarr. Ini dapat digunakan oleh modul / antarmuka eksternal tetapi jika Anda tidak perlu mendefinisikan login atau kata sandi untuk anggota, Anda dapat menonaktifkan opsi "Kelola login untuk setiap anggota" dari pengaturan modul Anggota. Jika Anda perlu mengelola login tetapi tidak memerlukan kata sandi, Anda dapat mengosongkan isian ini untuk menghindari peringatan ini. Catatan: Email juga dapat digunakan sebagai login jika anggota tersebut tertaut ke pengguna.
@@ -267,6 +280,10 @@ WarningYourLoginWasModifiedPleaseLogin=Info masuk Anda telah diubah. Untuk tujua
WarningAnEntryAlreadyExistForTransKey=Entri sudah ada untuk kunci terjemahan untuk bahasa ini
WarningNumberOfRecipientIsRestrictedInMassAction=Peringatan, jumlah penerima yang berbeda terbatas pada%ssaat menggunakan aksi massa dalam daftar
WarningDateOfLineMustBeInExpenseReportRange=Peringatan, tanggal saluran tidak dalam kisaran laporan pengeluaran
+WarningProjectDraft=Project is still in draft mode. Don't forget to validate it if you plan to use tasks.
WarningProjectClosed=Proyek ditutup. Anda harus membukanya kembali terlebih dahulu.
WarningSomeBankTransactionByChequeWereRemovedAfter=Beberapa transaksi bank dihapus setelah kwitansi termasuk mereka dihasilkan. Jadi nb cek dan total penerimaan mungkin berbeda dari jumlah dan total dalam daftar.
-WarningFailedToAddFileIntoDatabaseIndex=Warnin, gagal menambahkan entri file ke tabel indeks basis data ECM
+WarningFailedToAddFileIntoDatabaseIndex=Warning, failed to add file entry into ECM database index table
+WarningTheHiddenOptionIsOn=Warning, the hidden option %s is on.
+WarningCreateSubAccounts=Warning, you can't create directly a sub account, you must create a third party or an user and assign them an accounting code to find them in this list
+WarningAvailableOnlyForHTTPSServers=Available only if using HTTPS secured connection.
diff --git a/htdocs/langs/id_ID/exports.lang b/htdocs/langs/id_ID/exports.lang
index dcf4255886e..39cc5685c18 100644
--- a/htdocs/langs/id_ID/exports.lang
+++ b/htdocs/langs/id_ID/exports.lang
@@ -133,3 +133,4 @@ KeysToUseForUpdates=Kunci (kolom) untuk digunakan untuk memperbarui data yang ad
NbInsert=Jumlah baris yang dimasukkan: %s
NbUpdate=Jumlah baris yang diperbarui: %s
MultipleRecordFoundWithTheseFilters=Beberapa catatan telah ditemukan dengan filter ini: %s
+StocksWithBatch=Stocks and location (warehouse) of products with batch/serial number
diff --git a/htdocs/langs/id_ID/mails.lang b/htdocs/langs/id_ID/mails.lang
index 60dae133949..fad0f4c4496 100644
--- a/htdocs/langs/id_ID/mails.lang
+++ b/htdocs/langs/id_ID/mails.lang
@@ -92,6 +92,7 @@ MailingModuleDescEmailsFromUser=Masukan input email oleh pengguna
MailingModuleDescDolibarrUsers=Pengguna dengan Email
MailingModuleDescThirdPartiesByCategories=Pihak ketiga (berdasarkan kategori)
SendingFromWebInterfaceIsNotAllowed=Mengirim dari antarmuka web tidak diizinkan.
+EmailCollectorFilterDesc=All filters must match to have an email being collected
# Libelle des modules de liste de destinataires mailing
LineInFile=Baris %s dalam berkas
@@ -125,12 +126,13 @@ TagMailtoEmail=Email Penerima (termasuk tautan html "mailto:")
NoEmailSentBadSenderOrRecipientEmail=Tidak ada email yang dikirim. Pengirim atau penerima email salah. Verifikasi profil pengguna.
# Module Notifications
Notifications=Notifikasi
-NoNotificationsWillBeSent=Tidak ada pemberitahuan email yang direncanakan untuk agenda dan perusahaan ini
-ANotificationsWillBeSent=1 notifikasi akan dikirim melalui email
-SomeNotificationsWillBeSent=notifikasi %s akan dikirim melalui email
-AddNewNotification=Aktifkan pemberitahuan email baru untuk target/agenda
-ListOfActiveNotifications=Daftar semua target/agenda aktif untuk pemberitahuan email
-ListOfNotificationsDone=Daftar semua pemberitahuan email yang dikirim
+NotificationsAuto=Notifications Auto.
+NoNotificationsWillBeSent=No automatic email notifications are planned for this event type and company
+ANotificationsWillBeSent=1 automatic notification will be sent by email
+SomeNotificationsWillBeSent=%s automatic notifications will be sent by email
+AddNewNotification=Subscribe to a new automatic email notification (target/event)
+ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification
+ListOfNotificationsDone=List all automatic email notifications sent
MailSendSetupIs=Konfigurasi pengiriman email telah diatur ke '%s'. Mode ini tidak dapat digunakan untuk mengirim email masal.
MailSendSetupIs2=Anda pertama-tama harus pergi, dengan akun admin, ke dalam menu %sHome - Setup - EMails%s untuk mengubah parameter'%s' untuk menggunakan mode ' %s'. Dengan mode ini, Anda dapat masuk ke pengaturan server SMTP yang disediakan oleh Penyedia Layanan Internet Anda dan menggunakan fitur kirim email dengan skala besar.
MailSendSetupIs3=Jika Anda memiliki pertanyaan tentang cara mengatur server SMTP Anda, Anda dapat bertanya ke %s.
@@ -140,7 +142,7 @@ UseFormatFileEmailToTarget=Berkas yang diimpor harus memiliki format email email;nama;nama depan;lainnya
MailAdvTargetRecipients=Penerima (pilihan lanjutan)
AdvTgtTitle=Isi kolom input untuk memilih pihak ketiga atau kontak/alamat yang ditargetkan
-AdvTgtSearchTextHelp=Gunakan %% sebagai wildcard. Misalnya untuk menemukan semua item seperti jean, joe, jim, Anda dapat memasukkan j%%, Anda juga dapat menggunakan ; sebagai pemisah untuk nilai, dan gunakan ! sebagai kecuali nilai ini. Sebagai contoh jean;joe;jim%%;!jimo;!jima% akan menargetkan semua jean, joe, mulai dengan jim tetapi tidak jimo dan tidak semua yang dimulai dengan jima
+AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima%% will target all jean, joe, start with jim but not jimo and not everything that starts with jima
AdvTgtSearchIntHelp=Gunakan sela untuk memilih nilai int atau float
AdvTgtMinVal=Nilai minimum
AdvTgtMaxVal=Nilai maksimum
@@ -162,13 +164,14 @@ AdvTgtCreateFilter=Buat filter
AdvTgtOrCreateNewFilter=Nama filter baru
NoContactWithCategoryFound=Tidak ditemukan kontak/alamat dengan kategori
NoContactLinkedToThirdpartieWithCategoryFound=Tidak ditemukan kontak/alamat dengan kategori
-OutGoingEmailSetup=Pengaturan email keluar
-InGoingEmailSetup=Penyiapan email masuk
-OutGoingEmailSetupForEmailing=Pengaturan Email Keluar (untuk modul %s)
-DefaultOutgoingEmailSetup=Pengaturan email keluar standar
+OutGoingEmailSetup=Outgoing emails
+InGoingEmailSetup=Incoming emails
+OutGoingEmailSetupForEmailing=Outgoing emails (for module %s)
+DefaultOutgoingEmailSetup=Same configuration than the global Outgoing email setup
Information=Informasi
ContactsWithThirdpartyFilter=Kontak dengan filter pihak ketiga
Unanswered=Unanswered
Answered=Answered
IsNotAnAnswer=Is not answer (initial email)
IsAnAnswer=Is an answer of an initial email
+RecordCreatedByEmailCollector=Record created by the Email Collector %s from email %s
diff --git a/htdocs/langs/id_ID/main.lang b/htdocs/langs/id_ID/main.lang
index def7208cb73..709d45afafa 100644
--- a/htdocs/langs/id_ID/main.lang
+++ b/htdocs/langs/id_ID/main.lang
@@ -28,7 +28,9 @@ NoTemplateDefined=Tidak ada templat yang tersedia untuk jenis email ini
AvailableVariables=Variabel substitusi yang tersedia
NoTranslation=Tanpa terjemahan
Translation=Terjemahan
+CurrentTimeZone=TimeZone PHP (Server)
EmptySearchString=Masukkan kriteria pencarian yang tidak kosong
+EnterADateCriteria=Enter a date criteria
NoRecordFound=Tidak ada catatan yang ditemukan
NoRecordDeleted=Tidak ada catatan yang dihapus
NotEnoughDataYet=Tidak cukup data
@@ -85,6 +87,8 @@ FileWasNotUploaded=File dipilih untuk lampiran tetapi belum diunggah. Klik pada
NbOfEntries=Jumlah entri
GoToWikiHelpPage=Baca bantuan online (Diperlukan akses Internet)
GoToHelpPage=Baca bantuan
+DedicatedPageAvailable=There is a dedicated help page related to your current screen
+HomePage=Home Page
RecordSaved=Rekam disimpan
RecordDeleted=Rekam dihapus
RecordGenerated=Rekaman dihasilkan
@@ -433,6 +437,7 @@ RemainToPay=Tetap membayar
Module=Modul / Aplikasi
Modules=Modul / Aplikasi
Option=Pilihan
+Filters=Filters
List=Daftar
FullList=Daftar lengkap
FullConversation=Percakapan penuh
@@ -671,7 +676,7 @@ SendMail=Mengirim email
Email=Email
NoEMail=Tidak ada email
AlreadyRead=Sudah baca
-NotRead=Tidak membaca
+NotRead=Unread
NoMobilePhone=Tidak ada ponsel
Owner=Pemilik
FollowingConstantsWillBeSubstituted=Konstanta berikut akan diganti dengan nilai yang sesuai.
@@ -1107,3 +1112,8 @@ UpToDate=Up-to-date
OutOfDate=Out-of-date
EventReminder=Event Reminder
UpdateForAllLines=Update for all lines
+OnHold=On hold
+AffectTag=Affect Tag
+ConfirmAffectTag=Bulk Tag Affect
+ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected record(s)?
+CategTypeNotFound=No tag type found for type of records
diff --git a/htdocs/langs/id_ID/modulebuilder.lang b/htdocs/langs/id_ID/modulebuilder.lang
index e8584203a6e..aeecb827d2a 100644
--- a/htdocs/langs/id_ID/modulebuilder.lang
+++ b/htdocs/langs/id_ID/modulebuilder.lang
@@ -40,6 +40,7 @@ PageForCreateEditView=Halaman PHP untuk membuat / mengedit / melihat catatan
PageForAgendaTab=Halaman PHP untuk tab agenda
PageForDocumentTab=Halaman PHP untuk tab dokumen
PageForNoteTab=Halaman PHP untuk tab note
+PageForContactTab=PHP page for contact tab
PathToModulePackage=Path ke zip paket modul / aplikasi
PathToModuleDocumentation=Path ke file modul / dokumentasi aplikasi (%s)
SpaceOrSpecialCharAreNotAllowed=Spasi atau karakter khusus tidak diperbolehkan.
@@ -77,7 +78,7 @@ IsAMeasure=Adalah ukuran
DirScanned=Direktori dipindai
NoTrigger=Tidak ada pemicu
NoWidget=Tidak ada widget
-GoToApiExplorer=Buka Penjelajah API
+GoToApiExplorer=API explorer
ListOfMenusEntries=Daftar entri menu
ListOfDictionariesEntries=Daftar entri kamus
ListOfPermissionsDefined=Daftar izin yang ditentukan
@@ -105,7 +106,7 @@ TryToUseTheModuleBuilder=Jika Anda memiliki pengetahuan tentang SQL dan PHP, And
SeeTopRightMenu=Lihat di menu kanan atas
AddLanguageFile=Tambahkan file bahasa
YouCanUseTranslationKey=Di sini Anda dapat menggunakan kunci yang merupakan kunci terjemahan yang ditemukan dalam file bahasa (lihat tab "Bahasa")
-DropTableIfEmpty=(Hapus tabel jika kosong)
+DropTableIfEmpty=(Destroy table if empty)
TableDoesNotExists=Tabel %s tidak ada
TableDropped=Tabel %s dihapus
InitStructureFromExistingTable=Membangun string array struktur dari tabel yang ada
@@ -126,7 +127,6 @@ UseSpecificEditorURL = Gunakan URL editor tertentu
UseSpecificFamily = Gunakan keluarga tertentu
UseSpecificAuthor = Gunakan penulis tertentu
UseSpecificVersion = Gunakan versi awal tertentu
-ModuleMustBeEnabled=Modul / aplikasi harus diaktifkan terlebih dahulu
IncludeRefGeneration=Referensi objek harus dihasilkan secara otomatis
IncludeRefGenerationHelp=Periksa ini jika Anda ingin memasukkan kode untuk mengelola pembuatan referensi secara otomatis
IncludeDocGeneration=Saya ingin menghasilkan beberapa dokumen dari objek
@@ -140,3 +140,4 @@ TypeOfFieldsHelp=Jenis bidang: varchar (99), ganda (24,8), real, teks, html
AsciiToHtmlConverter=Pengonversi Ascii ke HTML
AsciiToPdfConverter=Pengonversi ascii ke PDF
TableNotEmptyDropCanceled=Meja tidak kosong. Drop telah dibatalkan.
+ModuleBuilderNotAllowed=The module builder is available but not allowed to your user.
diff --git a/htdocs/langs/id_ID/other.lang b/htdocs/langs/id_ID/other.lang
index 67d6dae2501..f2881a04775 100644
--- a/htdocs/langs/id_ID/other.lang
+++ b/htdocs/langs/id_ID/other.lang
@@ -5,8 +5,6 @@ Tools=Alat
TMenuTools=Alat
ToolsDesc=Semua alat yang tidak termasuk dalam entri menu lain dikelompokkan di sini. Semua alat dapat diakses melalui menu kiri.
Birthday=Ulang tahun
-BirthdayDate=Tanggal lahir
-DateToBirth=Tanggal lahir
BirthdayAlertOn=peringatan ulang tahun aktif
BirthdayAlertOff=peringatan ulang tahun tidak aktif
TransKey=Terjemahan dari kunci TransKey
@@ -16,6 +14,8 @@ PreviousMonthOfInvoice=Bulan sebelumnya (nomor 1-12) dari tanggal faktur
TextPreviousMonthOfInvoice=Bulan sebelumnya (teks) dari tanggal faktur
NextMonthOfInvoice=Bulan berikutnya (nomor 1-12) dari tanggal faktur
TextNextMonthOfInvoice=Bulan berikutnya (teks) dari tanggal faktur
+PreviousMonth=Previous month
+CurrentMonth=Current month
ZipFileGeneratedInto=File zip dihasilkan menjadi%s .
DocFileGeneratedInto=File Doc dihasilkan menjadi%s .
JumpToLogin=Terputus. Buka halaman login ...
@@ -99,6 +99,7 @@ PredefinedMailContentSendShipping=__(Halo)__\n\nSilakan temukan pengiriman __REF
PredefinedMailContentSendFichInter=__(Halo)__\n\nSilakan temukan intervensi __REF__ terlampir\n\n\n__ (Hormat) __\n\n__USER_SIGNATURE__
PredefinedMailContentLink=Anda dapat mengklik tautan di bawah untuk melakukan pembayaran jika belum dilakukan.\n\n%s\n\n
PredefinedMailContentGeneric=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
+PredefinedMailContentSendActionComm=Event reminder "__EVENT_LABEL__" on __EVENT_DATE__ at __EVENT_TIME__
This is an automatic message, please do not reply.
DemoDesc=Dolibarr adalah ERP / CRM ringkas yang mendukung beberapa modul bisnis. Demo yang menampilkan semua modul tidak masuk akal karena skenario ini tidak pernah terjadi (beberapa ratus tersedia). Jadi, beberapa profil demo tersedia.
ChooseYourDemoProfil=Pilih profil demo yang paling sesuai dengan kebutuhan Anda ...
ChooseYourDemoProfilMore=... atau buat profil Anda sendiri (pemilihan modul manual)
@@ -258,6 +259,7 @@ ContactCreatedByEmailCollector=Kontak / alamat yang dibuat oleh kolektor email d
ProjectCreatedByEmailCollector=Proyek dibuat oleh kolektor email dari email MSGID %s
TicketCreatedByEmailCollector=Tiket dibuat oleh kolektor email dari email MSGID %s
OpeningHoursFormatDesc=Gunakan a - untuk memisahkan jam buka dan tutup. Gunakan spasi untuk memasukkan rentang yang berbeda. Contoh: 8-12 14-18
+PrefixSession=Prefix for session ID
##### Export #####
ExportsArea=Area ekspor
diff --git a/htdocs/langs/id_ID/products.lang b/htdocs/langs/id_ID/products.lang
index 74921ca30f8..096014935eb 100644
--- a/htdocs/langs/id_ID/products.lang
+++ b/htdocs/langs/id_ID/products.lang
@@ -108,7 +108,8 @@ FillWithLastServiceDates=Fill with last service line dates
MultiPricesAbility=Beberapa segmen harga per produk / layanan (setiap pelanggan berada dalam satu segmen harga)
MultiPricesNumPrices=Jumlah harga
DefaultPriceType=Basis harga per default (dengan versus tanpa pajak) saat menambahkan harga jual baru
-AssociatedProductsAbility=Activate kits (virtual products)
+AssociatedProductsAbility=Enable Kits (set of other products)
+VariantsAbility=Enable Variants (variations of products, for example color, size)
AssociatedProducts=Kits
AssociatedProductsNumber=Number of products composing this kit
ParentProductsNumber=Jumlah produk kemasan induk
@@ -167,8 +168,10 @@ BuyingPrices=Harga beli
CustomerPrices=Harga pelanggan
SuppliersPrices=Harga penjual
SuppliersPricesOfProductsOrServices=Harga vendor (produk atau layanan)
-CustomCode=Bea Cukai / Komoditas / kode HS
+CustomCode=Customs|Commodity|HS code
CountryOrigin=Negara Asal
+RegionStateOrigin=Region origin
+StateOrigin=State|Province origin
Nature=Sifat produk (bahan / selesai)
NatureOfProductShort=Sifat produk
NatureOfProductDesc=Bahan baku mentah atau produk jadi
@@ -239,7 +242,7 @@ AlwaysUseFixedPrice=Gunakan harga tetap
PriceByQuantity=Harga berbeda dengan kuantitas
DisablePriceByQty=Nonaktifkan harga berdasarkan kuantitas
PriceByQuantityRange=Rentang kuantitas
-MultipriceRules=Aturan segmen harga
+MultipriceRules=Automatic prices for segment
UseMultipriceRules=Gunakan aturan segmen harga (didefinisikan dalam pengaturan modul produk) untuk secara otomatis menghitung harga semua segmen lain sesuai dengan segmen pertama
PercentVariationOver=variasi %% lebih dari %s
PercentDiscountOver=%% diskon lebih dari %s
diff --git a/htdocs/langs/id_ID/recruitment.lang b/htdocs/langs/id_ID/recruitment.lang
index e1e686e6d5f..97ceb8dc169 100644
--- a/htdocs/langs/id_ID/recruitment.lang
+++ b/htdocs/langs/id_ID/recruitment.lang
@@ -73,3 +73,4 @@ JobClosedTextCandidateFound=The job position is closed. The position has been fi
JobClosedTextCanceled=The job position is closed.
ExtrafieldsJobPosition=Complementary attributes (job positions)
ExtrafieldsCandidatures=Complementary attributes (job applications)
+MakeOffer=Make an offer
diff --git a/htdocs/langs/id_ID/sendings.lang b/htdocs/langs/id_ID/sendings.lang
index c780874113f..cb5514d96ea 100644
--- a/htdocs/langs/id_ID/sendings.lang
+++ b/htdocs/langs/id_ID/sendings.lang
@@ -30,6 +30,7 @@ OtherSendingsForSameOrder=Pengiriman lain untuk pesanan ini
SendingsAndReceivingForSameOrder=Pengiriman dan kwitansi untuk pesanan ini
SendingsToValidate=Pengiriman untuk divalidasi
StatusSendingCanceled=Dibatalkan
+StatusSendingCanceledShort=Dibatalkan
StatusSendingDraft=Konsep
StatusSendingValidated=Divalidasi (produk untuk dikirim atau pun sudah dikirim)
StatusSendingProcessed=Diproses
@@ -65,6 +66,7 @@ ValidateOrderFirstBeforeShipment=Anda harus terlebih dahulu memvalidasi pesanan
# Sending methods
# ModelDocument
DocumentModelTyphon=Model dokumen yang lebih lengkap untuk tanda terima pengiriman (logo ...)
+DocumentModelStorm=More complete document model for delivery receipts and extrafields compatibility (logo...)
Error_EXPEDITION_ADDON_NUMBER_NotDefined=EXPEDITION_ADDON_NUMBER Konstan tidak ditentukan
SumOfProductVolumes=Jumlah volume produk
SumOfProductWeights=Jumlah bobot produk
diff --git a/htdocs/langs/id_ID/stocks.lang b/htdocs/langs/id_ID/stocks.lang
index 88ba7c376fd..e29ca8f5c29 100644
--- a/htdocs/langs/id_ID/stocks.lang
+++ b/htdocs/langs/id_ID/stocks.lang
@@ -240,3 +240,4 @@ InventoryRealQtyHelp=Set value to 0 to reset qty Keep field empty, or remove
UpdateByScaning=Update by scaning
UpdateByScaningProductBarcode=Update by scan (product barcode)
UpdateByScaningLot=Update by scan (lot|serial barcode)
+DisableStockChangeOfSubProduct=Deactivate the stock change for all the subproducts of this Kit during this movement.
diff --git a/htdocs/langs/id_ID/ticket.lang b/htdocs/langs/id_ID/ticket.lang
index d8bc9fd797a..2a25919c9be 100644
--- a/htdocs/langs/id_ID/ticket.lang
+++ b/htdocs/langs/id_ID/ticket.lang
@@ -31,10 +31,8 @@ TicketDictType=Tiket - Jenis
TicketDictCategory=Tiket - Grup
TicketDictSeverity=Tiket - Tingkat Permasalahan
TicketDictResolution=Tiket - Resolusi
-TicketTypeShortBUGSOFT=Logika Tidak Berfungsi
-TicketTypeShortBUGHARD=Materi Tidak Berfungsi
-TicketTypeShortCOM=Pertanyaan komersial
+TicketTypeShortCOM=Pertanyaan komersial
TicketTypeShortHELP=Permintaan bantuan fungsional
TicketTypeShortISSUE=Masalah, bug, atau masalah
TicketTypeShortREQUEST=Ubah atau tingkatkan permintaan
@@ -44,7 +42,7 @@ TicketTypeShortOTHER=Lainnya
TicketSeverityShortLOW=Rendah
TicketSeverityShortNORMAL=Normal
TicketSeverityShortHIGH=Tinggi
-TicketSeverityShortBLOCKING=Kritis/Memblokir
+TicketSeverityShortBLOCKING=Critical, Blocking
ErrorBadEmailAddress=Bidang '%s' salah
MenuTicketMyAssign=Tiket saya
@@ -60,7 +58,6 @@ OriginEmail=Sumber email
Notify_TICKET_SENTBYMAIL=Kirim pesan tiket melalui email
# Status
-NotRead=Tidak membaca
Read=Baca
Assigned=Ditugaskan
InProgress=Sedang berlangsung
@@ -126,6 +123,7 @@ TicketsActivatePublicInterfaceHelp=Antarmuka publik memungkinkan setiap pengunju
TicketsAutoAssignTicket=Secara otomatis menetapkan pengguna yang membuat tiket
TicketsAutoAssignTicketHelp=Saat membuat tiket, pengguna dapat secara otomatis ditugaskan ke tiket.
TicketNumberingModules=Modul penomoran tiket
+TicketsModelModule=Document templates for tickets
TicketNotifyTiersAtCreation=Beri tahu pihak ketiga saat membuat
TicketsDisableCustomerEmail=Selalu nonaktifkan email saat tiket dibuat dari antarmuka publik
TicketsPublicNotificationNewMessage=Kirim email saat pesan baru ditambahkan
@@ -233,7 +231,6 @@ TicketLogStatusChanged=Status berubah: %s menjadi %s
TicketNotNotifyTiersAtCreate=Tidak memberi tahu perusahaan saat membuat
Unread=Belum dibaca
TicketNotCreatedFromPublicInterface=Tidak tersedia. Tiket tidak dibuat dari antarmuka publik.
-PublicInterfaceNotEnabled=Antarmuka publik tidak diaktifkan
ErrorTicketRefRequired=Diperlukan nama referensi tiket
#
diff --git a/htdocs/langs/id_ID/website.lang b/htdocs/langs/id_ID/website.lang
index 9d0b6cc0fe1..eb522b5a859 100644
--- a/htdocs/langs/id_ID/website.lang
+++ b/htdocs/langs/id_ID/website.lang
@@ -30,7 +30,6 @@ EditInLine=Edit sebaris
AddWebsite=Tambahkan situs web
Webpage=Halaman web / wadah
AddPage=Tambahkan halaman / wadah
-HomePage=Halaman Depan
PageContainer=Page
PreviewOfSiteNotYetAvailable=Pratinjau situs web Anda%s belum tersedia. Anda harus terlebih dahulu ' Impor template situs web lengkap ' atau hanya ' Tambahkan halaman / wadah '.
RequestedPageHasNoContentYet=Halaman yang diminta dengan id %s belum memiliki konten, atau file cache .tpl.php telah dihapus. Edit konten halaman untuk menyelesaikan ini.
@@ -101,7 +100,7 @@ EmptyPage=Halaman kosong
ExternalURLMustStartWithHttp=URL eksternal harus dimulai dengan http: // atau https: //
ZipOfWebsitePackageToImport=Unggah file Zip dari paket templat situs web
ZipOfWebsitePackageToLoad=atau Pilih paket templat situs web tertanam yang tersedia
-ShowSubcontainers=Sertakan konten dinamis
+ShowSubcontainers=Show dynamic content
InternalURLOfPage=URL halaman internal
ThisPageIsTranslationOf=Halaman / wadah ini adalah terjemahan dari
ThisPageHasTranslationPages=Halaman / wadah ini memiliki terjemahan
@@ -137,3 +136,4 @@ RSSFeedDesc=Anda bisa mendapatkan RSS feed dari artikel terbaru dengan mengetikk
PagesRegenerated=%s halaman / wadah dibuat ulang
RegenerateWebsiteContent=Regenerate web site cache files
AllowedInFrames=Allowed in Frames
+DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languages into web site properties.
diff --git a/htdocs/langs/id_ID/withdrawals.lang b/htdocs/langs/id_ID/withdrawals.lang
index 1ff4c8b5eef..48f3e2b2044 100644
--- a/htdocs/langs/id_ID/withdrawals.lang
+++ b/htdocs/langs/id_ID/withdrawals.lang
@@ -42,6 +42,7 @@ LastWithdrawalReceipt=Tanda terima debit langsung %s terbaru
MakeWithdrawRequest=Buat permintaan pembayaran debit langsung
MakeBankTransferOrder=Buat Permintaan Transfer Kredit
WithdrawRequestsDone=%s permintaan pembayaran debit langsung dicatat
+BankTransferRequestsDone=%s credit transfer requests recorded
ThirdPartyBankCode=Kode bank pihak ketiga
NoInvoiceCouldBeWithdrawed=Tidak ada faktur yang berhasil didebit. Periksa apakah faktur ada pada perusahaan dengan IBAN yang valid dan bahwa IBAN memiliki UMR (Referensi Mandat Unik) dengan mode%s .
ClassCredited=Klasifikasi dikreditkan
@@ -131,7 +132,8 @@ SEPARCUR=SEPA CUR
SEPAFRST=SEPA FRST
ExecutionDate=Tanggal eksekusi
CreateForSepa=Buat berkas debet langsung
-ICS=Pengidentifikasi Kreditor CI
+ICS=Creditor Identifier CI for direct debit
+ICSTransfer=Creditor Identifier CI for bank transfer
END_TO_END=Tag XML SEPA "EndToEndId" - Id unik yang ditetapkan untuk setiap transaksi
USTRD=Tag XML SEPA "Tidak Terstruktur"
ADDDAYS=Tambahkan hari ke Tanggal Eksekusi
@@ -146,3 +148,4 @@ InfoRejectSubject=Pesanan pembayaran debit langsung ditolak
InfoRejectMessage=Halo,
, urutan pembayaran debit langsung dari %s yang terkait dengan perusahaan %s, dengan jumlah %s telah ditolak oleh bank.
- %s
ModeWarning=Opsi untuk mode nyata tidak disetel, kami berhenti setelah simulasi ini
ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know wich one to use.
+ErrorICSmissing=Missing ICS in Bank account %s
diff --git a/htdocs/langs/is_IS/accountancy.lang b/htdocs/langs/is_IS/accountancy.lang
index c83c3cef1d6..766d7cac0ca 100644
--- a/htdocs/langs/is_IS/accountancy.lang
+++ b/htdocs/langs/is_IS/accountancy.lang
@@ -48,6 +48,7 @@ CountriesExceptMe=All countries except %s
AccountantFiles=Export source documents
ExportAccountingSourceDocHelp=With this tool, you can export the source events (list and PDFs) that were used to generate your accountancy. To export your journals, use the menu entry %s - %s.
VueByAccountAccounting=View by accounting account
+VueBySubAccountAccounting=View by accounting subaccount
MainAccountForCustomersNotDefined=Main accounting account for customers not defined in setup
MainAccountForSuppliersNotDefined=Main accounting account for vendors not defined in setup
@@ -144,7 +145,7 @@ NotVentilatedinAccount=Not bound to the accounting account
XLineSuccessfullyBinded=%s products/services successfully bound to an accounting account
XLineFailedToBeBinded=%s products/services were not bound to any accounting account
-ACCOUNTING_LIMIT_LIST_VENTILATION=Number of elements to bind shown by page (maximum recommended: 50)
+ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50)
ACCOUNTING_LIST_SORT_VENTILATION_TODO=Begin the sorting of the page "Binding to do" by the most recent elements
ACCOUNTING_LIST_SORT_VENTILATION_DONE=Begin the sorting of the page "Binding done" by the most recent elements
@@ -198,7 +199,8 @@ Docdate=Date
Docref=Reference
LabelAccount=Label account
LabelOperation=Label operation
-Sens=Sens
+Sens=Direction
+AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received For an accounting account of a supplier, use Debit to record a payment you make
LetteringCode=Lettering code
Lettering=Lettering
Codejournal=Journal
@@ -206,7 +208,8 @@ JournalLabel=Journal label
NumPiece=Piece number
TransactionNumShort=Num. transaction
AccountingCategory=Personalized groups
-GroupByAccountAccounting=Group by accounting account
+GroupByAccountAccounting=Group by general ledger account
+GroupBySubAccountAccounting=Group by subledger account
AccountingAccountGroupsDesc=You can define here some groups of accounting account. They will be used for personalized accounting reports.
ByAccounts=By accounts
ByPredefinedAccountGroups=By predefined groups
@@ -248,7 +251,7 @@ PaymentsNotLinkedToProduct=Payment not linked to any product / service
OpeningBalance=Opening balance
ShowOpeningBalance=Show opening balance
HideOpeningBalance=Hide opening balance
-ShowSubtotalByGroup=Show subtotal by group
+ShowSubtotalByGroup=Show subtotal by level
Pcgtype=Group of account
PcgtypeDesc=Group of account are used as predefined 'filter' and 'grouping' criteria for some accounting reports. For example, 'INCOME' or 'EXPENSE' are used as groups for accounting accounts of products to build the expense/income report.
@@ -271,11 +274,13 @@ DescVentilExpenseReport=Consult here the list of expense report lines bound (or
DescVentilExpenseReportMore=If you setup accounting account on type of expense report lines, the application will be able to make all the binding between your expense report lines and the accounting account of your chart of accounts, just in one click with the button "%s". If account was not set on fees dictionary or if you still have some lines not bound to any account, you will have to make a manual binding from the menu "%s".
DescVentilDoneExpenseReport=Consult here the list of the lines of expenses reports and their fees accounting account
+Closure=Annual closure
DescClosure=Consult here the number of movements by month who are not validated & fiscal years already open
OverviewOfMovementsNotValidated=Step 1/ Overview of movements not validated. (Necessary to close a fiscal year)
+AllMovementsWereRecordedAsValidated=All movements were recorded as validated
+NotAllMovementsCouldBeRecordedAsValidated=Not all movements could be recorded as validated
ValidateMovements=Validate movements
DescValidateMovements=Any modification or deletion of writing, lettering and deletes will be prohibited. All entries for an exercise must be validated otherwise closing will not be possible
-SelectMonthAndValidate=Select month and validate movements
ValidateHistory=Bind Automatically
AutomaticBindingDone=Automatic binding done
@@ -293,6 +298,7 @@ Accounted=Accounted in ledger
NotYetAccounted=Not yet accounted in ledger
ShowTutorial=Show Tutorial
NotReconciled=Not reconciled
+WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view
## Admin
BindingOptions=Binding options
@@ -337,6 +343,7 @@ Modelcsv_LDCompta10=Export for LD Compta (v10 & higher)
Modelcsv_openconcerto=Export for OpenConcerto (Test)
Modelcsv_configurable=Export CSV Configurable
Modelcsv_FEC=Export FEC
+Modelcsv_FEC2=Export FEC (With dates generation writing / document reversed)
Modelcsv_Sage50_Swiss=Export for Sage 50 Switzerland
Modelcsv_winfic=Export Winfic - eWinfic - WinSis Compta
Modelcsv_Gestinumv3=Export for Gestinum (v3)
diff --git a/htdocs/langs/is_IS/admin.lang b/htdocs/langs/is_IS/admin.lang
index a97b287a176..9696eab0725 100644
--- a/htdocs/langs/is_IS/admin.lang
+++ b/htdocs/langs/is_IS/admin.lang
@@ -56,6 +56,8 @@ GUISetup=Skoða
SetupArea=Skipulag
UploadNewTemplate=Upload new template(s)
FormToTestFileUploadForm=Form til að prófa skrá hlaða (samkvæmt skipulag)
+ModuleMustBeEnabled=The module/application %s must be enabled
+ModuleIsEnabled=The module/application %s has been enabled
IfModuleEnabled=Ath: er já aðeins gild ef einingin %s er virkt
RemoveLock=Remove/rename file %s if it exists, to allow usage of the Update/Install tool.
RestoreLock=Restore file %s, with read permission only, to disable any further use of the Update/Install tool.
@@ -85,7 +87,6 @@ ShowPreview=Sýna forskoðun
ShowHideDetails=Show-Hide details
PreviewNotAvailable=Forskoðun er ekki í boði
ThemeCurrentlyActive=Þema virk
-CurrentTimeZone=PHP-miðlara Tímasvæði
MySQLTimeZone=TimeZone MySql (database)
TZHasNoEffect=Dates are stored and returned by database server as if they were kept as submitted string. The timezone has effect only when using the UNIX_TIMESTAMP function (that should not be used by Dolibarr, so database TZ should have no effect, even if changed after data was entered).
Space=Space
@@ -153,8 +154,8 @@ SystemToolsAreaDesc=This area provides administration functions. Use the menu to
Purge=Purge
PurgeAreaDesc=This page allows you to delete all files generated or stored by Dolibarr (temporary files or all files in %s directory). Using this feature is not normally necessary. It is provided as a workaround for users whose Dolibarr is hosted by a provider that does not offer permissions to delete files generated by the web server.
PurgeDeleteLogFile=Delete log files, including %s defined for Syslog module (no risk of losing data)
-PurgeDeleteTemporaryFiles=Delete all temporary files (no risk of losing data). Note: Deletion is done only if the temp directory was created 24 hours ago.
-PurgeDeleteTemporaryFilesShort=Delete temporary files
+PurgeDeleteTemporaryFiles=Delete all log and temporary files (no risk of losing data). Note: Deletion of temporary files is done only if the temp directory was created more than 24 hours ago.
+PurgeDeleteTemporaryFilesShort=Delete log and temporary files
PurgeDeleteAllFilesInDocumentsDir=Delete all files in directory: %s. This will delete all generated documents related to elements (third parties, invoices etc...), files uploaded into the ECM module, database backup dumps and temporary files.
PurgeRunNow=Hreinsa nú
PurgeNothingToDelete=No directory or files to delete.
@@ -256,6 +257,7 @@ ReferencedPreferredPartners=Preferred Partners
OtherResources=Other resources
ExternalResources=External Resources
SocialNetworks=Social Networks
+SocialNetworkId=Social Network ID
ForDocumentationSeeWiki=Notandanafn eða skjölum verktaki '(Doc, FAQs ...), kíkið á Dolibarr Wiki: %s
ForAnswersSeeForum=Fyrir einhverjar aðrar spurningar / hjálp, getur þú notað Dolibarr spjall: %s
HelpCenterDesc1=Here are some resources for getting help and support with Dolibarr.
@@ -375,7 +377,7 @@ ExamplesWithCurrentSetup=Examples with current configuration
ListOfDirectories=Listi yfir OpenDocument sniðmát framkvæmdarstjóra
ListOfDirectoriesForModelGenODT=List of directories containing templates files with OpenDocument format.
Put here full path of directories. Add a carriage return between eah directory. To add a directory of the GED module, add here DOL_DATA_ROOT/ecm/yourdirectoryname.
Files in those directories must end with .odt or .ods.
NumberOfModelFilesFound=Number of ODT/ODS template files found in these directories
-ExampleOfDirectoriesForModelGen=Dæmi um setningafræði: c: \\ mydir / Home / mydir DOL_DATA_ROOT / ECM / ecmdir
+ExampleOfDirectoriesForModelGen=Examples of syntax: c:\\myapp\\mydocumentdir\\mysubdir /home/myapp/mydocumentdir/mysubdir DOL_DATA_ROOT/ecm/ecmdir
FollowingSubstitutionKeysCanBeUsed= Til að vita hvernig á að búa odt skjalið sniðmát, áður en að geyma þá í þeim möppum, lesa wiki skjöl:
FullListOnOnlineDocumentation=http://wiki.dolibarr.org/index.php/Create_an_ODT_document_template
FirstnameNamePosition=Staðsetning firstname / nafn
@@ -406,7 +408,7 @@ UrlGenerationParameters=Breytur til að tryggja vefslóðir
SecurityTokenIsUnique=Nota einstakt securekey breytu fyrir hvert slóð
EnterRefToBuildUrl=Sláðu inn tilvísun til %s mótmæla
GetSecuredUrl=Fá reiknað slóð
-ButtonHideUnauthorized=Hide buttons for non-admin users for unauthorized actions instead of showing greyed disabled buttons
+ButtonHideUnauthorized=Hide unauthorized action buttons also for internal users (just greyed otherwise)
OldVATRates=Old VAT rate
NewVATRates=New VAT rate
PriceBaseTypeToChange=Modify on prices with base reference value defined on
@@ -1689,7 +1691,7 @@ NotTopTreeMenuPersonalized=Personalized menus not linked to a top menu entry
NewMenu=Nýr matseðill
MenuHandler=Valmynd dýraþjálfari
MenuModule=Heimild mát
-HideUnauthorizedMenu= Fela óviðkomandi valmyndir (grátt)
+HideUnauthorizedMenu=Hide unauthorized menus also for internal users (just greyed otherwise)
DetailId=Auðkenni Valmynd
DetailMenuHandler=Valmynd dýraþjálfari hvar á að birta nýja valmynd
DetailMenuModule=Module nafn ef matseðill færsla kemur frá einingu
@@ -1983,11 +1985,12 @@ EMailHost=Host of email IMAP server
MailboxSourceDirectory=Mailbox source directory
MailboxTargetDirectory=Mailbox target directory
EmailcollectorOperations=Operations to do by collector
+EmailcollectorOperationsDesc=Operations are executed from top to bottom order
MaxEmailCollectPerCollect=Max number of emails collected per collect
CollectNow=Collect now
ConfirmCloneEmailCollector=Are you sure you want to clone the Email collector %s ?
-DateLastCollectResult=Date latest collect tried
-DateLastcollectResultOk=Date latest collect successfull
+DateLastCollectResult=Date of latest collect try
+DateLastcollectResultOk=Date of latest collect success
LastResult=Latest result
EmailCollectorConfirmCollectTitle=Email collect confirmation
EmailCollectorConfirmCollect=Do you want to run the collection for this collector now ?
@@ -2005,7 +2008,7 @@ WithDolTrackingID=Message from a conversation initiated by a first email sent fr
WithoutDolTrackingID=Message from a conversation initiated by a first email NOT sent from Dolibarr
WithDolTrackingIDInMsgId=Message sent from Dolibarr
WithoutDolTrackingIDInMsgId=Message NOT sent from Dolibarr
-CreateCandidature=Create candidature
+CreateCandidature=Create job application
FormatZip=Zip
MainMenuCode=Menu entry code (mainmenu)
ECMAutoTree=Show automatic ECM tree
@@ -2083,3 +2086,7 @@ CountryIfSpecificToOneCountry=Country (if specific to a given country)
YouMayFindSecurityAdviceHere=You may find security advisory here
ModuleActivatedMayExposeInformation=This module may expose sensitive data. If you don't need it, disable it.
ModuleActivatedDoNotUseInProduction=A module designed for the development has been enabled. Do not enable it on a production environment.
+CombinationsSeparator=Separator character for product combinations
+SeeLinkToOnlineDocumentation=See link to online documention on top menu for examples
+SHOW_SUBPRODUCT_REF_IN_PDF=If the feature "%s" of module %s is used, show details of subproducts of a kit on PDF.
+AskThisIDToYourBank=Contact your bank to get this ID
diff --git a/htdocs/langs/is_IS/banks.lang b/htdocs/langs/is_IS/banks.lang
index ca4aef62431..255e70e0997 100644
--- a/htdocs/langs/is_IS/banks.lang
+++ b/htdocs/langs/is_IS/banks.lang
@@ -173,8 +173,8 @@ SEPAMandate=SEPA mandate
YourSEPAMandate=Your SEPA mandate
FindYourSEPAMandate=This is your SEPA mandate to authorize our company to make direct debit order to your bank. Return it signed (scan of the signed document) or send it by mail to
AutoReportLastAccountStatement=Automatically fill the field 'number of bank statement' with last statement number when making reconciliation
-CashControl=POS cash fence
-NewCashFence=New cash fence
+CashControl=POS cash desk control
+NewCashFence=New cash desk closing
BankColorizeMovement=Colorize movements
BankColorizeMovementDesc=If this function is enable, you can choose specific background color for debit or credit movements
BankColorizeMovementName1=Background color for debit movement
diff --git a/htdocs/langs/is_IS/blockedlog.lang b/htdocs/langs/is_IS/blockedlog.lang
index 4a0e02851e2..ffd835ef987 100644
--- a/htdocs/langs/is_IS/blockedlog.lang
+++ b/htdocs/langs/is_IS/blockedlog.lang
@@ -35,7 +35,7 @@ logDON_DELETE=Donation logical deletion
logMEMBER_SUBSCRIPTION_CREATE=Member subscription created
logMEMBER_SUBSCRIPTION_MODIFY=Member subscription modified
logMEMBER_SUBSCRIPTION_DELETE=Member subscription logical deletion
-logCASHCONTROL_VALIDATE=Cash fence recording
+logCASHCONTROL_VALIDATE=Cash desk closing recording
BlockedLogBillDownload=Customer invoice download
BlockedLogBillPreview=Customer invoice preview
BlockedlogInfoDialog=Log Details
diff --git a/htdocs/langs/is_IS/boxes.lang b/htdocs/langs/is_IS/boxes.lang
index d1b8a7367be..d0b923855b3 100644
--- a/htdocs/langs/is_IS/boxes.lang
+++ b/htdocs/langs/is_IS/boxes.lang
@@ -46,9 +46,12 @@ BoxTitleLastModifiedDonations=Latest %s modified donations
BoxTitleLastModifiedExpenses=Latest %s modified expense reports
BoxTitleLatestModifiedBoms=Latest %s modified BOMs
BoxTitleLatestModifiedMos=Latest %s modified Manufacturing Orders
+BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded
BoxGlobalActivity=Global activity (invoices, proposals, orders)
BoxGoodCustomers=Good customers
BoxTitleGoodCustomers=%s Good customers
+BoxScheduledJobs=Scheduled jobs
+BoxTitleFunnelOfProspection=Lead funnel
FailedToRefreshDataInfoNotUpToDate=Failed to refresh RSS flux. Latest successful refresh date: %s
LastRefreshDate=Latest refresh date
NoRecordedBookmarks=Engin bókamerki skilgreind. Smelltu hér til að bæta við bókamerki.
@@ -102,5 +105,7 @@ SuspenseAccountNotDefined=Suspense account isn't defined
BoxLastCustomerShipments=Last customer shipments
BoxTitleLastCustomerShipments=Latest %s customer shipments
NoRecordedShipments=No recorded customer shipment
+BoxCustomersOutstandingBillReached=Customers with oustanding limit reached
# Pages
AccountancyHome=Bókhalds
+ValidatedProjects=Validated projects
diff --git a/htdocs/langs/is_IS/cashdesk.lang b/htdocs/langs/is_IS/cashdesk.lang
index e5ac19f8ff5..244a0b22645 100644
--- a/htdocs/langs/is_IS/cashdesk.lang
+++ b/htdocs/langs/is_IS/cashdesk.lang
@@ -49,8 +49,8 @@ Footer=Footer
AmountAtEndOfPeriod=Amount at end of period (day, month or year)
TheoricalAmount=Theorical amount
RealAmount=Real amount
-CashFence=Cash fence
-CashFenceDone=Cash fence done for the period
+CashFence=Cash desk closing
+CashFenceDone=Cash desk closing done for the period
NbOfInvoices=NB af reikningum
Paymentnumpad=Type of Pad to enter payment
Numberspad=Numbers Pad
@@ -99,8 +99,9 @@ CashDeskRefNumberingModules=Numbering module for POS sales
CashDeskGenericMaskCodes6 = {TN} tag is used to add the terminal number
TakeposGroupSameProduct=Group same products lines
StartAParallelSale=Start a new parallel sale
-ControlCashOpening=Control cash box at opening POS
-CloseCashFence=Close cash fence
+SaleStartedAt=Sale started at %s
+ControlCashOpening=Control cash popup at opening POS
+CloseCashFence=Close cash desk control
CashReport=Cash report
MainPrinterToUse=Main printer to use
OrderPrinterToUse=Order printer to use
@@ -122,3 +123,4 @@ GiftReceipt=Gift receipt
ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled first
AllowDelayedPayment=Allow delayed payment
PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts
+WeighingScale=Weighing scale
diff --git a/htdocs/langs/is_IS/categories.lang b/htdocs/langs/is_IS/categories.lang
index 12ea7e5e036..b5b63e566bb 100644
--- a/htdocs/langs/is_IS/categories.lang
+++ b/htdocs/langs/is_IS/categories.lang
@@ -19,6 +19,7 @@ ProjectsCategoriesArea=Projects tags/categories area
UsersCategoriesArea=Users tags/categories area
SubCats=Sub-categories
CatList=List of tags/categories
+CatListAll=List of tags/categories (all types)
NewCategory=New tag/category
ModifCat=Modify tag/category
CatCreated=Tag/category created
@@ -65,16 +66,22 @@ UsersCategoriesShort=Users tags/categories
StockCategoriesShort=Warehouse tags/categories
ThisCategoryHasNoItems=This category does not contain any items.
CategId=Tag/category id
-CatSupList=List of vendor tags/categories
-CatCusList=List of customer/prospect tags/categories
+ParentCategory=Parent tag/category
+ParentCategoryLabel=Label of parent tag/category
+CatSupList=List of vendors tags/categories
+CatCusList=List of customers/prospects tags/categories
CatProdList=List of products tags/categories
CatMemberList=List of members tags/categories
-CatContactList=List of contact tags/categories
-CatSupLinks=Links between suppliers and tags/categories
+CatContactList=List of contacts tags/categories
+CatProjectsList=List of projects tags/categories
+CatUsersList=List of users tags/categories
+CatSupLinks=Links between vendors and tags/categories
CatCusLinks=Links between customers/prospects and tags/categories
CatContactsLinks=Links between contacts/addresses and tags/categories
CatProdLinks=Links between products/services and tags/categories
-CatProJectLinks=Links between projects and tags/categories
+CatMembersLinks=Links between members and tags/categories
+CatProjectsLinks=Links between projects and tags/categories
+CatUsersLinks=Links between users and tags/categories
DeleteFromCat=Remove from tags/category
ExtraFieldsCategories=Fyllingar eiginleika
CategoriesSetup=Tags/categories setup
diff --git a/htdocs/langs/is_IS/companies.lang b/htdocs/langs/is_IS/companies.lang
index 1ec0e068f53..86883bf1c40 100644
--- a/htdocs/langs/is_IS/companies.lang
+++ b/htdocs/langs/is_IS/companies.lang
@@ -358,7 +358,7 @@ VATIntraCheckableOnEUSite=Check the intra-Community VAT ID on the European Commi
VATIntraManualCheck=You can also check manually on the European Commission website %s
ErrorVATCheckMS_UNAVAILABLE=Athuga ekki hægt. Athugaðu þjónusta er ekki veitt af aðildarríki ( %s ).
NorProspectNorCustomer=Not prospect, nor customer
-JuridicalStatus=Legal Entity Type
+JuridicalStatus=Business entity type
Workforce=Workforce
Staff=Employees
ProspectLevelShort=Möguleiki
diff --git a/htdocs/langs/is_IS/compta.lang b/htdocs/langs/is_IS/compta.lang
index 8a3d0831930..b281068b1a6 100644
--- a/htdocs/langs/is_IS/compta.lang
+++ b/htdocs/langs/is_IS/compta.lang
@@ -111,7 +111,7 @@ Refund=Refund
SocialContributionsPayments=Social/fiscal taxes payments
ShowVatPayment=Sýna VSK greiðslu
TotalToPay=Samtals borga
-BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted ascending on %s and filtered for 1 bank account
+BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted on %s and filtered on 1 bank account (with no other filters)
CustomerAccountancyCode=Customer accounting code
SupplierAccountancyCode=Vendor accounting code
CustomerAccountancyCodeShort=Cust. account. code
@@ -140,7 +140,7 @@ ConfirmDeleteSocialContribution=Are you sure you want to delete this social/fisc
ExportDataset_tax_1=Social and fiscal taxes and payments
CalcModeVATDebt=Mode %sVAT on commitment accounting%s.
CalcModeVATEngagement=Mode %sVAT on incomes-expenses%s.
-CalcModeDebt=Analysis of known recorded invoices even if they are not yet accounted in ledger.
+CalcModeDebt=Analysis of known recorded documents even if they are not yet accounted in ledger.
CalcModeEngagement=Analysis of known recorded payments, even if they are not yet accounted in Ledger.
CalcModeBookkeeping=Analysis of data journalized in Bookkeeping Ledger table.
CalcModeLT1= Mode %sRE on customer invoices - suppliers invoices%s
@@ -154,9 +154,9 @@ AnnualSummaryInputOutputMode=Balance of income and expenses, annual summary
AnnualByCompanies=Balance of income and expenses, by predefined groups of account
AnnualByCompaniesDueDebtMode=Balance of income and expenses, detail by predefined groups, mode %sClaims-Debts%s said Commitment accounting.
AnnualByCompaniesInputOutputMode=Balance of income and expenses, detail by predefined groups, mode %sIncomes-Expenses%s said cash accounting.
-SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation on actual payments made even if they are not yet accounted in Ledger.
-SeeReportInDueDebtMode=See %sanalysis of invoices%s for a calculation based on known recorded invoices even if they are not yet accounted in Ledger.
-SeeReportInBookkeepingMode=See %sBookeeping report%s for a calculation on Bookkeeping Ledger table
+SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation based on recorded payments made even if they are not yet accounted in Ledger
+SeeReportInDueDebtMode=See %sanalysis of recorded documents%s for a calculation based on known recorded documents even if they are not yet accounted in Ledger
+SeeReportInBookkeepingMode=See %sanalysis of bookeeping ledger table%s for a report based on Bookkeeping Ledger table
RulesAmountWithTaxIncluded=- Amounts shown are with all taxes included
RulesResultDue=- It includes outstanding invoices, expenses, VAT, donations whether they are paid or not. Is also includes paid salaries. - It is based on the billing date of invoices and on the due date for expenses or tax payments. For salaries defined with Salary module, the value date of payment is used.
RulesResultInOut=- It includes the real payments made on invoices, expenses, VAT and salaries. - It is based on the payment dates of the invoices, expenses, VAT and salaries. The donation date for donation.
@@ -169,12 +169,15 @@ RulesResultBookkeepingPersonalized=It show record in your Ledger with accounting
SeePageForSetup=See menu %s for setup
DepositsAreNotIncluded=- Down payment invoices are not included
DepositsAreIncluded=- Down payment invoices are included
+LT1ReportByMonth=Tax 2 report by month
+LT2ReportByMonth=Tax 3 report by month
LT1ReportByCustomers=Report tax 2 by third party
LT2ReportByCustomers=Report tax 3 by third party
LT1ReportByCustomersES=Report by third party RE
LT2ReportByCustomersES=Skýrsla um þriðja aðila IRPF
VATReport=Sale tax report
VATReportByPeriods=Sale tax report by period
+VATReportByMonth=Sale tax report by month
VATReportByRates=Sale tax report by rates
VATReportByThirdParties=Sale tax report by third parties
VATReportByCustomers=Sale tax report by customer
diff --git a/htdocs/langs/is_IS/cron.lang b/htdocs/langs/is_IS/cron.lang
index 2d3b08fe463..52aaabab757 100644
--- a/htdocs/langs/is_IS/cron.lang
+++ b/htdocs/langs/is_IS/cron.lang
@@ -6,14 +6,15 @@ Permission23102 = Create/update Scheduled job
Permission23103 = Delete Scheduled job
Permission23104 = Execute Scheduled job
# Admin
-CronSetup= Scheduled job management setup
-URLToLaunchCronJobs=URL to check and launch qualified cron jobs
-OrToLaunchASpecificJob=Or to check and launch a specific job
+CronSetup=Scheduled job management setup
+URLToLaunchCronJobs=URL to check and launch qualified cron jobs from a browser
+OrToLaunchASpecificJob=Or to check and launch a specific job from a browser
KeyForCronAccess=Security key for URL to launch cron jobs
FileToLaunchCronJobs=Command line to check and launch qualified cron jobs
CronExplainHowToRunUnix=On Unix environment you should use the following crontab entry to run the command line each 5 minutes
-CronExplainHowToRunWin=On Microsoft(tm) Windows environement you can use Scheduled task tools to run the command line each 5 minutes
+CronExplainHowToRunWin=On Microsoft(tm) Windows environment you can use Scheduled Task tools to run the command line each 5 minutes
CronMethodDoesNotExists=Class %s does not contains any method %s
+CronMethodNotAllowed=Method %s of class %s is in blacklist of forbidden methods
CronJobDefDesc=Cron job profiles are defined into the module descriptor file. When module is activated, they are loaded and available so you can administer the jobs from the admin tools menu %s.
CronJobProfiles=List of predefined cron job profiles
# Menu
@@ -42,10 +43,11 @@ CronModule=Module
CronNoJobs=No jobs registered
CronPriority=Forgangur
CronLabel=Merki
-CronNbRun=Nb. launch
-CronMaxRun=Max number launch
+CronNbRun=Number of launches
+CronMaxRun=Maximum number of launches
CronEach=Every
JobFinished=Job launched and finished
+Scheduled=Scheduled
#Page card
CronAdd= Add jobs
CronEvery=Execute job each
@@ -56,16 +58,16 @@ CronNote=Athugasemd
CronFieldMandatory=Fields %s is mandatory
CronErrEndDateStartDt=End date cannot be before start date
StatusAtInstall=Status at module installation
-CronStatusActiveBtn=Enable
+CronStatusActiveBtn=Schedule
CronStatusInactiveBtn=Slökkva
CronTaskInactive=This job is disabled
CronId=Id
CronClassFile=Filename with class
-CronModuleHelp=Name of Dolibarr module directory (also work with external Dolibarr module). For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for module is product
-CronClassFileHelp=The relative path and file name to load (path is relative to web server root directory). For exemple to call the fetch method of Dolibarr Product object htdocs/product/class/product.class.php, the value for class file name is product/class/product.class.php
-CronObjectHelp=The object name to load. For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for class file name is Product
-CronMethodHelp=The object method to launch. For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for method is fetch
-CronArgsHelp=The method arguments. For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for paramters can be 0, ProductRef
+CronModuleHelp=Name of Dolibarr module directory (also work with external Dolibarr module). For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for module is product
+CronClassFileHelp=The relative path and file name to load (path is relative to web server root directory). For example to call the fetch method of Dolibarr Product object htdocs/product/class/product.class.php, the value for class file name is product/class/product.class.php
+CronObjectHelp=The object name to load. For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for class file name is Product
+CronMethodHelp=The object method to launch. For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for method is fetch
+CronArgsHelp=The method arguments. For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for paramters can be 0, ProductRef
CronCommandHelp=The system command line to execute.
CronCreateJob=Create new Scheduled Job
CronFrom=Frá
@@ -76,8 +78,14 @@ CronType_method=Call method of a PHP Class
CronType_command=Shell command
CronCannotLoadClass=Cannot load class file %s (to use class %s)
CronCannotLoadObject=Class file %s was loaded, but object %s was not found into it
-UseMenuModuleToolsToAddCronJobs=Go into menu "Home - Admin tools - Scheduled jobs" to see and edit scheduled jobs.
+UseMenuModuleToolsToAddCronJobs=Go into menu "Home - Admin tools - Scheduled jobs" to see and edit scheduled jobs.
JobDisabled=Job disabled
MakeLocalDatabaseDumpShort=Local database backup
-MakeLocalDatabaseDump=Create a local database dump. Parameters are: compression ('gz' or 'bz' or 'none'), backup type ('mysql' or 'pgsql'), 1, 'auto' or filename to build, number of backup files to keep
+MakeLocalDatabaseDump=Create a local database dump. Parameters are: compression ('gz' or 'bz' or 'none'), backup type ('mysql', 'pgsql', 'auto'), 1, 'auto' or filename to build, number of backup files to keep
WarningCronDelayed=Attention, for performance purpose, whatever is next date of execution of enabled jobs, your jobs may be delayed to a maximum of %s hours, before being run.
+DATAPOLICYJob=Data cleaner and anonymizer
+JobXMustBeEnabled=Job %s must be enabled
+# Cron Boxes
+LastExecutedScheduledJob=Last executed scheduled job
+NextScheduledJobExecute=Next scheduled job to execute
+NumberScheduledJobError=Number of scheduled jobs in error
diff --git a/htdocs/langs/is_IS/errors.lang b/htdocs/langs/is_IS/errors.lang
index 05a5bca9bb6..82755eaab2b 100644
--- a/htdocs/langs/is_IS/errors.lang
+++ b/htdocs/langs/is_IS/errors.lang
@@ -5,8 +5,10 @@ NoErrorCommitIsDone=No error, we commit
# Errors
ErrorButCommitIsDone=Errors found but we validate despite this
ErrorBadEMail=Email %s is wrong
+ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record)
ErrorBadUrl=Url %s er rangt
ErrorBadValueForParamNotAString=Bad value for your parameter. It appends generally when translation is missing.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorLoginAlreadyExists=Innskráning %s er þegar til.
ErrorGroupAlreadyExists=Group %s er þegar til.
ErrorRecordNotFound=Upptaka fannst ekki.
@@ -48,6 +50,7 @@ ErrorFieldsRequired=Sumir Nauðsynlegir reitir voru ekki fylltir.
ErrorSubjectIsRequired=The email topic is required
ErrorFailedToCreateDir=Ekki tókst að búa til möppu. Athugaðu að vefþjóninn notandi hefur réttindi til að skrifa inn Dolibarr skjöl skrá. Ef viðfang safe_mode er virkt á þessu PHP, athuga hvort Dolibarr PHP skrár á nú á netþjóninn notandi (eða hóp).
ErrorNoMailDefinedForThisUser=Nei póstur er skilgreind fyrir þennan notanda
+ErrorSetupOfEmailsNotComplete=Setup of emails is not complete
ErrorFeatureNeedJavascript=Þessi aðgerð þarfnast javascript til að virkja til vinnu. Breyting þessi hefur skipulag - sýna.
ErrorTopMenuMustHaveAParentWithId0=A valmynd af gerðinni 'Efst' má ekki hafa foreldri valmyndinni. Put 0 í valmyndinni foreldri eða veldu Valmynd af gerðinni 'Vinstri'.
ErrorLeftMenuMustHaveAParentId=A valmynd af gerðinni 'Vinstri' verða að hafa foreldri kt.
@@ -75,7 +78,7 @@ ErrorExportDuplicateProfil=This profile name already exists for this export set.
ErrorLDAPSetupNotComplete=Dolibarr-LDAP samsvörun er ekki lokið.
ErrorLDAPMakeManualTest=A. LDIF skrá hefur verið búin til í %s . Prófaðu að hlaða það handvirkt úr stjórn lína að hafa meiri upplýsingar um villur.
ErrorCantSaveADoneUserWithZeroPercentage=Can't save an action with "status not started" if field "done by" is also filled.
-ErrorRefAlreadyExists=Ref notað sköpun er þegar til.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorPleaseTypeBankTransactionReportName=Please enter the bank statement name where the entry has to be reported (Format YYYYMM or YYYYMMDD)
ErrorRecordHasChildren=Failed to delete record since it has some child records.
ErrorRecordHasAtLeastOneChildOfType=Object has at least one child of type %s
@@ -216,7 +219,7 @@ ErrorChooseBetweenFreeEntryOrPredefinedProduct=You must choose if article is a p
ErrorDiscountLargerThanRemainToPaySplitItBefore=The discount you try to apply is larger than remain to pay. Split the discount in 2 smaller discounts before.
ErrorFileNotFoundWithSharedLink=File was not found. May be the share key was modified or file was removed recently.
ErrorProductBarCodeAlreadyExists=The product barcode %s already exists on another product reference.
-ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using virtual product to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number.
+ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using kits to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number.
ErrorDescRequiredForFreeProductLines=Description is mandatory for lines with free product
ErrorAPageWithThisNameOrAliasAlreadyExists=The page/container %s has the same name or alternative alias that the one your try to use
ErrorDuringChartLoad=Error when loading chart of accounts. If few accounts were not loaded, you can still enter them manually.
@@ -243,6 +246,16 @@ ErrorReplaceStringEmpty=Error, the string to replace into is empty
ErrorProductNeedBatchNumber=Error, product '%s' need a lot/serial number
ErrorProductDoesNotNeedBatchNumber=Error, product '%s' does not accept a lot/serial number
ErrorFailedToReadObject=Error, failed to read object of type %s
+ErrorParameterMustBeEnabledToAllwoThisFeature=Error, parameter %s must be enabled into conf/conf.php to allow use of Command Line Interface by the internal job scheduler
+ErrorLoginDateValidity=Error, this login is outside the validity date range
+ErrorValueLength=Length of field '%s' must be higher than '%s'
+ErrorReservedKeyword=The word '%s' is a reserved keyword
+ErrorNotAvailableWithThisDistribution=Not available with this distribution
+ErrorPublicInterfaceNotEnabled=Public interface was not enabled
+ErrorLanguageRequiredIfPageIsTranslationOfAnother=The language of new page must be defined if it is set as a translation of another page
+ErrorLanguageMustNotBeSourceLanguageIfPageIsTranslationOfAnother=The language of new page must not be the source language if it is set as a translation of another page
+ErrorAParameterIsRequiredForThisOperation=A parameter is mandatory for this operation
+
# Warnings
WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup.
WarningPasswordSetWithNoAccount=A password was set for this member. However, no user account was created. So this password is stored but can't be used to login to Dolibarr. It may be used by an external module/interface but if you don't need to define any login nor password for a member, you can disable option "Manage a login for each member" from Member module setup. If you need to manage a login but don't need any password, you can keep this field empty to avoid this warning. Note: Email can also be used as a login if the member is linked to a user.
@@ -267,6 +280,10 @@ WarningYourLoginWasModifiedPleaseLogin=Your login was modified. For security pur
WarningAnEntryAlreadyExistForTransKey=An entry already exists for the translation key for this language
WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different recipient is limited to %s when using the mass actions on lists
WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report
+WarningProjectDraft=Project is still in draft mode. Don't forget to validate it if you plan to use tasks.
WarningProjectClosed=Project is closed. You must re-open it first.
WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list.
-WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table
+WarningFailedToAddFileIntoDatabaseIndex=Warning, failed to add file entry into ECM database index table
+WarningTheHiddenOptionIsOn=Warning, the hidden option %s is on.
+WarningCreateSubAccounts=Warning, you can't create directly a sub account, you must create a third party or an user and assign them an accounting code to find them in this list
+WarningAvailableOnlyForHTTPSServers=Available only if using HTTPS secured connection.
diff --git a/htdocs/langs/is_IS/exports.lang b/htdocs/langs/is_IS/exports.lang
index 63970ffbd21..a9f6a31bddf 100644
--- a/htdocs/langs/is_IS/exports.lang
+++ b/htdocs/langs/is_IS/exports.lang
@@ -26,6 +26,8 @@ FieldTitle=Field titill
NowClickToGenerateToBuildExportFile=Now, select the file format in the combo box and click on "Generate" to build the export file...
AvailableFormats=Available Formats
LibraryShort=Bókasafn
+ExportCsvSeparator=Csv caracter separator
+ImportCsvSeparator=Csv caracter separator
Step=Skref
FormatedImport=Import Assistant
FormatedImportDesc1=This module allows you to update existing data or add new objects into the database from a file without technical knowledge, using an assistant.
@@ -131,3 +133,4 @@ KeysToUseForUpdates=Key (column) to use for updating existing data
NbInsert=Number of inserted lines: %s
NbUpdate=Number of updated lines: %s
MultipleRecordFoundWithTheseFilters=Multiple records have been found with these filters: %s
+StocksWithBatch=Stocks and location (warehouse) of products with batch/serial number
diff --git a/htdocs/langs/is_IS/mails.lang b/htdocs/langs/is_IS/mails.lang
index 0c77e81bb81..b51a138bbc8 100644
--- a/htdocs/langs/is_IS/mails.lang
+++ b/htdocs/langs/is_IS/mails.lang
@@ -92,6 +92,7 @@ MailingModuleDescEmailsFromUser=Emails input by user
MailingModuleDescDolibarrUsers=Users with Emails
MailingModuleDescThirdPartiesByCategories=Third parties (by categories)
SendingFromWebInterfaceIsNotAllowed=Sending from web interface is not allowed.
+EmailCollectorFilterDesc=All filters must match to have an email being collected
# Libelle des modules de liste de destinataires mailing
LineInFile=Lína %s í skrá
@@ -125,12 +126,13 @@ TagMailtoEmail=Recipient Email (including html "mailto:" link)
NoEmailSentBadSenderOrRecipientEmail=No email sent. Bad sender or recipient email. Verify user profile.
# Module Notifications
Notifications=Tilkynningar
-NoNotificationsWillBeSent=Engar tilkynningar í tölvupósti er mjög spennandi fyrir þennan atburð og fyrirtæki
-ANotificationsWillBeSent=1 tilkynning verður send með tölvupósti
-SomeNotificationsWillBeSent=%s tilkynningar verða sendar í tölvupósti
-AddNewNotification=Activate a new email notification target/event
-ListOfActiveNotifications=List all active targets/events for email notification
-ListOfNotificationsDone=Sýna allar tilkynningar í tölvupósti sendi
+NotificationsAuto=Notifications Auto.
+NoNotificationsWillBeSent=No automatic email notifications are planned for this event type and company
+ANotificationsWillBeSent=1 automatic notification will be sent by email
+SomeNotificationsWillBeSent=%s automatic notifications will be sent by email
+AddNewNotification=Subscribe to a new automatic email notification (target/event)
+ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification
+ListOfNotificationsDone=List all automatic email notifications sent
MailSendSetupIs=Configuration of email sending has been setup to '%s'. This mode can't be used to send mass emailing.
MailSendSetupIs2=You must first go, with an admin account, into menu %sHome - Setup - EMails%s to change parameter '%s' to use mode '%s'. With this mode, you can enter setup of the SMTP server provided by your Internet Service Provider and use Mass emailing feature.
MailSendSetupIs3=If you have any questions on how to setup your SMTP server, you can ask to %s.
@@ -140,7 +142,7 @@ UseFormatFileEmailToTarget=Imported file must have format email;name;fir
UseFormatInputEmailToTarget=Enter a string with format email;name;firstname;other
MailAdvTargetRecipients=Recipients (advanced selection)
AdvTgtTitle=Fill input fields to preselect the third parties or contacts/addresses to target
-AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima% will target all jean, joe, start with jim but not jimo and not everything that starts with jima
+AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima%% will target all jean, joe, start with jim but not jimo and not everything that starts with jima
AdvTgtSearchIntHelp=Use interval to select int or float value
AdvTgtMinVal=Minimum value
AdvTgtMaxVal=Maximum value
@@ -162,13 +164,14 @@ AdvTgtCreateFilter=Create filter
AdvTgtOrCreateNewFilter=Name of new filter
NoContactWithCategoryFound=No contact/address with a category found
NoContactLinkedToThirdpartieWithCategoryFound=No contact/address with a category found
-OutGoingEmailSetup=Outgoing email setup
-InGoingEmailSetup=Incoming email setup
-OutGoingEmailSetupForEmailing=Outgoing email setup (for module %s)
-DefaultOutgoingEmailSetup=Default outgoing email setup
+OutGoingEmailSetup=Outgoing emails
+InGoingEmailSetup=Incoming emails
+OutGoingEmailSetupForEmailing=Outgoing emails (for module %s)
+DefaultOutgoingEmailSetup=Same configuration than the global Outgoing email setup
Information=Information
ContactsWithThirdpartyFilter=Contacts with third-party filter
Unanswered=Unanswered
Answered=Answered
IsNotAnAnswer=Is not answer (initial email)
IsAnAnswer=Is an answer of an initial email
+RecordCreatedByEmailCollector=Record created by the Email Collector %s from email %s
diff --git a/htdocs/langs/is_IS/main.lang b/htdocs/langs/is_IS/main.lang
index 55729865831..223a23162f8 100644
--- a/htdocs/langs/is_IS/main.lang
+++ b/htdocs/langs/is_IS/main.lang
@@ -28,7 +28,9 @@ NoTemplateDefined=No template available for this email type
AvailableVariables=Available substitution variables
NoTranslation=No translation
Translation=Þýðing
+CurrentTimeZone=PHP-miðlara Tímasvæði
EmptySearchString=Enter non empty search criterias
+EnterADateCriteria=Enter a date criteria
NoRecordFound=No record found
NoRecordDeleted=No record deleted
NotEnoughDataYet=Not enough data
@@ -85,6 +87,8 @@ FileWasNotUploaded=A-skrá er valin fyrir viðhengi en var ekki enn upp. Smelltu
NbOfEntries=No. of entries
GoToWikiHelpPage=Read online help (Internet access needed)
GoToHelpPage=Lestu hjálpina
+DedicatedPageAvailable=There is a dedicated help page related to your current screen
+HomePage=Home Page
RecordSaved=Upptaka vistuð
RecordDeleted=Record deleted
RecordGenerated=Record generated
@@ -433,6 +437,7 @@ RemainToPay=Remain to pay
Module=Module/Application
Modules=Modules/Applications
Option=Valkostur
+Filters=Filters
List=Listi
FullList=Sjá lista
FullConversation=Full conversation
@@ -671,7 +676,7 @@ SendMail=Senda tölvupóst
Email=Email
NoEMail=No email
AlreadyRead=Already read
-NotRead=Not read
+NotRead=Unread
NoMobilePhone=No mobile phone
Owner=Eigandi
FollowingConstantsWillBeSubstituted=Eftir Fastar verður staðgengill með samsvarandi gildi.
@@ -1107,3 +1112,8 @@ UpToDate=Up-to-date
OutOfDate=Out-of-date
EventReminder=Event Reminder
UpdateForAllLines=Update for all lines
+OnHold=On hold
+AffectTag=Affect Tag
+ConfirmAffectTag=Bulk Tag Affect
+ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected record(s)?
+CategTypeNotFound=No tag type found for type of records
diff --git a/htdocs/langs/is_IS/modulebuilder.lang b/htdocs/langs/is_IS/modulebuilder.lang
index 460aef8103b..845dd12624d 100644
--- a/htdocs/langs/is_IS/modulebuilder.lang
+++ b/htdocs/langs/is_IS/modulebuilder.lang
@@ -40,6 +40,7 @@ PageForCreateEditView=PHP page to create/edit/view a record
PageForAgendaTab=PHP page for event tab
PageForDocumentTab=PHP page for document tab
PageForNoteTab=PHP page for note tab
+PageForContactTab=PHP page for contact tab
PathToModulePackage=Path to zip of module/application package
PathToModuleDocumentation=Path to file of module/application documentation (%s)
SpaceOrSpecialCharAreNotAllowed=Spaces or special characters are not allowed.
@@ -77,7 +78,7 @@ IsAMeasure=Is a measure
DirScanned=Directory scanned
NoTrigger=No trigger
NoWidget=No widget
-GoToApiExplorer=Go to API explorer
+GoToApiExplorer=API explorer
ListOfMenusEntries=List of menu entries
ListOfDictionariesEntries=List of dictionaries entries
ListOfPermissionsDefined=List of defined permissions
@@ -105,7 +106,7 @@ TryToUseTheModuleBuilder=If you have knowledge of SQL and PHP, you may use the n
SeeTopRightMenu=See on the top right menu
AddLanguageFile=Add language file
YouCanUseTranslationKey=You can use here a key that is the translation key found into language file (see tab "Languages")
-DropTableIfEmpty=(Delete table if empty)
+DropTableIfEmpty=(Destroy table if empty)
TableDoesNotExists=The table %s does not exists
TableDropped=Table %s deleted
InitStructureFromExistingTable=Build the structure array string of an existing table
@@ -126,7 +127,6 @@ UseSpecificEditorURL = Use a specific editor URL
UseSpecificFamily = Use a specific family
UseSpecificAuthor = Use a specific author
UseSpecificVersion = Use a specific initial version
-ModuleMustBeEnabled=The module/application must be enabled first
IncludeRefGeneration=The reference of object must be generated automatically
IncludeRefGenerationHelp=Check this if you want to include code to manage the generation automatically of the reference
IncludeDocGeneration=I want to generate some documents from the object
@@ -140,3 +140,4 @@ TypeOfFieldsHelp=Type of fields: varchar(99), double(24,8), real, text, html,
AsciiToHtmlConverter=Ascii to HTML converter
AsciiToPdfConverter=Ascii to PDF converter
TableNotEmptyDropCanceled=Table not empty. Drop has been canceled.
+ModuleBuilderNotAllowed=The module builder is available but not allowed to your user.
diff --git a/htdocs/langs/is_IS/other.lang b/htdocs/langs/is_IS/other.lang
index 6eef3ff2036..f14519c518e 100644
--- a/htdocs/langs/is_IS/other.lang
+++ b/htdocs/langs/is_IS/other.lang
@@ -5,8 +5,6 @@ Tools=Verkfæri
TMenuTools=Tools
ToolsDesc=All tools not included in other menu entries are grouped here. All the tools can be accessed via the left menu.
Birthday=Afmæli
-BirthdayDate=Birthday date
-DateToBirth=Birth date
BirthdayAlertOn=afmæli viðvörun virk
BirthdayAlertOff=afmæli viðvörun óvirk
TransKey=Translation of the key TransKey
@@ -16,6 +14,8 @@ PreviousMonthOfInvoice=Previous month (number 1-12) of invoice date
TextPreviousMonthOfInvoice=Previous month (text) of invoice date
NextMonthOfInvoice=Following month (number 1-12) of invoice date
TextNextMonthOfInvoice=Following month (text) of invoice date
+PreviousMonth=Previous month
+CurrentMonth=Current month
ZipFileGeneratedInto=Zip file generated into %s.
DocFileGeneratedInto=Doc file generated into %s.
JumpToLogin=Disconnected. Go to login page...
@@ -99,6 +99,7 @@ PredefinedMailContentSendShipping=__(Hello)__\n\nPlease find shipping __REF__ at
PredefinedMailContentSendFichInter=__(Hello)__\n\nPlease find intervention __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.\n\n%s\n\n
PredefinedMailContentGeneric=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
+PredefinedMailContentSendActionComm=Event reminder "__EVENT_LABEL__" on __EVENT_DATE__ at __EVENT_TIME__
This is an automatic message, please do not reply.
DemoDesc=Dolibarr is a compact ERP/CRM supporting several business modules. A demo showcasing all modules makes no sense as this scenario never occurs (several hundred available). So, several demo profiles are available.
ChooseYourDemoProfil=Choose the demo profile that best suits your needs...
ChooseYourDemoProfilMore=...or build your own profile (manual module selection)
@@ -137,7 +138,7 @@ Right=Hægri
CalculatedWeight=Reiknað þyngd
CalculatedVolume=Reiknað magn
Weight=Þyngd
-WeightUnitton=tonne
+WeightUnitton=ton
WeightUnitkg=kg
WeightUnitg=g
WeightUnitmg=mg
@@ -258,6 +259,7 @@ ContactCreatedByEmailCollector=Contact/address created by email collector from e
ProjectCreatedByEmailCollector=Project created by email collector from email MSGID %s
TicketCreatedByEmailCollector=Ticket created by email collector from email MSGID %s
OpeningHoursFormatDesc=Use a - to separate opening and closing hours. Use a space to enter different ranges. Example: 8-12 14-18
+PrefixSession=Prefix for session ID
##### Export #####
ExportsArea=Útflutningur area
diff --git a/htdocs/langs/is_IS/products.lang b/htdocs/langs/is_IS/products.lang
index 028eea77a82..2997e613496 100644
--- a/htdocs/langs/is_IS/products.lang
+++ b/htdocs/langs/is_IS/products.lang
@@ -108,7 +108,8 @@ FillWithLastServiceDates=Fill with last service line dates
MultiPricesAbility=Multiple price segments per product/service (each customer is in one price segment)
MultiPricesNumPrices=Fjöldi verð
DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices
-AssociatedProductsAbility=Activate kits (virtual products)
+AssociatedProductsAbility=Enable Kits (set of other products)
+VariantsAbility=Enable Variants (variations of products, for example color, size)
AssociatedProducts=Kits
AssociatedProductsNumber=Number of products composing this kit
ParentProductsNumber=Number of parent packaging product
@@ -167,8 +168,10 @@ BuyingPrices=Buying prices
CustomerPrices=Customer prices
SuppliersPrices=Vendor prices
SuppliersPricesOfProductsOrServices=Vendor prices (of products or services)
-CustomCode=Customs / Commodity / HS code
+CustomCode=Customs|Commodity|HS code
CountryOrigin=Uppruni land
+RegionStateOrigin=Region origin
+StateOrigin=State|Province origin
Nature=Nature of product (material/finished)
NatureOfProductShort=Nature of product
NatureOfProductDesc=Raw material or finished product
@@ -239,7 +242,7 @@ AlwaysUseFixedPrice=Use the fixed price
PriceByQuantity=Different prices by quantity
DisablePriceByQty=Disable prices by quantity
PriceByQuantityRange=Quantity range
-MultipriceRules=Price segment rules
+MultipriceRules=Automatic prices for segment
UseMultipriceRules=Use price segment rules (defined into product module setup) to auto calculate prices of all other segments according to first segment
PercentVariationOver=%% variation over %s
PercentDiscountOver=%% discount over %s
diff --git a/htdocs/langs/is_IS/recruitment.lang b/htdocs/langs/is_IS/recruitment.lang
index feaa40a6de2..411fc152c09 100644
--- a/htdocs/langs/is_IS/recruitment.lang
+++ b/htdocs/langs/is_IS/recruitment.lang
@@ -73,3 +73,4 @@ JobClosedTextCandidateFound=The job position is closed. The position has been fi
JobClosedTextCanceled=The job position is closed.
ExtrafieldsJobPosition=Complementary attributes (job positions)
ExtrafieldsCandidatures=Complementary attributes (job applications)
+MakeOffer=Make an offer
diff --git a/htdocs/langs/is_IS/sendings.lang b/htdocs/langs/is_IS/sendings.lang
index b498380aa64..9bb3e783a22 100644
--- a/htdocs/langs/is_IS/sendings.lang
+++ b/htdocs/langs/is_IS/sendings.lang
@@ -30,6 +30,7 @@ OtherSendingsForSameOrder=Aðrar sendingar fyrir þessari röð
SendingsAndReceivingForSameOrder=Shipments and receipts for this order
SendingsToValidate=Sendi til að sannreyna
StatusSendingCanceled=Hætt við
+StatusSendingCanceledShort=Hætt við
StatusSendingDraft=Víxill
StatusSendingValidated=Staðfestar (vörur til skip eða þegar flutt)
StatusSendingProcessed=Afgreitt
@@ -65,6 +66,7 @@ ValidateOrderFirstBeforeShipment=You must first validate the order before being
# Sending methods
# ModelDocument
DocumentModelTyphon=Meira heill skjal líkan fyrir kvittunum sending (logo. ..)
+DocumentModelStorm=More complete document model for delivery receipts and extrafields compatibility (logo...)
Error_EXPEDITION_ADDON_NUMBER_NotDefined=Constant EXPEDITION_ADDON_NUMBER skilgreind ekki
SumOfProductVolumes=Sum of product volumes
SumOfProductWeights=Sum of product weights
diff --git a/htdocs/langs/is_IS/stocks.lang b/htdocs/langs/is_IS/stocks.lang
index eb22f8deba6..7fcebc4dc05 100644
--- a/htdocs/langs/is_IS/stocks.lang
+++ b/htdocs/langs/is_IS/stocks.lang
@@ -240,3 +240,4 @@ InventoryRealQtyHelp=Set value to 0 to reset qty Keep field empty, or remove
UpdateByScaning=Update by scaning
UpdateByScaningProductBarcode=Update by scan (product barcode)
UpdateByScaningLot=Update by scan (lot|serial barcode)
+DisableStockChangeOfSubProduct=Deactivate the stock change for all the subproducts of this Kit during this movement.
diff --git a/htdocs/langs/is_IS/ticket.lang b/htdocs/langs/is_IS/ticket.lang
index 956e3b0a629..113be596543 100644
--- a/htdocs/langs/is_IS/ticket.lang
+++ b/htdocs/langs/is_IS/ticket.lang
@@ -31,10 +31,8 @@ TicketDictType=Ticket - Types
TicketDictCategory=Ticket - Groupes
TicketDictSeverity=Ticket - Severities
TicketDictResolution=Ticket - Resolution
-TicketTypeShortBUGSOFT=Dysfonctionnement logiciel
-TicketTypeShortBUGHARD=Dysfonctionnement matériel
-TicketTypeShortCOM=Commercial question
+TicketTypeShortCOM=Commercial question
TicketTypeShortHELP=Request for functionnal help
TicketTypeShortISSUE=Issue, bug or problem
TicketTypeShortREQUEST=Change or enhancement request
@@ -44,7 +42,7 @@ TicketTypeShortOTHER=Önnur
TicketSeverityShortLOW=Low
TicketSeverityShortNORMAL=Normal
TicketSeverityShortHIGH=Hár
-TicketSeverityShortBLOCKING=Critical/Blocking
+TicketSeverityShortBLOCKING=Critical, Blocking
ErrorBadEmailAddress=Field '%s' incorrect
MenuTicketMyAssign=My tickets
@@ -60,7 +58,6 @@ OriginEmail=Email source
Notify_TICKET_SENTBYMAIL=Send ticket message by email
# Status
-NotRead=Not read
Read=Lesa
Assigned=Assigned
InProgress=In progress
@@ -126,6 +123,7 @@ TicketsActivatePublicInterfaceHelp=Public interface allow any visitors to create
TicketsAutoAssignTicket=Automatically assign the user who created the ticket
TicketsAutoAssignTicketHelp=When creating a ticket, the user can be automatically assigned to the ticket.
TicketNumberingModules=Tickets numbering module
+TicketsModelModule=Document templates for tickets
TicketNotifyTiersAtCreation=Notify third party at creation
TicketsDisableCustomerEmail=Always disable emails when a ticket is created from public interface
TicketsPublicNotificationNewMessage=Send email(s) when a new message is added
@@ -233,7 +231,6 @@ TicketLogStatusChanged=Status changed: %s to %s
TicketNotNotifyTiersAtCreate=Not notify company at create
Unread=Unread
TicketNotCreatedFromPublicInterface=Not available. Ticket was not created from public interface.
-PublicInterfaceNotEnabled=Public interface was not enabled
ErrorTicketRefRequired=Ticket reference name is required
#
diff --git a/htdocs/langs/is_IS/website.lang b/htdocs/langs/is_IS/website.lang
index 5f3b13b98b1..bcec388e753 100644
--- a/htdocs/langs/is_IS/website.lang
+++ b/htdocs/langs/is_IS/website.lang
@@ -30,7 +30,6 @@ EditInLine=Edit inline
AddWebsite=Add website
Webpage=Web page/container
AddPage=Add page/container
-HomePage=Home Page
PageContainer=Page
PreviewOfSiteNotYetAvailable=Preview of your website %s not yet available. You must first 'Import a full website template' or just 'Add a page/container'.
RequestedPageHasNoContentYet=Requested page with id %s has no content yet, or cache file .tpl.php was removed. Edit content of the page to solve this.
@@ -101,7 +100,7 @@ EmptyPage=Empty page
ExternalURLMustStartWithHttp=External URL must start with http:// or https://
ZipOfWebsitePackageToImport=Upload the Zip file of the website template package
ZipOfWebsitePackageToLoad=or Choose an available embedded website template package
-ShowSubcontainers=Include dynamic content
+ShowSubcontainers=Show dynamic content
InternalURLOfPage=Internal URL of page
ThisPageIsTranslationOf=This page/container is a translation of
ThisPageHasTranslationPages=This page/container has translation
@@ -137,3 +136,4 @@ RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using
PagesRegenerated=%s page(s)/container(s) regenerated
RegenerateWebsiteContent=Regenerate web site cache files
AllowedInFrames=Allowed in Frames
+DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languages into web site properties.
diff --git a/htdocs/langs/is_IS/withdrawals.lang b/htdocs/langs/is_IS/withdrawals.lang
index 755bbeb6aee..db2e367a991 100644
--- a/htdocs/langs/is_IS/withdrawals.lang
+++ b/htdocs/langs/is_IS/withdrawals.lang
@@ -42,6 +42,7 @@ LastWithdrawalReceipt=Latest %s direct debit receipts
MakeWithdrawRequest=Make a direct debit payment request
MakeBankTransferOrder=Make a credit transfer request
WithdrawRequestsDone=%s direct debit payment requests recorded
+BankTransferRequestsDone=%s credit transfer requests recorded
ThirdPartyBankCode=Third-party bank code
NoInvoiceCouldBeWithdrawed=No invoice debited successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s.
ClassCredited=Flokka fært
@@ -131,7 +132,8 @@ SEPARCUR=SEPA CUR
SEPAFRST=SEPA FRST
ExecutionDate=Execution date
CreateForSepa=Create direct debit file
-ICS=Creditor Identifier CI
+ICS=Creditor Identifier CI for direct debit
+ICSTransfer=Creditor Identifier CI for bank transfer
END_TO_END="EndToEndId" SEPA XML tag - Unique id assigned per transaction
USTRD="Unstructured" SEPA XML tag
ADDDAYS=Add days to Execution Date
@@ -146,3 +148,4 @@ InfoRejectSubject=Direct debit payment order refused
InfoRejectMessage=Hello,
the direct debit payment order of invoice %s related to the company %s, with an amount of %s has been refused by the bank.
-- %s
ModeWarning=Valkostur fyrir alvöru ham var ekki sett, að hætta við eftir þessa uppgerð
ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know wich one to use.
+ErrorICSmissing=Missing ICS in Bank account %s
diff --git a/htdocs/langs/it_CH/compta.lang b/htdocs/langs/it_CH/compta.lang
deleted file mode 100644
index c7c41488180..00000000000
--- a/htdocs/langs/it_CH/compta.lang
+++ /dev/null
@@ -1,2 +0,0 @@
-# Dolibarr language file - Source file is en_US - compta
-BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted ascending on %s and filtered for 1 bank account
diff --git a/htdocs/langs/it_CH/products.lang b/htdocs/langs/it_CH/products.lang
deleted file mode 100644
index 6e900475275..00000000000
--- a/htdocs/langs/it_CH/products.lang
+++ /dev/null
@@ -1,2 +0,0 @@
-# Dolibarr language file - Source file is en_US - products
-CustomCode=Customs / Commodity / HS code
diff --git a/htdocs/langs/it_IT/accountancy.lang b/htdocs/langs/it_IT/accountancy.lang
index efd66d86cb6..6464d3036eb 100644
--- a/htdocs/langs/it_IT/accountancy.lang
+++ b/htdocs/langs/it_IT/accountancy.lang
@@ -48,6 +48,7 @@ CountriesExceptMe=Tutti i paesi eccetto %s
AccountantFiles=Export source documents
ExportAccountingSourceDocHelp=With this tool, you can export the source events (list and PDFs) that were used to generate your accountancy. To export your journals, use the menu entry %s - %s.
VueByAccountAccounting=View by accounting account
+VueBySubAccountAccounting=View by accounting subaccount
MainAccountForCustomersNotDefined=Account principale di contabilità per i clienti non definito nel setup
MainAccountForSuppliersNotDefined=Account principale di contabilità per fornitori non definito nel setup
@@ -144,7 +145,7 @@ NotVentilatedinAccount=Non collegato al piano dei conti
XLineSuccessfullyBinded=%sprodotti/servizi correttamente collegato ad un piano dei conti
XLineFailedToBeBinded=%sprodotti/servizi non collegato a nessun piano dei conti
-ACCOUNTING_LIMIT_LIST_VENTILATION=Numero di elementi da associare mostrato per pagina (massimo raccomandato: 50)
+ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50)
ACCOUNTING_LIST_SORT_VENTILATION_TODO=Inizia ad ordinare la pagina "Associazioni da effettuare" dagli elementi più recenti
ACCOUNTING_LIST_SORT_VENTILATION_DONE=Inizia ad ordinare la pagina "Associazioni effettuate" dagli elementi più recenti
@@ -198,7 +199,8 @@ Docdate=Data
Docref=Riferimento
LabelAccount=Etichetta conto
LabelOperation=Etichetta operazione
-Sens=Verso
+Sens=Direction
+AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received For an accounting account of a supplier, use Debit to record a payment you make
LetteringCode=Codice impressioni
Lettering=Impressioni
Codejournal=Giornale
@@ -206,7 +208,8 @@ JournalLabel=Etichetta del giornale
NumPiece=Numero del pezzo
TransactionNumShort=Num. transazione
AccountingCategory=Gruppi personalizzati
-GroupByAccountAccounting=Raggruppamento piano dei conti
+GroupByAccountAccounting=Group by general ledger account
+GroupBySubAccountAccounting=Group by subledger account
AccountingAccountGroupsDesc=Qui puoi definire alcuni gruppi di conti contabili. Saranno utilizzati per rapporti contabili personalizzati.
ByAccounts=Per conto
ByPredefinedAccountGroups=Per gruppi predefiniti
@@ -248,7 +251,7 @@ PaymentsNotLinkedToProduct=Payment not linked to any product / service
OpeningBalance=Saldo di apertura
ShowOpeningBalance=Mostra bilancio di apertura
HideOpeningBalance=Nascondi bilancio di apertura
-ShowSubtotalByGroup=Mostra totale parziale per gruppo
+ShowSubtotalByGroup=Show subtotal by level
Pcgtype=Gruppo di conto
PcgtypeDesc=Il gruppo di conti viene utilizzato come criterio 'filtro' e 'raggruppamento' predefiniti per alcuni report contabili. Ad esempio, "REDDITO" o "SPESA" sono utilizzati come gruppi per la contabilità dei prodotti per creare il rapporto spese / entrate.
@@ -271,11 +274,13 @@ DescVentilExpenseReport=Consult here the list of expense report lines bound (or
DescVentilExpenseReportMore=If you setup accounting account on type of expense report lines, the application will be able to make all the binding between your expense report lines and the accounting account of your chart of accounts, just in one click with the button "%s". If account was not set on fees dictionary or if you still have some lines not bound to any account, you will have to make a manual binding from the menu "%s".
DescVentilDoneExpenseReport=Consult here the list of the lines of expenses reports and their fees accounting account
+Closure=Annual closure
DescClosure=Consultare qui il numero di movimenti per mese che non sono stati convalidati e gli anni fiscali già aperti
OverviewOfMovementsNotValidated=Passaggio 1 / Panoramica dei movimenti non convalidati. (Necessario per chiudere un anno fiscale)
+AllMovementsWereRecordedAsValidated=All movements were recorded as validated
+NotAllMovementsCouldBeRecordedAsValidated=Not all movements could be recorded as validated
ValidateMovements=Convalida i movimenti
DescValidateMovements=Qualsiasi modifica o cancellazione di scrittura, lettura e cancellazione sarà vietata. Tutte le voci per un esercizio devono essere convalidate altrimenti la chiusura non sarà possibile
-SelectMonthAndValidate=Seleziona il mese e convalida i movimenti
ValidateHistory=Collega automaticamente
AutomaticBindingDone=Collegamento automatico fatto
@@ -293,6 +298,7 @@ Accounted=Accounted in ledger
NotYetAccounted=Not yet accounted in ledger
ShowTutorial=Mostra tutorial
NotReconciled=Non conciliata
+WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view
## Admin
BindingOptions=Binding options
@@ -337,6 +343,7 @@ Modelcsv_LDCompta10=Esporta per LD Compta (v10 e successive)
Modelcsv_openconcerto=Export for OpenConcerto (Test)
Modelcsv_configurable=Export CSV Configurable
Modelcsv_FEC=Export FEC
+Modelcsv_FEC2=Export FEC (With dates generation writing / document reversed)
Modelcsv_Sage50_Swiss=Export for Sage 50 Switzerland
Modelcsv_winfic=Esporta Winfic - eWinfic - WinSis Compta
Modelcsv_Gestinumv3=Export for Gestinum (v3)
@@ -381,7 +388,7 @@ Formula=Formula
## Error
SomeMandatoryStepsOfSetupWereNotDone=Some mandatory steps of setup was not done, please complete them
-ErrorNoAccountingCategoryForThisCountry=No accounting account group available for country %s (See Home - Setup - Dictionaries)
+ErrorNoAccountingCategoryForThisCountry=Nessun gruppo di piano dei conti disponibile per il paese %s ( Vedi Home - Impostazioni - Dizionari )
ErrorInvoiceContainsLinesNotYetBounded=You try to journalize some lines of the invoice %s, but some other lines are not yet bounded to accounting account. Journalization of all invoice lines for this invoice are refused.
ErrorInvoiceContainsLinesNotYetBoundedShort=Alcune righe della fattura non sono collegato a un piano dei conti.
ExportNotSupported=Il formato di esportazione configurato non è supportato in questa pagina
diff --git a/htdocs/langs/it_IT/admin.lang b/htdocs/langs/it_IT/admin.lang
index b20c40b7563..cf90d4b649d 100644
--- a/htdocs/langs/it_IT/admin.lang
+++ b/htdocs/langs/it_IT/admin.lang
@@ -56,6 +56,8 @@ GUISetup=Aspetto grafico e lingua
SetupArea=Impostazioni
UploadNewTemplate=Carica nuovi modelli
FormToTestFileUploadForm=Modulo per provare il caricamento file (secondo la configurazione)
+ModuleMustBeEnabled=The module/application %s must be enabled
+ModuleIsEnabled=The module/application %s has been enabled
IfModuleEnabled=Nota: funziona solo se il modulo %s è attivo
RemoveLock=Remove/rename file %s if it exists, to allow usage of the Update/Install tool.
RestoreLock=Restore file %s, with read permission only, to disable any further use of the Update/Install tool.
@@ -85,7 +87,6 @@ ShowPreview=Vedi anteprima
ShowHideDetails=Show-Hide details
PreviewNotAvailable=Anteprima non disponibile
ThemeCurrentlyActive=Tema attualmente attivo
-CurrentTimeZone=Fuso orario attuale
MySQLTimeZone=TimeZone MySql (database)
TZHasNoEffect=Dates are stored and returned by database server as if they were kept as submitted string. The timezone has effect only when using the UNIX_TIMESTAMP function (that should not be used by Dolibarr, so database TZ should have no effect, even if changed after data was entered).
Space=Spazio
@@ -153,8 +154,8 @@ SystemToolsAreaDesc=Questa area fornisce funzioni di amministrazione. Usa il men
Purge=Pulizia
PurgeAreaDesc=This page allows you to delete all files generated or stored by Dolibarr (temporary files or all files in %s directory). Using this feature is not normally necessary. It is provided as a workaround for users whose Dolibarr is hosted by a provider that does not offer permissions to delete files generated by the web server.
PurgeDeleteLogFile=Eliminia il file log, compreso %s definito per il modulo Syslog (nessun rischio di perdita di dati)
-PurgeDeleteTemporaryFiles=Delete all temporary files (no risk of losing data). Note: Deletion is done only if the temp directory was created 24 hours ago.
-PurgeDeleteTemporaryFilesShort=Cancella fle temporanei
+PurgeDeleteTemporaryFiles=Delete all log and temporary files (no risk of losing data). Note: Deletion of temporary files is done only if the temp directory was created more than 24 hours ago.
+PurgeDeleteTemporaryFilesShort=Delete log and temporary files
PurgeDeleteAllFilesInDocumentsDir=Delete all files in directory: %s. This will delete all generated documents related to elements (third parties, invoices etc...), files uploaded into the ECM module, database backup dumps and temporary files.
PurgeRunNow=Procedo all'eliminazione
PurgeNothingToDelete=Nessuna directory o file da eliminare.
@@ -256,6 +257,7 @@ ReferencedPreferredPartners=Preferred Partners
OtherResources=Altre risorse
ExternalResources=Risorse esterne
SocialNetworks=Social Networks
+SocialNetworkId=Social Network ID
ForDocumentationSeeWiki=La documentazione per utenti e sviluppatori e le FAQ sono disponibili sul wiki di Dolibarr: Dai un'occhiata a %s
ForAnswersSeeForum=Per qualsiasi altro problema/domanda, si può utilizzare il forum di Dolibarr: %s
HelpCenterDesc1=Here are some resources for getting help and support with Dolibarr.
@@ -375,7 +377,7 @@ ExamplesWithCurrentSetup=Esempi di funzionamento secondo la configurazione attua
ListOfDirectories=Elenco delle directory dei modelli OpenDocument
ListOfDirectoriesForModelGenODT=Lista di cartelle contenenti file modello in formato OpenDocument.
Inserisci qui il percorso completo delle cartelle. Digitare un 'Invio' tra ciascuna cartella. Per aggiungere una cartella del modulo GED, inserire qui DOL_DATA_ROOT/ecm/yourdirectoryname.
I file in quelle cartelle devono terminare con .odt o .ods.
NumberOfModelFilesFound=Number of ODT/ODS template files found in these directories
-ExampleOfDirectoriesForModelGen=Esempi di sintassi: c: dir \\ /Home/mydir DOL_DATA_ROOT/ECM/ecmdir
+ExampleOfDirectoriesForModelGen=Examples of syntax: c:\\myapp\\mydocumentdir\\mysubdir /home/myapp/mydocumentdir/mysubdir DOL_DATA_ROOT/ecm/ecmdir
FollowingSubstitutionKeysCanBeUsed= Per sapere come creare i modelli di documento odt, prima di salvarli in queste directory, leggere la documentazione wiki:
FullListOnOnlineDocumentation=http://wiki.dolibarr.org/index.php/Create_an_ODT_document_template
FirstnameNamePosition=Posizione del cognome/nome
@@ -406,7 +408,7 @@ UrlGenerationParameters=Parametri di generazione degli indirizzi
SecurityTokenIsUnique=Utilizzare un unico parametro securekey per ogni URL
EnterRefToBuildUrl=Inserisci la reference per l'oggetto %s
GetSecuredUrl=Prendi URL calcolato
-ButtonHideUnauthorized=Nascondi i pulsanti per azioni non autorizzate anziché mostrare i pulsanti disabilitati
+ButtonHideUnauthorized=Hide unauthorized action buttons also for internal users (just greyed otherwise)
OldVATRates=Vecchia aliquota IVA
NewVATRates=Nuova aliquota IVA
PriceBaseTypeToChange=Modifica i prezzi con la valuta di base definita.
@@ -1689,7 +1691,7 @@ NotTopTreeMenuPersonalized=Personalized menus not linked to a top menu entry
NewMenu=Nuovo menu
MenuHandler=Gestore menu
MenuModule=Modulo sorgente
-HideUnauthorizedMenu= Nascondere i menu non autorizzati
+HideUnauthorizedMenu=Hide unauthorized menus also for internal users (just greyed otherwise)
DetailId=Id menu
DetailMenuHandler=Gestore menu dove mostrare il nuovo menu
DetailMenuModule=Nome del modulo, per le voci di menu provenienti da un modulo
@@ -1983,11 +1985,12 @@ EMailHost=Host of email IMAP server
MailboxSourceDirectory=Mailbox source directory
MailboxTargetDirectory=Mailbox target directory
EmailcollectorOperations=Operations to do by collector
+EmailcollectorOperationsDesc=Operations are executed from top to bottom order
MaxEmailCollectPerCollect=Max number of emails collected per collect
CollectNow=Collect now
ConfirmCloneEmailCollector=Are you sure you want to clone the Email collector %s ?
-DateLastCollectResult=Date latest collect tried
-DateLastcollectResultOk=Date latest collect successfull
+DateLastCollectResult=Date of latest collect try
+DateLastcollectResultOk=Date of latest collect success
LastResult=Latest result
EmailCollectorConfirmCollectTitle=Email collect confirmation
EmailCollectorConfirmCollect=Do you want to run the collection for this collector now ?
@@ -2005,7 +2008,7 @@ WithDolTrackingID=Message from a conversation initiated by a first email sent fr
WithoutDolTrackingID=Message from a conversation initiated by a first email NOT sent from Dolibarr
WithDolTrackingIDInMsgId=Message sent from Dolibarr
WithoutDolTrackingIDInMsgId=Message NOT sent from Dolibarr
-CreateCandidature=Create candidature
+CreateCandidature=Create job application
FormatZip=CAP
MainMenuCode=Menu entry code (mainmenu)
ECMAutoTree=Show automatic ECM tree
@@ -2083,3 +2086,7 @@ CountryIfSpecificToOneCountry=Country (if specific to a given country)
YouMayFindSecurityAdviceHere=You may find security advisory here
ModuleActivatedMayExposeInformation=This module may expose sensitive data. If you don't need it, disable it.
ModuleActivatedDoNotUseInProduction=A module designed for the development has been enabled. Do not enable it on a production environment.
+CombinationsSeparator=Separator character for product combinations
+SeeLinkToOnlineDocumentation=See link to online documention on top menu for examples
+SHOW_SUBPRODUCT_REF_IN_PDF=If the feature "%s" of module %s is used, show details of subproducts of a kit on PDF.
+AskThisIDToYourBank=Contact your bank to get this ID
diff --git a/htdocs/langs/it_IT/banks.lang b/htdocs/langs/it_IT/banks.lang
index 67051003cf9..efd3b871d94 100644
--- a/htdocs/langs/it_IT/banks.lang
+++ b/htdocs/langs/it_IT/banks.lang
@@ -173,8 +173,8 @@ SEPAMandate=Mandato SEPA
YourSEPAMandate=I tuoi mandati SEPA
FindYourSEPAMandate=Questo è il tuo mandato SEPA che autorizza la nostra azienda ad effettuare un ordine di addebito diretto alla tua banca. Da restituire firmata (scansione del documento firmato) o inviato all'indirizzo email
AutoReportLastAccountStatement=Automatically fill the field 'number of bank statement' with last statement number when making reconciliation
-CashControl=POS cash fence
-NewCashFence=New cash fence
+CashControl=POS cash desk control
+NewCashFence=New cash desk closing
BankColorizeMovement=Colora i movimenti
BankColorizeMovementDesc=Se questa funzione è abilitata, è possibile scegliere il colore di sfondo specifico per i movimenti di debito o credito
BankColorizeMovementName1=Colore di sfondo per il movimento di debito
diff --git a/htdocs/langs/it_IT/blockedlog.lang b/htdocs/langs/it_IT/blockedlog.lang
index 7a37bfa4034..558233cd0dc 100644
--- a/htdocs/langs/it_IT/blockedlog.lang
+++ b/htdocs/langs/it_IT/blockedlog.lang
@@ -22,8 +22,8 @@ logPAYMENT_CUSTOMER_CREATE=Customer payment created
logPAYMENT_CUSTOMER_DELETE=Customer payment logical deletion
logDONATION_PAYMENT_CREATE=Donation payment created
logDONATION_PAYMENT_DELETE=Donation payment logical deletion
-logBILL_PAYED=Customer invoice paid
-logBILL_UNPAYED=Customer invoice set unpaid
+logBILL_PAYED=Fattura attiva pagata
+logBILL_UNPAYED=Fattura attiva impostata "non pagata"
logBILL_VALIDATE=Convalida fattura attiva
logBILL_SENTBYMAIL=Customer invoice send by mail
logBILL_DELETE=Customer invoice logically deleted
@@ -35,7 +35,7 @@ logDON_DELETE=Donation logical deletion
logMEMBER_SUBSCRIPTION_CREATE=Member subscription created
logMEMBER_SUBSCRIPTION_MODIFY=Member subscription modified
logMEMBER_SUBSCRIPTION_DELETE=Member subscription logical deletion
-logCASHCONTROL_VALIDATE=Cash fence recording
+logCASHCONTROL_VALIDATE=Cash desk closing recording
BlockedLogBillDownload=Customer invoice download
BlockedLogBillPreview=Customer invoice preview
BlockedlogInfoDialog=Log Details
diff --git a/htdocs/langs/it_IT/boxes.lang b/htdocs/langs/it_IT/boxes.lang
index 9c5a07767a4..d8f902aa65b 100644
--- a/htdocs/langs/it_IT/boxes.lang
+++ b/htdocs/langs/it_IT/boxes.lang
@@ -46,9 +46,12 @@ BoxTitleLastModifiedDonations=Ultime %s donazioni modificate
BoxTitleLastModifiedExpenses=Ultime %s note spese modificate
BoxTitleLatestModifiedBoms=Ultime %s distinte componenti modificate
BoxTitleLatestModifiedMos=Ultimi %s ordini di produzione modificati
+BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded
BoxGlobalActivity=Attività generale (fatture, proposte, ordini)
BoxGoodCustomers=Buoni clienti
BoxTitleGoodCustomers=%s Buoni clienti
+BoxScheduledJobs=Processi pianificati
+BoxTitleFunnelOfProspection=Lead funnel
FailedToRefreshDataInfoNotUpToDate=Aggiornamento del flusso RSS fallito. Data dell'ultimo aggiornamento valido: %s
LastRefreshDate=Data dell'ultimo aggiornamento
NoRecordedBookmarks=Nessun segnalibro presente
@@ -83,7 +86,7 @@ BoxTitleLatestModifiedSupplierOrders=Ordini fornitore: ultimi %s modificati
BoxTitleLastModifiedCustomerBills=Fatture attive: ultime %s modificate
BoxTitleLastModifiedCustomerOrders=Ordini: ultimi %s modificati
BoxTitleLastModifiedPropals=Ultime %s proposte modificate
-BoxTitleLatestModifiedJobPositions=Latest %s modified jobs
+BoxTitleLatestModifiedJobPositions=Ultimi %s jobs modificati
BoxTitleLatestModifiedCandidatures=Latest %s modified candidatures
ForCustomersInvoices=Fatture attive
ForCustomersOrders=Ordini cliente
@@ -102,5 +105,7 @@ SuspenseAccountNotDefined=L'account Suspense non è definito
BoxLastCustomerShipments=Ultime spedizioni cliente
BoxTitleLastCustomerShipments=Ultime %s spedizioni cliente
NoRecordedShipments=Nessuna spedizione cliente registrata
+BoxCustomersOutstandingBillReached=Customers with oustanding limit reached
# Pages
AccountancyHome=Contabilità
+ValidatedProjects=Validated projects
diff --git a/htdocs/langs/it_IT/cashdesk.lang b/htdocs/langs/it_IT/cashdesk.lang
index da0aaa59816..b8069c4f189 100644
--- a/htdocs/langs/it_IT/cashdesk.lang
+++ b/htdocs/langs/it_IT/cashdesk.lang
@@ -47,10 +47,10 @@ Receipt=Ricevuta
Header=Header
Footer=Footer
AmountAtEndOfPeriod=Amount at end of period (day, month or year)
-TheoricalAmount=Theorical amount
+TheoricalAmount=Importo teorico
RealAmount=Real amount
-CashFence=Cassetta dei contanti
-CashFenceDone=Cash fence done for the period
+CashFence=Cash desk closing
+CashFenceDone=Cash desk closing done for the period
NbOfInvoices=Numero di fatture
Paymentnumpad=Type of Pad to enter payment
Numberspad=Numbers Pad
@@ -99,8 +99,9 @@ CashDeskRefNumberingModules=Modulo di numerazione per vendite POS
CashDeskGenericMaskCodes6 = Il tag {TN} viene utilizzato per aggiungere il numero del terminale
TakeposGroupSameProduct=Raggruppa le stesse linee di prodotti
StartAParallelSale=Inizia una nuova vendita parallela
-ControlCashOpening=Control cash box at opening POS
-CloseCashFence=Chiudi cassetta contanti
+SaleStartedAt=Sale started at %s
+ControlCashOpening=Control cash popup at opening POS
+CloseCashFence=Close cash desk control
CashReport=Rapporto di cassa
MainPrinterToUse=Stampante principale da utilizzare
OrderPrinterToUse=Ordine stampante da utilizzare
@@ -122,3 +123,4 @@ GiftReceipt=Gift receipt
ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled first
AllowDelayedPayment=Allow delayed payment
PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts
+WeighingScale=Weighing scale
diff --git a/htdocs/langs/it_IT/categories.lang b/htdocs/langs/it_IT/categories.lang
index 7d60396caab..58cefe1d95c 100644
--- a/htdocs/langs/it_IT/categories.lang
+++ b/htdocs/langs/it_IT/categories.lang
@@ -19,6 +19,7 @@ ProjectsCategoriesArea=Area tag/categorie progetti
UsersCategoriesArea=Users tags/categories area
SubCats=Sub-categorie
CatList=Lista delle tag/categorie
+CatListAll=List of tags/categories (all types)
NewCategory=Nuova tag/categoria
ModifCat=Modifica tag/categoria
CatCreated=Tag/categoria creata
@@ -65,16 +66,22 @@ UsersCategoriesShort=Users tags/categories
StockCategoriesShort=Tag / categorie di magazzino
ThisCategoryHasNoItems=Questa categoria non contiene alcun elemento.
CategId=ID Tag/categoria
-CatSupList=List of vendor tags/categories
-CatCusList=Lista delle tag/categorie clienti
+ParentCategory=Parent tag/category
+ParentCategoryLabel=Label of parent tag/category
+CatSupList=List of vendors tags/categories
+CatCusList=List of customers/prospects tags/categories
CatProdList=Elenco delle tag/categorie prodotti
CatMemberList=Lista delle tag/categorie membri
-CatContactList=Lista delle tag/categorie contatti
-CatSupLinks=Collegamenti tra fornitori e tag/categorie
+CatContactList=List of contacts tags/categories
+CatProjectsList=List of projects tags/categories
+CatUsersList=List of users tags/categories
+CatSupLinks=Links between vendors and tags/categories
CatCusLinks=Collegamenti tra clienti e tag/categorie
CatContactsLinks=Collegamento fra: contatti/indirizzi e tags/categorie
CatProdLinks=Collegamenti tra prodotti/servizi e tag/categorie
-CatProJectLinks=Collegamenti tra progetti e tag/categorie
+CatMembersLinks=Collegamenti tra membri e tag/categorie
+CatProjectsLinks=Collegamenti tra progetti e tag/categorie
+CatUsersLinks=Links between users and tags/categories
DeleteFromCat=Elimina dalla tag/categoria
ExtraFieldsCategories=Campi extra
CategoriesSetup=Impostazioni Tag/categorie
diff --git a/htdocs/langs/it_IT/companies.lang b/htdocs/langs/it_IT/companies.lang
index 703fa6018f2..727159eed93 100644
--- a/htdocs/langs/it_IT/companies.lang
+++ b/htdocs/langs/it_IT/companies.lang
@@ -282,11 +282,11 @@ CustomerAbsoluteDiscountShort=Sconto assoluto
CompanyHasRelativeDiscount=Il cliente ha uno sconto del %s%%
CompanyHasNoRelativeDiscount=Il cliente non ha alcuno sconto relativo impostato
HasRelativeDiscountFromSupplier=Hai uno sconto predefinito di %s%% da questo fornitore
-HasNoRelativeDiscountFromSupplier=You have no default relative discount from this vendor
+HasNoRelativeDiscountFromSupplier=Non esistono sconti relativi predefiniti per questo fornitore\n
CompanyHasAbsoluteDiscount=Questo cliente ha degli sconti disponibili (note di credito o anticipi) per un totale di %s%s
CompanyHasDownPaymentOrCommercialDiscount=Questo cliente ha uno sconto disponibile (commerciale, anticipi) per %s%s
CompanyHasCreditNote=Il cliente ha ancora note di credito per %s %s
-HasNoAbsoluteDiscountFromSupplier=You have no discount credit available from this vendor
+HasNoAbsoluteDiscountFromSupplier=Il fornitore non ha disponibile alcuno sconto assoluto per credito
HasAbsoluteDiscountFromSupplier=You have discounts available (credits notes or down payments) for %s %s from this vendor
HasDownPaymentOrCommercialDiscountFromSupplier=You have discounts available (commercial, down payments) for %s %s from this vendor
HasCreditNoteFromSupplier=You have credit notes for %s %s from this vendor
@@ -358,7 +358,7 @@ VATIntraCheckableOnEUSite=Check the intra-Community VAT ID on the European Commi
VATIntraManualCheck=È anche possibile controllare manualmente sul sito della Commissione Europea %s
ErrorVATCheckMS_UNAVAILABLE=Non è possibile effettuare il controllo. Servizio non previsto per lo stato membro ( %s).
NorProspectNorCustomer=Né cliente, né cliente potenziale
-JuridicalStatus=Forma giuridica
+JuridicalStatus=Business entity type
Workforce=Workforce
Staff=Dipendenti
ProspectLevelShort=Cl. Pot.
diff --git a/htdocs/langs/it_IT/compta.lang b/htdocs/langs/it_IT/compta.lang
index 8243a338ffc..a7638fb2824 100644
--- a/htdocs/langs/it_IT/compta.lang
+++ b/htdocs/langs/it_IT/compta.lang
@@ -111,7 +111,7 @@ Refund=Rimborso
SocialContributionsPayments=Pagamenti tasse/contributi
ShowVatPayment=Visualizza pagamento IVA
TotalToPay=Totale da pagare
-BalanceVisibilityDependsOnSortAndFilters=Il bilancio è visibile in questo elenco solo se la tabella è ordinata in verso ascendente per %s e filtrata per un conto bancario
+BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted on %s and filtered on 1 bank account (with no other filters)
CustomerAccountancyCode=Customer accounting code
SupplierAccountancyCode=vendor accounting code
CustomerAccountancyCodeShort=Cod. cont. cliente
@@ -140,7 +140,7 @@ ConfirmDeleteSocialContribution=Sei sicuro di voler cancellare il pagamento di q
ExportDataset_tax_1=Tasse/contributi e pagamenti
CalcModeVATDebt=Modalità %sIVA su contabilità d'impegno%s.
CalcModeVATEngagement=Calcola %sIVA su entrate-uscite%s
-CalcModeDebt=Analisi delle fatture registrate anche se non sono ancora contabilizzate nel libro mastro.
+CalcModeDebt=Analysis of known recorded documents even if they are not yet accounted in ledger.
CalcModeEngagement=Analisi dei pagamenti registrati, anche se non ancora contabilizzati nel libro mastro.
CalcModeBookkeeping=Analysis of data journalized in Bookkeeping Ledger table.
CalcModeLT1= Modalità %sRE su fatture clienti - fatture fornitori%s
@@ -154,9 +154,9 @@ AnnualSummaryInputOutputMode=Bilancio di entrate e uscite, sintesi annuale
AnnualByCompanies=Balance of income and expenses, by predefined groups of account
AnnualByCompaniesDueDebtMode=Balance of income and expenses, detail by predefined groups, mode %sClaims-Debts%s said Commitment accounting.
AnnualByCompaniesInputOutputMode=Balance of income and expenses, detail by predefined groups, mode %sIncomes-Expenses%s said cash accounting.
-SeeReportInInputOutputMode=Vedi %sanalisi dei pagamenti%s per un calcolo sui pagamenti effettivi effettuati anche se non ancora contabilizzati nel libro mastro.
-SeeReportInDueDebtMode=Vedi %sanalisi delle fatture %s per un calcolo basato sulle fatture registrate anche se non ancora contabilizzate nel libro mastro.
-SeeReportInBookkeepingMode=See %sBookeeping report%s for a calculation on Bookkeeping Ledger table
+SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation based on recorded payments made even if they are not yet accounted in Ledger
+SeeReportInDueDebtMode=See %sanalysis of recorded documents%s for a calculation based on known recorded documents even if they are not yet accounted in Ledger
+SeeReportInBookkeepingMode=See %sanalysis of bookeeping ledger table%s for a report based on Bookkeeping Ledger table
RulesAmountWithTaxIncluded=- Gli importi indicati sono tasse incluse
RulesResultDue=- Include fatture in sospeso, spese, IVA, donazioni, indipendentemente dal fatto che siano pagate o meno. Comprende anche gli stipendi pagati. - Si basa sulla data di fatturazione delle fatture e sulla data di scadenza delle spese o dei pagamenti delle imposte. Per gli stipendi definiti con il modulo Salario, viene utilizzata la data valuta del pagamento.
RulesResultInOut=- Include i pagamenti reali di fatture, spese e IVA. - Si basa sulle date di pagamento di fatture, spese e IVA.
@@ -169,12 +169,15 @@ RulesResultBookkeepingPersonalized=It show record in your Ledger with accounting
SeePageForSetup=See menu %s for setup
DepositsAreNotIncluded=- Down payment invoices are not included
DepositsAreIncluded=- Sono incluse le fatture d'acconto
+LT1ReportByMonth=Tax 2 report by month
+LT2ReportByMonth=Tax 3 report by month
LT1ReportByCustomers=Report tax 2 by third party
LT2ReportByCustomers=Report tax 3 by third party
LT1ReportByCustomersES=Report by third party RE
LT2ReportByCustomersES=IRPF soggetti terzi(Spagna)
VATReport=Sale tax report
VATReportByPeriods=Sale tax report by period
+VATReportByMonth=Sale tax report by month
VATReportByRates=Sale tax report by rates
VATReportByThirdParties=Sale tax report by third parties
VATReportByCustomers=Sale tax report by customer
@@ -208,7 +211,7 @@ DescPurchasesJournal=Storico acquisti
CodeNotDef=Non definito
WarningDepositsNotIncluded=Down payment invoices are not included in this version with this accountancy module.
DatePaymentTermCantBeLowerThanObjectDate=La data termine di pagamento non può essere anteriore alla data dell'oggetto
-Pcg_version=Chart of accounts models
+Pcg_version=Modelli piano dei conti
Pcg_type=Tipo pcg
Pcg_subtype=Sottotipo Pcg
InvoiceLinesToDispatch=Riga di fattura da spedire *consegnare
diff --git a/htdocs/langs/it_IT/cron.lang b/htdocs/langs/it_IT/cron.lang
index bc04e98bec5..988a944ddfd 100644
--- a/htdocs/langs/it_IT/cron.lang
+++ b/htdocs/langs/it_IT/cron.lang
@@ -7,13 +7,14 @@ Permission23103 = Elimina processo pianificato
Permission23104 = Esegui processo pianificato
# Admin
CronSetup=Impostazione delle azioni pianificate
-URLToLaunchCronJobs=URL per controllare ed eseguire i processi in cron
-OrToLaunchASpecificJob=O per lanciare un processo specifico
+URLToLaunchCronJobs=URL to check and launch qualified cron jobs from a browser
+OrToLaunchASpecificJob=Or to check and launch a specific job from a browser
KeyForCronAccess=Chiave di sicurezza per l'URL che lancia i processi pianificati
FileToLaunchCronJobs=Riga di comando per controllare e lanciare i processi pianificati in cron
CronExplainHowToRunUnix=In ambienti Unix per lanciare il comando ogni 5 minuti dovresti usare la seguente riga di crontab
CronExplainHowToRunWin=In ambienti Microsoft(tm) Windows per lanciare il comando ogni 5 minuti dovresti usare le operazioni pianificate
CronMethodDoesNotExists=La classe %s non contiene alcune metodo %s
+CronMethodNotAllowed=Method %s of class %s is in blacklist of forbidden methods
CronJobDefDesc=I profili cron sono definiti nel file di descrizione del modulo. Quando il modulo viene attivao, vengono caricati e resi disponivbili permettendoti di amministrare i processi dal menu strumenti amministrazione %s.
CronJobProfiles=Lista dei profili cron predefiniti
# Menu
@@ -46,6 +47,7 @@ CronNbRun=Num. lancio
CronMaxRun=Numero massimo di lanci
CronEach=Ogni
JobFinished=Processo eseguito e completato
+Scheduled=Scheduled
#Page card
CronAdd= Aggiungi processo
CronEvery=Esegui ogni processo
@@ -56,7 +58,7 @@ CronNote=Commento
CronFieldMandatory=Il campo %s è obbligatorio
CronErrEndDateStartDt=La data di fine non può essere precedente a quella di inizio
StatusAtInstall=Stato all'installazione del modulo
-CronStatusActiveBtn=Abilita
+CronStatusActiveBtn=Schedule
CronStatusInactiveBtn=Disattiva
CronTaskInactive=Questo processo è disabilitato
CronId=Id
@@ -82,3 +84,8 @@ MakeLocalDatabaseDumpShort=Backup del database locale
MakeLocalDatabaseDump=Create a local database dump. Parameters are: compression ('gz' or 'bz' or 'none'), backup type ('mysql' or 'pgsql'), 1, 'auto' or filename to build, number of backup files to keep
WarningCronDelayed=Attenzione, per motivi di performance, qualunque sia la data della prossima esecuzione dei processi attivi, i tuoi processi possono essere ritardati di un massimo di %s ore prima di essere eseguiti
DATAPOLICYJob=Pulizia dei dati e anonimizzatore
+JobXMustBeEnabled=Job %s must be enabled
+# Cron Boxes
+LastExecutedScheduledJob=Last executed scheduled job
+NextScheduledJobExecute=Next scheduled job to execute
+NumberScheduledJobError=Number of scheduled jobs in error
diff --git a/htdocs/langs/it_IT/errors.lang b/htdocs/langs/it_IT/errors.lang
index 01a4e96f6b8..ec5b4234b48 100644
--- a/htdocs/langs/it_IT/errors.lang
+++ b/htdocs/langs/it_IT/errors.lang
@@ -5,8 +5,10 @@ NoErrorCommitIsDone=Nessun errore, committiamo
# Errors
ErrorButCommitIsDone=Sono stati trovati errori ma si convalida ugualmente
ErrorBadEMail=Email %s is wrong
+ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record)
ErrorBadUrl=L'URL %s è sbagliato
ErrorBadValueForParamNotAString=Bad value for your parameter. It appends generally when translation is missing.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorLoginAlreadyExists=L'utente %s esiste già.
ErrorGroupAlreadyExists=Il gruppo %s esiste già
ErrorRecordNotFound=Record non trovato
@@ -48,6 +50,7 @@ ErrorFieldsRequired=Mancano alcuni campi obbligatori.
ErrorSubjectIsRequired=Il titolo della email è obbligatorio
ErrorFailedToCreateDir=Impossibile creare la directory. Verifica che l'utente del server Web abbia i permessi per scrivere nella directory Dolibarr. Se il parametro safe_mode è abilitato in PHP, verifica che i file php di Dolibarr appartengano all'utente o al gruppo del server web (per esempio www-data).
ErrorNoMailDefinedForThisUser=Nessun indirizzo memorizzato per questo utente
+ErrorSetupOfEmailsNotComplete=Setup of emails is not complete
ErrorFeatureNeedJavascript=Questa funzione necessita di javascript per essere attivata. Modificare questa impostazione nel menu Impostazioni - layout di visualizzazione.
ErrorTopMenuMustHaveAParentWithId0=Un menu di tipo "Top" non può appartenere ad un menu superiore. Seleziona 0 menu genitori o scegli un menu di tipo "Left".
ErrorLeftMenuMustHaveAParentId=Un menu di tipo 'Left' deve avere un id genitore
@@ -75,7 +78,7 @@ ErrorExportDuplicateProfil=Questo nome profilo già esiste per questo set di esp
ErrorLDAPSetupNotComplete=La configurazione per l'uso di LDAP è incompleta
ErrorLDAPMakeManualTest=È stato generato un file Ldif nella directory %s. Prova a caricarlo dalla riga di comando per avere maggiori informazioni sugli errori.
ErrorCantSaveADoneUserWithZeroPercentage=Can't save an action with "status not started" if field "done by" is also filled.
-ErrorRefAlreadyExists=Il riferimento utilizzato esiste già.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorPleaseTypeBankTransactionReportName=Please enter the bank statement name where the entry has to be reported (Format YYYYMM or YYYYMMDD)
ErrorRecordHasChildren=Failed to delete record since it has some child records.
ErrorRecordHasAtLeastOneChildOfType=Object has at least one child of type %s
@@ -99,7 +102,7 @@ ErrorBadMaskBadRazMonth=Errore, valore di reset non valido
ErrorMaxNumberReachForThisMask=Maximum number reached for this mask
ErrorCounterMustHaveMoreThan3Digits=Il contatore deve avere più di 3 cifre
ErrorSelectAtLeastOne=Errore. Selezionare almeno una voce.
-ErrorDeleteNotPossibleLineIsConsolidated=Delete not possible because record is linked to a bank transaction that is conciliated
+ErrorDeleteNotPossibleLineIsConsolidated=Impossibile eliminare il record collegato ad una transazione bancaria conciliata\n
ErrorProdIdAlreadyExist=%s è già assegnato
ErrorFailedToSendPassword=Impossibile inviare la password
ErrorFailedToLoadRSSFile=Impossibile ottenere feed RSS. Se i messaggi di errore non forniscono informazioni sufficienti, prova ad ativare il debug con MAIN_SIMPLEXMLLOAD_DEBUG.
@@ -216,7 +219,7 @@ ErrorChooseBetweenFreeEntryOrPredefinedProduct=You must choose if article is a p
ErrorDiscountLargerThanRemainToPaySplitItBefore=The discount you try to apply is larger than remain to pay. Split the discount in 2 smaller discounts before.
ErrorFileNotFoundWithSharedLink=File was not found. May be the share key was modified or file was removed recently.
ErrorProductBarCodeAlreadyExists=The product barcode %s already exists on another product reference.
-ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using virtual product to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number.
+ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using kits to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number.
ErrorDescRequiredForFreeProductLines=Description is mandatory for lines with free product
ErrorAPageWithThisNameOrAliasAlreadyExists=The page/container %s has the same name or alternative alias that the one your try to use
ErrorDuringChartLoad=Error when loading chart of accounts. If few accounts were not loaded, you can still enter them manually.
@@ -224,7 +227,7 @@ ErrorBadSyntaxForParamKeyForContent=Bad syntax for param keyforcontent. Must hav
ErrorVariableKeyForContentMustBeSet=Error, the constant with name %s (with text content to show) or %s (with external url to show) must be set.
ErrorURLMustStartWithHttp=URL %s must start with http:// or https://
ErrorNewRefIsAlreadyUsed=Error, the new reference is already used
-ErrorDeletePaymentLinkedToAClosedInvoiceNotPossible=Error, delete payment linked to a closed invoice is not possible.
+ErrorDeletePaymentLinkedToAClosedInvoiceNotPossible=Errore! Impossibile eliminare un pagamento collegato ad una fattura Pagata.
ErrorSearchCriteriaTooSmall=Search criteria too small.
ErrorObjectMustHaveStatusActiveToBeDisabled=Gli oggetti devono avere lo stato 'Attivo' per essere disabilitati
ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=Gli oggetti devono avere lo stato 'Bozza' o 'Disabilitato' per essere abilitato
@@ -243,6 +246,16 @@ ErrorReplaceStringEmpty=Errore, la stringa da sostituire è vuota
ErrorProductNeedBatchNumber=Error, product '%s' need a lot/serial number
ErrorProductDoesNotNeedBatchNumber=Error, product '%s' does not accept a lot/serial number
ErrorFailedToReadObject=Error, failed to read object of type %s
+ErrorParameterMustBeEnabledToAllwoThisFeature=Error, parameter %s must be enabled into conf/conf.php to allow use of Command Line Interface by the internal job scheduler
+ErrorLoginDateValidity=Error, this login is outside the validity date range
+ErrorValueLength=Length of field '%s' must be higher than '%s'
+ErrorReservedKeyword=The word '%s' is a reserved keyword
+ErrorNotAvailableWithThisDistribution=Not available with this distribution
+ErrorPublicInterfaceNotEnabled=L'interfaccia pubblica non è stata abilitata
+ErrorLanguageRequiredIfPageIsTranslationOfAnother=The language of new page must be defined if it is set as a translation of another page
+ErrorLanguageMustNotBeSourceLanguageIfPageIsTranslationOfAnother=The language of new page must not be the source language if it is set as a translation of another page
+ErrorAParameterIsRequiredForThisOperation=A parameter is mandatory for this operation
+
# Warnings
WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup.
WarningPasswordSetWithNoAccount=A password was set for this member. However, no user account was created. So this password is stored but can't be used to login to Dolibarr. It may be used by an external module/interface but if you don't need to define any login nor password for a member, you can disable option "Manage a login for each member" from Member module setup. If you need to manage a login but don't need any password, you can keep this field empty to avoid this warning. Note: Email can also be used as a login if the member is linked to a user.
@@ -266,7 +279,11 @@ WarningSomeLinesWithNullHourlyRate=Some times were recorded by some users while
WarningYourLoginWasModifiedPleaseLogin=La tua login è stata modificata. Per ragioni di sicurezza dove accedere con la nuova login prima di eseguire una nuova azione.
WarningAnEntryAlreadyExistForTransKey=Esiste già una voce tradotta per la chiave di traduzione per questa lingua
WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different recipient is limited to %s when using the mass actions on lists
-WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report
+WarningDateOfLineMustBeInExpenseReportRange=Attenzione, la data della riga non è compresa nel periodo della nota spese\n
+WarningProjectDraft=Project is still in draft mode. Don't forget to validate it if you plan to use tasks.
WarningProjectClosed=Il progetto è chiuso. È necessario prima aprirlo nuovamente.
WarningSomeBankTransactionByChequeWereRemovedAfter=Alcune transazioni bancarie sono state rimosse dopo che è stata generata la ricevuta che le includeva. Quindi il numero di assegni e il totale dello scontrino possono differire dal numero e dal totale nell'elenco.
-WarningFailedToAddFileIntoDatabaseIndex=Avviso, impossibile aggiungere la voce del file nella tabella dell'indice del database ECM
+WarningFailedToAddFileIntoDatabaseIndex=Warning, failed to add file entry into ECM database index table
+WarningTheHiddenOptionIsOn=Warning, the hidden option %s is on.
+WarningCreateSubAccounts=Warning, you can't create directly a sub account, you must create a third party or an user and assign them an accounting code to find them in this list
+WarningAvailableOnlyForHTTPSServers=Available only if using HTTPS secured connection.
diff --git a/htdocs/langs/it_IT/exports.lang b/htdocs/langs/it_IT/exports.lang
index aa66a29179d..49d5c844d39 100644
--- a/htdocs/langs/it_IT/exports.lang
+++ b/htdocs/langs/it_IT/exports.lang
@@ -133,3 +133,4 @@ KeysToUseForUpdates=Chiave da utilizzare per l'aggiornamento dei dati
NbInsert=Numero di righe inserite: %s
NbUpdate=Numero di righe aggiornate: %s
MultipleRecordFoundWithTheseFilters=Righe multiple sono state trovate con questi filtri: %s
+StocksWithBatch=Stocks and location (warehouse) of products with batch/serial number
diff --git a/htdocs/langs/it_IT/mails.lang b/htdocs/langs/it_IT/mails.lang
index af3f2044542..2b12f923619 100644
--- a/htdocs/langs/it_IT/mails.lang
+++ b/htdocs/langs/it_IT/mails.lang
@@ -92,6 +92,7 @@ MailingModuleDescEmailsFromUser=Emails input by user
MailingModuleDescDolibarrUsers=Users with Emails
MailingModuleDescThirdPartiesByCategories=Soggetti terzi (per categoria)
SendingFromWebInterfaceIsNotAllowed=Sending from web interface is not allowed.
+EmailCollectorFilterDesc=All filters must match to have an email being collected
# Libelle des modules de liste de destinataires mailing
LineInFile=Riga %s nel file
@@ -125,12 +126,13 @@ TagMailtoEmail=Recipient Email (including html "mailto:" link)
NoEmailSentBadSenderOrRecipientEmail=Nessuna email inviata. Mittente o destinatario errati. Verifica il profilo utente.
# Module Notifications
Notifications=Notifiche
-NoNotificationsWillBeSent=Non sono previste notifiche per questo evento o società
-ANotificationsWillBeSent=Verrà inviata una notifica via email
-SomeNotificationsWillBeSent=%s notifiche saranno inviate via email
-AddNewNotification=Activate a new email notification target/event
-ListOfActiveNotifications=List all active targets/events for email notification
-ListOfNotificationsDone=Elenco delle notifiche spedite per email
+NotificationsAuto=Notifications Auto.
+NoNotificationsWillBeSent=No automatic email notifications are planned for this event type and company
+ANotificationsWillBeSent=Verrà inviata una notifica tramite email
+SomeNotificationsWillBeSent=%s automatic notifications will be sent by email
+AddNewNotification=Subscribe to a new automatic email notification (target/event)
+ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification
+ListOfNotificationsDone=Elenco delle notifiche email automatiche inviate
MailSendSetupIs=La configurazione della posta elettronica di invio è stata impostata alla modalità '%s'. Questa modalità non può essere utilizzata per inviare mail di massa.
MailSendSetupIs2=Con un account da amministratore è necessario cliccare su %sHome -> Setup -> EMails%s e modificare il parametro '%s' per usare la modalità '%s'. Con questa modalità è possibile inserire i dati del server SMTP di elezione e usare Il "Mass Emailing"
MailSendSetupIs3=Se hai domande su come configurare il tuo server SMTP chiedi a %s.
@@ -140,7 +142,7 @@ UseFormatFileEmailToTarget=Imported file must have format email;name;fir
UseFormatInputEmailToTarget=Enter a string with format email;name;firstname;other
MailAdvTargetRecipients=Destinatari (selezione avanzata)
AdvTgtTitle=Fill input fields to preselect the third parties or contacts/addresses to target
-AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima% will target all jean, joe, start with jim but not jimo and not everything that starts with jima
+AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima%% will target all jean, joe, start with jim but not jimo and not everything that starts with jima
AdvTgtSearchIntHelp=Use interval to select int or float value
AdvTgtMinVal=Valore minimo
AdvTgtMaxVal=Valore massimo
@@ -162,13 +164,14 @@ AdvTgtCreateFilter=Crea filtro
AdvTgtOrCreateNewFilter=Titolo del nuovo filtro
NoContactWithCategoryFound=No contact/address with a category found
NoContactLinkedToThirdpartieWithCategoryFound=No contact/address with a category found
-OutGoingEmailSetup=Configurazione email in uscita
-InGoingEmailSetup=Incoming email setup
+OutGoingEmailSetup=Email in uscita
+InGoingEmailSetup=Email in entrata
OutGoingEmailSetupForEmailing=Configurazione della posta elettronica in uscita (per il modulo %s)
-DefaultOutgoingEmailSetup=Impostazione predefinita email in uscita
+DefaultOutgoingEmailSetup=Same configuration than the global Outgoing email setup
Information=Informazioni
ContactsWithThirdpartyFilter=Contacts with third-party filter
Unanswered=Unanswered
Answered=Answered
IsNotAnAnswer=Is not answer (initial email)
IsAnAnswer=Is an answer of an initial email
+RecordCreatedByEmailCollector=Record created by the Email Collector %s from email %s
diff --git a/htdocs/langs/it_IT/main.lang b/htdocs/langs/it_IT/main.lang
index 0be748325f0..322e172936c 100644
--- a/htdocs/langs/it_IT/main.lang
+++ b/htdocs/langs/it_IT/main.lang
@@ -28,7 +28,9 @@ NoTemplateDefined=Nessun tema disponibile per questo tipo di email
AvailableVariables=Variabili di sostituzione disponibili
NoTranslation=Nessuna traduzione
Translation=Traduzioni
+CurrentTimeZone=Fuso orario attuale
EmptySearchString=Inserisci criteri di ricerca non vuoti
+EnterADateCriteria=Enter a date criteria
NoRecordFound=Nessun risultato trovato
NoRecordDeleted=Nessun record eliminato
NotEnoughDataYet=Dati insufficienti
@@ -85,6 +87,8 @@ FileWasNotUploaded=Il file selezionato per l'upload non è stato ancora caricato
NbOfEntries=No. of entries
GoToWikiHelpPage=Leggi l'aiuto online (è richiesto un collegamento internet)
GoToHelpPage=Vai alla pagina di aiuto
+DedicatedPageAvailable=There is a dedicated help page related to your current screen
+HomePage=Home Page
RecordSaved=Record salvato
RecordDeleted=Record cancellato
RecordGenerated=Record generato
@@ -433,6 +437,7 @@ RemainToPay=Rimanente da pagare
Module=Moduli/Applicazioni
Modules=Moduli/Applicazioni
Option=Opzione
+Filters=Filters
List=Elenco
FullList=Elenco completo
FullConversation=Conversazione completa
@@ -671,7 +676,7 @@ SendMail=Invia una email
Email=Email
NoEMail=Nessuna email
AlreadyRead=Già letto
-NotRead=Non letto
+NotRead=Unread
NoMobilePhone=Nessun cellulare
Owner=Proprietario
FollowingConstantsWillBeSubstituted=Le seguenti costanti saranno sostitute con i valori corrispondenti
@@ -1107,3 +1112,8 @@ UpToDate=Up-to-date
OutOfDate=Out-of-date
EventReminder=Event Reminder
UpdateForAllLines=Update for all lines
+OnHold=In attesa
+AffectTag=Affect Tag
+ConfirmAffectTag=Bulk Tag Affect
+ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected record(s)?
+CategTypeNotFound=No tag type found for type of records
diff --git a/htdocs/langs/it_IT/modulebuilder.lang b/htdocs/langs/it_IT/modulebuilder.lang
index d15a6328f84..06e438b1978 100644
--- a/htdocs/langs/it_IT/modulebuilder.lang
+++ b/htdocs/langs/it_IT/modulebuilder.lang
@@ -40,6 +40,7 @@ PageForCreateEditView=PHP page to create/edit/view a record
PageForAgendaTab=PHP page for event tab
PageForDocumentTab=PHP page for document tab
PageForNoteTab=PHP page for note tab
+PageForContactTab=PHP page for contact tab
PathToModulePackage=Path to zip of module/application package
PathToModuleDocumentation=Path to file of module/application documentation (%s)
SpaceOrSpecialCharAreNotAllowed=Spaces or special characters are not allowed.
@@ -77,7 +78,7 @@ IsAMeasure=Is a measure
DirScanned=Directory scanned
NoTrigger=No trigger
NoWidget=No widget
-GoToApiExplorer=Go to API explorer
+GoToApiExplorer=API explorer
ListOfMenusEntries=List of menu entries
ListOfDictionariesEntries=Elenco voci dizionari
ListOfPermissionsDefined=List of defined permissions
@@ -105,7 +106,7 @@ TryToUseTheModuleBuilder=If you have knowledge of SQL and PHP, you may use the n
SeeTopRightMenu=See on the top right menu
AddLanguageFile=Add language file
YouCanUseTranslationKey=You can use here a key that is the translation key found into language file (see tab "Languages")
-DropTableIfEmpty=(Delete table if empty)
+DropTableIfEmpty=(Destroy table if empty)
TableDoesNotExists=The table %s does not exists
TableDropped=Table %s deleted
InitStructureFromExistingTable=Build the structure array string of an existing table
@@ -126,7 +127,6 @@ UseSpecificEditorURL = Use a specific editor URL
UseSpecificFamily = Use a specific family
UseSpecificAuthor = Use a specific author
UseSpecificVersion = Use a specific initial version
-ModuleMustBeEnabled=The module/application must be enabled first
IncludeRefGeneration=Il riferimento dell'oggetto deve essere generato automaticamente
IncludeRefGenerationHelp=Seleziona questa opzione se desideri includere il codice per gestire la generazione automatica del riferimento
IncludeDocGeneration=Desidero generare alcuni documenti da questo oggetto
@@ -140,3 +140,4 @@ TypeOfFieldsHelp=Tipo di campi: varchar(99), double(24,8), real, text, html
AsciiToHtmlConverter=Convertitore da Ascii a HTML
AsciiToPdfConverter=Convertitore da Ascii a PDF
TableNotEmptyDropCanceled=Tabella non vuota. Il rilascio è stato annullato.
+ModuleBuilderNotAllowed=The module builder is available but not allowed to your user.
diff --git a/htdocs/langs/it_IT/multicurrency.lang b/htdocs/langs/it_IT/multicurrency.lang
index 556b727c6d6..1344eb123be 100644
--- a/htdocs/langs/it_IT/multicurrency.lang
+++ b/htdocs/langs/it_IT/multicurrency.lang
@@ -2,7 +2,7 @@
MultiCurrency=Multi currency
ErrorAddRateFail=Error in added rate
ErrorAddCurrencyFail=Error in added currency
-ErrorDeleteCurrencyFail=Error delete fail
+ErrorDeleteCurrencyFail=Errore! Eliminazione fallita
multicurrency_syncronize_error=Synchronisation error: %s
MULTICURRENCY_USE_RATE_ON_DOCUMENT_DATE=Use date of document to find currency rate, instead of using latest known rate
multicurrency_useOriginTx=When an object is created from another, keep the original rate of source object (otherwise use the latest known rate)
@@ -20,3 +20,19 @@ MulticurrencyPaymentAmount=Payment amount, original currency
AmountToOthercurrency=Amount To (in currency of receiving account)
CurrencyRateSyncSucceed=Sincronizzazione del tasso di cambio eseguita correttamente
MULTICURRENCY_USE_CURRENCY_ON_DOCUMENT=Usa la valuta del documento per i pagamenti online
+TabTitleMulticurrencyRate=Rate list
+ListCurrencyRate=List of exchange rates for the currency
+CreateRate=Create a rate
+FormCreateRate=Rate creation
+FormUpdateRate=Rate modification
+successRateCreate=Rate for currency %s has been added to the database
+ConfirmDeleteLineRate=Are you sure you want to remove the %s rate for currency %s on %s date?
+DeleteLineRate=Clear rate
+successRateDelete=Rate deleted
+errorRateDelete=Error when deleting the rate
+successUpdateRate=Modification made
+ErrorUpdateRate=Error when changing the rate
+Codemulticurrency=currency code
+UpdateRate=change the rate
+CancelUpdate=cancel
+NoEmptyRate=The rate field must not be empty
diff --git a/htdocs/langs/it_IT/other.lang b/htdocs/langs/it_IT/other.lang
index 1e1fe945c8f..128070ab084 100644
--- a/htdocs/langs/it_IT/other.lang
+++ b/htdocs/langs/it_IT/other.lang
@@ -5,8 +5,6 @@ Tools=Strumenti
TMenuTools=Strumenti
ToolsDesc=Quest'area è dedicata agli strumenti di gruppo non disponibili in altre voci di menu. Tali strumenti sono raggiungibili dal menu laterale.
Birthday=Compleanno
-BirthdayDate=Giorno di nascita
-DateToBirth=Data di nascita
BirthdayAlertOn=Attiva avviso compleanni
BirthdayAlertOff=Avviso compleanni inattivo
TransKey=Traduzione della chiave TransKey
@@ -16,6 +14,8 @@ PreviousMonthOfInvoice=Previous month (number 1-12) of invoice date
TextPreviousMonthOfInvoice=Previous month (text) of invoice date
NextMonthOfInvoice=Following month (number 1-12) of invoice date
TextNextMonthOfInvoice=Following month (text) of invoice date
+PreviousMonth=Previous month
+CurrentMonth=Current month
ZipFileGeneratedInto=Archivio zip generato in %s.
DocFileGeneratedInto=Doc file generated into %s.
JumpToLogin=Disconnected. Go to login page...
@@ -99,6 +99,7 @@ PredefinedMailContentSendShipping=__(Hello)__\n\nPlease find shipping __REF__ at
PredefinedMailContentSendFichInter=__(Hello)__\n\nPlease find intervention __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.\n\n%s\n\n
PredefinedMailContentGeneric=__(Buongiorno)__\n\n\n__(Cordialmente)__\n\n__USER_SIGNATURE__
+PredefinedMailContentSendActionComm=Event reminder "__EVENT_LABEL__" on __EVENT_DATE__ at __EVENT_TIME__
This is an automatic message, please do not reply.
DemoDesc=Dolibarr è un ERP/CRM compatto composto di diversi moduli funzionali. Un demo comprendente tutti i moduli non ha alcun senso, perché un caso simile non esiste nella realtà. Sono dunque disponibili diversi profili demo.
ChooseYourDemoProfil=Scegli il profilo demo che corrisponde alla tua attività ...
ChooseYourDemoProfilMore=...or build your own profile (manual module selection)
@@ -137,7 +138,7 @@ Right=Destra
CalculatedWeight=Peso calcolato
CalculatedVolume=volume calcolato
Weight=Peso
-WeightUnitton=t
+WeightUnitton=ton
WeightUnitkg=kg
WeightUnitg=g
WeightUnitmg=mg
@@ -173,7 +174,7 @@ SizeUnitinch=pollice
SizeUnitfoot=piede
SizeUnitpoint=punto
BugTracker=Bug tracker
-SendNewPasswordDesc=This form allows you to request a new password. It will be sent to your email address. Change will become effective once you click on the confirmation link in the email. Check your inbox.
+SendNewPasswordDesc=Questo modulo consente di richiedere una nuova password che verrà inviata al tuo indirizzo email. Il cambiamento sarà effettivo solo dopo aver cliccato sul link di conferma contenuto nell'email. Controlla la tua casella di posta.
BackToLoginPage=Torna alla pagina di login
AuthenticationDoesNotAllowSendNewPassword=La modalità di autenticazione è %s. In questa modalità Dolibarr non può sapere né cambiare la tua password. Contatta l'amministratore di sistema se desideri cambiare password.
EnableGDLibraryDesc=Per usare questa opzione bisogna installare o abilitare la libreria GD in PHP.
@@ -258,6 +259,7 @@ ContactCreatedByEmailCollector=Contact/address created by email collector from e
ProjectCreatedByEmailCollector=Project created by email collector from email MSGID %s
TicketCreatedByEmailCollector=Ticket created by email collector from email MSGID %s
OpeningHoursFormatDesc=Utilizzare - per separare gli orari di apertura e chiusura. Utilizzare uno spazio per inserire intervalli diversi. Esempio: 8-12 14-18
+PrefixSession=Prefix for session ID
##### Export #####
ExportsArea=Area esportazioni
diff --git a/htdocs/langs/it_IT/products.lang b/htdocs/langs/it_IT/products.lang
index 46f0bfa0c75..f809b8791dd 100644
--- a/htdocs/langs/it_IT/products.lang
+++ b/htdocs/langs/it_IT/products.lang
@@ -108,7 +108,8 @@ FillWithLastServiceDates=Fill with last service line dates
MultiPricesAbility=Diversi livelli di prezzo per prodotto/servizio (ogni cliente fa parte di un livello)
MultiPricesNumPrices=Numero di prezzi per il multi-prezzi
DefaultPriceType=Base dei prezzi per impostazione predefinita (con contro senza tasse) quando si aggiungono nuovi prezzi di vendita
-AssociatedProductsAbility=Activate kits (virtual products)
+AssociatedProductsAbility=Enable Kits (set of other products)
+VariantsAbility=Enable Variants (variations of products, for example color, size)
AssociatedProducts=Kits
AssociatedProductsNumber=Number of products composing this kit
ParentProductsNumber=Numero di prodotti associati che includono questo sottoprodotto
@@ -167,8 +168,10 @@ BuyingPrices=Prezzi di acquisto
CustomerPrices=Prezzi di vendita
SuppliersPrices=Prezzi fornitore
SuppliersPricesOfProductsOrServices=Vendor prices (of products or services)
-CustomCode=Dogana/Merce/Codice SA
+CustomCode=Customs|Commodity|HS code
CountryOrigin=Paese di origine
+RegionStateOrigin=Region origin
+StateOrigin=State|Province origin
Nature=Natura del prodotto (materiale / finito)
NatureOfProductShort=Natura del prodotto
NatureOfProductDesc=Materia prima o prodotto finito
@@ -239,7 +242,7 @@ AlwaysUseFixedPrice=Usa prezzo non negoziabile
PriceByQuantity=Prezzi diversi in base alla quantità
DisablePriceByQty=Disabilitare i prezzi per quantità
PriceByQuantityRange=Intervallo della quantità
-MultipriceRules=Regole del segmento di prezzo
+MultipriceRules=Automatic prices for segment
UseMultipriceRules=Utilizza le regole del segmento di prezzo (definite nell'impostazione del modulo del prodotto) per autocalcolare i prezzi di tutti gli altri segmenti in base al primo segmento
PercentVariationOver=variazione %% su %s
PercentDiscountOver=sconto %% su %s
diff --git a/htdocs/langs/it_IT/recruitment.lang b/htdocs/langs/it_IT/recruitment.lang
index 3f136b5182e..b8e37753ea4 100644
--- a/htdocs/langs/it_IT/recruitment.lang
+++ b/htdocs/langs/it_IT/recruitment.lang
@@ -46,9 +46,9 @@ FutureManager=Manager futuro
ResponsibleOfRecruitement=Responsabile della selezione
IfJobIsLocatedAtAPartner=Se il luogo di lavoro è presso partner
PositionToBeFilled=Posizione lavorativa
-PositionsToBeFilled=Job positions
-ListOfPositionsToBeFilled=List of job positions
-NewPositionToBeFilled=New job positions
+PositionsToBeFilled=Posizione lavorativa
+ListOfPositionsToBeFilled=Elenco posizioni lavorative
+NewPositionToBeFilled=Nuova posizione lavorativa
JobOfferToBeFilled=Job position to be filled
ThisIsInformationOnJobPosition=Informazioni sulla posizione lavorativa da compilare
@@ -60,10 +60,10 @@ ListOfCandidatures=List of applications
RequestedRemuneration=Requested remuneration
ProposedRemuneration=Proposed remuneration
ContractProposed=Contract proposed
-ContractSigned=Contract signed
+ContractSigned=Contratto firmato
ContractRefused=Contract refused
RecruitmentCandidature=Application
-JobPositions=Job positions
+JobPositions=Posizione lavorativa
RecruitmentCandidatures=Applications
InterviewToDo=Interview to do
AnswerCandidature=Application answer
@@ -73,3 +73,4 @@ JobClosedTextCandidateFound=The job position is closed. The position has been fi
JobClosedTextCanceled=The job position is closed.
ExtrafieldsJobPosition=Complementary attributes (job positions)
ExtrafieldsCandidatures=Complementary attributes (job applications)
+MakeOffer=Make an offer
diff --git a/htdocs/langs/it_IT/sendings.lang b/htdocs/langs/it_IT/sendings.lang
index 0820b5dbbe7..5f326c89cba 100644
--- a/htdocs/langs/it_IT/sendings.lang
+++ b/htdocs/langs/it_IT/sendings.lang
@@ -27,9 +27,10 @@ QtyInOtherShipments=Q.ta in altre spedizioni
KeepToShip=Ancora da spedire
KeepToShipShort=Rimanente
OtherSendingsForSameOrder=Altre Spedizioni per questo ordine
-SendingsAndReceivingForSameOrder=Spedizioni e ricezioni per questo ordini
+SendingsAndReceivingForSameOrder=Spedizioni e ricezioni per questo ordine
SendingsToValidate=Spedizione da convalidare
StatusSendingCanceled=Annullato
+StatusSendingCanceledShort=Annullata
StatusSendingDraft=Bozza
StatusSendingValidated=Convalidata (prodotti per la spedizione o già spediti)
StatusSendingProcessed=Processato
@@ -65,6 +66,7 @@ ValidateOrderFirstBeforeShipment=È necessario convalidare l'ordine prima di pot
# Sending methods
# ModelDocument
DocumentModelTyphon=Modello più completo di documento per le ricevute di consegna (logo. ..)
+DocumentModelStorm=More complete document model for delivery receipts and extrafields compatibility (logo...)
Error_EXPEDITION_ADDON_NUMBER_NotDefined=EXPEDITION_ADDON_NUMBER costante non definita
SumOfProductVolumes=Totale volume prodotti
SumOfProductWeights=Totale peso prodotti
diff --git a/htdocs/langs/it_IT/stocks.lang b/htdocs/langs/it_IT/stocks.lang
index 3e8770750a4..a9358e7a321 100644
--- a/htdocs/langs/it_IT/stocks.lang
+++ b/htdocs/langs/it_IT/stocks.lang
@@ -203,8 +203,8 @@ INVENTORY_USE_INVENTORY_DATE_FOR_DATE_OF_MVT=I movimenti delle scorte avranno la
inventoryChangePMPPermission=Allow to change PMP value for a product
ColumnNewPMP=New unit PMP
OnlyProdsInStock=Do not add product without stock
-TheoricalQty=Theorique qty
-TheoricalValue=Theorique qty
+TheoricalQty=Q.tà teorica
+TheoricalValue=Q.tà teorica
LastPA=Last BP
CurrentPA=Curent BP
RecordedQty=Qtà registrata
@@ -240,3 +240,4 @@ InventoryRealQtyHelp=Set value to 0 to reset qty Keep field empty, or remove
UpdateByScaning=Update by scaning
UpdateByScaningProductBarcode=Update by scan (product barcode)
UpdateByScaningLot=Update by scan (lot|serial barcode)
+DisableStockChangeOfSubProduct=Deactivate the stock change for all the subproducts of this Kit during this movement.
diff --git a/htdocs/langs/it_IT/ticket.lang b/htdocs/langs/it_IT/ticket.lang
index c51af811cb0..8125524088a 100644
--- a/htdocs/langs/it_IT/ticket.lang
+++ b/htdocs/langs/it_IT/ticket.lang
@@ -31,10 +31,8 @@ TicketDictType=Ticket - Types
TicketDictCategory=Ticket - Groupes
TicketDictSeverity=Ticket - Severities
TicketDictResolution=Ticket - Risoluzione
-TicketTypeShortBUGSOFT=Dysfonctionnement logiciel
-TicketTypeShortBUGHARD=Dysfonctionnement matériel
-TicketTypeShortCOM=Commercial question
+TicketTypeShortCOM=Commercial question
TicketTypeShortHELP=Richiesta di aiuto funzionale
TicketTypeShortISSUE=Issue, bug o problemi
TicketTypeShortREQUEST=Richiesta di modifica o miglioramento
@@ -44,7 +42,7 @@ TicketTypeShortOTHER=Altro
TicketSeverityShortLOW=Basso
TicketSeverityShortNORMAL=Normale
TicketSeverityShortHIGH=Alto
-TicketSeverityShortBLOCKING=Critical/Blocking
+TicketSeverityShortBLOCKING=Critical, Blocking
ErrorBadEmailAddress=Campo '%s' non corretto
MenuTicketMyAssign=My tickets
@@ -60,7 +58,6 @@ OriginEmail=Email source
Notify_TICKET_SENTBYMAIL=Send ticket message by email
# Status
-NotRead=Non letto
Read=Da leggere
Assigned=Assegnato
InProgress=Avviato
@@ -126,6 +123,7 @@ TicketsActivatePublicInterfaceHelp=Public interface allow any visitors to create
TicketsAutoAssignTicket=Automatically assign the user who created the ticket
TicketsAutoAssignTicketHelp=When creating a ticket, the user can be automatically assigned to the ticket.
TicketNumberingModules=Tickets numbering module
+TicketsModelModule=Document templates for tickets
TicketNotifyTiersAtCreation=Notify third party at creation
TicketsDisableCustomerEmail=Always disable emails when a ticket is created from public interface
TicketsPublicNotificationNewMessage=Invia e-mail quando viene aggiunto un nuovo messaggio
@@ -233,7 +231,6 @@ TicketLogStatusChanged=Status changed: %s to %s
TicketNotNotifyTiersAtCreate=Not notify company at create
Unread=Unread
TicketNotCreatedFromPublicInterface=Non disponibile. Il ticket non è stato creato dall'interfaccia pubblica.
-PublicInterfaceNotEnabled=L'interfaccia pubblica non è stata abilitata
ErrorTicketRefRequired=È richiesto il nome di riferimento del biglietto
#
@@ -265,7 +262,7 @@ TicketNewEmailBodyInfosTrackId=Ticket tracking number: %s
TicketNewEmailBodyInfosTrackUrl=Puoi seguire l'avanzamento del ticket cliccando il link qui sopra
TicketNewEmailBodyInfosTrackUrlCustomer=You can view the progress of the ticket in the specific interface by clicking the following link
TicketEmailPleaseDoNotReplyToThisEmail=Please do not reply directly to this email! Use the link to reply into the interface.
-TicketPublicInfoCreateTicket=This form allows you to record a support ticket in our management system.
+TicketPublicInfoCreateTicket=Questo modulo consente di registrare un ticket di supporto nel nostro sistema di gestione ticketing.
TicketPublicPleaseBeAccuratelyDescribe=Descrivi il problema dettagliatamente. Fornisci più informazioni possibili per consentirci di identificare la tua richiesta.
TicketPublicMsgViewLogIn=Please enter ticket tracking ID
TicketTrackId=Public Tracking ID
diff --git a/htdocs/langs/it_IT/website.lang b/htdocs/langs/it_IT/website.lang
index 2037c7d7c8d..7c580045fb2 100644
--- a/htdocs/langs/it_IT/website.lang
+++ b/htdocs/langs/it_IT/website.lang
@@ -30,7 +30,6 @@ EditInLine=Edit inline
AddWebsite=Aggiungi sito web
Webpage=Web page/container
AddPage=Aggiungi pagina/contenitore
-HomePage=Home Page
PageContainer=Pagina
PreviewOfSiteNotYetAvailable=Preview of your website %s not yet available. You must first 'Import a full website template' or just 'Add a page/container'.
RequestedPageHasNoContentYet=Requested page with id %s has no content yet, or cache file .tpl.php was removed. Edit content of the page to solve this.
@@ -101,7 +100,7 @@ EmptyPage=Empty page
ExternalURLMustStartWithHttp=External URL must start with http:// or https://
ZipOfWebsitePackageToImport=Upload the Zip file of the website template package
ZipOfWebsitePackageToLoad=or Choose an available embedded website template package
-ShowSubcontainers=Include dynamic content
+ShowSubcontainers=Show dynamic content
InternalURLOfPage=Internal URL of page
ThisPageIsTranslationOf=This page/container is a translation of
ThisPageHasTranslationPages=This page/container has translation
@@ -137,3 +136,4 @@ RSSFeedDesc=Puoi ottenere un feed RSS degli articoli più recenti con il tipo "b
PagesRegenerated=%s pagina(e)/contenitore(i) rigenerato
RegenerateWebsiteContent=Regenerate web site cache files
AllowedInFrames=Allowed in Frames
+DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languages into web site properties.
diff --git a/htdocs/langs/it_IT/withdrawals.lang b/htdocs/langs/it_IT/withdrawals.lang
index 296e0fc1975..24837f63e55 100644
--- a/htdocs/langs/it_IT/withdrawals.lang
+++ b/htdocs/langs/it_IT/withdrawals.lang
@@ -42,6 +42,7 @@ LastWithdrawalReceipt=Latest %s direct debit receipts
MakeWithdrawRequest=Effettua una richiesta di addebito diretto
MakeBankTransferOrder=Invia una richiesta di bonifico
WithdrawRequestsDone=%s direct debit payment requests recorded
+BankTransferRequestsDone=%s credit transfer requests recorded
ThirdPartyBankCode=Codice bancario del Soggetto terzo
NoInvoiceCouldBeWithdrawed=No invoice debited successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s.
ClassCredited=Classifica come accreditata
@@ -131,7 +132,8 @@ SEPARCUR=SEPA CUR
SEPAFRST=SEPA FRST
ExecutionDate=Execution date
CreateForSepa=Create direct debit file
-ICS=Creditor Identifier CI
+ICS=Creditor Identifier CI for direct debit
+ICSTransfer=Creditor Identifier CI for bank transfer
END_TO_END="EndToEndId" SEPA XML tag - Unique id assigned per transaction
USTRD="Unstructured" SEPA XML tag
ADDDAYS=Add days to Execution Date
@@ -146,3 +148,4 @@ InfoRejectSubject=Direct debit payment order refused
InfoRejectMessage=Hello,
the direct debit payment order of invoice %s related to the company %s, with an amount of %s has been refused by the bank.
フィルタは、アクティブな値a0342cfのみを表示する簡単なテスト ( 例:active = 1 ) にすることができるフィルタで$ ID $を使用することもできる。witchは現在のオブジェクトの現在のID。 フィルタでSELECTを実行するには、エクストラフィールドでフィルタリングする場合は$ SEL $ を使用する。構文extra.fieldcode = ...を使用する ( フィールドコードはエクストラフィールドのコード )
別の補完属性リストに依存するリストを作成するには、次のようにする。 libelle:id: parent_list_code | parent_column:filter
ExtrafieldParamHelplink=パラメータはObjectName:Classpathでなければなりません 構文:ObjectName:Classpath
ExtrafieldParamHelpSeparator=単純なセパレーターの場合は空のままにする 折りたたみセパレーターの場合はこれを1に設定する ( 新規セッションの場合はデフォルトで開き、ユーザセッションごとにステータスが保持される ) 折りたたみセパレーターの場合はこれを2に設定する ( 新規セッションの場合はデフォルトで折りたたむ。ステータスは各ユーザセッションの間保持される )
LibraryToBuildPDF=PDF生成に使用されるライブラリ
@@ -1501,7 +1503,7 @@ LDAPDolibarrMapping=Dolibarrマッピング
LDAPLdapMapping=LDAPのマッピング
LDAPFieldLoginUnix=ログイン ( UNIX )
LDAPFieldLoginExample=例:uid
-LDAPFilterConnection=検索フィルター
+LDAPFilterConnection=検索フィルタ
LDAPFilterConnectionExample=例:& ( objectClass = inetOrgPerson )
LDAPFieldLoginSamba=ログイン ( サンバ、ActiveDirectoryを )
LDAPFieldLoginSambaExample=例:samaccountname
@@ -1584,9 +1586,9 @@ CacheByClient=ブラウザによるキャッシュ
CompressionOfResources=HTTP応答の圧縮
CompressionOfResourcesDesc=たとえば、Apacheディレクティブ「AddOutputFilterByTypeDEFLATE」を使用する
TestNotPossibleWithCurrentBrowsers=このような自動検出は、現在のブラウザでは不可能。
-DefaultValuesDesc=ここでは、新規レコードを作成するときに使用するデフォルト値や、レコードを一覧表示するときのデフォルトのフィルターまたは並べ替え順序を定義できる。
+DefaultValuesDesc=ここでは、新規レコードを作成するときに使用するデフォルト値や、レコードを一覧表示するときのデフォルトのフィルタまたは並べ替え順序を定義できる。
DefaultCreateForm=デフォルト値 ( フォームで使用 )
-DefaultSearchFilters=デフォルトの検索フィルター
+DefaultSearchFilters=デフォルトの検索フィルタ
DefaultSortOrder=デフォルトのソート順
DefaultFocus=デフォルトのフォーカスフィールド
DefaultMandatory=必須のフォームフィールド
@@ -1672,7 +1674,7 @@ AdvancedEditor=高度なエディタ
ActivateFCKeditor=のための高度なエディタをアクティブにする。
FCKeditorForCompany=要素の説明と注意事項のWYSIWIGエディタの作成/版 ( 製品/サービスを除く )
FCKeditorForProduct=製品/サービスの説明と注意事項のWYSIWIGエディタの作成/版
-FCKeditorForProductDetails=WYSIWIG creation/edition of products details lines for all entities (proposals, orders, invoices, etc...). Warning: Using this option for this case is seriously not recommended as it can create problems with special characters and page formatting when building PDF files.
+FCKeditorForProductDetails=WYSIWIGによる製品の作成/編集では、すべてのエンティティ(提案、注文、請求書など)の詳細行が示される。 警告:この場合にこのオプションを使用することは、PDFファイルを作成するときに特殊文字やページの書式設定で問題が発生する可能性があるため、真剣に推奨されない。
FCKeditorForMailing= 郵送のWYSIWIGエディタの作成/版
FCKeditorForUserSignature=WYSIWIGによるユーザ署名の作成/編集
FCKeditorForMail=すべてのメールのWYSIWIG作成/エディション ( 【ツール】-> 【電子メール】を除く )
@@ -1689,7 +1691,7 @@ NotTopTreeMenuPersonalized=トップメニューエントリにリンクされ
NewMenu=新メニュー
MenuHandler=メニューハンドラ
MenuModule=ソース·モジュール
-HideUnauthorizedMenu= 不正なメニュー ( グレー ) を非表示
+HideUnauthorizedMenu=内部ユーザーに対しても許可されていないメニューを非表示にする(それ以外の場合は灰色で表示される)
DetailId=idのメニュー
DetailMenuHandler=新規メニューを表示するメニューハンドラ
DetailMenuModule=モジュール名のメニューエントリは、モジュールから来る場合
@@ -1735,8 +1737,8 @@ PasswordTogetVCalExport=エクスポートのリンクを許可するキー
PastDelayVCalExport=より古いイベントはエクスポートしない
AGENDA_USE_EVENT_TYPE=イベント種別を使用する ( メニューの【設定】-> 【辞書】-> 【アジェンダイベントの種別】で管理 )
AGENDA_USE_EVENT_TYPE_DEFAULT=イベント作成フォームでイベントの種別にこのデフォルト値を自動的に設定する
-AGENDA_DEFAULT_FILTER_TYPE=アジェンダビューの検索フィルターでこの種別のイベントを自動的に設定する
-AGENDA_DEFAULT_FILTER_STATUS=アジェンダビューの検索フィルターでイベントのこのステータスを自動的に設定する
+AGENDA_DEFAULT_FILTER_TYPE=アジェンダビューの検索フィルタでこの種別のイベントを自動的に設定する
+AGENDA_DEFAULT_FILTER_STATUS=アジェンダビューの検索フィルタでイベントのこのステータスを自動的に設定する
AGENDA_DEFAULT_VIEW=メニューの議題を選択するときに、デフォルトでどのビューを開くか
AGENDA_REMINDER_BROWSER=ユーザーのブラウザでイベントリマインダーを有効にする(リマインダーの日付に達すると、ブラウザにポップアップが表示される。各ユーザーは、ブラウザの通知設定からそのような通知を無効にできる)。
AGENDA_REMINDER_BROWSER_SOUND=音声通知を有効にする
@@ -1962,8 +1964,8 @@ SetToYesIfGroupIsComputationOfOtherGroups=このグループが他のグルー
EnterCalculationRuleIfPreviousFieldIsYes=前のフィールドが「はい」に設定されている場合は、計算ルールを入力する ( たとえば、「CODEGRP1 + CODEGRP2」 )
SeveralLangugeVariatFound=いくつかの言語バリアントが見つかりました
RemoveSpecialChars=特殊文字を削除する
-COMPANY_AQUARIUM_CLEAN_REGEX=値をクリーンアップするための正規表現フィルター ( COMPANY_AQUARIUM_CLEAN_REGEX )
-COMPANY_DIGITARIA_CLEAN_REGEX=値をクリーンアップするための正規表現フィルター ( COMPANY_DIGITARIA_CLEAN_REGEX )
+COMPANY_AQUARIUM_CLEAN_REGEX=値をクリーンアップするための正規表現フィルタ ( COMPANY_AQUARIUM_CLEAN_REGEX )
+COMPANY_DIGITARIA_CLEAN_REGEX=値をクリーンアップするための正規表現フィルタ ( COMPANY_DIGITARIA_CLEAN_REGEX )
COMPANY_DIGITARIA_UNIQUE_CODE=複製は許可されていない
GDPRContact=データ保護責任者 ( DPO、データプライバシーまたはGDPRの連絡先 )
GDPRContactDesc=ヨーロッパの企業/市民に関するデータを保存する場合は、ここで一般データ保護規則の責任者を指定できる
@@ -1983,15 +1985,16 @@ EMailHost=電子メールIMAPサーバーのホスト
MailboxSourceDirectory=メールボックスのソースディレクトリ
MailboxTargetDirectory=メールボックスのターゲットディレクトリ
EmailcollectorOperations=コレクターによる操作
+EmailcollectorOperationsDesc=操作は上から下の順序で実行される
MaxEmailCollectPerCollect=収集ごとに収集される電子メールの最大数
CollectNow=今すぐ収集
ConfirmCloneEmailCollector=メールコレクター%sのクローンを作成してもよいか?
-DateLastCollectResult=最新の収集が試行された日付
-DateLastcollectResultOk=最新の収集が成功した日付
+DateLastCollectResult=最新の取得試行の日付
+DateLastcollectResultOk=最新の取得成功の日付
LastResult=最新の結果
EmailCollectorConfirmCollectTitle=メール収集確認
EmailCollectorConfirmCollect=このコレクターのコレクションを今すぐ実行するか?
-NoNewEmailToProcess=処理する新規電子メール ( 一致するフィルター ) はない
+NoNewEmailToProcess=処理する新規電子メール ( 一致するフィルタ ) はない
NothingProcessed=何もしていない
XEmailsDoneYActionsDone=%s電子メールが修飾され、%s電子メールが正常に処理されました ( %sレコード/アクションが実行された場合 )
RecordEvent=メールイベントを記録する
@@ -2005,7 +2008,7 @@ WithDolTrackingID=Dolibarrから送信された最初の電子メールによっ
WithoutDolTrackingID=Dolibarrから送信されていない最初の電子メールによって開始された会話からのメッセージ
WithDolTrackingIDInMsgId=Dolibarrから送信されたメッセージ
WithoutDolTrackingIDInMsgId=Dolibarrからメッセージが送信されていない
-CreateCandidature=候補を作成する
+CreateCandidature=求人応募を作成する
FormatZip=ZIP
MainMenuCode=メニュー入力コード ( メインメニュー )
ECMAutoTree=自動ECMツリーを表示する
@@ -2083,3 +2086,7 @@ CountryIfSpecificToOneCountry=国 ( 特定の国に固有の場合 )
YouMayFindSecurityAdviceHere=ここにセキュリティアドバイザリがある
ModuleActivatedMayExposeInformation=このモジュールは機密データを公開する可能性がある。不要な場合は無効にすること。
ModuleActivatedDoNotUseInProduction=開発用に設計されたモジュールが有効になった。実稼働環境では有効にしないこと。
+CombinationsSeparator=製品の組み合わせの区切り文字
+SeeLinkToOnlineDocumentation=例については、トップメニューのオンラインドキュメントへのリンクを参照すること
+SHOW_SUBPRODUCT_REF_IN_PDF=モジュール%s の機能「%s」を使用する場合は、キットの副産物の詳細をPDFで表示すること。
+AskThisIDToYourBank=このIDを取得するには、銀行に問い合わせること
diff --git a/htdocs/langs/ja_JP/banks.lang b/htdocs/langs/ja_JP/banks.lang
index c04eea05179..9b72c922929 100644
--- a/htdocs/langs/ja_JP/banks.lang
+++ b/htdocs/langs/ja_JP/banks.lang
@@ -173,10 +173,10 @@ SEPAMandate=SEPA指令
YourSEPAMandate=あなたのSEPA指令
FindYourSEPAMandate=これは、当法人が銀行に口座振替を注文することを承認するSEPA指令です。署名済(署名済ドキュメントをスキャン)で返送するか、メールで送付すること
AutoReportLastAccountStatement=照合を行うときに、フィールド「銀行取引明細書の番号」に最後の取引明細書番号を自動的に入力する
-CashControl=POSキャッシュフェンス
-NewCashFence=新規キャッシュフェンス
+CashControl=POS現金出納帳制御
+NewCashFence=新規現金出納帳の締め
BankColorizeMovement=移動に色を付ける
BankColorizeMovementDesc=この機能が有効になっている場合は、借方または貸方の移動に特定の背景色を選択できます
BankColorizeMovementName1=借方移動の背景色
BankColorizeMovementName2=クレジット移動の背景色
-IfYouDontReconcileDisableProperty=If you don't make the bank reconciliations on some bank accounts, disable the property "%s" on them to remove this warning.
+IfYouDontReconcileDisableProperty=一部の銀行口座で銀行照合を行わない場合は、それらのプロパティ "%s"を無効にして、この警告を削除すること。
diff --git a/htdocs/langs/ja_JP/bills.lang b/htdocs/langs/ja_JP/bills.lang
index 281ae230ffd..258b829cd45 100644
--- a/htdocs/langs/ja_JP/bills.lang
+++ b/htdocs/langs/ja_JP/bills.lang
@@ -328,7 +328,7 @@ InvoiceStatus=請求書の状況
InvoiceNote=請求書に注意
InvoicePaid=支払われた請求
InvoicePaidCompletely=完全に支払われた
-InvoicePaidCompletelyHelp=完全に支払われる請求書。これには、部分的に支払われる請求書は含まれない。すべての「クローズ」または「クローズ」以外の請求書のリストを取得するには、請求書のステータスにフィルターを使用することを勧める。
+InvoicePaidCompletelyHelp=完全に支払われる請求書。これには、部分的に支払われる請求書は含まれない。すべての「クローズ」または「クローズ」以外の請求書のリストを取得するには、請求書のステータスにフィルタを使用することを勧める。
OrderBilled=請求済の注文
DonationPaid=寄付金を支払ました
PaymentNumber=支払番号
diff --git a/htdocs/langs/ja_JP/blockedlog.lang b/htdocs/langs/ja_JP/blockedlog.lang
index 239cc0674ba..d30b407f1d8 100644
--- a/htdocs/langs/ja_JP/blockedlog.lang
+++ b/htdocs/langs/ja_JP/blockedlog.lang
@@ -35,7 +35,7 @@ logDON_DELETE=寄付は論理削除済
logMEMBER_SUBSCRIPTION_CREATE=メンバーサブスクリプションは作成済
logMEMBER_SUBSCRIPTION_MODIFY=メンバーサブスクリプションは変更済
logMEMBER_SUBSCRIPTION_DELETE=メンバーサブスクリプションは論理削除済
-logCASHCONTROL_VALIDATE=キャッシュフェンスの記録
+logCASHCONTROL_VALIDATE=現金出納帳の締めを記録中
BlockedLogBillDownload=顧客請求書のダウンロード
BlockedLogBillPreview=顧客請求書のプレビュー
BlockedlogInfoDialog=ログの詳細
@@ -50,5 +50,5 @@ BlockedLogAreRequiredByYourCountryLegislation=変更不可能なログモジュ
BlockedLogActivatedBecauseRequiredByYourCountryLegislation=あなたの国の法律により、変更不可能なログモジュールがアクティブ化済。このモジュールを無効にすると、税務監査で検証できないため、法律および法律ソフトウェアの使用に関して将来の取引が無効になる可能性あり。
BlockedLogDisableNotAllowedForCountry=このモジュールの使用が必須である国のリスト(誤ってモジュールを無効にするのを防ぐために、あなたの国がこのリストにある場合、最初にこのリストを編集しないとモジュールを無効にできない。このモジュールの有効/無効は、変更不可能なログに追跡されることに注意)。
OnlyNonValid=無効
-TooManyRecordToScanRestrictFilters=スキャン/分析するにはレコードが多すぎ。より制限の厳しいフィルターでリストを制限すること。
+TooManyRecordToScanRestrictFilters=スキャン/分析するにはレコードが多すぎ。より制限の厳しいフィルタでリストを制限すること。
RestrictYearToExport=エクスポートする月/年を制限する
diff --git a/htdocs/langs/ja_JP/boxes.lang b/htdocs/langs/ja_JP/boxes.lang
index 2b6ffad8f97..48ec754be1b 100644
--- a/htdocs/langs/ja_JP/boxes.lang
+++ b/htdocs/langs/ja_JP/boxes.lang
@@ -46,9 +46,12 @@ BoxTitleLastModifiedDonations=最新の%s変更された寄付
BoxTitleLastModifiedExpenses=最新の%s変更された経費報告書
BoxTitleLatestModifiedBoms=最新の%s変更されたBOM
BoxTitleLatestModifiedMos=最新の%s変更された製造オーダー
+BoxTitleLastOutstandingBillReached=最大未払い額を超えた顧客
BoxGlobalActivity=グローバルアクティビティ(請求書、提案、注文)
BoxGoodCustomers=良い顧客
BoxTitleGoodCustomers=%s良い顧客
+BoxScheduledJobs=スケジュールジョブ
+BoxTitleFunnelOfProspection=リードファンネル
FailedToRefreshDataInfoNotUpToDate=RSSフラックスの更新に失敗しました。最新の正常な更新日:%s
LastRefreshDate=最新の更新日
NoRecordedBookmarks=ブックマークが定義されていない。
@@ -102,6 +105,7 @@ SuspenseAccountNotDefined=一時停止アカウントが定義されていない
BoxLastCustomerShipments=最後の顧客の出荷
BoxTitleLastCustomerShipments=最新の%s顧客出荷
NoRecordedShipments=顧客の出荷は記録されていない
+BoxCustomersOutstandingBillReached=上限に達した顧客
# Pages
AccountancyHome=会計
ValidatedProjects=検証済みプロジェクト
diff --git a/htdocs/langs/ja_JP/cashdesk.lang b/htdocs/langs/ja_JP/cashdesk.lang
index 15f5a1bd3b0..8970caa73d6 100644
--- a/htdocs/langs/ja_JP/cashdesk.lang
+++ b/htdocs/langs/ja_JP/cashdesk.lang
@@ -49,8 +49,8 @@ Footer=フッター
AmountAtEndOfPeriod=期末の金額(日、月、または年)
TheoricalAmount=理論量
RealAmount=実数
-CashFence=キャッシュフェンス
-CashFenceDone=期間中に行われたキャッシュフェンス
+CashFence=現金出納帳の締め
+CashFenceDone=当該期間での現金出納帳の締めが完了
NbOfInvoices=請求書のNb
Paymentnumpad=支払いを入力するパッドのタイプ
Numberspad=ナンバーズパッド
@@ -99,8 +99,9 @@ CashDeskRefNumberingModules=POS販売用の番号付けモジュール
CashDeskGenericMaskCodes6 = {TN} タグは端末番号を追加するために使用される
TakeposGroupSameProduct=同じ製品ラインをグループ化する
StartAParallelSale=新規並行販売を開始する
-ControlCashOpening=POSを開くときにキャッシュボックスを制御する
-CloseCashFence=キャッシュフェンスを閉じる
+SaleStartedAt=%sから販売開始
+ControlCashOpening=POSを開くときにキャッシュポップアップを制御する
+CloseCashFence=現金出納帳制御を閉じる
CashReport=現金レポート
MainPrinterToUse=使用するメインプリンター
OrderPrinterToUse=使用するプリンタを注文する
diff --git a/htdocs/langs/ja_JP/categories.lang b/htdocs/langs/ja_JP/categories.lang
index f3d63b0723d..3ab7139c3cb 100644
--- a/htdocs/langs/ja_JP/categories.lang
+++ b/htdocs/langs/ja_JP/categories.lang
@@ -19,7 +19,8 @@ ProjectsCategoriesArea=プロジェクトタグ/カテゴリ領域
UsersCategoriesArea=ユーザータグ/カテゴリ領域
SubCats=サブカテゴリ
CatList=タグ/カテゴリのリスト
-NewCategory=新しいタグ/カテゴリ
+CatListAll=タグ/カテゴリのリスト(すべての種別)
+NewCategory=新規タグ/カテゴリ
ModifCat=タグ/カテゴリを変更する
CatCreated=作成されたタグ/カテゴリ
CreateCat=タグ/カテゴリを作成する
@@ -65,24 +66,30 @@ UsersCategoriesShort=ユーザーのタグ/カテゴリ
StockCategoriesShort=倉庫のタグ/カテゴリ
ThisCategoryHasNoItems=このカテゴリにはアイテムは含まれていない。
CategId=タグ/カテゴリID
-CatSupList=ベンダータグ/カテゴリのリスト
+ParentCategory=親タグ/カテゴリ
+ParentCategoryLabel=親タグ/カテゴリのラベル
+CatSupList=仕入先のタグ/カテゴリのリスト
CatCusList=顧客/見込み客のタグ/カテゴリのリスト
CatProdList=製品タグ/カテゴリのリスト
CatMemberList=メンバーのタグ/カテゴリのリスト
CatContactList=連絡先タグ/カテゴリのリスト
-CatSupLinks=サプライヤーとタグ/カテゴリー間のリンク
+CatProjectsList=プロジェクトのタグ/カテゴリのリスト
+CatUsersList=ユーザーのタグ/カテゴリのリスト
+CatSupLinks=仕入先とタグ/カテゴリ間のリンク
CatCusLinks=顧客/見込み客とタグ/カテゴリ間のリンク
CatContactsLinks=連絡先/アドレスとタグ/カテゴリ間のリンク
CatProdLinks=製品/サービスとタグ/カテゴリ間のリンク
-CatProJectLinks=プロジェクトとタグ/カテゴリ間のリンク
+CatMembersLinks=メンバーとタグ/カテゴリ間のリンク
+CatProjectsLinks=プロジェクトとタグ/カテゴリ間のリンク
+CatUsersLinks=ユーザーとタグ/カテゴリ間のリンク
DeleteFromCat=タグ/カテゴリから削除する
ExtraFieldsCategories=補完的な属性
CategoriesSetup=タグ/カテゴリの設定
CategorieRecursiv=親タグ/カテゴリと自動的にリンクする
CategorieRecursivHelp=オプションがオンの場合、製品をサブカテゴリに追加すると、製品も親カテゴリに追加される。
AddProductServiceIntoCategory=次の製品/サービスを追加する
-AddCustomerIntoCategory=Assign category to customer
-AddSupplierIntoCategory=Assign category to supplier
+AddCustomerIntoCategory=顧客にカテゴリを割り当てる
+AddSupplierIntoCategory=カテゴリをサプライヤに割り当てる
ShowCategory=タグ/カテゴリを表示
ByDefaultInList=デフォルトでリストに
ChooseCategory=カテゴリを選択
diff --git a/htdocs/langs/ja_JP/companies.lang b/htdocs/langs/ja_JP/companies.lang
index 4296d39f2dd..079eacaf90c 100644
--- a/htdocs/langs/ja_JP/companies.lang
+++ b/htdocs/langs/ja_JP/companies.lang
@@ -172,7 +172,7 @@ ProfId1ES=職 Id 1 (CIF/NIF)
ProfId2ES=職 Id 2 (Social security number)
ProfId3ES=職 Id 3 (CNAE)
ProfId4ES=職 Id 4 (Collegiate number)
-ProfId5ES=EORI number
+ProfId5ES=EORI番号
ProfId6ES=-
ProfId1FR=職 Id 1 (SIREN)
ProfId2FR=職 Id 2 (SIRET)
@@ -358,7 +358,7 @@ VATIntraCheckableOnEUSite=欧州委員会のウェブサイトでコミュニテ
VATIntraManualCheck=欧州委員会のウェブサイト%sで手動で確認可能
ErrorVATCheckMS_UNAVAILABLE=ことはできませんを確認してください。サービスは加盟国(%s)によって提供されていません確認してください。
NorProspectNorCustomer=見込客でない、顧客でない
-JuridicalStatus=法的組織種別
+JuridicalStatus=事業体種別
Workforce=労働力
Staff=従業員
ProspectLevelShort=潜在的な
diff --git a/htdocs/langs/ja_JP/compta.lang b/htdocs/langs/ja_JP/compta.lang
index 2714ed31df3..df3a1078018 100644
--- a/htdocs/langs/ja_JP/compta.lang
+++ b/htdocs/langs/ja_JP/compta.lang
@@ -111,7 +111,7 @@ Refund=払戻
SocialContributionsPayments=社会/財政税支払
ShowVatPayment=付加価値税支払を表示する
TotalToPay=支払に合計
-BalanceVisibilityDependsOnSortAndFilters=このリストに残高が表示されるのは、テーブルが%sで昇順で並べ替えられ、1つの銀行口座でフィルタリングされている場合のみ。
+BalanceVisibilityDependsOnSortAndFilters=残高は、テーブルが%sで並べ替えられ、1つの銀行口座でフィルタリングされている場合にのみこのリストに表示される(他のフィルタはない)
CustomerAccountancyCode=顧客会計コード
SupplierAccountancyCode=ベンダー会計コード
CustomerAccountancyCodeShort=カスト。アカウント。コード
@@ -140,7 +140,7 @@ ConfirmDeleteSocialContribution=この社会的/財政的納税を削除して
ExportDataset_tax_1=社会的および財政的な税金と支払
CalcModeVATDebt=コミットメントアカウンティングのモード%sVAT%s。
CalcModeVATEngagement=収入のモード%sVAT-expenses%s。
-CalcModeDebt=元帳にまだ計上されていない場合でも、既知の記録された請求書の分析。
+CalcModeDebt=元帳未計上によらず、既知の記録済文書の分析。
CalcModeEngagement=元帳にまだ計上されていない場合でも、既知の記録された支払の分析。
CalcModeBookkeeping=簿記元帳テーブルにジャーナル化されたデータの分析。
CalcModeLT1= 顧客の請求書のモード%sRE-サプライヤーの請求書s%s
@@ -154,9 +154,9 @@ AnnualSummaryInputOutputMode=収支差額、年次要約
AnnualByCompanies=事前定義されたアカウントグループによる収支差額
AnnualByCompaniesDueDebtMode=収支差額、事前定義されたグループによる詳細、モード %sClaims-Debts%sはコミットメント会計と言える。
AnnualByCompaniesInputOutputMode=収支差額、事前定義されたグループによる詳細、モード%sIncomes-Expenses%sは現金会計と言える。
-SeeReportInInputOutputMode=元帳にまだ計上されていない場合でも、実際に行われた支払の計算については、%s支払の分析%sを参照すること。
-SeeReportInDueDebtMode=既知の記録された請求書に基づく計算については、元帳にまだ計上されていない場合でも、請求書の%sanalysiss%sを参照すること。
-SeeReportInBookkeepingMode=簿記元帳テーブルの計算については、 %sBookeeping report%sを参照すること。
+SeeReportInInputOutputMode=元帳未計上によらず、 %s支払の分析%s を参照すること。その対象は 記録済支払 に基づく計算。
+SeeReportInDueDebtMode=元帳未計上によらず、 %s記録済文書sの分析%s を参照すること。その対象は、既知の 記録済文書s に基づく計算。
+SeeReportInBookkeepingMode=%s簿記元帳テーブルの分析%s を参照すること。その対象は、 簿記元帳テーブル基づくレポート。
RulesAmountWithTaxIncluded=-表示されている金額はすべての税金が含まれている
RulesResultDue=-未払いの請求書、経費、VAT、支払の有無にかかわらず寄付が含まれる。給与も含まれている。 -請求書の請求日と、経費または税金支払期日に基づいている。給与モジュールで定義された給与の場合、支払の起算日が使用される。
RulesResultInOut=-これには、請求書、経費、VAT、および給与に対して行われた実際支払が含まれる。 -請求書、経費、VAT、給与支払日に基づいている。寄付の寄付日。
diff --git a/htdocs/langs/ja_JP/cron.lang b/htdocs/langs/ja_JP/cron.lang
index 431b36d9c0d..317f2f0d8c4 100644
--- a/htdocs/langs/ja_JP/cron.lang
+++ b/htdocs/langs/ja_JP/cron.lang
@@ -7,8 +7,8 @@ Permission23103 = スケジュールされたジョブを削除する
Permission23104 = スケジュールされたジョブを実行する
# Admin
CronSetup=スケジュールされたジョブ管理のセットアップ
-URLToLaunchCronJobs=修飾されたcronジョブを確認して起動するためのURL
-OrToLaunchASpecificJob=または、特定のジョブを確認して起動する
+URLToLaunchCronJobs=ブラウザから修飾されたcronジョブを確認して起動するためのURL
+OrToLaunchASpecificJob=または、ブラウザから特定のジョブを確認して起動する
KeyForCronAccess=cronジョブを起動するためのURLのセキュリティキー
FileToLaunchCronJobs=修飾されたcronジョブをチェックして起動するコマンドライン
CronExplainHowToRunUnix=Unix環境では、次のcrontabエントリを使用して、5分ごとにコマンドラインを実行する必要がある。
@@ -84,3 +84,8 @@ MakeLocalDatabaseDumpShort=ローカルデータベースのバックアップ
MakeLocalDatabaseDump=ローカルデータベースダンプを作成する。パラメータは次のもの: 圧縮 ('gz' or 'bz' or 'none')、バックアップ種別 ('mysql', 'pgsql', 'auto')、1、 'auto' またはビルドするファイル名、保持するバックアップファイルの数
WarningCronDelayed=注意、パフォーマンスの目的で、有効なジョブの次の実行日が何であれ、ジョブは実行される前に最大%s時間まで遅延する可能性がある。
DATAPOLICYJob=データクリーナとアノニマイザ
+JobXMustBeEnabled=ジョブ%sを有効にする必要がある
+# Cron Boxes
+LastExecutedScheduledJob=最後に実行されたスケジュールジョブ
+NextScheduledJobExecute=次に実行する予定のジョブ
+NumberScheduledJobError=エラーのあるスケジュールジョブの数
diff --git a/htdocs/langs/ja_JP/donations.lang b/htdocs/langs/ja_JP/donations.lang
index 6a498695940..e0b1a121335 100644
--- a/htdocs/langs/ja_JP/donations.lang
+++ b/htdocs/langs/ja_JP/donations.lang
@@ -4,7 +4,7 @@ Donations=寄付
DonationRef=寄付参照
Donor=ドナー
AddDonation=寄付を作成する
-NewDonation=新しい寄付
+NewDonation=新規寄付
DeleteADonation=寄付を削除する
ConfirmDeleteADonation=この寄付を削除してもよいか?
PublicDonation=義援金
diff --git a/htdocs/langs/ja_JP/errors.lang b/htdocs/langs/ja_JP/errors.lang
index 60df8eba840..29a6a5b5dc5 100644
--- a/htdocs/langs/ja_JP/errors.lang
+++ b/htdocs/langs/ja_JP/errors.lang
@@ -8,6 +8,7 @@ ErrorBadEMail=メール%sが間違っている
ErrorBadMXDomain=メール%sが間違っているようだ(ドメインに有効なMXレコードがない)
ErrorBadUrl=URLの%sが間違っている
ErrorBadValueForParamNotAString=パラメータ の値が正しくない。通常、翻訳が欠落している場合に追加される。
+ErrorRefAlreadyExists=参照%sはすでに存在する。
ErrorLoginAlreadyExists=ログイン%sはすでに存在している。
ErrorGroupAlreadyExists=グループ%sはすでに存在している。
ErrorRecordNotFound=レコードが見つからなかった。
@@ -49,6 +50,7 @@ ErrorFieldsRequired=いくつかの必須フィールドが満たされていな
ErrorSubjectIsRequired=メールトピックが必要だ
ErrorFailedToCreateDir=ディレクトリの作成に失敗した。そのWebサーバのユーザがDolibarrのドキュメントディレクトリに書き込む権限を持って確認すること。パラメータ のsafe_modeがこのPHPが有効になっている場合、Dolibarr PHPファイルは、Webサーバーのユーザー(またはグループ)に所有していることを確認すること。
ErrorNoMailDefinedForThisUser=このユーザーに定義されたメールはない
+ErrorSetupOfEmailsNotComplete=メールの設定が完了していない
ErrorFeatureNeedJavascript=この機能が動作するようにアクティブにするjavascriptをする必要がある。セットアップでこれを変更 - 表示される。
ErrorTopMenuMustHaveAParentWithId0=タイプは 'top'のメニューが親メニューを持つことはできない。親メニューに0を置くか、または型 "左"のメニューを選択する。
ErrorLeftMenuMustHaveAParentId=タイプ "左"のメニューは、親IDを持つ必要がある。
@@ -76,7 +78,7 @@ ErrorExportDuplicateProfil=このプロファイル名は、このエクスポ
ErrorLDAPSetupNotComplete=Dolibarr-LDAPのマッチングは完全ではない。
ErrorLDAPMakeManualTest=.ldifファイルは、ディレクトリ%sで生成された。エラーの詳細情報を持つようにコマンドラインから手動でそれをロードしようとする。
ErrorCantSaveADoneUserWithZeroPercentage= "doneby" フィールドも入力されている場合、 "statusnotstarted" のアクションを保存できない。
-ErrorRefAlreadyExists=作成に使用refは、すでに存在している。
+ErrorRefAlreadyExists=参照%sはすでに存在する。
ErrorPleaseTypeBankTransactionReportName=エントリを報告する必要のある銀行取引明細書名を入力すること(フォーマットYYYYMMまたはYYYYMMDD)
ErrorRecordHasChildren=子レコードがいくつかあるため、レコードの削除に失敗した。
ErrorRecordHasAtLeastOneChildOfType=オブジェクトには、タイプ%sの子が少なくとも1つある
@@ -118,7 +120,7 @@ ErrorFailedToRunExternalCommand=外部コマンドの実行に失敗した。そ
ErrorFailedToChangePassword=パスワードの変更に失敗した
ErrorLoginDoesNotExists=ログイン%sを持つユーザーを見つけることができなかった。
ErrorLoginHasNoEmail=このユーザーは電子メールアドレスを持っていない。プロセスが中止された。
-ErrorBadValueForCode=セキュリティコードの値が正しくない。新しい値で再試行すること...
+ErrorBadValueForCode=セキュリティコードの値が正しくない。新規値で再試行すること...
ErrorBothFieldCantBeNegative=フィールド%s %sとは負の両方にすることはできない
ErrorFieldCantBeNegativeOnInvoice=このタイプの請求書では、フィールド %sを負にすることはできない。割引ラインを追加する必要がある場合は、最初に割引を作成し(サードパーティカードのフィールド '%s'から)、それを請求書に適用する。
ErrorLinesCantBeNegativeForOneVATRate=行の合計(税控除後)は、特定のnull以外のVAT率に対して負になることはできない(VAT率 %s %%の負の合計が見つかった)。
@@ -133,7 +135,7 @@ ErrorModuleFileRequired=Dolibarrモジュールパッケージファイルを選
ErrorPhpCurlNotInstalled=PHPCURLがインストールされていない。これはPaypalと話すために不可欠だ。
ErrorFailedToAddToMailmanList=レコード%sをMailmanリスト%sまたはSPIPベースに追加できなかった
ErrorFailedToRemoveToMailmanList=レコード%sをMailmanリスト%sまたはSPIPベースに削除できなかった
-ErrorNewValueCantMatchOldValue=新しい値を古い値と等しくすることはできない
+ErrorNewValueCantMatchOldValue=新規値を古い値と等しくすることはできない
ErrorFailedToValidatePasswordReset=パスワードの再初期化に失敗した。 reinitがすでに実行されている可能性がある(このリンクは1回しか使用できない)。そうでない場合は、再初期化プロセスを再開してみること。
ErrorToConnectToMysqlCheckInstance=データベースへの接続に失敗。データベースサーバーが実行されていることを確認する(たとえば、mysql/mariadb なら、コマンドラインから "sudo service mysql start" を使用して起動できる)。
ErrorFailedToAddContact=連絡先の追加に失敗した
@@ -144,7 +146,7 @@ ErrorPHPNeedModule=エラー、この機能を使用するには、PHPにモジ
ErrorOpenIDSetupNotComplete=OpenID認証を許可するようにDolibarr構成ファイルを設定したが、OpenIDサービスのURLが定数%sに定義されていない
ErrorWarehouseMustDiffers=ソースウェアハウスとターゲットウェアハウスは異なる必要がある
ErrorBadFormat=悪いフォーマット!
-ErrorMemberNotLinkedToAThirpartyLinkOrCreateFirst=エラー、このメンバーはまだサードパーティにリンクされていない。請求書付きのサブスクリプションを作成する前に、メンバーを既存のサードパーティにリンクするか、新しいサードパーティを作成すること。
+ErrorMemberNotLinkedToAThirpartyLinkOrCreateFirst=エラー、このメンバーはまだサードパーティにリンクされていない。請求書付きのサブスクリプションを作成する前に、メンバーを既存のサードパーティにリンクするか、新規サードパーティを作成すること。
ErrorThereIsSomeDeliveries=エラー、この出荷に関連するいくつかの配送がある。削除は拒否された。
ErrorCantDeletePaymentReconciliated=調整された銀行エントリを生成した支払いを削除できない
ErrorCantDeletePaymentSharedWithPayedInvoice=ステータスがPaidの少なくとも1つの請求書で共有されている支払いを削除できない
@@ -189,10 +191,10 @@ ErrorFileMustHaveFormat=ファイルの形式は%sである必要がある
ErrorFilenameCantStartWithDot=ファイル名を "。" で始めることはできない。
ErrorSupplierCountryIsNotDefined=このベンダーの国は定義されていない。最初にこれを修正すること。
ErrorsThirdpartyMerge=2つのレコードのマージに失敗した。リクエストはキャンセルされた。
-ErrorStockIsNotEnoughToAddProductOnOrder=製品%sが新しい注文に追加するには、在庫が十分ではない。
-ErrorStockIsNotEnoughToAddProductOnInvoice=製品%sが新しい請求書に追加するには、在庫が十分ではない。
-ErrorStockIsNotEnoughToAddProductOnShipment=製品%sが新しい出荷に追加するには、在庫が十分ではない。
-ErrorStockIsNotEnoughToAddProductOnProposal=製品%sが新しい提案に追加するには、在庫が十分ではない。
+ErrorStockIsNotEnoughToAddProductOnOrder=製品%sが新規注文に追加するには、在庫が十分ではない。
+ErrorStockIsNotEnoughToAddProductOnInvoice=製品%sが新規請求書に追加するには、在庫が十分ではない。
+ErrorStockIsNotEnoughToAddProductOnShipment=製品%sが新規出荷に追加するには、在庫が十分ではない。
+ErrorStockIsNotEnoughToAddProductOnProposal=製品%sが新規提案に追加するには、在庫が十分ではない。
ErrorFailedToLoadLoginFileForMode=モード "%s" のログインキーの取得に失敗した。
ErrorModuleNotFound=モジュールのファイルが見つからなかった。
ErrorFieldAccountNotDefinedForBankLine=ソース行ID%s(%s)に対してアカウンティングアカウントの値が定義されていない
@@ -224,7 +226,7 @@ ErrorDuringChartLoad=勘定科目表の読み込み中にエラーが発生し
ErrorBadSyntaxForParamKeyForContent=paramkeyforcontentの構文が正しくない。 %sまたは%sで始まる値が必要だ
ErrorVariableKeyForContentMustBeSet=エラー、名前%s(表示するテキストコンテンツ付き)または%s(表示する外部URL付き)の定数を設定する必要がある。
ErrorURLMustStartWithHttp=URL %sは http:// または https:// で始まる必要がある
-ErrorNewRefIsAlreadyUsed=エラー、新しい参照はすでに使用されている
+ErrorNewRefIsAlreadyUsed=エラー、新規参照はすでに使用されている
ErrorDeletePaymentLinkedToAClosedInvoiceNotPossible=エラー、クローズされた請求書にリンクされた支払いを削除することはできない。
ErrorSearchCriteriaTooSmall=検索条件が小さすぎる。
ErrorObjectMustHaveStatusActiveToBeDisabled=無効にするには、オブジェクトのステータスが "アクティブ" である必要がある
@@ -246,6 +248,14 @@ ErrorProductDoesNotNeedBatchNumber=エラー、製品 ' %s'はロット/
ErrorFailedToReadObject=エラー、タイプ %sのオブジェクトの読み取りに失敗した
ErrorParameterMustBeEnabledToAllwoThisFeature=エラー、パラメータ %s をconf / conf.php で有効にして、内部ジョブスケジューラでコマンドラインインターフェイスを使用できるようにする必要がある
ErrorLoginDateValidity=エラー、このログインは有効期間外だ
+ErrorValueLength=フィールドの長さ ' %s 'は ' %s'より大きくなければならない
+ErrorReservedKeyword=「%s」という単語は予約語
+ErrorNotAvailableWithThisDistribution=このディストリビューションでは利用できない
+ErrorPublicInterfaceNotEnabled=パブリックインターフェイスが有効になっていない
+ErrorLanguageRequiredIfPageIsTranslationOfAnother=別のページの翻訳として設定されている場合は、新しいページの言語を定義する必要がある
+ErrorLanguageMustNotBeSourceLanguageIfPageIsTranslationOfAnother=新しいページの言語は、別ページの翻訳として設定されている場合、ソース言語にしないこと
+ErrorAParameterIsRequiredForThisOperation=この操作にはパラメーターが必須です
+
# Warnings
WarningParamUploadMaxFileSizeHigherThanPostMaxSize=PHPパラメータ upload_max_filesize(%s)は、PHPパラメータ post_max_size(%s)よりも大きくなっている。これは一貫した設定ではない。
WarningPasswordSetWithNoAccount=このメンバーにパスワードが設定された。ただし、ユーザーアカウントは作成されなかった。したがって、このパスワードは保存されるが、Dolibarrへのログインには使用できない。外部モジュール/インターフェースで使用できるが、メンバーのログインやパスワードを定義する必要がない場合は、メンバーモジュールの設定から "各メンバーのログインを管理する" オプションを無効にすることができる。ログインを管理する必要があるがパスワードは必要ない場合は、このフィールドを空のままにして、この警告を回避できる。注:メンバーがユーザーにリンクされている場合は、電子メールをログインとして使用することもできる。
@@ -264,9 +274,9 @@ WarningUsingThisBoxSlowDown=警告、このボックスを使用すると、ボ
WarningClickToDialUserSetupNotComplete=ユーザーのClickToDial情報の設定が完了していない(ユーザーカードのClickToDialタブを参照)。
WarningFeatureDisabledWithDisplayOptimizedForBlindNoJs=表示設定が視覚障害者またはテキストブラウザ用に最適化されている場合、機能は無効になる。
WarningPaymentDateLowerThanInvoiceDate=請求書%sの支払い日(%s)が請求日(%s)よりも前だ。
-WarningTooManyDataPleaseUseMoreFilters=データが多すぎる(%s行を超えている)。より多くのフィルターを使用するか、定数%sをより高い制限に設定すること。
+WarningTooManyDataPleaseUseMoreFilters=データが多すぎる(%s行を超えている)。より多くのフィルタを使用するか、定数%sをより高い制限に設定すること。
WarningSomeLinesWithNullHourlyRate=時間料金が定義されていないときに、一部のユーザーによって記録された時間もある。 1時間あたり0%sの値が使用されたが、これにより、費やされた時間の誤った評価が発生する可能性がある。
-WarningYourLoginWasModifiedPleaseLogin=ログインが変更された。セキュリティ上の理由から、次のアクションの前に新しいログインでログインする必要がある。
+WarningYourLoginWasModifiedPleaseLogin=ログインが変更された。セキュリティ上の理由から、次のアクションの前に新規ログインでログインする必要がある。
WarningAnEntryAlreadyExistForTransKey=この言語の翻訳キーのエントリはすでに存在する
WarningNumberOfRecipientIsRestrictedInMassAction=警告、リストで一括アクションを使用する場合、異なる受信者の数は %sに制限される
WarningDateOfLineMustBeInExpenseReportRange=警告、行の日付が経費報告書の範囲内にない
@@ -276,3 +286,4 @@ WarningSomeBankTransactionByChequeWereRemovedAfter=一部の銀行取引は、
WarningFailedToAddFileIntoDatabaseIndex=警告、ECMデータベースインデックステーブルにファイルエントリを追加できなかった
WarningTheHiddenOptionIsOn=警告、非表示のオプション %sがオンになっている。
WarningCreateSubAccounts=警告、サブアカウントを直接作成することはできない。このリストでそれらを見つけるには、サードパーティまたはユーザーを作成し、それらにアカウンティングコードを割り当てる必要がある
+WarningAvailableOnlyForHTTPSServers=HTTPSで保護された接続を使用している場合にのみ使用できます。
diff --git a/htdocs/langs/ja_JP/exports.lang b/htdocs/langs/ja_JP/exports.lang
index 1aefed12ba1..36b88c20eab 100644
--- a/htdocs/langs/ja_JP/exports.lang
+++ b/htdocs/langs/ja_JP/exports.lang
@@ -132,4 +132,5 @@ FormatControlRule=フォーマット制御ルール
KeysToUseForUpdates=がの既存データを更新するために使用するキー(列)
NbInsert=挿入された行数:%s
NbUpdate=更新された行数:%s
-MultipleRecordFoundWithTheseFilters=これらのフィルターで複数のレコードが見つかった:%s
+MultipleRecordFoundWithTheseFilters=これらのフィルタで複数のレコードが見つかった:%s
+StocksWithBatch=バッチ/シリアル番号のある製品の在庫と場所(倉庫)
diff --git a/htdocs/langs/ja_JP/ftp.lang b/htdocs/langs/ja_JP/ftp.lang
index a95eeb0aa40..765e2a4c44f 100644
--- a/htdocs/langs/ja_JP/ftp.lang
+++ b/htdocs/langs/ja_JP/ftp.lang
@@ -1,6 +1,6 @@
# Dolibarr language file - Source file is en_US - ftp
FTPClientSetup=FTPまたはSFTPクライアントモジュールの設定
-NewFTPClient=新しいFTP / FTPS接続の設定
+NewFTPClient=新規FTP / FTPS接続の設定
FTPArea=FTP / FTPSエリア
FTPAreaDesc=この画面には、FTPおよびSFTPサーバのビューが表示される。
SetupOfFTPClientModuleNotComplete=FTPまたはSFTPクライアントモジュールの設定が不完全なようです
diff --git a/htdocs/langs/ja_JP/hrm.lang b/htdocs/langs/ja_JP/hrm.lang
index 4b9b1edd9d3..a7be093eebe 100644
--- a/htdocs/langs/ja_JP/hrm.lang
+++ b/htdocs/langs/ja_JP/hrm.lang
@@ -16,4 +16,4 @@ DictionaryFunction=HRM - 職位
Employees=従業員s
Employee=従業員
NewEmployee=新規従業員
-ListOfEmployees=List of employees
+ListOfEmployees=従業員リスト
diff --git a/htdocs/langs/ja_JP/install.lang b/htdocs/langs/ja_JP/install.lang
index 72525b888a8..96515a06978 100644
--- a/htdocs/langs/ja_JP/install.lang
+++ b/htdocs/langs/ja_JP/install.lang
@@ -61,7 +61,7 @@ CreateUser=Dolibarrデータベースでユーザアカウントを作成する
DatabaseSuperUserAccess=データベースサーバ - スーパーユーザのアクセス
CheckToCreateDatabase=データベースがまだ存在しないため、作成する必要がある場合は、チェックボックスをオンにする。 この場合、このページの下部にスーパーユーザアカウントのユーザ名とパスワードも入力する必要がある。
CheckToCreateUser=次の場合にチェックボックスをオンにする。 データベースユーザアカウントがまだ存在しないため作成する必要がある場合、またはユーザアカウントは存在するがデータベースが存在せず、アクセス許可を付与する必要がある場合は 。 この場合、このページの下部にユーザアカウントとパスワードを入力する必要があり、もスーパーユーザアカウント名とパスワードを入力する必要がある。このボックスがオフの場合、データベースの所有者とパスワードがすでに存在する必要がある。
-DatabaseRootLoginDescription=スーパーユーザアカウント名(新しいデータベースまたは新しいユーザを作成するため)。データベースまたはその所有者がまだ存在しない場合は必須。
+DatabaseRootLoginDescription=スーパーユーザアカウント名(新規データベースまたは新規ユーザを作成するため)。データベースまたはその所有者がまだ存在しない場合は必須。
KeepEmptyIfNoPassword=スーパーユーザにパスワードがない場合は空のままにする(非推奨)
SaveConfigurationFile=パラメータをに保存する
ServerConnection=サーバーへの接続
@@ -102,7 +102,7 @@ ChooseYourSetupMode=設定モードを選択し、"スタート"をクリック.
FreshInstall=新規インストール
FreshInstallDesc=これが初めてのインストールである場合は、このモードを使用すること。そうでない場合、このモードは不完全な以前のインストールを修復できる。バージョンをアップグレードする場合は、「アップグレード」モードを選択すること。
Upgrade=アップグレード
-UpgradeDesc=あなたが新しいバージョンのファイルが古いDolibarrファイルを交換した場合、このモードを使用する。これにより、データベースとデータをアップグレードする。
+UpgradeDesc=あなたが新規バージョンのファイルが古いDolibarrファイルを交換した場合、このモードを使用する。これにより、データベースとデータをアップグレードする。
Start=開始
InstallNotAllowed=設定では、conf.phpの権限で許可されていない
YouMustCreateWithPermission=あなたは、ファイル%sを作成し、インストールプロセス中にWebサーバのためにそれへの書き込み権限を設定する必要がある。
diff --git a/htdocs/langs/ja_JP/languages.lang b/htdocs/langs/ja_JP/languages.lang
index 99d0e3d3fbb..33c1dee16eb 100644
--- a/htdocs/langs/ja_JP/languages.lang
+++ b/htdocs/langs/ja_JP/languages.lang
@@ -40,7 +40,7 @@ Language_es_PA=スペイン語 (パナマ)
Language_es_PY=スペイン語(パラグアイ)
Language_es_PE=スペイン語(ペルー)
Language_es_PR=スペイン語(プエルトリコ)
-Language_es_US=Spanish (USA)
+Language_es_US=スペイン語(USA)
Language_es_UY=スペイン語(ウルグアイ)
Language_es_GT=スペイン語(グアテマラ)
Language_es_VE=スペイン語 (ベネズエラ)
diff --git a/htdocs/langs/ja_JP/loan.lang b/htdocs/langs/ja_JP/loan.lang
index a0a77be01d9..7b09bf4ef54 100644
--- a/htdocs/langs/ja_JP/loan.lang
+++ b/htdocs/langs/ja_JP/loan.lang
@@ -1,7 +1,7 @@
# Dolibarr language file - Source file is en_US - loan
Loan=ローン
Loans=ローン
-NewLoan=新しいローン
+NewLoan=新規ローン
ShowLoan=ローンを表示
PaymentLoan=ローンの支払
LoanPayment=ローンの支払
diff --git a/htdocs/langs/ja_JP/mails.lang b/htdocs/langs/ja_JP/mails.lang
index 0a8693bb1be..6106bcfd346 100644
--- a/htdocs/langs/ja_JP/mails.lang
+++ b/htdocs/langs/ja_JP/mails.lang
@@ -23,7 +23,7 @@ SubjectNotIn=件名にない
BodyNotIn=体にない
ShowEMailing=電子メールで表示
ListOfEMailings=emailingsのリスト
-NewMailing=新しいメール送信
+NewMailing=新規メール送信
EditMailing=電子メールで編集
ResetMailing=電子メールで送信する再送
DeleteMailing=電子メールで送信する削除
@@ -45,7 +45,7 @@ MailUnsubcribe=登録を解除する
MailingStatusNotContact=もう連絡しないこと
MailingStatusReadAndUnsubscribe=読んで購読を解除する
ErrorMailRecipientIsEmpty=電子メールの受信者は空
-WarningNoEMailsAdded=受信者のリストに追加するない新しい電子メール。
+WarningNoEMailsAdded=受信者のリストに追加するない新規電子メール。
ConfirmValidMailing=このメールを検証してもよいか?
ConfirmResetMailing=警告、電子メール %s を再初期化することにより、この電子メールを一括メールで再送信できるようになる。これを実行してもよいか?
ConfirmDeleteMailing=このメールを削除してもよいか?
@@ -83,7 +83,7 @@ NbIgnored=無視された数
NbSent=送信番号
SentXXXmessages=%sメッセージ(s)が送信された。
ConfirmUnvalidateEmailing=メール%s をドラフトステータスに変更してもよいか?
-MailingModuleDescContactsWithThirdpartyFilter=顧客フィルターとの接触
+MailingModuleDescContactsWithThirdpartyFilter=顧客フィルタとの接触
MailingModuleDescContactsByCompanyCategory=サードパーティカテゴリ別の連絡先
MailingModuleDescContactsByCategory=カテゴリ別の連絡先
MailingModuleDescContactsByFunction=位置別の連絡先
@@ -92,6 +92,7 @@ MailingModuleDescEmailsFromUser=ユーザが入力したメール
MailingModuleDescDolibarrUsers=メールを持っているユーザ
MailingModuleDescThirdPartiesByCategories=サードパーティ(カテゴリ別)
SendingFromWebInterfaceIsNotAllowed=Webインターフェイスからの送信は許可されていない。
+EmailCollectorFilterDesc=メールを取得するには、すべてのフィルタが適合している必要がある
# Libelle des modules de liste de destinataires mailing
LineInFile=ファイル内の行%s
@@ -129,8 +130,8 @@ NotificationsAuto=通知自動。
NoNotificationsWillBeSent=このイベントタイプと法人では、自動電子メール通知は計画されていない
ANotificationsWillBeSent=1つの自動通知が電子メールで送信される
SomeNotificationsWillBeSent=%s自動通知は電子メールで送信される
-AddNewNotification=新しい自動電子メール通知ターゲット/イベントをアクティブ化する
-ListOfActiveNotifications=自動電子メール通知のすべてのアクティブなターゲット/イベントを一覧表示する
+AddNewNotification=新規自動電子メール通知を購読する(ターゲット/イベント)
+ListOfActiveNotifications=自動電子メール通知のすべてのアクティブなサブスクリプション(ターゲット/イベント)を一覧表示する
ListOfNotificationsDone=送信されたすべての自動電子メール通知を一覧表示する
MailSendSetupIs=電子メール送信の構成は「%s」に設定されている。このモードは、大量の電子メールを送信するために使用することはできない。
MailSendSetupIs2=モード'%s'を使うには、まず、管理者アカウントを使用して、メニュー%sホーム - 設定 - メール %sに移動し、パラメーター'%s 'を変更する。このモードでは、インターネットサービスプロバイダーが提供するSMTPサーバーの設定に入り、大量電子メールの機能を使用できる。
@@ -141,7 +142,7 @@ UseFormatFileEmailToTarget=インポートされたファイルの形式は email; name; firstname; otherの形式で文字列を入力する
MailAdvTargetRecipients=受信者(高度な選択)
AdvTgtTitle=入力フィールドに入力して、ターゲットとするサードパーティまたは連絡先/アドレスを事前に選択する
-AdvTgtSearchTextHelp=ワイルドカードとして%%を使用する。たとえば、 jean、joe、jim などのすべてのアイテムを検索するには、 j%% と入力し、;を使用することもできる。値の区切り文字として使用し、!を使用する。この値を除いて。たとえば、 jean; joe; jim%%;!jimo;!jima%%は、すべてのjean、joe、jimで始まりますが、jimoではなく、jimaで始まるすべてのものではない。
+AdvTgtSearchTextHelp=ワイルドカードとして %% を使用。たとえば、jean, joe, jim のような全アイテムを探すには、 j%% を入力、値の区切り文字として ; を使用し、値の除外として ! を使用できる。たとえば jean;joe;jim%%;!jimo;!jima%% なら、すべての jean, joe と jim で始まる文字列の内で jimo でないものと jima で始まるものを除外したすべてを意味する。
AdvTgtSearchIntHelp=間隔を使用してintまたはfloat値を選択する
AdvTgtMinVal=最小値
AdvTgtMaxVal=最大値
@@ -156,11 +157,11 @@ RemoveAll=すべて削除する
ItemsCount=アイテム(s)
AdvTgtNameTemplate=フィルタ名
AdvTgtAddContact=基準に従ってメールを追加する
-AdvTgtLoadFilter=ロードフィルター
+AdvTgtLoadFilter=ロードフィルタ
AdvTgtDeleteFilter=フィルタを削除する
AdvTgtSaveFilter=フィルタを保存
AdvTgtCreateFilter=フィルタを作成する
-AdvTgtOrCreateNewFilter=新しいフィルターの名前
+AdvTgtOrCreateNewFilter=新規フィルタの名前
NoContactWithCategoryFound=カテゴリの連絡先/住所が見つからない
NoContactLinkedToThirdpartieWithCategoryFound=カテゴリの連絡先/住所が見つからない
OutGoingEmailSetup=送信メール
@@ -168,7 +169,7 @@ InGoingEmailSetup=受信メール
OutGoingEmailSetupForEmailing=送信メール(モジュール%sの場合)
DefaultOutgoingEmailSetup=グローバルな送信メール設定と同じ構成
Information=情報
-ContactsWithThirdpartyFilter=サードパーティのフィルターを使用した連絡先
+ContactsWithThirdpartyFilter=サードパーティのフィルタを使用した連絡先
Unanswered=未回答
Answered=答えた
IsNotAnAnswer=回答でない(最初のメール)
diff --git a/htdocs/langs/ja_JP/main.lang b/htdocs/langs/ja_JP/main.lang
index 3612332cbff..88afad57b28 100644
--- a/htdocs/langs/ja_JP/main.lang
+++ b/htdocs/langs/ja_JP/main.lang
@@ -28,7 +28,9 @@ NoTemplateDefined=このメールタイプには適用可能なテンプレー
AvailableVariables=適用可能な代替変数s
NoTranslation=翻訳無し
Translation=翻訳
+CurrentTimeZone=PHP(サーバー)のタイムゾーン
EmptySearchString=空文字以外の検索候補を入力
+EnterADateCriteria=日付基準を入力する
NoRecordFound=発見レコードは無し
NoRecordDeleted=削除レコードは無し
NotEnoughDataYet=データが不十分
@@ -85,6 +87,8 @@ FileWasNotUploaded=ファイルが添付ファイルが選択されているが
NbOfEntries=エントリー番号
GoToWikiHelpPage=オンラインヘルプを読む(インターネットアクセスが必要)
GoToHelpPage=ヘルプを見る
+DedicatedPageAvailable=現在の画面に関連する専用のヘルプページがある
+HomePage=ホームページ
RecordSaved=レコード保存
RecordDeleted=レコード削除
RecordGenerated=レコード生成
@@ -218,8 +222,8 @@ Parameter=パラメーター
Parameters=パラメータ
Value=値
PersonalValue=個人的価値
-NewObject=新しい%s
-NewValue=新しい値
+NewObject=新規%s
+NewValue=新規値
CurrentValue=電流値
Code=コード
Type=タイプ
@@ -258,7 +262,7 @@ Cards=カード
Card=カード
Now=現在
HourStart=開始時間
-Deadline=Deadline
+Deadline=締切
Date=日付
DateAndHour=日付と時間
DateToday=今日の日付
@@ -267,10 +271,10 @@ DateStart=開始日
DateEnd=終了日
DateCreation=作成日
DateCreationShort=クリート。日付
-IPCreation=Creation IP
+IPCreation=作成IP
DateModification=変更日
DateModificationShort=MODIF。日付
-IPModification=Modification IP
+IPModification=変更IP
DateLastModification=最新の変更日
DateValidation=検証日
DateClosing=日付を閉じる
@@ -347,7 +351,7 @@ Copy=コピー
Paste=貼り付ける
Default=デフォルト
DefaultValue=デフォルト値
-DefaultValues=デフォルト値/フィルター/ソート
+DefaultValues=デフォルト値/フィルタ/ソート
Price=価格
PriceCurrency=価格(通貨)
UnitPrice=単価
@@ -433,6 +437,7 @@ RemainToPay=支払いを続ける
Module=モジュール/アプリケーション
Modules=モジュール/アプリケーション
Option=オプション
+Filters=フィルタ
List=リスト
FullList=全リスト
FullConversation=完全な会話
@@ -671,7 +676,7 @@ SendMail=メールを送る
Email=Eメール
NoEMail=まだメールしない
AlreadyRead=すでに読んだ
-NotRead=読んでいません
+NotRead=未読
NoMobilePhone=携帯電話はありません
Owner=所有者
FollowingConstantsWillBeSubstituted=以下の定数は、対応する値を持つ代替となります。
@@ -705,7 +710,7 @@ NeverReceived=受信しませんでした
Canceled=キャンセル
YouCanChangeValuesForThisListFromDictionarySetup=このリストの値は、メニューの[設定]-[辞書]から変更できます。
YouCanChangeValuesForThisListFrom=このリストの値は、メニュー%sから変更できます。
-YouCanSetDefaultValueInModuleSetup=モジュール設定で新しいレコードを作成するときに使用されるデフォルト値を設定できます
+YouCanSetDefaultValueInModuleSetup=モジュール設定で新規レコードを作成するときに使用されるデフォルト値を設定できます
Color=カラー
Documents=リンクされたファイル
Documents2=ドキュメント
@@ -736,7 +741,7 @@ RootOfMedias=パブリックメディアのルート(/ medias)
Informations=情報
Page=ページ
Notes=注釈
-AddNewLine=新しい行を追加します。
+AddNewLine=新規行を追加します。
AddFile=ファイルを追加します。
FreeZone=フリーテキスト製品
FreeLineOfType=フリーテキストアイテム、タイプ:
@@ -775,7 +780,7 @@ After=後の
IPAddress=IPアドレス
Frequency=周波数
IM=インスタントメッセージ
-NewAttribute=新しい属性
+NewAttribute=新規属性
AttributeCode=属性コード
URLPhoto=写真/ロゴのURL
SetLinkToAnotherThirdParty=別の第三者へのリンク
@@ -924,7 +929,7 @@ Lead=鉛
Leads=リード
ListOpenLeads=オープンリードのリスト
ListOpenProjects=開いているプロジェクトを一覧表示する
-NewLeadOrProject=新しいリードまたはプロジェクト
+NewLeadOrProject=新規リードまたはプロジェクト
Rights=パーミッション
LineNb=行番号
IncotermLabel=インコタームズ
@@ -1106,4 +1111,9 @@ SecurityTokenHasExpiredSoActionHasBeenCanceledPleaseRetry=セキュリティト
UpToDate=最新の
OutOfDate=時代遅れ
EventReminder=イベントリマインダー
-UpdateForAllLines=Update for all lines
+UpdateForAllLines=すべての行を更新
+OnHold=保留
+AffectTag=タグに影響を与える
+ConfirmAffectTag=バルクタグの影響
+ConfirmAffectTagQuestion=選択した%sレコード(s)のタグに影響を与えてもよいか?
+CategTypeNotFound=レコードのタイプのタグタイプが見つからない
diff --git a/htdocs/langs/ja_JP/modulebuilder.lang b/htdocs/langs/ja_JP/modulebuilder.lang
index 00c0d9c6851..91866a353f1 100644
--- a/htdocs/langs/ja_JP/modulebuilder.lang
+++ b/htdocs/langs/ja_JP/modulebuilder.lang
@@ -40,6 +40,7 @@ PageForCreateEditView=レコードを作成/編集/表示するためのPHPペ
PageForAgendaTab=イベントタブのPHPページ
PageForDocumentTab=ドキュメントタブのPHPページ
PageForNoteTab=メモタブのPHPページ
+PageForContactTab=連絡先タブのPHPページ
PathToModulePackage=モジュール/アプリケーションパッケージのzipへのパス
PathToModuleDocumentation=モジュール/アプリケーションドキュメントのファイルへのパス(%s)
SpaceOrSpecialCharAreNotAllowed=スペースや特殊文字は使用できない。
@@ -105,7 +106,7 @@ TryToUseTheModuleBuilder=SQLとPHPの知識がある場合は、ネイティブ
SeeTopRightMenu=右上のメニューのを参照すること
AddLanguageFile=言語ファイルを追加する
YouCanUseTranslationKey=ここでは、言語ファイルにある翻訳キーであるキーを使用できる(「言語」タブを参照)。
-DropTableIfEmpty=(空の場合はテーブルを削除する)
+DropTableIfEmpty=(空の場合はテーブルを破棄する)
TableDoesNotExists=テーブル%sは存在しない
TableDropped=テーブル%sが削除された
InitStructureFromExistingTable=既存のテーブルの構造体配列文字列を作成する
@@ -126,7 +127,6 @@ UseSpecificEditorURL = 特定のエディターURLを使用する
UseSpecificFamily = 特定の家族を使用する
UseSpecificAuthor = 特定の作成者を使用する
UseSpecificVersion = 特定の初期バージョンを使用する
-ModuleMustBeEnabled=モジュール/アプリケーションを最初に有効にする必要がある
IncludeRefGeneration=オブジェクトの参照は自動的に生成される必要がある
IncludeRefGenerationHelp=参照の生成を自動的に管理するコードを含める場合は、これをチェックすること
IncludeDocGeneration=オブジェクトからいくつかのドキュメントを生成したい
@@ -140,3 +140,4 @@ TypeOfFieldsHelp=フィールドの種別: varchar(99), double(24,8), real, t
AsciiToHtmlConverter=アスキーからHTMLへのコンバーター
AsciiToPdfConverter=アスキーからPDFへのコンバーター
TableNotEmptyDropCanceled=テーブルが空ではない。ドロップはキャンセルされた。
+ModuleBuilderNotAllowed=モジュールビルダーは利用できるが、あなたのユーザには許可されていない。
diff --git a/htdocs/langs/ja_JP/mrp.lang b/htdocs/langs/ja_JP/mrp.lang
index d783dd432ac..d85387241a5 100644
--- a/htdocs/langs/ja_JP/mrp.lang
+++ b/htdocs/langs/ja_JP/mrp.lang
@@ -77,4 +77,4 @@ UnitCost=単価
TotalCost=総費用
BOMTotalCost=消費する各数量と製品のコストに基づいてこのBOMを生成するためのコスト(定義されている場合は原価、定義されている場合は平均加重価格、それ以外の場合は最良の購入価格を使用)
GoOnTabProductionToProduceFirst=製造指図を閉じるには、最初に製造を開始しておく必要がある(タブ '%s'を参照)。ただし、キャンセルすることはできる。
-ErrorAVirtualProductCantBeUsedIntoABomOrMo=A kit can't be used into a BOM or a MO
+ErrorAVirtualProductCantBeUsedIntoABomOrMo=キットをBOMまたはMOに使用することはできない
diff --git a/htdocs/langs/ja_JP/other.lang b/htdocs/langs/ja_JP/other.lang
index d294c7bb2a7..9042b4b81ef 100644
--- a/htdocs/langs/ja_JP/other.lang
+++ b/htdocs/langs/ja_JP/other.lang
@@ -1,133 +1,133 @@
# Dolibarr language file - Source file is en_US - other
SecurityCode=セキュリティコード
-NumberingShort=N°
+NumberingShort=番号
Tools=ツール
-TMenuTools=Tools
-ToolsDesc=All tools not included in other menu entries are grouped here. All the tools can be accessed via the left menu.
+TMenuTools=ツールs
+ToolsDesc=他のメニューエントリに含まれていないすべてのツールがここにグループ化される。 すべてのツールは左側のメニューからアクセスできる。
Birthday=誕生日
BirthdayAlertOn=誕生日アラートアクティブ
BirthdayAlertOff=非アクティブな誕生日アラート
-TransKey=Translation of the key TransKey
-MonthOfInvoice=Month (number 1-12) of invoice date
-TextMonthOfInvoice=Month (text) of invoice date
-PreviousMonthOfInvoice=Previous month (number 1-12) of invoice date
-TextPreviousMonthOfInvoice=Previous month (text) of invoice date
-NextMonthOfInvoice=Following month (number 1-12) of invoice date
-TextNextMonthOfInvoice=Following month (text) of invoice date
-PreviousMonth=Previous month
-CurrentMonth=Current month
-ZipFileGeneratedInto=Zip file generated into %s.
-DocFileGeneratedInto=Doc file generated into %s.
-JumpToLogin=Disconnected. Go to login page...
-MessageForm=Message on online payment form
-MessageOK=Message on the return page for a validated payment
-MessageKO=Message on the return page for a canceled payment
-ContentOfDirectoryIsNotEmpty=Content of this directory is not empty.
-DeleteAlsoContentRecursively=Check to delete all content recursively
-PoweredBy=Powered by
-YearOfInvoice=Year of invoice date
-PreviousYearOfInvoice=Previous year of invoice date
-NextYearOfInvoice=Following year of invoice date
-DateNextInvoiceBeforeGen=Date of next invoice (before generation)
-DateNextInvoiceAfterGen=Date of next invoice (after generation)
-GraphInBarsAreLimitedToNMeasures=Grapics are limited to %s measures in 'Bars' mode. The mode 'Lines' was automatically selected instead.
-OnlyOneFieldForXAxisIsPossible=Only 1 field is currently possible as X-Axis. Only the first selected field has been selected.
-AtLeastOneMeasureIsRequired=At least 1 field for measure is required
-AtLeastOneXAxisIsRequired=At least 1 field for X-Axis is required
-LatestBlogPosts=Latest Blog Posts
-Notify_ORDER_VALIDATE=Sales order validated
-Notify_ORDER_SENTBYMAIL=Sales order sent by mail
-Notify_ORDER_SUPPLIER_SENTBYMAIL=Purchase order sent by email
-Notify_ORDER_SUPPLIER_VALIDATE=Purchase order recorded
-Notify_ORDER_SUPPLIER_APPROVE=Purchase order approved
-Notify_ORDER_SUPPLIER_REFUSE=Purchase order refused
+TransKey=キーTransKeyの翻訳
+MonthOfInvoice=請求日の月(数字 1-12)
+TextMonthOfInvoice=請求日の月(文字列)
+PreviousMonthOfInvoice=請求日の前月(数字 1-12)
+TextPreviousMonthOfInvoice=請求日の前月(文字列)
+NextMonthOfInvoice=請求日の翌月(数字 1-12)
+TextNextMonthOfInvoice=請求日の翌月(文字列)
+PreviousMonth=前月
+CurrentMonth=今月
+ZipFileGeneratedInto= %sに生成されたZipファイル。
+DocFileGeneratedInto= %sに生成されたドキュメントファイル。
+JumpToLogin=切断された。ログインページに移動...
+MessageForm=オンライン支払いフォームのメッセージ
+MessageOK=確認済みの支払いの返品ページのメッセージ
+MessageKO=キャンセルされた支払いの返品ページのメッセージ
+ContentOfDirectoryIsNotEmpty=このディレクトリの内容は空ではない。
+DeleteAlsoContentRecursively=チェックすると、すべてのコンテンツが再帰的に削除される
+PoweredBy=搭載
+YearOfInvoice=請求日の年
+PreviousYearOfInvoice=請求日の前年
+NextYearOfInvoice=請求日の翌年
+DateNextInvoiceBeforeGen=次の請求書の日付(生成前)
+DateNextInvoiceAfterGen=次の請求書の日付(生成後)
+GraphInBarsAreLimitedToNMeasures=Grapicsは、「バー」モードの%sメジャーに制限されています。代わりに、モード「ライン」が自動的に選択された。
+OnlyOneFieldForXAxisIsPossible=現在、X軸として使用できるフィールドは1つだけ 。最初に選択されたフィールドのみが選択されています。
+AtLeastOneMeasureIsRequired=測定には少なくとも1つのフィールドが必要
+AtLeastOneXAxisIsRequired=X軸には少なくとも1つのフィールドが必要
+LatestBlogPosts=最新のブログ投稿
+Notify_ORDER_VALIDATE=検証済みの販売注文
+Notify_ORDER_SENTBYMAIL=メールで送信された販売注文
+Notify_ORDER_SUPPLIER_SENTBYMAIL=電子メールで送信された注文書
+Notify_ORDER_SUPPLIER_VALIDATE=記録された発注書
+Notify_ORDER_SUPPLIER_APPROVE=注文書が承認された
+Notify_ORDER_SUPPLIER_REFUSE=注文書が拒否された
Notify_PROPAL_VALIDATE=検証済みの顧客の提案
-Notify_PROPAL_CLOSE_SIGNED=Customer proposal closed signed
-Notify_PROPAL_CLOSE_REFUSED=Customer proposal closed refused
+Notify_PROPAL_CLOSE_SIGNED=顧客提案は署名された
+Notify_PROPAL_CLOSE_REFUSED=顧客の提案は拒否された
Notify_PROPAL_SENTBYMAIL=電子メールによって送信された商業提案
Notify_WITHDRAW_TRANSMIT=伝送撤退
Notify_WITHDRAW_CREDIT=クレジット撤退
-Notify_WITHDRAW_EMIT=撤退を実行します。
+Notify_WITHDRAW_EMIT=撤退を実行する。
Notify_COMPANY_CREATE=第三者が作成した
-Notify_COMPANY_SENTBYMAIL=Mails sent from third party card
+Notify_COMPANY_SENTBYMAIL=サードパーティのカードから送信されたメール
Notify_BILL_VALIDATE=顧客への請求書が検証さ
-Notify_BILL_UNVALIDATE=Customer invoice unvalidated
+Notify_BILL_UNVALIDATE=顧客の請求書は未検証
Notify_BILL_PAYED=顧客の請求書は支払済
Notify_BILL_CANCEL=顧客への請求書が取り消さ
Notify_BILL_SENTBYMAIL=メールで送信された顧客への請求書
-Notify_BILL_SUPPLIER_VALIDATE=Vendor invoice validated
-Notify_BILL_SUPPLIER_PAYED=Vendor invoice paid
-Notify_BILL_SUPPLIER_SENTBYMAIL=Vendor invoice sent by mail
-Notify_BILL_SUPPLIER_CANCELED=Vendor invoice cancelled
+Notify_BILL_SUPPLIER_VALIDATE=ベンダーの請求書が検証された
+Notify_BILL_SUPPLIER_PAYED=支払われたベンダーの請求書
+Notify_BILL_SUPPLIER_SENTBYMAIL=メールで送信されるベンダーの請求書
+Notify_BILL_SUPPLIER_CANCELED=ベンダーの請求書がキャンセルされた
Notify_CONTRACT_VALIDATE=検証済みの契約
Notify_FICHINTER_VALIDATE=介入検証
-Notify_FICHINTER_ADD_CONTACT=Added contact to Intervention
-Notify_FICHINTER_SENTBYMAIL=Intervention sent by mail
+Notify_FICHINTER_ADD_CONTACT=介入への連絡先を追加
+Notify_FICHINTER_SENTBYMAIL=郵送による介入
Notify_SHIPPING_VALIDATE=送料は、検証
Notify_SHIPPING_SENTBYMAIL=電子メールによって送信された商品
Notify_MEMBER_VALIDATE=メンバー検証
-Notify_MEMBER_MODIFY=Member modified
+Notify_MEMBER_MODIFY=メンバーが変更された
Notify_MEMBER_SUBSCRIPTION=メンバー購読
-Notify_MEMBER_RESILIATE=Member terminated
+Notify_MEMBER_RESILIATE=メンバーが終了した
Notify_MEMBER_DELETE=メンバーが削除さ
-Notify_PROJECT_CREATE=Project creation
-Notify_TASK_CREATE=Task created
-Notify_TASK_MODIFY=Task modified
-Notify_TASK_DELETE=Task deleted
-Notify_EXPENSE_REPORT_VALIDATE=Expense report validated (approval required)
-Notify_EXPENSE_REPORT_APPROVE=Expense report approved
-Notify_HOLIDAY_VALIDATE=Leave request validated (approval required)
-Notify_HOLIDAY_APPROVE=Leave request approved
+Notify_PROJECT_CREATE=プロジェクトの作成
+Notify_TASK_CREATE=作成されたタスク
+Notify_TASK_MODIFY=タスクが変更された
+Notify_TASK_DELETE=タスクが削除された
+Notify_EXPENSE_REPORT_VALIDATE=経費報告書が検証された(承認が必要 )
+Notify_EXPENSE_REPORT_APPROVE=経費報告書が承認された
+Notify_HOLIDAY_VALIDATE=リクエストを検証したままにする(承認が必要 )
+Notify_HOLIDAY_APPROVE=リクエストを承認したままにする
SeeModuleSetup=モジュール%sのセットアップを参照すること
NbOfAttachedFiles=添付ファイル/文書の数
TotalSizeOfAttachedFiles=添付ファイル/文書の合計サイズ
MaxSize=最大サイズ
-AttachANewFile=新しいファイル/文書を添付する
+AttachANewFile=新規ファイル/文書を添付する
LinkedObject=リンクされたオブジェクト
-NbOfActiveNotifications=Number of notifications (no. of recipient emails)
-PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe lines are separated by a carriage return.\n\n__USER_SIGNATURE__
-PredefinedMailTestHtml=__(Hello)__ This is a test mail sent to __EMAIL__ (the word test must be in bold). The lines are separated by a carriage return.
__USER_SIGNATURE__
-PredefinedMailContentContract=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
-PredefinedMailContentSendInvoice=__(Hello)__\n\nPlease find invoice __REF__ attached \n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
-PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to remind you that the invoice __REF__ seems to have not been paid. A copy of the invoice is attached as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
-PredefinedMailContentSendProposal=__(Hello)__\n\nPlease find commercial proposal __REF__ attached \n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
-PredefinedMailContentSendSupplierProposal=__(Hello)__\n\nPlease find price request __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
-PredefinedMailContentSendOrder=__(Hello)__\n\nPlease find order __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
-PredefinedMailContentSendSupplierOrder=__(Hello)__\n\nPlease find our order __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
-PredefinedMailContentSendSupplierInvoice=__(Hello)__\n\nPlease find invoice __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
-PredefinedMailContentSendShipping=__(Hello)__\n\nPlease find shipping __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
-PredefinedMailContentSendFichInter=__(Hello)__\n\nPlease find intervention __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
-PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.\n\n%s\n\n
-PredefinedMailContentGeneric=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
-PredefinedMailContentSendActionComm=Event reminder "__EVENT_LABEL__" on __EVENT_DATE__ at __EVENT_TIME__
This is an automatic message, please do not reply.
-DemoDesc=Dolibarr is a compact ERP/CRM supporting several business modules. A demo showcasing all modules makes no sense as this scenario never occurs (several hundred available). So, several demo profiles are available.
-ChooseYourDemoProfil=Choose the demo profile that best suits your needs...
-ChooseYourDemoProfilMore=...or build your own profile (manual module selection)
+NbOfActiveNotifications=通知の数(受信者の電子メールの数)
+PredefinedMailTest=__(こんにちは)__\nこれは__EMAIL__に送信されるテストメール 。\n行はキャリッジリターンで区切られる。\n\n__USER_SIGNATURE__
+PredefinedMailTestHtml=__(Hello)__ これは__EMAIL__に送信されるテストメール (テストという単語は太字にする必要がある)。 行はキャリッジリターンで区切られる。
これは自動メッセージ 。返信しないこと。
+DemoDesc=Dolibarrは、いくつかのビジネスモジュールをサポートするコンパクトなERP / CRM 。このシナリオは決して発生しないため、すべてのモジュールを紹介するデモは意味がない(数百が利用可能)。したがって、いくつかのデモプロファイルが利用可能 。
+ChooseYourDemoProfil=ニーズに最適なデモプロファイルを選択すること...
+ChooseYourDemoProfilMore=...または独自のプロファイルを作成する (手動モジュール選択)
DemoFundation=基礎のメンバーを管理する
DemoFundation2=基礎のメンバーとの銀行口座を管理する
-DemoCompanyServiceOnly=Company or freelance selling service only
+DemoCompanyServiceOnly=法人またはフリーランスの販売サービスのみ
DemoCompanyShopWithCashDesk=現金デスクでお店を管理する
-DemoCompanyProductAndStocks=Shop selling products with Point Of Sales
-DemoCompanyManufacturing=Company manufacturing products
-DemoCompanyAll=Company with multiple activities (all main modules)
+DemoCompanyProductAndStocks=POSで製品を販売するショップ
+DemoCompanyManufacturing=製品を製造する法人
+DemoCompanyAll=複数の活動を行う法人(すべてのメインモジュール)
CreatedBy=%sによって作成された
ModifiedBy=%sによって変更された
ValidatedBy=%sによって検証
ClosedBy=%sによって閉じ
-CreatedById=User id who created
-ModifiedById=User id who made latest change
-ValidatedById=User id who validated
-CanceledById=User id who canceled
-ClosedById=User id who closed
-CreatedByLogin=User login who created
-ModifiedByLogin=User login who made latest change
-ValidatedByLogin=User login who validated
-CanceledByLogin=User login who canceled
-ClosedByLogin=User login who closed
-FileWasRemoved=ファイルの%sは削除されました
-DirWasRemoved=ディレクトリの%sは削除されました
-FeatureNotYetAvailable=Feature not yet available in the current version
-FeaturesSupported=Supported features
+CreatedById=作成したユーザーID
+ModifiedById=最新の変更を行ったユーザーID
+ValidatedById=検証したユーザーID
+CanceledById=キャンセルしたユーザーID
+ClosedById=閉じたユーザーID
+CreatedByLogin=作成したユーザーログイン
+ModifiedByLogin=最新の変更を加えたユーザーログイン
+ValidatedByLogin=検証したユーザーログイン
+CanceledByLogin=キャンセルしたユーザーログイン
+ClosedByLogin=閉じたユーザーログイン
+FileWasRemoved=ファイルの%sは削除された
+DirWasRemoved=ディレクトリの%sは削除された
+FeatureNotYetAvailable=現在のバージョンではまだ利用できない機能
+FeaturesSupported=サポートされている機能
Width=幅
Height=高さ
Depth=深さ
@@ -138,17 +138,17 @@ Right=右
CalculatedWeight=計算された重み
CalculatedVolume=計算されたボリューム
Weight=重さ
-WeightUnitton=tonne
-WeightUnitkg=キロ
-WeightUnitg=グラム
-WeightUnitmg=ミリグラム
+WeightUnitton=トン
+WeightUnitkg=kg
+WeightUnitg=g
+WeightUnitmg=mg
WeightUnitpound=ポンド
WeightUnitounce=オンス
Length=長さ
-LengthUnitm=メートル
-LengthUnitdm=DM
-LengthUnitcm=センチメートル
-LengthUnitmm=ミリメートル
+LengthUnitm=m
+LengthUnitdm=dm
+LengthUnitcm=cm
+LengthUnitmm=mm
Surface=エリア
SurfaceUnitm2=m²
SurfaceUnitdm2=dm²
@@ -166,122 +166,123 @@ VolumeUnitinch3=in³
VolumeUnitounce=オンス
VolumeUnitlitre=リットル
VolumeUnitgallon=ガロン
-SizeUnitm=メートル
-SizeUnitdm=DM
-SizeUnitcm=センチメートル
-SizeUnitmm=ミリメートル
-SizeUnitinch=インチの
-SizeUnitfoot=足
-SizeUnitpoint=point
+SizeUnitm=m
+SizeUnitdm=dm
+SizeUnitcm=cm
+SizeUnitmm=mm
+SizeUnitinch=インチ
+SizeUnitfoot=フィート
+SizeUnitpoint=ポイント
BugTracker=バグトラッカー
-SendNewPasswordDesc=This form allows you to request a new password. It will be sent to your email address. Change will become effective once you click on the confirmation link in the email. Check your inbox.
+SendNewPasswordDesc=このフォームでは、新規パスワードをリクエストできる。それはあなたのメールアドレスに送られる。 メール内の確認リンクをクリックすると、変更が有効になる。 受信トレイを確認すること。
BackToLoginPage=ログインページに戻る
-AuthenticationDoesNotAllowSendNewPassword=認証モードは%sです。 このモードでは、Dolibarrは知ってもパスワードを変更することはできません。 あなたのパスワードを変更する場合は、システム管理者に問い合わせてください。
-EnableGDLibraryDesc=Install or enable GD library on your PHP installation to use this option.
-ProfIdShortDesc=教授イド%sは、サードパーティの国に応じて情報です。 たとえば、国%sのために、それはコード%sです。
+AuthenticationDoesNotAllowSendNewPassword=認証モードは%s 。 このモードでは、Dolibarrは知ってもパスワードを変更することはできません。 あなたのパスワードを変更する場合は、システム管理者に問い合わせてください。
+EnableGDLibraryDesc=このオプションを使用するには、PHPインストールでGDライブラリをインストールまたは有効にする。
+ProfIdShortDesc=教授イド%sは、サードパーティの国に応じて情報 。 たとえば、国%sのために、それはコード%s 。
DolibarrDemo=Dolibarr ERP / CRMデモ
-StatsByNumberOfUnits=Statistics for sum of qty of products/services
-StatsByNumberOfEntities=Statistics in number of referring entities (no. of invoice, or order...)
-NumberOfProposals=Number of proposals
-NumberOfCustomerOrders=Number of sales orders
-NumberOfCustomerInvoices=Number of customer invoices
-NumberOfSupplierProposals=Number of vendor proposals
-NumberOfSupplierOrders=Number of purchase orders
-NumberOfSupplierInvoices=Number of vendor invoices
-NumberOfContracts=Number of contracts
-NumberOfMos=Number of manufacturing orders
-NumberOfUnitsProposals=Number of units on proposals
-NumberOfUnitsCustomerOrders=Number of units on sales orders
-NumberOfUnitsCustomerInvoices=Number of units on customer invoices
-NumberOfUnitsSupplierProposals=Number of units on vendor proposals
-NumberOfUnitsSupplierOrders=Number of units on purchase orders
-NumberOfUnitsSupplierInvoices=Number of units on vendor invoices
-NumberOfUnitsContracts=Number of units on contracts
-NumberOfUnitsMos=Number of units to produce in manufacturing orders
-EMailTextInterventionAddedContact=A new intervention %s has been assigned to you.
+StatsByNumberOfUnits=製品/サービスの数量の合計の統計
+StatsByNumberOfEntities=参照エンティティの数の統計(請求書の数、または注文...)
+NumberOfProposals=提案数
+NumberOfCustomerOrders=受注数
+NumberOfCustomerInvoices=顧客の請求書の数
+NumberOfSupplierProposals=ベンダー提案の数
+NumberOfSupplierOrders=注文書の数
+NumberOfSupplierInvoices=ベンダーの請求書の数
+NumberOfContracts=契約数
+NumberOfMos=製造受注数
+NumberOfUnitsProposals=提案のユニット数
+NumberOfUnitsCustomerOrders=販売注文のユニット数
+NumberOfUnitsCustomerInvoices=顧客の請求書のユニット数
+NumberOfUnitsSupplierProposals=ベンダー提案のユニット数
+NumberOfUnitsSupplierOrders=注文書のユニット数
+NumberOfUnitsSupplierInvoices=ベンダーの請求書のユニット数
+NumberOfUnitsContracts=契約ユニット数
+NumberOfUnitsMos=製造指図で生産するユニットの数
+EMailTextInterventionAddedContact=新規介入%sが割り当てられた。
EMailTextInterventionValidated=介入%sが検証されています。
-EMailTextInvoiceValidated=Invoice %s has been validated.
-EMailTextInvoicePayed=Invoice %s has been paid.
-EMailTextProposalValidated=Proposal %s has been validated.
-EMailTextProposalClosedSigned=Proposal %s has been closed signed.
-EMailTextOrderValidated=Order %s has been validated.
-EMailTextOrderApproved=Order %s has been approved.
-EMailTextOrderValidatedBy=Order %s has been recorded by %s.
-EMailTextOrderApprovedBy=Order %s has been approved by %s.
-EMailTextOrderRefused=Order %s has been refused.
-EMailTextOrderRefusedBy=Order %s has been refused by %s.
-EMailTextExpeditionValidated=Shipping %s has been validated.
-EMailTextExpenseReportValidated=Expense report %s has been validated.
-EMailTextExpenseReportApproved=Expense report %s has been approved.
-EMailTextHolidayValidated=Leave request %s has been validated.
-EMailTextHolidayApproved=Leave request %s has been approved.
+EMailTextInvoiceValidated=請求書%sが検証された。
+EMailTextInvoicePayed=請求書%sが支払われた。
+EMailTextProposalValidated=提案%sが検証された。
+EMailTextProposalClosedSigned=提案%sはクローズドサインされた。
+EMailTextOrderValidated=注文%sが検証された。
+EMailTextOrderApproved=注文%sが承認された。
+EMailTextOrderValidatedBy=注文%sは%sによって記録された。
+EMailTextOrderApprovedBy=注文%sは%sによって承認された。
+EMailTextOrderRefused=注文%sは拒否された。
+EMailTextOrderRefusedBy=注文%sは%sによって拒否された。
+EMailTextExpeditionValidated=出荷%sが検証された。
+EMailTextExpenseReportValidated=経費報告書%sが検証された。
+EMailTextExpenseReportApproved=経費報告書%sが承認された。
+EMailTextHolidayValidated=休暇申請%sが検証された。
+EMailTextHolidayApproved=休暇申請%sが承認された。
ImportedWithSet=輸入データセット
DolibarrNotification=自動通知
-ResizeDesc=新しい幅または新しい高さを入力します。比率は、サイズ変更時に保持されます...
-NewLength=新しい幅
-NewHeight=新しい高さ
-NewSizeAfterCropping=トリミング後の新しいサイズ
-DefineNewAreaToPick=(あなたが反対側の角に達するまで、イメージ上で左クリックをドラッグ)選択するには、画像を新たな領域を定義します。
-CurrentInformationOnImage=This tool was designed to help you to resize or crop an image. This is the information on the current edited image
+ResizeDesc=新規幅または新規高さを入力する。比率は、サイズ変更時に保持される...
+NewLength=新規幅
+NewHeight=新規高さ
+NewSizeAfterCropping=トリミング後の新規サイズ
+DefineNewAreaToPick=(あなたが反対側の角に達するまで、イメージ上で左クリックをドラッグ)選択するには、画像を新たな領域を定義する。
+CurrentInformationOnImage=このツールは、画像のサイズ変更やトリミングに役立つように設計されています。これは現在編集されている画像に関する情報
ImageEditor=イメージエディタ
-YouReceiveMailBecauseOfNotification=あなたのメールアドレスは%sの%sソフトウェアに特定のイベントを通知されるターゲットのリストに追加されているため、このメッセージが表示されます。
-YouReceiveMailBecauseOfNotification2=このイベントは次のとおりです。
-ThisIsListOfModules=これは、このデモ·プロファイル(唯一の最も一般的なモジュールは、このデモに表示されます)によって事前に選択したモジュールのリストです。よりパーソナライズされたデモを持って、これを編集し、 "スタート"をクリックしてください。
+YouReceiveMailBecauseOfNotification=あなたのメールアドレスは%sの%sソフトウェアに特定のイベントを通知されるターゲットのリストに追加されているため、このメッセージが表示される。
+YouReceiveMailBecauseOfNotification2=このイベントは次のとおり 。
+ThisIsListOfModules=これは、このデモ·プロファイル(唯一の最も一般的なモジュールは、このデモに表示される)によって事前に選択したモジュールのリスト 。よりパーソナライズされたデモを持って、これを編集し、 "スタート"をクリックすること。
UseAdvancedPerms=いくつかのモジュールの高度な権限を使用する
FileFormat=ファイル形式
-SelectAColor=色を選択してください
+SelectAColor=色を選択すること
AddFiles=ファイルを追加
StartUpload=アップロード開始
CancelUpload=アップロードをキャンセル
FileIsTooBig=ファイルが大きすぎる
PleaseBePatient=しばらくお待ちください...
-NewPassword=New password
-ResetPassword=Reset password
-RequestToResetPasswordReceived=A request to change your password has been received.
-NewKeyIs=This is your new keys to login
-NewKeyWillBe=Your new key to login to software will be
-ClickHereToGoTo=Click here to go to %s
-YouMustClickToChange=You must however first click on the following link to validate this password change
-ForgetIfNothing=If you didn't request this change, just forget this email. Your credentials are kept safe.
-IfAmountHigherThan=If amount higher than %s
-SourcesRepository=Repository for sources
-Chart=Chart
-PassEncoding=Password encoding
-PermissionsAdd=Permissions added
-PermissionsDelete=Permissions removed
-YourPasswordMustHaveAtLeastXChars=Your password must have at least %s chars
-YourPasswordHasBeenReset=Your password has been reset successfully
-ApplicantIpAddress=IP address of applicant
-SMSSentTo=SMS sent to %s
-MissingIds=Missing ids
-ThirdPartyCreatedByEmailCollector=Third party created by email collector from email MSGID %s
-ContactCreatedByEmailCollector=Contact/address created by email collector from email MSGID %s
-ProjectCreatedByEmailCollector=Project created by email collector from email MSGID %s
-TicketCreatedByEmailCollector=Ticket created by email collector from email MSGID %s
-OpeningHoursFormatDesc=Use a - to separate opening and closing hours. Use a space to enter different ranges. Example: 8-12 14-18
+NewPassword=新規パスワード
+ResetPassword=パスワードを再設定する
+RequestToResetPasswordReceived=パスワードの変更リクエストを受け取りた。
+NewKeyIs=これはログインするための新規キー
+NewKeyWillBe=ソフトウェアにログインするための新規キーは次のようになる
+ClickHereToGoTo=%sに移動するには、ここをクリックすること
+YouMustClickToChange=ただし、このパスワードの変更を検証するには、最初に次のリンクをクリックする必要がある
+ForgetIfNothing=この変更をリクエストしなかった場合は、このメールを忘れてください。あなたの資格情報は安全に保たれる。
+IfAmountHigherThan= %sよりも多い場合
+SourcesRepository=ソースのリポジトリ
+Chart=チャート
+PassEncoding=パスワードエンコーディング
+PermissionsAdd=追加された権限
+PermissionsDelete=権限が削除された
+YourPasswordMustHaveAtLeastXChars=パスワードには、少なくとも %s文字が必要 。
+YourPasswordHasBeenReset=パスワードは正常にリセットされた
+ApplicantIpAddress=申請者のIPアドレス
+SMSSentTo=SMSが%sに送信された
+MissingIds=IDがない
+ThirdPartyCreatedByEmailCollector=電子メールMSGID%sから電子メールコレクターによって作成されたサードパーティ
+ContactCreatedByEmailCollector=メールMSGID%sからメールコレクターによって作成された連絡先/アドレス
+ProjectCreatedByEmailCollector=メールMSGID%sからメールコレクターによって作成されたプロジェクト
+TicketCreatedByEmailCollector=メールMSGID%sからメールコレクターによって作成されたチケット
+OpeningHoursFormatDesc=-を使用して、営業時間と営業時間を区切る。 スペースを使用してさまざまな範囲を入力する。 例:8-12 14-18
+PrefixSession=セッションIDのプレフィックス
##### Export #####
ExportsArea=輸出地域
AvailableFormats=利用可能なフォーマット
LibraryUsed=ライブラリを使用
-LibraryVersion=Library version
+LibraryVersion=ライブラリバージョン
ExportableDatas=エクスポート可能なデータ
-NoExportableData=いいえ、エクスポートデータがありません(ロード、エクスポートデータ、または欠落権限を持つモジュールなし)
+NoExportableData=いいえ、エクスポートデータがない(ロード、エクスポートデータ、または欠落権限を持つモジュールなし)
##### External sites #####
-WebsiteSetup=Setup of module website
-WEBSITE_PAGEURL=URL of page
+WebsiteSetup=モジュールのウェブサイトのセットアップ
+WEBSITE_PAGEURL=ページのURL
WEBSITE_TITLE=タイトル
WEBSITE_DESCRIPTION=説明
-WEBSITE_IMAGE=Image
-WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a thumbnail in a list of blog posts). Use __WEBSITE_KEY__ in the path if path depends on website name (for example: image/__WEBSITE_KEY__/stories/myimage.png).
-WEBSITE_KEYWORDS=Keywords
-LinesToImport=Lines to import
+WEBSITE_IMAGE=画像
+WEBSITE_IMAGEDesc=画像メディアの相対パス。これはめったに使用されないため、これを空のままにしておくことができる(動的コンテンツで使用して、ブログ投稿のリストにサムネイルを表示できる)。パスがWebサイト名に依存する場合は、パスに__WEBSITE_KEY__を使用する(例:image / __ WEBSITE_KEY __ / stories / myimage.png)。
+WEBSITE_KEYWORDS=キーワード
+LinesToImport=インポートする行
-MemoryUsage=Memory usage
-RequestDuration=Duration of request
-ProductsPerPopularity=Products/Services by popularity
-PopuProp=Products/Services by popularity in Proposals
-PopuCom=Products/Services by popularity in Orders
-ProductStatistics=Products/Services Statistics
-NbOfQtyInOrders=Qty in orders
-SelectTheTypeOfObjectToAnalyze=Select the type of object to analyze...
+MemoryUsage=メモリ使用量
+RequestDuration=リクエストの期間
+ProductsPerPopularity=人気別の製品/サービス
+PopuProp=提案の人気による製品/サービス
+PopuCom=注文の人気別の製品/サービス
+ProductStatistics=製品/サービス統計
+NbOfQtyInOrders=注文数量
+SelectTheTypeOfObjectToAnalyze=分析するオブジェクトのタイプを選択する...
diff --git a/htdocs/langs/ja_JP/paybox.lang b/htdocs/langs/ja_JP/paybox.lang
index d11d36a329f..d5c4d747cdc 100644
--- a/htdocs/langs/ja_JP/paybox.lang
+++ b/htdocs/langs/ja_JP/paybox.lang
@@ -1,31 +1,30 @@
# Dolibarr language file - Source file is en_US - paybox
-PayBoxSetup=PayBoxモジュールのセットアップ
+PayBoxSetup=PayBoxモジュールの設定
PayBoxDesc=このモジュールは、上の支払いを可能にするためにページを提供して切符売り場の顧客によって。これはフリーの支払いのためにまたは特定のDolibarrオブジェクトの支払いに用いることができる(請求書、発注、...)
-FollowingUrlAreAvailableToMakePayments=以下のURLはDolibarrオブジェクト上で支払いをするために顧客にページを提供するために利用可能です
+FollowingUrlAreAvailableToMakePayments=以下のURLはDolibarrオブジェクト上で支払いをするために顧客にページを提供するために利用可能
PaymentForm=支払い形態
-WelcomeOnPaymentPage=Welcome to our online payment service
+WelcomeOnPaymentPage=オンライン決済サービスへようこそ
ThisScreenAllowsYouToPay=この画面では、%sにオンライン決済を行うことができます。
-ThisIsInformationOnPayment=これは、実行する支払いに関する情報です。
+ThisIsInformationOnPayment=これは、実行する支払いに関する情報。
ToComplete=完了する
YourEMail=入金確認を受信する電子メール
Creditor=債権者
PaymentCode=支払いコード
-PayBoxDoPayment=Pay with Paybox
-YouWillBeRedirectedOnPayBox=あなたが入力するクレジットカード情報をセキュリティで保護された切符売り場のページにリダイレクトされます。
+PayBoxDoPayment=Payboxで支払う
+YouWillBeRedirectedOnPayBox=あなたが入力するクレジットカード情報をセキュリティで保護された切符売り場のページにリダイレクトされる。
Continue=次の
-SetupPayBoxToHavePaymentCreatedAutomatically=Setup your Paybox with url %s to have payment created automatically when validated by Paybox.
+SetupPayBoxToHavePaymentCreatedAutomatically=Payboxによる検証時に支払いが自動的に作成されるように、URL %sを使用してPayboxを設定します。
YourPaymentHasBeenRecorded=このページでは、あなたの支払が記録されていることを確認します。ありがとうございます。
-YourPaymentHasNotBeenRecorded=Your payment has NOT been recorded and the transaction has been canceled. Thank you.
+YourPaymentHasNotBeenRecorded=お支払いは記録されておらず、取引はキャンセルされています。ありがとうございます。
AccountParameter=アカウントのパラメータ
UsageParameter=使用パラメータ
InformationToFindParameters=あなたの%sアカウント情報を見つけるのを助ける
PAYBOX_CGI_URL_V2=支払いのために切符売り場CGIモジュールのurl
-VendorName=ベンダーの名前
CSSUrlForPaymentForm=支払いフォームのCSSスタイルシートのURL
-NewPayboxPaymentReceived=新しいPaybox支払を受け取りました
-NewPayboxPaymentFailed=新しいPaybox支払を試みましたが失敗しました
-PAYBOX_PAYONLINE_SENDEMAIL=Email notification after payment attempt (success or fail)
+NewPayboxPaymentReceived=新規Paybox支払を受け取った
+NewPayboxPaymentFailed=新規Paybox支払を試みましたが失敗した
+PAYBOX_PAYONLINE_SENDEMAIL=支払い試行後の電子メール通知(成功または失敗)
PAYBOX_PBX_SITE=PBX SITEの値
PAYBOX_PBX_RANG=PBX Rangの値
PAYBOX_PBX_IDENTIFIANT=PBX IDの値
-PAYBOX_HMAC_KEY=HMAC key
+PAYBOX_HMAC_KEY=HMACキー
diff --git a/htdocs/langs/ja_JP/paypal.lang b/htdocs/langs/ja_JP/paypal.lang
index e3b365f3c2d..2327913ff6f 100644
--- a/htdocs/langs/ja_JP/paypal.lang
+++ b/htdocs/langs/ja_JP/paypal.lang
@@ -1,36 +1,36 @@
# Dolibarr language file - Source file is en_US - paypal
PaypalSetup=ペイパルモジュールのセットアップ
-PaypalDesc=This module allows payment by customers via PayPal. This can be used for a ad-hoc payment or for a payment related to a Dolibarr object (invoice, order, ...)
-PaypalOrCBDoPayment=Pay with PayPal (Card or PayPal)
-PaypalDoPayment=Pay with PayPal
+PaypalDesc=このモジュールでは、 PayPalを介した顧客による支払いが可能です。これは、アドホック支払いまたはDolibarrオブジェクト(請求書、注文など)に関連する支払いに使用できる。
+PaypalOrCBDoPayment=PayPalで支払う(カードまたはPayPal)
+PaypalDoPayment=PayPalで支払う
PAYPAL_API_SANDBOX=モード試験/サンドボックス
PAYPAL_API_USER=API名
PAYPAL_API_PASSWORD=APIパスワード
PAYPAL_API_SIGNATURE=APIの署名
-PAYPAL_SSLVERSION=Curl SSL Version
-PAYPAL_API_INTEGRAL_OR_PAYPALONLY=Offer "integral" payment (Credit card+PayPal) or "PayPal" only
-PaypalModeIntegral=Integral
-PaypalModeOnlyPaypal=PayPal only
-ONLINE_PAYMENT_CSS_URL=Optional URL of CSS stylesheet on online payment page
+PAYPAL_SSLVERSION=カールSSLバージョン
+PAYPAL_API_INTEGRAL_OR_PAYPALONLY=「統合」支払い(クレジットカード+ PayPal)または「PayPal」のみを提供
+PaypalModeIntegral=統合
+PaypalModeOnlyPaypal=PayPalのみ
+ONLINE_PAYMENT_CSS_URL=オンライン支払いページのCSSスタイルシートのオプションのURL
ThisIsTransactionId=%s:これは、トランザクションのIDです。
-PAYPAL_ADD_PAYMENT_URL=Include the PayPal payment url when you send a document by email
-NewOnlinePaymentReceived=New online payment received
-NewOnlinePaymentFailed=New online payment tried but failed
-ONLINE_PAYMENT_SENDEMAIL=Email address for notifications after each payment attempt (for success and fail)
-ReturnURLAfterPayment=Return URL after payment
-ValidationOfOnlinePaymentFailed=Validation of online payment failed
-PaymentSystemConfirmPaymentPageWasCalledButFailed=Payment confirmation page was called by payment system returned an error
-SetExpressCheckoutAPICallFailed=SetExpressCheckout API call failed.
-DoExpressCheckoutPaymentAPICallFailed=DoExpressCheckoutPayment API call failed.
-DetailedErrorMessage=Detailed Error Message
-ShortErrorMessage=Short Error Message
-ErrorCode=Error Code
-ErrorSeverityCode=Error Severity Code
-OnlinePaymentSystem=Online payment system
-PaypalLiveEnabled=PayPal "live" mode enabled (otherwise test/sandbox mode)
-PaypalImportPayment=Import PayPal payments
-PostActionAfterPayment=Post actions after payments
-ARollbackWasPerformedOnPostActions=A rollback was performed on all Post actions. You must complete post actions manually if they are necessary.
-ValidationOfPaymentFailed=Validation of payment has failed
-CardOwner=Card holder
-PayPalBalance=Paypal credit
+PAYPAL_ADD_PAYMENT_URL=メールでドキュメントを送信するときは、PayPalの支払いURLを含めること
+NewOnlinePaymentReceived=受け取った新規オンライン支払い
+NewOnlinePaymentFailed=新規オンライン支払いが試行されたが失敗した
+ONLINE_PAYMENT_SENDEMAIL=各支払い試行後の通知の電子メールアドレス(成功および失敗の場合)
+ReturnURLAfterPayment=支払い後にURLを返す
+ValidationOfOnlinePaymentFailed=オンライン支払いの検証に失敗した
+PaymentSystemConfirmPaymentPageWasCalledButFailed=支払いシステムによって支払い確認ページが呼び出され、エラーが返された
+SetExpressCheckoutAPICallFailed=SetExpressCheckoutAPI呼び出しが失敗した。
+DoExpressCheckoutPaymentAPICallFailed=DoExpressCheckoutPaymentAPI呼び出しが失敗した。
+DetailedErrorMessage=詳細なエラーメッセージ
+ShortErrorMessage=短いエラーメッセージ
+ErrorCode=エラーコード
+ErrorSeverityCode=エラー重大度コード
+OnlinePaymentSystem=オンライン決済システム
+PaypalLiveEnabled=PayPalの「ライブ」モードが有効になっています(それ以外の場合はテスト/サンドボックスモード)
+PaypalImportPayment=PayPal支払いをインポートする
+PostActionAfterPayment=支払い後にアクションを投稿する
+ARollbackWasPerformedOnPostActions=すべてのPostアクションでロールバックが実行された。必要に応じて、投稿アクションを手動で完了する必要があります。
+ValidationOfPaymentFailed=支払いの検証に失敗した
+CardOwner=カードホルダー
+PayPalBalance=ペイパルクレジット
diff --git a/htdocs/langs/ja_JP/products.lang b/htdocs/langs/ja_JP/products.lang
index eb217d12ba6..8d0828a4136 100644
--- a/htdocs/langs/ja_JP/products.lang
+++ b/htdocs/langs/ja_JP/products.lang
@@ -107,8 +107,9 @@ ServiceLimitedDuration=製品は、限られた期間を持つサービスの場
FillWithLastServiceDates=最後のサービスラインの日付を入力
MultiPricesAbility=製品/サービスごとに複数の価格セグメント(各顧客は1つの価格セグメントに含まれる)
MultiPricesNumPrices=価格数
-DefaultPriceType=新しい販売価格を追加するときのデフォルトあたりの価格のベース(税込みと税抜き)
-AssociatedProductsAbility=キット(仮想製品)をアクティブ化
+DefaultPriceType=新規販売価格を追加するときのデフォルトあたりの価格のベース(税込みと税抜き)
+AssociatedProductsAbility=キットを有効にする(他製品のセット)
+VariantsAbility=バリエーションを有効にする(色、サイズなどの製品バリエーション)
AssociatedProducts=キット
AssociatedProductsNumber=このキットを構成する製品の数
ParentProductsNumber=親包装製品の数
@@ -167,8 +168,10 @@ BuyingPrices=購入価格
CustomerPrices=顧客価格
SuppliersPrices=仕入先価格
SuppliersPricesOfProductsOrServices=(製品またはサービスの)仕入先価格
-CustomCode=税関/製品/ HSコード
+CustomCode=税関|商品| HSコード
CountryOrigin=原産国
+RegionStateOrigin=地域 原産地
+StateOrigin=州|県 原産地
Nature=製品の性質(素材/完成品)
NatureOfProductShort=製品の性質
NatureOfProductDesc=原材料または完成品
@@ -239,7 +242,7 @@ AlwaysUseFixedPrice=固定価格を使用する
PriceByQuantity=数量による異なる価格
DisablePriceByQty=数量で価格を無効にする
PriceByQuantityRange=数量範囲
-MultipriceRules=価格セグメントルール
+MultipriceRules=セグメントの自動価格
UseMultipriceRules=価格セグメントルール(製品モジュールのセットアップで定義)を使用して、最初のセグメントに従って他のすべてのセグメントの価格を自動計算する
PercentVariationOver=%sに対する%%の変動
PercentDiscountOver=%sに対する%%割引
@@ -268,7 +271,7 @@ DefinitionOfBarCodeForProductNotComplete=製品%sのバーコードのタイプ
DefinitionOfBarCodeForThirdpartyNotComplete=サードパーティ%sのバーコードのタイプまたは値の定義が不完全です。
BarCodeDataForProduct=製品%sのバーコード情報:
BarCodeDataForThirdparty=サードパーティのバーコード情報%s:
-ResetBarcodeForAllRecords=すべてのレコードのバーコード値を定義する(これにより、新しい値ですでに定義されているバーコード値もリセットされる)
+ResetBarcodeForAllRecords=すべてのレコードのバーコード値を定義する(これにより、新規値ですでに定義されているバーコード値もリセットされる)
PriceByCustomer=顧客ごとに異なる価格
PriceCatalogue=製品/サービスごとの単一の販売価格
PricingRule=販売価格のルール
@@ -356,9 +359,9 @@ ProductCombinations=バリアント
PropagateVariant=バリアントの伝播
HideProductCombinations=製品セレクタで製品バリアントを非表示にする
ProductCombination=バリアント
-NewProductCombination=新しいバリアント
+NewProductCombination=新規バリアント
EditProductCombination=バリアントの編集
-NewProductCombinations=新しい亜種
+NewProductCombinations=新規亜種
EditProductCombinations=バリアントの編集
SelectCombination=組み合わせを選択
ProductCombinationGenerator=バリアントジェネレータ
@@ -368,10 +371,10 @@ ImpactOnPriceLevel=価格水準への影響%s
ApplyToAllPriceImpactLevel= すべてのレベルに適用
ApplyToAllPriceImpactLevelHelp=ここをクリックすると、すべてのレベルで同じ価格の影響を設定できる
WeightImpact=重量への影響
-NewProductAttribute=新しい属性
-NewProductAttributeValue=新しい属性値
+NewProductAttribute=新規属性
+NewProductAttributeValue=新規属性値
ErrorCreatingProductAttributeValue=属性値の作成中にエラーが発生した。その参照を持つ既存の値がすでに存在するためである可能性がある
-ProductCombinationGeneratorWarning=続行すると、新しいバリアントを生成前に、以前のバリアントはすべて削除される。既存のものは新しい値で更新される
+ProductCombinationGeneratorWarning=続行すると、新規バリアントを生成前に、以前のバリアントはすべて削除される。既存のものは新規値で更新される
TooMuchCombinationsWarning=多数のバリアントを生成と、CPU、メモリ使用量が高くなり、Dolibarrがそれらを作成できなくなる可能性がある。オプション「%s」を有効にすると、メモリ使用量を減らすのに役立つ場合がある。
DoNotRemovePreviousCombinations=以前のバリアントを削除しないこと
UsePercentageVariations=パーセンテージバリエーションを使用
diff --git a/htdocs/langs/ja_JP/projects.lang b/htdocs/langs/ja_JP/projects.lang
index 62bd0dc7d19..479bc75bf88 100644
--- a/htdocs/langs/ja_JP/projects.lang
+++ b/htdocs/langs/ja_JP/projects.lang
@@ -25,7 +25,7 @@ AllTaskVisibleButEditIfYouAreAssigned=資格のあるプロジェクトのすべ
OnlyYourTaskAreVisible=自分に割り当てられたタスクのみが表示される。タスクが表示されておらず、時間を入力する必要がある場合は、自分にタスクを割り当てる。
ImportDatasetTasks=プロジェクトのタスク
ProjectCategories=プロジェクトタグ/カテゴリ
-NewProject=新しいプロジェクト
+NewProject=新規プロジェクト
AddProject=プロジェクトを作成する
DeleteAProject=プロジェクトを削除します。
DeleteATask=タスクを削除する
@@ -65,7 +65,7 @@ Task=タスク
TaskDateStart=タスク開始日
TaskDateEnd=タスクの終了日
TaskDescription=タスクの説明
-NewTask=新しいタスク
+NewTask=新規タスク
AddTask=タスクを作成する
AddTimeSpent=費やした時間を作成する
AddHereTimeSpentForDay=この日/タスクに費やした時間をここに追加する
@@ -262,7 +262,7 @@ UsageOpportunity=使用法:機会
UsageTasks=使用法:タスク
UsageBillTimeShort=使用法:請求時間
InvoiceToUse=使用する請求書のドラフト
-NewInvoice=新しい請求書
+NewInvoice=新規請求書
OneLinePerTask=タスクごとに1行
OneLinePerPeriod=期間ごとに1行
RefTaskParent=参照符号親タスク
diff --git a/htdocs/langs/ja_JP/receptions.lang b/htdocs/langs/ja_JP/receptions.lang
index 2464d8c30f4..14ca3b7a7e8 100644
--- a/htdocs/langs/ja_JP/receptions.lang
+++ b/htdocs/langs/ja_JP/receptions.lang
@@ -15,7 +15,7 @@ StatisticsOfReceptions=受付の統計
NbOfReceptions=受付数
NumberOfReceptionsByMonth=月別の受付数
ReceptionCard=受付カード
-NewReception=新しい受付
+NewReception=新規受付
CreateReception=受付を作成する
QtyInOtherReceptions=他の受付の数量
OtherReceptionsForSameOrder=この注文の他の受付
@@ -36,7 +36,7 @@ StatsOnReceptionsOnlyValidated=受付で実施された統計は検証された
SendReceptionByEMail=メールで受付を送信する
SendReceptionRef=受付の提出%s
ActionsOnReception=受付のイベント
-ReceptionCreationIsDoneFromOrder=今のところ、新しい受付の作成はオーダーカードから行われる。
+ReceptionCreationIsDoneFromOrder=今のところ、新規受付の作成はオーダーカードから行われる。
ReceptionLine=受付ライン
ProductQtyInReceptionAlreadySent=未処理の受注からの製品数量はすでに送信された
ProductQtyInSuppliersReceptionAlreadyRecevied=すでに受け取ったオープンサプライヤー注文からの製品数量
diff --git a/htdocs/langs/ja_JP/recruitment.lang b/htdocs/langs/ja_JP/recruitment.lang
index 9c7def0a589..e9acbc08c0e 100644
--- a/htdocs/langs/ja_JP/recruitment.lang
+++ b/htdocs/langs/ja_JP/recruitment.lang
@@ -73,3 +73,4 @@ JobClosedTextCandidateFound=求人はクローズされている。ポジショ
JobClosedTextCanceled=求人はクローズされている。
ExtrafieldsJobPosition=補完的な属性(職位)
ExtrafieldsCandidatures=補完的な属性(求人応募)
+MakeOffer=申し出する
diff --git a/htdocs/langs/ja_JP/sendings.lang b/htdocs/langs/ja_JP/sendings.lang
index a8ecd193c38..41814713358 100644
--- a/htdocs/langs/ja_JP/sendings.lang
+++ b/htdocs/langs/ja_JP/sendings.lang
@@ -1,75 +1,76 @@
# Dolibarr language file - Source file is en_US - sendings
-RefSending=REF。出荷
+RefSending=参照符号 出荷
Sending=出荷
Sendings=出荷
-AllSendings=All Shipments
+AllSendings=すべての出荷
Shipment=出荷
Shipments=出荷
-ShowSending=Show Shipments
-Receivings=Delivery Receipts
+ShowSending=出荷を表示
+Receivings=配達領収書
SendingsArea=出荷エリア
ListOfSendings=出荷のリスト
SendingMethod=配送方法
-LastSendings=Latest %s shipments
+LastSendings=最新の%s出荷
StatisticsOfSendings=出荷の統計
NbOfSendings=出荷数
-NumberOfShipmentsByMonth=Number of shipments by month
-SendingCard=Shipment card
-NewSending=新しい出荷
-CreateShipment=出荷を作成します。
-QtyShipped=個数出荷
-QtyShippedShort=Qty ship.
-QtyPreparedOrShipped=Qty prepared or shipped
+NumberOfShipmentsByMonth=月ごとの出荷数
+SendingCard=出荷カード
+NewSending=新規出荷
+CreateShipment=出荷を作成
+QtyShipped=出荷済数量
+QtyShippedShort=出荷数量
+QtyPreparedOrShipped=準備済または出荷済 数量
QtyToShip=出荷する数量
-QtyToReceive=Qty to receive
-QtyReceived=個数は、受信した
-QtyInOtherShipments=Qty in other shipments
-KeepToShip=Remain to ship
-KeepToShipShort=Remain
-OtherSendingsForSameOrder=このため、他の出荷
-SendingsAndReceivingForSameOrder=Shipments and receipts for this order
-SendingsToValidate=検証するために出荷
+QtyToReceive=受領する数量
+QtyReceived=受領済数量
+QtyInOtherShipments=他の出荷の数量
+KeepToShip=出荷残
+KeepToShipShort=残
+OtherSendingsForSameOrder=当該注文に対する他の出荷
+SendingsAndReceivingForSameOrder=当該注文の出荷と受領
+SendingsToValidate=検査用に出荷
StatusSendingCanceled=キャンセル
-StatusSendingDraft=ドラフト
-StatusSendingValidated=検証(製品が出荷する、またはすでに出荷されます)
+StatusSendingCanceledShort=キャンセル
+StatusSendingDraft=下書き
+StatusSendingValidated=検査済(製品で出荷用または出荷済)
StatusSendingProcessed=処理
-StatusSendingDraftShort=ドラフト
-StatusSendingValidatedShort=検証
+StatusSendingDraftShort=下書き
+StatusSendingValidatedShort=検査
StatusSendingProcessedShort=処理
-SendingSheet=Shipment sheet
-ConfirmDeleteSending=Are you sure you want to delete this shipment?
-ConfirmValidateSending=Are you sure you want to validate this shipment with reference %s?
-ConfirmCancelSending=Are you sure you want to cancel this shipment?
+SendingSheet=出荷シート
+ConfirmDeleteSending=この貨物を削除してもよいか?
+ConfirmValidateSending=この出荷を参照%s で検査してもよいか?
+ConfirmCancelSending=この出荷をキャンセルしてもよいか?
DocumentModelMerou=メロウA5モデル
-WarningNoQtyLeftToSend=警告は、出荷されるのを待っていない製品。
-StatsOnShipmentsOnlyValidated=Statistics conducted on shipments only validated. Date used is date of validation of shipment (planed delivery date is not always known).
-DateDeliveryPlanned=Planned date of delivery
-RefDeliveryReceipt=Ref delivery receipt
-StatusReceipt=Status delivery receipt
-DateReceived=日付の配信は、受信した
-ClassifyReception=Classify reception
-SendShippingByEMail=Send shipment by email
-SendShippingRef=Submission of shipment %s
+WarningNoQtyLeftToSend=警告、出荷待ちの製品はない。
+StatsOnShipmentsOnlyValidated=出荷に関して実施された統計は検査済みです。使用日は出荷の検査日です(飛行機の配達日は常にわかっているわけではない)。
+DateDeliveryPlanned=配達予定日
+RefDeliveryReceipt=参照納品書
+StatusReceipt=ステータス納品書
+DateReceived=配達受領日付
+ClassifyReception=レセプションを分類する
+SendShippingByEMail=メールで出荷する
+SendShippingRef=出荷の提出%s
ActionsOnShipping=出荷のイベント
LinkToTrackYourPackage=あなたのパッケージを追跡するためのリンク
-ShipmentCreationIsDoneFromOrder=現時点では、新たな出荷の作成は、注文カードから行われます。
-ShipmentLine=Shipment line
-ProductQtyInCustomersOrdersRunning=Product quantity from open sales orders
-ProductQtyInSuppliersOrdersRunning=Product quantity from open purchase orders
+ShipmentCreationIsDoneFromOrder=現時点では、新たな出荷の作成は、注文カードから行われる。
+ShipmentLine=出荷ライン
+ProductQtyInCustomersOrdersRunning=未処理の受注からの製品数量
+ProductQtyInSuppliersOrdersRunning=未処理の発注書からの製品数量
ProductQtyInShipmentAlreadySent=未処理の受注からの製品数量はすでに送信された
-ProductQtyInSuppliersShipmentAlreadyRecevied=Product quantity from open purchase orders already received
-NoProductToShipFoundIntoStock=No product to ship found in warehouse %s. Correct stock or go back to choose another warehouse.
-WeightVolShort=Weight/Vol.
-ValidateOrderFirstBeforeShipment=You must first validate the order before being able to make shipments.
+ProductQtyInSuppliersShipmentAlreadyRecevied=すでに受け取った未処理の発注書からの製品数量
+NoProductToShipFoundIntoStock=倉庫%sに出荷する製品が見つかりません。在庫を修正するか、戻って別の倉庫を選択すること。
+WeightVolShort=重量/容量
+ValidateOrderFirstBeforeShipment=出荷を行う前に、まず注文を検査する必要がある。
# Sending methods
# ModelDocument
DocumentModelTyphon=配信確認のために、より完全なドキュメントモデル(logo. ..)
-DocumentModelStorm=More complete document model for delivery receipts and extrafields compatibility (logo...)
-Error_EXPEDITION_ADDON_NUMBER_NotDefined=定数EXPEDITION_ADDON_NUMBERが定義されていません
-SumOfProductVolumes=Sum of product volumes
-SumOfProductWeights=Sum of product weights
+DocumentModelStorm=入庫とフィールド外の互換性のためのより完全なドキュメントモデル(ロゴ...)
+Error_EXPEDITION_ADDON_NUMBER_NotDefined=定数EXPEDITION_ADDON_NUMBERが定義されていない
+SumOfProductVolumes=製品量の合計
+SumOfProductWeights=製品の重量の合計
# warehouse details
-DetailWarehouseNumber= Warehouse details
-DetailWarehouseFormat= W:%s (Qty: %d)
+DetailWarehouseNumber= 倉庫の詳細
+DetailWarehouseFormat= W:%s(数量:%d)
diff --git a/htdocs/langs/ja_JP/sms.lang b/htdocs/langs/ja_JP/sms.lang
index 70e31818985..717e62c09d3 100644
--- a/htdocs/langs/ja_JP/sms.lang
+++ b/htdocs/langs/ja_JP/sms.lang
@@ -1,9 +1,9 @@
# Dolibarr language file - Source file is en_US - sms
Sms=SMS
-SmsSetup=SMSセットアップ
-SmsDesc=このページでは、SMS機能のグローバルオプションを定義することができます
+SmsSetup=SMSの設定
+SmsDesc=このページでは、SMS機能のグローバルオプションを定義できる
SmsCard=SMSカード
-AllSms=すべてのSMS campains
+AllSms=すべてのSMSキャンペーン
SmsTargets=ターゲット
SmsRecipients=ターゲット
SmsRecipient=ターゲット
@@ -13,39 +13,39 @@ SmsTo=ターゲット
SmsTopic=SMSのトピック
SmsText=メッセージ
SmsMessage=SMSメッセージ
-ShowSms=ショーのSMS
-ListOfSms=リストSMS campains
-NewSms=新しいSMSキャンペーンし
-EditSms=編集SMS
-ResetSms=新しい送信
-DeleteSms=SMSのキャンペーンしを削除します。
-DeleteASms=SMSのキャンペーンしを削除します。
-PreviewSms=PreviuwのSMS
+ShowSms=SMSを表示
+ListOfSms=SMSキャンペーンを一覧表示する
+NewSms=新規SMSキャンペーン
+EditSms=SMSを編集する
+ResetSms=新規送信
+DeleteSms=SMSキャンペーンを削除する
+DeleteASms=SMSキャンペーンを削除する
+PreviewSms=前のSMS
PrepareSms=SMSを準備する
CreateSms=SMSを作成する
-SmsResult=SMSを送信することの結果
-TestSms=テストSMS
+SmsResult=SMS送信の結果
+TestSms=SMSをテストする
ValidSms=SMSを検証する
ApproveSms=SMSを承認する
-SmsStatusDraft=ドラフト
+SmsStatusDraft=下書き
SmsStatusValidated=検証
SmsStatusApproved=承認された
SmsStatusSent=送信
SmsStatusSentPartialy=部分的に送信
SmsStatusSentCompletely=完全に送信
SmsStatusError=エラー
-SmsStatusNotSent=送信されません
-SmsSuccessfulySent=正しく送信されたSMS(%sへ%sから)
+SmsStatusNotSent=送信されない
+SmsSuccessfulySent=SMSが正しく送信された(%sから%sへ)
ErrorSmsRecipientIsEmpty=ターゲットの数が空である
-WarningNoSmsAdded=ターゲットリストに追加する新しい電話番号なし
-ConfirmValidSms=このキャンペーンの検証を確認しますか?
-NbOfUniqueSms=Nbの自由度のユニークな電話番号
-NbOfSms=ホン番号のNbre
+WarningNoSmsAdded=ターゲットリストに追加する新規電話番号なし
+ConfirmValidSms=このキャンペーンの検証を確認するか?
+NbOfUniqueSms=固有の電話番号の数
+NbOfSms=電話番号の数
ThisIsATestMessage=これはテストメッセージです。
SendSms=SMSを送信
-SmsInfoCharRemain=残りの文字のNb
-SmsInfoNumero= (フォーマット国際例:33899701761)
+SmsInfoCharRemain=残りの文字数
+SmsInfoNumero= (国際フォーマット、すなわち:+33899701761)
DelayBeforeSending=送信する前に、遅延時間(分)
-SmsNoPossibleSenderFound=有効な送信者はありません。 SMSプロバイダの設定を確認してください。
-SmsNoPossibleRecipientFound=利用可能なターゲットはありません。 SMSプロバイダの設定を確認してください。
-DisableStopIfSupported=Disable STOP message (if supported)
+SmsNoPossibleSenderFound=有効な送信者はない。 SMSプロバイダの設定を確認すること。
+SmsNoPossibleRecipientFound=利用可能なターゲットはない。 SMSプロバイダの設定を確認すること。
+DisableStopIfSupported=STOPメッセージを無効にする(サポートされている場合)
diff --git a/htdocs/langs/ja_JP/stocks.lang b/htdocs/langs/ja_JP/stocks.lang
index e6ac2a3ec17..71404fd45c7 100644
--- a/htdocs/langs/ja_JP/stocks.lang
+++ b/htdocs/langs/ja_JP/stocks.lang
@@ -2,241 +2,242 @@
WarehouseCard=倉庫カード
Warehouse=倉庫
Warehouses=倉庫
-ParentWarehouse=Parent warehouse
-NewWarehouse=New warehouse / Stock Location
+ParentWarehouse=親倉庫
+NewWarehouse=新規倉庫/在庫場所
WarehouseEdit=倉庫を変更する
-MenuNewWarehouse=新倉庫
-WarehouseSource=ソースの倉庫
-WarehouseSourceNotDefined=No warehouse defined,
-AddWarehouse=Create warehouse
-AddOne=Add one
-DefaultWarehouse=Default warehouse
-WarehouseTarget=ターゲット·ウェアハウス
+MenuNewWarehouse=新規倉庫
+WarehouseSource=ソース倉庫
+WarehouseSourceNotDefined=倉庫が定義されていない、
+AddWarehouse=倉庫を作成する
+AddOne=1つ追加する
+DefaultWarehouse=デフォルトの倉庫
+WarehouseTarget=ターゲット倉庫
ValidateSending=送信削除
CancelSending=送信キャンセル
DeleteSending=送信削除
-Stock=株式
-Stocks=ストック
-MissingStocks=Missing stocks
-StockAtDate=Stocks at date
-StockAtDateInPast=Date in past
-StockAtDateInFuture=Date in future
-StocksByLotSerial=Stocks by lot/serial
-LotSerial=Lots/Serials
-LotSerialList=List of lot/serials
-Movements=動作
-ErrorWarehouseRefRequired=ウェアハウスの参照名を指定する必要があります
+Stock=在庫
+Stocks=在庫
+MissingStocks=在庫がない
+StockAtDate=日付の在庫
+StockAtDateInPast=過去の日付
+StockAtDateInFuture=将来の日付
+StocksByLotSerial=ロット/シリアル別の在庫
+LotSerial=ロット/シリアル
+LotSerialList=ロット/シリアルのリスト
+Movements=移動
+ErrorWarehouseRefRequired=倉庫の参照名を指定する必要がある
ListOfWarehouses=倉庫のリスト
ListOfStockMovements=在庫変動のリスト
-ListOfInventories=List of inventories
-MovementId=Movement ID
-StockMovementForId=Movement ID %d
-ListMouvementStockProject=List of stock movements associated to project
-StocksArea=Warehouses area
-AllWarehouses=All warehouses
-IncludeEmptyDesiredStock=Include also negative stock with undefined desired stock
-IncludeAlsoDraftOrders=Include also draft orders
+ListOfInventories=在庫一覧
+MovementId=移動 ID
+StockMovementForId=移動 ID%d
+ListMouvementStockProject=プロジェクトに関連する在庫移動のリスト
+StocksArea=倉庫エリア
+AllWarehouses=すべての倉庫
+IncludeEmptyDesiredStock=未定義の希望在庫で負の在庫も含める
+IncludeAlsoDraftOrders=ドラフト注文も含める
Location=場所
LocationSummary=短い名前の場所
-NumberOfDifferentProducts=Number of different products
+NumberOfDifferentProducts=異なる製品の数
NumberOfProducts=商品の合計数
-LastMovement=Latest movement
-LastMovements=Latest movements
+LastMovement=最新の動き
+LastMovements=最新の動き
Units=ユニット
Unit=ユニット
-StockCorrection=Stock correction
-CorrectStock=正しい株式
-StockTransfer=Stock transfer
-TransferStock=Transfer stock
-MassStockTransferShort=Mass stock transfer
-StockMovement=Stock movement
-StockMovements=Stock movements
+StockCorrection=在庫修正
+CorrectStock=正しい在庫
+StockTransfer=在庫移転
+TransferStock=在庫移転
+MassStockTransferShort=大量在庫移転
+StockMovement=在庫移動
+StockMovements=在庫移動
NumberOfUnit=ユニット数
-UnitPurchaseValue=Unit purchase price
-StockTooLow=低すぎると株式
-StockLowerThanLimit=Stock lower than alert limit (%s)
+UnitPurchaseValue=購入単価
+StockTooLow=低すぎる在庫
+StockLowerThanLimit=在庫がアラート制限を下回っている(%s)
EnhancedValue=値
PMPValue=加重平均価格
PMPValueShort=WAP
EnhancedValueOfWarehouses=倉庫の値
-UserWarehouseAutoCreate=Create a user warehouse automatically when creating a user
-AllowAddLimitStockByWarehouse=Manage also value for minimum and desired stock per pairing (product-warehouse) in addition to the value for minimum and desired stock per product
-RuleForWarehouse=Rule for warehouses
-WarehouseAskWarehouseDuringOrder=Set a warehouse on Sale orders
-UserDefaultWarehouse=Set a warehouse on Users
-MainDefaultWarehouse=Default warehouse
-MainDefaultWarehouseUser=Use a default warehouse for each user
-MainDefaultWarehouseUserDesc=By activating this option, during creation of a product, the warehouse assigned to the product will be defined on this one. If no warehouse is defined on the user, the default warehouse is defined.
-IndependantSubProductStock=Product stock and subproduct stock are independent
-QtyDispatched=数量派遣
-QtyDispatchedShort=Qty dispatched
-QtyToDispatchShort=Qty to dispatch
-OrderDispatch=Item receipts
-RuleForStockManagementDecrease=Choose Rule for automatic stock decrease (manual decrease is always possible, even if an automatic decrease rule is activated)
-RuleForStockManagementIncrease=Choose Rule for automatic stock increase (manual increase is always possible, even if an automatic increase rule is activated)
-DeStockOnBill=Decrease real stocks on validation of customer invoice/credit note
-DeStockOnValidateOrder=Decrease real stocks on validation of sales order
-DeStockOnShipment=Decrease real stocks on shipping validation
-DeStockOnShipmentOnClosing=Decrease real stocks when shipping is set to closed
-ReStockOnBill=Increase real stocks on validation of vendor invoice/credit note
-ReStockOnValidateOrder=Increase real stocks on purchase order approval
-ReStockOnDispatchOrder=Increase real stocks on manual dispatching into warehouse, after purchase order receipt of goods
-StockOnReception=Increase real stocks on validation of reception
-StockOnReceptionOnClosing=Increase real stocks when reception is set to closed
-OrderStatusNotReadyToDispatch=ご注文はまだないか、またはこれ以上の在庫倉庫の製品の派遣ができますステータスを持っていません。
-StockDiffPhysicTeoric=Explanation for difference between physical and virtual stock
-NoPredefinedProductToDispatch=このオブジェクト用に事前定義された製品がありません。そうは在庫に派遣する必要はありません。
+UserWarehouseAutoCreate=ユーザーの作成時にユーザー倉庫を自動的に作成する
+AllowAddLimitStockByWarehouse=製品ごとの最小在庫と希望在庫の値に加えて、ペアリングごとの最小在庫と希望在庫の値(製品倉庫)も管理する。
+RuleForWarehouse=倉庫のルール
+WarehouseAskWarehouseDuringOrder=販売注文に倉庫を設定する
+UserDefaultWarehouse=ユーザーに倉庫を設定する
+MainDefaultWarehouse=デフォルトの倉庫
+MainDefaultWarehouseUser=ユーザーごとにデフォルトの倉庫を使用する
+MainDefaultWarehouseUserDesc=このオプションを有効にすると、製品の作成時に、製品に割り当てられた倉庫がこのオプションで定義される。ユーザーに倉庫が定義されていない場合は、デフォルトの倉庫が定義される。
+IndependantSubProductStock=製品在庫と副製品在庫は独立している
+QtyDispatched=手配済数量
+QtyDispatchedShort=手配済数量
+QtyToDispatchShort=手配する数量
+OrderDispatch=アイテムの領収書
+RuleForStockManagementDecrease=自動在庫減少のルールを選択する(自動減少ルールが有効化されている場合でも、手動減少は常に可能 )
+RuleForStockManagementIncrease=自動在庫増加のルールを選択する(自動増加ルールがアクティブ化されている場合でも、手動の増加は常に可能)
+DeStockOnBill=顧客の請求書/貸方表の検証で実際の在庫を減らす
+DeStockOnValidateOrder=受注の検証時に実在庫を減らす
+DeStockOnShipment=出荷検証で実際の在庫を減らす
+DeStockOnShipmentOnClosing=出荷がクローズに設定されている場合は、実際の在庫を減らす
+ReStockOnBill=仕入先の請求書/貸方表の検証で実際の在庫を増やす
+ReStockOnValidateOrder=注文書の承認時に実在庫を増やす
+ReStockOnDispatchOrder=商品の発注書受領後、倉庫への手動発送で実際の在庫を増やす
+StockOnReception=受信の検証で実際の在庫を増やす
+StockOnReceptionOnClosing=レセプションがクローズに設定されている場合は、実際の在庫を増やす
+OrderStatusNotReadyToDispatch=ご注文はまだないか、またはこれ以上の在庫倉庫の製品の派遣ができるステータスを持っていない。
+StockDiffPhysicTeoric=物理在庫と仮想在庫の違いの説明
+NoPredefinedProductToDispatch=このオブジェクト用に事前定義された製品がない。そうは在庫に派遣する必要はない。
DispatchVerb=派遣
-StockLimitShort=Limit for alert
-StockLimit=Stock limit for alert
-StockLimitDesc=(empty) means no warning. 0 can be used for a warning as soon as stock is empty.
-PhysicalStock=Physical Stock
+StockLimitShort=アラートの制限
+StockLimit=アラートの在庫制限
+StockLimitDesc=(空)は警告がないことを意味する。 0は、在庫が空になるとすぐに警告として使用される。
+PhysicalStock=現物在庫
RealStock=実在庫
-RealStockDesc=Physical/real stock is the stock currently in the warehouses.
-RealStockWillAutomaticallyWhen=The real stock will be modified according to this rule (as defined in the Stock module):
+RealStockDesc=現物/実在庫は、現在倉庫にある在庫 。
+RealStockWillAutomaticallyWhen=実際の在庫は、このルールに従って変更される(在庫モジュールで定義されている)。
VirtualStock=仮想在庫
-VirtualStockAtDate=Virtual stock at date
-VirtualStockAtDateDesc=Virtual stock once all pending orders that are planned to be done before the date will be finished
-VirtualStockDesc=Virtual stock is the calculated stock available once all open/pending actions (that affect stocks) are closed (purchase orders received, sales orders shipped, manufacturing orders produced, etc)
+VirtualStockAtDate=日付での仮想在庫
+VirtualStockAtDateDesc=日付より前に行われる予定のすべての保留中の注文が終了すると、仮想在庫が発生する
+VirtualStockDesc=仮想在庫は、すべてのオープン/保留アクション(在庫に影響を与える)が閉じられたときに使用可能な計算された在庫 (発注書の受領、販売注文の出荷、製造注文の作成など)。
IdWarehouse=イド倉庫
DescWareHouse=説明倉庫
LieuWareHouse=ローカリゼーション倉庫
WarehousesAndProducts=倉庫と製品
-WarehousesAndProductsBatchDetail=Warehouses and products (with detail per lot/serial)
+WarehousesAndProductsBatchDetail=倉庫および製品(ロット/シリアルごとの詳細付き)
AverageUnitPricePMPShort=加重平均価格
-AverageUnitPricePMPDesc=The input average unit price we had to pay to suppliers to get the product into our stock.
+AverageUnitPricePMPDesc=製品を在庫に入れるためにサプライヤーに支払わなければならなかった入力平均単価。
SellPriceMin=販売単価
-EstimatedStockValueSellShort=Value for sell
-EstimatedStockValueSell=Value for sell
-EstimatedStockValueShort=入力株式価値
-EstimatedStockValue=入力株式価値
-DeleteAWarehouse=倉庫を削除します。
-ConfirmDeleteWarehouse=Are you sure you want to delete the warehouse %s?
-PersonalStock=個人の株式%s
-ThisWarehouseIsPersonalStock=この倉庫は%s %sの個人的な株式を表す
-SelectWarehouseForStockDecrease=株式の減少のために使用するために倉庫を選択します。
-SelectWarehouseForStockIncrease=在庫の増加に使用する倉庫を選択します。
-NoStockAction=No stock action
-DesiredStock=Desired Stock
-DesiredStockDesc=This stock amount will be the value used to fill the stock by replenishment feature.
-StockToBuy=To order
-Replenishment=Replenishment
-ReplenishmentOrders=Replenishment orders
-VirtualDiffersFromPhysical=According to increase/decrease stock options, physical stock and virtual stock (physical stock + open orders) may differ
-UseRealStockByDefault=Use real stock, instead of virtual stock, for replenishment feature
-ReplenishmentCalculation=Amount to order will be (desired quantity - real stock) instead of (desired quantity - virtual stock)
-UseVirtualStock=Use virtual stock
-UsePhysicalStock=Use physical stock
-CurentSelectionMode=Current selection mode
+EstimatedStockValueSellShort=販売価値
+EstimatedStockValueSell=販売価値
+EstimatedStockValueShort=入力在庫価値
+EstimatedStockValue=入力在庫価値
+DeleteAWarehouse=倉庫を削除する。
+ConfirmDeleteWarehouse=倉庫%s を削除してもよろしい か?
+PersonalStock=個人の在庫%s
+ThisWarehouseIsPersonalStock=この倉庫は%s %sの個人的な在庫を表す
+SelectWarehouseForStockDecrease=在庫の減少のために使用する倉庫を選択する
+SelectWarehouseForStockIncrease=在庫の増加に使用する倉庫を選択する。
+NoStockAction=在庫アクションなし
+DesiredStock=希望在庫
+DesiredStockDesc=この在庫量は、補充機能によって在庫を埋めるために使用される値になる。
+StockToBuy=注文する
+Replenishment=補充
+ReplenishmentOrders=補充注文
+VirtualDiffersFromPhysical=在庫オプションの増減に応じて、現物在庫と仮想在庫(現物在庫+未決済注文)が異なる場合がある
+UseRealStockByDefault=補充機能には、仮想在庫ではなく実際の在庫を使用する
+ReplenishmentCalculation=注文金額は、(希望数量-仮想在庫)ではなく(希望数量-実在庫)になる。
+UseVirtualStock=仮想在庫を使用する
+UsePhysicalStock=現物在庫を使用する
+CurentSelectionMode=現在の選択モード
CurentlyUsingVirtualStock=仮想在庫
-CurentlyUsingPhysicalStock=物理的な在庫
-RuleForStockReplenishment=Rule for stocks replenishment
-SelectProductWithNotNullQty=Select at least one product with a qty not null and a vendor
-AlertOnly= Alerts only
-IncludeProductWithUndefinedAlerts = Include also negative stock for products with no desired quantity defined, to restore them to 0
-WarehouseForStockDecrease=The warehouse %s will be used for stock decrease
-WarehouseForStockIncrease=The warehouse %s will be used for stock increase
-ForThisWarehouse=For this warehouse
-ReplenishmentStatusDesc=This is a list of all products with a stock lower than desired stock (or lower than alert value if checkbox "alert only" is checked). Using the checkbox, you can create purchase orders to fill the difference.
-ReplenishmentStatusDescPerWarehouse=If you want a replenishment based on desired quantity defined per warehouse, you must add a filter on the warehouse.
-ReplenishmentOrdersDesc=This is a list of all open purchase orders including predefined products. Only open orders with predefined products, so orders that may affect stocks, are visible here.
-Replenishments=Replenishments
-NbOfProductBeforePeriod=Quantity of product %s in stock before selected period (< %s)
-NbOfProductAfterPeriod=Quantity of product %s in stock after selected period (> %s)
-MassMovement=Mass movement
-SelectProductInAndOutWareHouse=Select a source warehouse and a target warehouse, a product and a quantity then click "%s". Once this is done for all required movements, click onto "%s".
-RecordMovement=Record transfer
-ReceivingForSameOrder=Receipts for this order
-StockMovementRecorded=Stock movements recorded
-RuleForStockAvailability=Rules on stock requirements
-StockMustBeEnoughForInvoice=Stock level must be enough to add product/service to invoice (check is done on current real stock when adding a line into invoice whatever the rule for automatic stock change)
-StockMustBeEnoughForOrder=Stock level must be enough to add product/service to order (check is done on current real stock when adding a line into order whatever the rule for automatic stock change)
-StockMustBeEnoughForShipment= Stock level must be enough to add product/service to shipment (check is done on current real stock when adding a line into shipment whatever the rule for automatic stock change)
-MovementLabel=Label of movement
-TypeMovement=Type of movement
-DateMovement=Date of movement
-InventoryCode=Movement or inventory code
-IsInPackage=Contained into package
-WarehouseAllowNegativeTransfer=Stock can be negative
-qtyToTranferIsNotEnough=You don't have enough stock from your source warehouse and your setup does not allow negative stocks.
-qtyToTranferLotIsNotEnough=You don't have enough stock, for this lot number, from your source warehouse and your setup does not allow negative stocks (Qty for product '%s' with lot '%s' is %s in warehouse '%s').
+CurentlyUsingPhysicalStock=現物在庫
+RuleForStockReplenishment=在庫補充のルール
+SelectProductWithNotNullQty=数量がnullではない製品と仕入先を少なくとも1つ選択してください
+AlertOnly= アラートのみ
+IncludeProductWithUndefinedAlerts = 希望数量が定義されていない製品の負の在庫も含めて、0に戻す。
+WarehouseForStockDecrease=倉庫%sは在庫減少に使用される
+WarehouseForStockIncrease=倉庫%sは在庫増加に使用される
+ForThisWarehouse=この倉庫のために
+ReplenishmentStatusDesc=これは、在庫が希望在庫より少ない(またはチェックボックス「アラートのみ」がチェックされている場合はアラート値より低い)すべての製品のリスト 。チェックボックスを使用して、差額を埋めるための発注書を作成できる。
+ReplenishmentStatusDescPerWarehouse=倉庫ごとに定義された希望数量に基づいて補充が必要な場合は、倉庫にフィルタを追加する必要がある。
+ReplenishmentOrdersDesc=これは、事前定義された製品を含むすべての未処理の注文書のリスト 。事前定義された製品を含む未処理の注文のみ、つまり在庫に影響を与える可能性のある注文がここに表示される。
+Replenishments=補充
+NbOfProductBeforePeriod=選択した期間の前に在庫がある製品%sの数量(<%s)
+NbOfProductAfterPeriod=選択した期間後の在庫の製品%sの数量(> %s)
+MassMovement=マス移動
+SelectProductInAndOutWareHouse=ソース倉庫とターゲット倉庫、製品と数量を選択し、「%s」をクリックする。必要なすべての動きに対してこれが完了したら、「%s」をクリックする。
+RecordMovement=レコード移転
+ReceivingForSameOrder=この注文の領収書
+StockMovementRecorded=記録された在庫移動
+RuleForStockAvailability=在庫要件に関する規則
+StockMustBeEnoughForInvoice=在庫レベルは、製品/サービスを請求書に追加するのに十分でなければなりません(自動在庫変更のルールに関係なく、請求書に行を追加するときに現在の実際の在庫に対してチェックが行われる)
+StockMustBeEnoughForOrder=在庫レベルは、注文に製品/サービスを追加するのに十分でなければなりません(自動在庫変更のルールに関係なく、注文にラインを追加するときに現在の実際の在庫でチェックが行われる)
+StockMustBeEnoughForShipment= 在庫レベルは、製品/サービスを出荷に追加するのに十分でなければなりません(自動在庫変更のルールに関係なく、出荷にラインを追加するときに現在の実際の在庫でチェックが行われる)
+MovementLabel=動きのラベル
+TypeMovement=動きの種類
+DateMovement=移動日
+InventoryCode=移動または在庫コード
+IsInPackage=パッケージに含まれている
+WarehouseAllowNegativeTransfer=在庫はマイナスになる可能性がある
+qtyToTranferIsNotEnough=ソース倉庫からの十分な在庫がなく、セットアップで負の在庫が許可されていない。
+qtyToTranferLotIsNotEnough=ソース倉庫からこのロット番号に対して十分な在庫がなく、設定で負の在庫が許可されていない(製品 '%s'の数量とロット '%s'は倉庫 '%s'の%s )。
ShowWarehouse=倉庫を表示
-MovementCorrectStock=Stock correction for product %s
-MovementTransferStock=Stock transfer of product %s into another warehouse
-InventoryCodeShort=Inv./Mov. code
-NoPendingReceptionOnSupplierOrder=No pending reception due to open purchase order
-ThisSerialAlreadyExistWithDifferentDate=This lot/serial number (%s) already exists but with different eatby or sellby date (found %s but you enter %s).
-OpenAll=Open for all actions
-OpenInternal=Open only for internal actions
-UseDispatchStatus=Use a dispatch status (approve/refuse) for product lines on purchase order reception
-OptionMULTIPRICESIsOn=Option "several prices per segment" is on. It means a product has several selling price so value for sell can't be calculated
-ProductStockWarehouseCreated=Stock limit for alert and desired optimal stock correctly created
-ProductStockWarehouseUpdated=Stock limit for alert and desired optimal stock correctly updated
-ProductStockWarehouseDeleted=Stock limit for alert and desired optimal stock correctly deleted
-AddNewProductStockWarehouse=Set new limit for alert and desired optimal stock
-AddStockLocationLine=Decrease quantity then click to add another warehouse for this product
-InventoryDate=Inventory date
-NewInventory=New inventory
-inventorySetup = Inventory Setup
-inventoryCreatePermission=Create new inventory
-inventoryReadPermission=View inventories
-inventoryWritePermission=Update inventories
-inventoryValidatePermission=Validate inventory
-inventoryTitle=Inventory
-inventoryListTitle=Inventories
-inventoryListEmpty=No inventory in progress
-inventoryCreateDelete=Create/Delete inventory
-inventoryCreate=Create new
+MovementCorrectStock=製品%sの在庫修正
+MovementTransferStock=製品%sの別の倉庫への在庫移転
+InventoryCodeShort=Inv./Mov。コード
+NoPendingReceptionOnSupplierOrder=注文書が開いているため、保留中の受付はない
+ThisSerialAlreadyExistWithDifferentDate=ロット/シリアル 番号 (%s) は異なる賞味期限または販売期限で ( %s が見つかったが、入力したのは %s).
+OpenAll=すべてのアクションに対して開く
+OpenInternal=内部アクションのためにのみ開く
+UseDispatchStatus=発注書受付の製品ラインにディスパッチステータス(承認/拒否)を使用する
+OptionMULTIPRICESIsOn=オプション「セグメントごとのいくつかの価格」がオンになっている。これは、製品に複数の販売価格があるため、販売価値を計算できないことを意味する
+ProductStockWarehouseCreated=アラートの在庫制限と希望する最適在庫が正しく作成された
+ProductStockWarehouseUpdated=アラートの在庫制限と希望する最適在庫が正しく更新された
+ProductStockWarehouseDeleted=アラートの在庫制限と希望する最適在庫が正しく削除された
+AddNewProductStockWarehouse=アラートと望ましい最適在庫の新規制限を設定する
+AddStockLocationLine=数量を減らしてから、クリックしてこの製品の別の倉庫を追加する
+InventoryDate=在庫日
+NewInventory=新規在庫
+inventorySetup = 在庫設定
+inventoryCreatePermission=新規在庫を作成する
+inventoryReadPermission=在庫を見る
+inventoryWritePermission=在庫を更新する
+inventoryValidatePermission=在庫を検証する
+inventoryTitle=在庫
+inventoryListTitle=在庫
+inventoryListEmpty=進行中の在庫はない
+inventoryCreateDelete=インベントリの作成/削除
+inventoryCreate=新規作成
inventoryEdit=編集
inventoryValidate=検証
inventoryDraft=ランニング
-inventorySelectWarehouse=Warehouse choice
-inventoryConfirmCreate=Create
-inventoryOfWarehouse=Inventory for warehouse: %s
-inventoryErrorQtyAdd=Error: one quantity is less than zero
-inventoryMvtStock=By inventory
-inventoryWarningProductAlreadyExists=This product is already into list
+inventorySelectWarehouse=倉庫の選択
+inventoryConfirmCreate=作成
+inventoryOfWarehouse=倉庫の在庫:%s
+inventoryErrorQtyAdd=エラー:1つの数量がゼロ未満
+inventoryMvtStock=在庫別
+inventoryWarningProductAlreadyExists=この製品はすでにリストに含まれている
SelectCategory=カテゴリフィルタ
-SelectFournisseur=Vendor filter
-inventoryOnDate=Inventory
-INVENTORY_USE_INVENTORY_DATE_FOR_DATE_OF_MVT=Stock movements will have the date of inventory (instead of the date of inventory validation)
-inventoryChangePMPPermission=Allow to change PMP value for a product
-ColumnNewPMP=New unit PMP
-OnlyProdsInStock=Do not add product without stock
-TheoricalQty=Theorique qty
-TheoricalValue=Theorique qty
-LastPA=Last BP
-CurrentPA=Curent BP
-RecordedQty=Recorded Qty
-RealQty=Real Qty
-RealValue=Real Value
-RegulatedQty=Regulated Qty
-AddInventoryProduct=Add product to inventory
+SelectFournisseur=仕入先フィルタ
+inventoryOnDate=在庫
+INVENTORY_USE_INVENTORY_DATE_FOR_DATE_OF_MVT=在庫移動には、(在庫検証の日付ではなく)在庫の日付がある。
+inventoryChangePMPPermission=製品のPMP値の変更を許可する
+ColumnNewPMP=新規ユニットPMP
+OnlyProdsInStock=在庫のない製品は追加しないこと
+TheoricalQty=理論量
+TheoricalValue=理論量
+LastPA=最後のBP
+CurrentPA=現在のBP
+RecordedQty=記録された数量
+RealQty=実数量
+RealValue=真の価値
+RegulatedQty=規制数量
+AddInventoryProduct=製品を在庫に追加する
AddProduct=加える
-ApplyPMP=Apply PMP
-FlushInventory=Flush inventory
-ConfirmFlushInventory=Do you confirm this action?
-InventoryFlushed=Inventory flushed
-ExitEditMode=Exit edition
-inventoryDeleteLine=行を削除します
-RegulateStock=Regulate Stock
+ApplyPMP=PMPを適用する
+FlushInventory=在庫をフラッシュする
+ConfirmFlushInventory=このアクションを確認するか?
+InventoryFlushed=在庫がフラッシュされた
+ExitEditMode=終了版
+inventoryDeleteLine=行を削除する
+RegulateStock=在庫を調整する
ListInventory=リスト
-StockSupportServices=Stock management supports Services
-StockSupportServicesDesc=By default, you can stock only products of type "product". You may also stock a product of type "service" if both module Services and this option are enabled.
-ReceiveProducts=Receive items
-StockIncreaseAfterCorrectTransfer=Increase by correction/transfer
-StockDecreaseAfterCorrectTransfer=Decrease by correction/transfer
-StockIncrease=Stock increase
-StockDecrease=Stock decrease
-InventoryForASpecificWarehouse=Inventory for a specific warehouse
-InventoryForASpecificProduct=Inventory for a specific product
-StockIsRequiredToChooseWhichLotToUse=Stock is required to choose which lot to use
-ForceTo=Force to
-AlwaysShowFullArbo=Display full tree of warehouse on popup of warehouse links (Warning: This may decrease dramatically performances)
-StockAtDatePastDesc=You can view here the stock (real stock) at a given date in the past
-StockAtDateFutureDesc=You can view here the stock (virtual stock) at a given date in future
-CurrentStock=Current stock
-InventoryRealQtyHelp=Set value to 0 to reset qty Keep field empty, or remove line, to keep unchanged
-UpdateByScaning=Update by scaning
-UpdateByScaningProductBarcode=Update by scan (product barcode)
-UpdateByScaningLot=Update by scan (lot|serial barcode)
+StockSupportServices=在庫管理はサービスをサポートする
+StockSupportServicesDesc=デフォルトでは、"製品" 種別 の製品のみを在庫できる。サービスモジュールとこのオプションの両方が有効になっている場合は、"サービス"種別 の製品を在庫することもできる。
+ReceiveProducts=アイテムを受け取る
+StockIncreaseAfterCorrectTransfer=修正/移転による増加
+StockDecreaseAfterCorrectTransfer=修正/移転による減少
+StockIncrease=在庫増加
+StockDecrease=在庫減少
+InventoryForASpecificWarehouse=特定の倉庫の在庫
+InventoryForASpecificProduct=特定の製品の在庫
+StockIsRequiredToChooseWhichLotToUse=使用するロットを選択するには在庫が必要
+ForceTo=強制する
+AlwaysShowFullArbo=倉庫リンクのポップアップに倉庫の完全なツリーを表示する(警告:これによりパフォーマンスが大幅に低下する可能性がある)
+StockAtDatePastDesc=過去の特定の日付の在庫(実際の在庫)をここで表示できる
+StockAtDateFutureDesc=将来の特定の日付の在庫(仮想在庫)をここで表示できる
+CurrentStock=現在の在庫
+InventoryRealQtyHelp=値を0に設定して、数量をリセットする。 フィールドを空のままにするか、行を削除して、変更しないこと。
+UpdateByScaning=スキャンして更新する
+UpdateByScaningProductBarcode=スキャンによる更新(製品バーコード)
+UpdateByScaningLot=スキャンによる更新(ロット|シリアルバーコード)
+DisableStockChangeOfSubProduct=この移動中は、このキットのすべての副産物の在庫変更を無効にする。
diff --git a/htdocs/langs/ja_JP/stripe.lang b/htdocs/langs/ja_JP/stripe.lang
index 90be83666f7..cdd52522e8e 100644
--- a/htdocs/langs/ja_JP/stripe.lang
+++ b/htdocs/langs/ja_JP/stripe.lang
@@ -1,72 +1,71 @@
# Dolibarr language file - Source file is en_US - stripe
-StripeSetup=Stripe module setup
-StripeDesc=Offer customers a Stripe online payment page for payments with credit/cebit cards via Stripe. This can be used to allow your customers to make ad-hoc payments or for payments related to a particular Dolibarr object (invoice, order, ...)
-StripeOrCBDoPayment=Pay with credit card or Stripe
+StripeSetup=Stripe モジュールのセットアップ
+StripeDesc= Stripe を介して、クレジット/セビットカードでの支払い用のStripeオンライン支払いページを顧客に提供します。これは、顧客が臨時の支払いを行えるようにするため、または特定のDolibarrオブジェクト(請求書、注文など)に関連する支払いのために使用できる。
+StripeOrCBDoPayment=クレジットカードまたはStripeで支払う
FollowingUrlAreAvailableToMakePayments=以下のURLはDolibarrオブジェクト上で支払いをするために顧客にページを提供するために利用可能です
PaymentForm=支払い形態
-WelcomeOnPaymentPage=Welcome to our online payment service
-ThisScreenAllowsYouToPay=この画面では、%sにオンライン決済を行うことができます。
-ThisIsInformationOnPayment=これは、実行する支払いに関する情報です。
+WelcomeOnPaymentPage=オンライン決済サービスへようこそ
+ThisScreenAllowsYouToPay=この画面では、%sにオンライン決済を行うことができる。
+ThisIsInformationOnPayment=これは、実行する支払いに関する情報。
ToComplete=完了する
YourEMail=入金確認を受信する電子メール
-STRIPE_PAYONLINE_SENDEMAIL=Email notification after a payment attempt (success or fail)
+STRIPE_PAYONLINE_SENDEMAIL=支払い試行後の電子メール通知(成功または失敗)
Creditor=債権者
PaymentCode=支払いコード
-StripeDoPayment=Pay with Stripe
-YouWillBeRedirectedOnStripe=You will be redirected on secured Stripe page to input you credit card information
+StripeDoPayment=Stripeで支払う
+YouWillBeRedirectedOnStripe=クレジットカード情報を入力するために、セキュリティで保護されたStripeページにリダイレクトされる
Continue=次の
ToOfferALinkForOnlinePayment=%s支払いのURL
-ToOfferALinkForOnlinePaymentOnOrder=URL to offer a %s online payment page for a sales order
-ToOfferALinkForOnlinePaymentOnInvoice=URL to offer a %s online payment page for a customer invoice
-ToOfferALinkForOnlinePaymentOnContractLine=URL to offer a %s online payment page for a contract line
-ToOfferALinkForOnlinePaymentOnFreeAmount=URL to offer a %s online payment page of any amount with no existing object
-ToOfferALinkForOnlinePaymentOnMemberSubscription=URL to offer a %s online payment page for a member subscription
-ToOfferALinkForOnlinePaymentOnDonation=URL to offer a %s online payment page for payment of a donation
-YouCanAddTagOnUrl=You can also add url parameter &tag=value to any of those URL (mandatory only for payment not linked to an object) to add your own payment comment tag. For the URL of payments with no existing object, you may also add the parameter &noidempotency=1 so the same link with same tag can be used several times (some payment mode may limit the payment to 1 for each different link without this parameter)
-SetupStripeToHavePaymentCreatedAutomatically=Setup your Stripe with url %s to have payment created automatically when validated by Stripe.
+ToOfferALinkForOnlinePaymentOnOrder=受注の%sオンライン支払いページを提供するURL
+ToOfferALinkForOnlinePaymentOnInvoice=顧客の請求書に%sオンライン支払いページを提供するためのURL
+ToOfferALinkForOnlinePaymentOnContractLine=契約ラインの%sオンライン支払いページを提供するURL
+ToOfferALinkForOnlinePaymentOnFreeAmount=既存のオブジェクトのない任意の金額の%sオンライン支払いページを提供するURL
+ToOfferALinkForOnlinePaymentOnMemberSubscription=メンバーサブスクリプションの%sオンライン支払いページを提供するURL
+ToOfferALinkForOnlinePaymentOnDonation=寄付の支払いのために%sオンライン支払いページを提供するURL
+YouCanAddTagOnUrl=また、URLパラメーター&tag=valueをこれらのURLのいずれかに追加して(オブジェクトにリンクされていない支払いにのみ必須)、独自の支払いコメントタグを追加することもできる。 既存のオブジェクトがない支払いのURLの場合、パラメーター&noidempotency=1を追加して、同じタグを持つ同じリンクを複数回使用できるようにすることもできる(一部の支払いモードでは、このパラメータがないと、異なるリンクごとに支払いが1に制限される場合がある)
+SetupStripeToHavePaymentCreatedAutomatically=Stripeによって検証されたときに支払いが自動的に作成されるように、URL %sを使用してStripeをセットアップします。
AccountParameter=アカウントのパラメータ
UsageParameter=使用パラメータ
InformationToFindParameters=あなたの%sアカウント情報を見つけるのを助ける
-STRIPE_CGI_URL_V2=Url of Stripe CGI module for payment
-VendorName=ベンダーの名前
+STRIPE_CGI_URL_V2=支払い用のStripe CGIモジュールのURL
CSSUrlForPaymentForm=支払いフォームのCSSスタイルシートのURL
-NewStripePaymentReceived=New Stripe payment received
-NewStripePaymentFailed=New Stripe payment tried but failed
-FailedToChargeCard=Failed to charge card
-STRIPE_TEST_SECRET_KEY=Secret test key
-STRIPE_TEST_PUBLISHABLE_KEY=Publishable test key
-STRIPE_TEST_WEBHOOK_KEY=Webhook test key
-STRIPE_LIVE_SECRET_KEY=Secret live key
-STRIPE_LIVE_PUBLISHABLE_KEY=Publishable live key
-STRIPE_LIVE_WEBHOOK_KEY=Webhook live key
-ONLINE_PAYMENT_WAREHOUSE=Stock to use for stock decrease when online payment is done (TODO When option to decrease stock is done on an action on invoice and the online payment generate itself the invoice ?)
-StripeLiveEnabled=Stripe live enabled (otherwise test/sandbox mode)
-StripeImportPayment=Import Stripe payments
-ExampleOfTestCreditCard=Example of credit card for test: %s => valid, %s => error CVC, %s => expired, %s => charge fails
-StripeGateways=Stripe gateways
-OAUTH_STRIPE_TEST_ID=Stripe Connect Client ID (ca_...)
-OAUTH_STRIPE_LIVE_ID=Stripe Connect Client ID (ca_...)
-BankAccountForBankTransfer=Bank account for fund payouts
-StripeAccount=Stripe account
-StripeChargeList=List of Stripe charges
-StripeTransactionList=List of Stripe transactions
-StripeCustomerId=Stripe customer id
-StripePaymentModes=Stripe payment modes
-LocalID=Local ID
+NewStripePaymentReceived=新規Stripeの支払いを受け取りました
+NewStripePaymentFailed=新規Stripe支払いが試行されましたが、失敗した
+FailedToChargeCard=カードのチャージに失敗した
+STRIPE_TEST_SECRET_KEY=秘密のテストキー
+STRIPE_TEST_PUBLISHABLE_KEY=公開可能なテストキー
+STRIPE_TEST_WEBHOOK_KEY=Webhookテストキー
+STRIPE_LIVE_SECRET_KEY=秘密のライブキー
+STRIPE_LIVE_PUBLISHABLE_KEY=公開可能なライブキー
+STRIPE_LIVE_WEBHOOK_KEY=Webhookライブキー
+ONLINE_PAYMENT_WAREHOUSE=オンライン支払いが行われるときに在庫減少に使用する在庫 (TODO請求書のアクションで在庫を減らすオプションが実行され、オンライン支払いがそれ自体で請求書を生成する場合?)
+StripeLiveEnabled=Stripe ライブが有効(それ以外の場合はテスト/サンドボックスモード)
+StripeImportPayment=Stripe 支払いのインポート
+ExampleOfTestCreditCard=テスト用のクレジットカードの例:%s =>有効、%s =>エラーCVC、%s =>期限切れ、%s =>充電に失敗
+StripeGateways=Stripe ゲートウェイ
+OAUTH_STRIPE_TEST_ID=Stripe ConnectクライアントID(ca _...)
+OAUTH_STRIPE_LIVE_ID=Stripe ConnectクライアントID(ca _...)
+BankAccountForBankTransfer=資金支払いのための銀行口座
+StripeAccount=Stripe アカウント
+StripeChargeList=Stripe 料金のリスト
+StripeTransactionList=Stripeトランザクションのリスト
+StripeCustomerId=Stripe の顧客ID
+StripePaymentModes=Stripe 支払いモード
+LocalID=ローカルID
StripeID=Stripe ID
-NameOnCard=Name on card
-CardNumber=Card Number
-ExpiryDate=Expiry Date
+NameOnCard=カードの名前
+CardNumber=カード番号
+ExpiryDate=有効期限
CVN=CVN
-DeleteACard=Delete Card
-ConfirmDeleteCard=Are you sure you want to delete this Credit or Debit card?
-CreateCustomerOnStripe=Create customer on Stripe
-CreateCardOnStripe=Create card on Stripe
-ShowInStripe=Show in Stripe
-StripeUserAccountForActions=User account to use for email notification of some Stripe events (Stripe payouts)
-StripePayoutList=List of Stripe payouts
-ToOfferALinkForTestWebhook=Link to setup Stripe WebHook to call the IPN (test mode)
-ToOfferALinkForLiveWebhook=Link to setup Stripe WebHook to call the IPN (live mode)
-PaymentWillBeRecordedForNextPeriod=Payment will be recorded for the next period.
-ClickHereToTryAgain=Click here to try again...
-CreationOfPaymentModeMustBeDoneFromStripeInterface=Due to Strong Customer Authentication rules, creation of a card must be done from Stripe backoffice. You can click here to switch on Stripe customer record: %s
+DeleteACard=カードを削除
+ConfirmDeleteCard=このクレジットカードまたはデビットカードを削除してもよいか?
+CreateCustomerOnStripe=Stripeで顧客を作成する
+CreateCardOnStripe=Stripeでカードを作成する
+ShowInStripe=Stripe で表示
+StripeUserAccountForActions=一部のStripeイベントの電子メール通知に使用するユーザーアカウント(Stripeペイアウト)
+StripePayoutList=Stripe ペイアウトのリスト
+ToOfferALinkForTestWebhook=IPNを呼び出すためのStripeWebHookのセットアップへのリンク(テストモード)
+ToOfferALinkForLiveWebhook=IPNを呼び出すためのStripeWebHookのセットアップへのリンク(ライブモード)
+PaymentWillBeRecordedForNextPeriod=支払いは次の期間に記録される。
+ClickHereToTryAgain= ここをクリックして再試行すること...
+CreationOfPaymentModeMustBeDoneFromStripeInterface=強力な顧客認証ルールにより、カードの作成はStripeバックオフィスから行う必要がある。 Stripeの顧客レコードをオンにするには、ここをクリックすること:%s
diff --git a/htdocs/langs/ja_JP/suppliers.lang b/htdocs/langs/ja_JP/suppliers.lang
index ce2aea9527f..66d0d7f2afe 100644
--- a/htdocs/langs/ja_JP/suppliers.lang
+++ b/htdocs/langs/ja_JP/suppliers.lang
@@ -1,48 +1,48 @@
# Dolibarr language file - Source file is en_US - vendors
Suppliers=仕入先s
-SuppliersInvoice=ベンダー請求書
-ShowSupplierInvoice=Show Vendor Invoice
-NewSupplier=New vendor
+SuppliersInvoice=仕入先請求書
+ShowSupplierInvoice=仕入先の請求書を表示する
+NewSupplier=新規仕入先
History=歴史
-ListOfSuppliers=List of vendors
-ShowSupplier=Show vendor
+ListOfSuppliers=仕入先のリスト
+ShowSupplier=仕入先を表示
OrderDate=注文日
-BuyingPriceMin=Best buying price
-BuyingPriceMinShort=Best buying price
-TotalBuyingPriceMinShort=Total of subproducts buying prices
-TotalSellingPriceMinShort=Total of subproducts selling prices
-SomeSubProductHaveNoPrices=Some sub-products have no price defined
-AddSupplierPrice=Add buying price
-ChangeSupplierPrice=Change buying price
+BuyingPriceMin=最高の購入価格
+BuyingPriceMinShort=最高の購入価格
+TotalBuyingPriceMinShort=サブ製品の購入価格の合計
+TotalSellingPriceMinShort=サブ製品の販売価格の合計
+SomeSubProductHaveNoPrices=一部のサブ製品には価格が定義されていない
+AddSupplierPrice=購入価格を追加
+ChangeSupplierPrice=購入価格の変更
SupplierPrices=仕入先価格
-ReferenceSupplierIsAlreadyAssociatedWithAProduct=This vendor reference is already associated with a product: %s
-NoRecordedSuppliers=No vendor recorded
-SupplierPayment=ベンダーの支払
-SuppliersArea=Vendor area
+ReferenceSupplierIsAlreadyAssociatedWithAProduct=この仕入先リファレンスは、すでに製品に関連付けられています:%s
+NoRecordedSuppliers=仕入先は記録されていない
+SupplierPayment=仕入先の支払
+SuppliersArea=仕入先エリア
RefSupplierShort=仕入先参照符号
Availability=可用性
-ExportDataset_fournisseur_1=Vendor invoices and invoice details
-ExportDataset_fournisseur_2=Vendor invoices and payments
-ExportDataset_fournisseur_3=Purchase orders and order details
+ExportDataset_fournisseur_1=仕入先の請求書と請求書の詳細
+ExportDataset_fournisseur_2=仕入先の請求書と支払い
+ExportDataset_fournisseur_3=注文書と注文の詳細
ApproveThisOrder=この注文を承認
-ConfirmApproveThisOrder=Are you sure you want to approve order %s?
-DenyingThisOrder=Deny this order
-ConfirmDenyingThisOrder=Are you sure you want to deny this order %s?
-ConfirmCancelThisOrder=Are you sure you want to cancel this order %s?
-AddSupplierOrder=Create Purchase Order
-AddSupplierInvoice=Create vendor invoice
-ListOfSupplierProductForSupplier=List of products and prices for vendor %s
-SentToSuppliers=Sent to vendors
-ListOfSupplierOrders=List of purchase orders
-MenuOrdersSupplierToBill=Purchase orders to invoice
-NbDaysToDelivery=Delivery delay (days)
-DescNbDaysToDelivery=The longest delivery delay of the products from this order
-SupplierReputation=Vendor reputation
-ReferenceReputation=Reference reputation
-DoNotOrderThisProductToThisSupplier=Do not order
-NotTheGoodQualitySupplier=Low quality
-ReputationForThisProduct=Reputation
-BuyerName=Buyer name
-AllProductServicePrices=All product / service prices
-AllProductReferencesOfSupplier=All references of vendor
+ConfirmApproveThisOrder=注文%s を承認してもよいか?
+DenyingThisOrder=この注文を拒否する
+ConfirmDenyingThisOrder=この注文を拒否してもよいか%s ?
+ConfirmCancelThisOrder=この注文をキャンセルしてもよいか%s ?
+AddSupplierOrder=注文書を作成する
+AddSupplierInvoice=仕入先の請求書を作成する
+ListOfSupplierProductForSupplier=仕入先の製品と価格のリスト%s
+SentToSuppliers=仕入先に送信
+ListOfSupplierOrders=注文書のリスト
+MenuOrdersSupplierToBill=請求書への注文書
+NbDaysToDelivery=配達遅延(日)
+DescNbDaysToDelivery=この注文からの製品の最長配達遅延
+SupplierReputation=仕入先の評判
+ReferenceReputation=参照の評判
+DoNotOrderThisProductToThisSupplier=注文しないこと
+NotTheGoodQualitySupplier=低品質
+ReputationForThisProduct=評判
+BuyerName=バイヤー名
+AllProductServicePrices=すべての製品/サービスの価格
+AllProductReferencesOfSupplier=仕入先のすべての参照
BuyingPriceNumShort=仕入先価格
diff --git a/htdocs/langs/ja_JP/ticket.lang b/htdocs/langs/ja_JP/ticket.lang
index 8fdb14dc6e0..e11a4681c98 100644
--- a/htdocs/langs/ja_JP/ticket.lang
+++ b/htdocs/langs/ja_JP/ticket.lang
@@ -58,7 +58,6 @@ OriginEmail=メールソース
Notify_TICKET_SENTBYMAIL=メールでチケットメッセージを送信する
# Status
-NotRead=読んでいない
Read=読む
Assigned=割り当て済み
InProgress=進行中
@@ -124,6 +123,7 @@ TicketsActivatePublicInterfaceHelp=パブリックインターフェイスによ
TicketsAutoAssignTicket=チケットを作成したユーザーを自動的に割り当てる
TicketsAutoAssignTicketHelp=チケットを作成するときに、ユーザーを自動的にチケットに割り当てることができる。
TicketNumberingModules=チケット番号付けモジュール
+TicketsModelModule=チケットのドキュメントテンプレート
TicketNotifyTiersAtCreation=作成時にサードパーティに通知する
TicketsDisableCustomerEmail=パブリックインターフェイスからチケットを作成するときは、常にメールを無効にすること
TicketsPublicNotificationNewMessage=新規メッセージが追加されたときにメール(s)を送信する
@@ -231,7 +231,6 @@ TicketLogStatusChanged=ステータスが変更された:%sから%s
TicketNotNotifyTiersAtCreate=作成時に法人に通知しない
Unread=未読
TicketNotCreatedFromPublicInterface=利用不可。チケットはパブリックインターフェイスから作成されなかった。
-PublicInterfaceNotEnabled=パブリックインターフェイスが有効になっていない
ErrorTicketRefRequired=チケット参照名が必要
#
diff --git a/htdocs/langs/ja_JP/trips.lang b/htdocs/langs/ja_JP/trips.lang
index 9ec51fa3ea2..ea9d799b1d4 100644
--- a/htdocs/langs/ja_JP/trips.lang
+++ b/htdocs/langs/ja_JP/trips.lang
@@ -1,151 +1,151 @@
# Dolibarr language file - Source file is en_US - trips
-ShowExpenseReport=Show expense report
-Trips=Expense reports
-TripsAndExpenses=Expenses reports
-TripsAndExpensesStatistics=Expense reports statistics
-TripCard=Expense report card
-AddTrip=Create expense report
-ListOfTrips=List of expense reports
+ShowExpenseReport=経費報告書を表示する
+Trips=経費報告書
+TripsAndExpenses=経費報告書
+TripsAndExpensesStatistics=経費報告書の統計
+TripCard=経費通知表
+AddTrip=経費報告書を作成する
+ListOfTrips=経費報告書のリスト
ListOfFees=手数料のリスト
-TypeFees=Types of fees
-ShowTrip=Show expense report
-NewTrip=New expense report
-LastExpenseReports=Latest %s expense reports
-AllExpenseReports=All expense reports
-CompanyVisited=Company/organization visited
-FeesKilometersOrAmout=量またはキロ
-DeleteTrip=Delete expense report
-ConfirmDeleteTrip=Are you sure you want to delete this expense report?
-ListTripsAndExpenses=List of expense reports
-ListToApprove=Waiting for approval
-ExpensesArea=Expense reports area
-ClassifyRefunded=Classify 'Refunded'
-ExpenseReportWaitingForApproval=A new expense report has been submitted for approval
-ExpenseReportWaitingForApprovalMessage=A new expense report has been submitted and is waiting for approval. - User: %s - Period: %s Click here to validate: %s
-ExpenseReportWaitingForReApproval=An expense report has been submitted for re-approval
-ExpenseReportWaitingForReApprovalMessage=An expense report has been submitted and is waiting for re-approval. The %s, you refused to approve the expense report for this reason: %s. A new version has been proposed and waiting for your approval. - User: %s - Period: %s Click here to validate: %s
-ExpenseReportApproved=An expense report was approved
-ExpenseReportApprovedMessage=The expense report %s was approved. - User: %s - Approved by: %s Click here to show the expense report: %s
-ExpenseReportRefused=An expense report was refused
-ExpenseReportRefusedMessage=The expense report %s was refused. - User: %s - Refused by: %s - Motive for refusal: %s Click here to show the expense report: %s
-ExpenseReportCanceled=An expense report was canceled
-ExpenseReportCanceledMessage=The expense report %s was canceled. - User: %s - Canceled by: %s - Motive for cancellation: %s Click here to show the expense report: %s
-ExpenseReportPaid=An expense report was paid
-ExpenseReportPaidMessage=The expense report %s was paid. - User: %s - Paid by: %s Click here to show the expense report: %s
-TripId=Id expense report
-AnyOtherInThisListCanValidate=Person to inform for validation.
-TripSociete=Information company
-TripNDF=Informations expense report
-PDFStandardExpenseReports=Standard template to generate a PDF document for expense report
-ExpenseReportLine=Expense report line
+TypeFees=料金の種類
+ShowTrip=経費報告書を表示する
+NewTrip=新規経費報告書
+LastExpenseReports=最新の%s経費報告書
+AllExpenseReports=すべての経費報告書
+CompanyVisited=訪問した法人/組織
+FeesKilometersOrAmout=金額またはキロメートル
+DeleteTrip=経費報告書を削除する
+ConfirmDeleteTrip=この経費報告書を削除してもよいか?
+ListTripsAndExpenses=経費報告書のリスト
+ListToApprove=承認待ち
+ExpensesArea=経費報告エリア
+ClassifyRefunded=分類「返金済み」
+ExpenseReportWaitingForApproval=新規経費報告書が承認のために提出された
+ExpenseReportWaitingForApprovalMessage=新規経費報告書が提出され、承認を待っている。 -ユーザ:%s -期間:%s 検証するにはここをクリック:%s
+ExpenseReportWaitingForReApproval=再承認のために経費報告書が提出された
+ExpenseReportWaitingForReApprovalMessage=経費報告書が提出され、再承認を待っている。 %s、この理由で経費報告書の承認を拒否した:%s。 新規バージョンが提案され、承認を待っている。 -ユーザ:%s -期間:%s 検証するにはここをクリック:%s
+ExpenseReportApproved=経費報告書が承認された
+ExpenseReportApprovedMessage=経費報告書%sが承認された。 -ユーザ:%s -承認者:%s ここをクリックして経費報告書を表示する:%s
+ExpenseReportRefused=経費報告書は拒否された
+ExpenseReportRefusedMessage=経費報告書%sは拒否された。 -ユーザ:%s -拒否者:%s -拒否の動機:%s ここをクリックして経費報告書:%s を表示
+ExpenseReportCanceled=経費報告がキャンセルされた
+ExpenseReportCanceledMessage=経費報告書%sはキャンセルされた。 -ユーザ:%s -キャンセル者:%s -キャンセルの動機:%s ここをクリックして経費報告書: %s を表示
+ExpenseReportPaid=経費報告書が支払われた
+ExpenseReportPaidMessage=経費報告書%sが支払われた。 -ユーザ:%s -支払い者:%s ここをクリックして経費報告書を表示する:%s
+TripId=ID経費レポート
+AnyOtherInThisListCanValidate=検証のために通知する人。
+TripSociete=情報法人
+TripNDF=情報経費報告書
+PDFStandardExpenseReports=経費報告書のPDFドキュメントを生成するための標準テンプレート
+ExpenseReportLine=経費報告行
TF_OTHER=その他
-TF_TRIP=Transportation
+TF_TRIP=交通
TF_LUNCH=ランチ
-TF_METRO=Metro
-TF_TRAIN=Train
-TF_BUS=Bus
+TF_METRO=メトロ
+TF_TRAIN=列車
+TF_BUS=バス
TF_CAR=自動車
-TF_PEAGE=Toll
-TF_ESSENCE=Fuel
-TF_HOTEL=Hotel
-TF_TAXI=Taxi
-EX_KME=Mileage costs
-EX_FUE=Fuel CV
-EX_HOT=Hotel
-EX_PAR=Parking CV
-EX_TOL=Toll CV
-EX_TAX=Various Taxes
-EX_IND=Indemnity transportation subscription
-EX_SUM=Maintenance supply
-EX_SUO=Office supplies
-EX_CAR=Car rental
-EX_DOC=Documentation
-EX_CUR=Customers receiving
-EX_OTR=Other receiving
-EX_POS=Postage
-EX_CAM=CV maintenance and repair
-EX_EMM=Employees meal
-EX_GUM=Guests meal
-EX_BRE=Breakfast
-EX_FUE_VP=Fuel PV
-EX_TOL_VP=Toll PV
-EX_PAR_VP=Parking PV
-EX_CAM_VP=PV maintenance and repair
-DefaultCategoryCar=Default transportation mode
-DefaultRangeNumber=Default range number
-UploadANewFileNow=Upload a new document now
-Error_EXPENSEREPORT_ADDON_NotDefined=Error, the rule for expense report numbering ref was not defined into setup of module 'Expense Report'
-ErrorDoubleDeclaration=You have declared another expense report into a similar date range.
-AucuneLigne=There is no expense report declared yet
-ModePaiement=Payment mode
-VALIDATOR=User responsible for approval
-VALIDOR=Approved by
-AUTHOR=Recorded by
-AUTHORPAIEMENT=Paid by
-REFUSEUR=Denied by
-CANCEL_USER=Deleted by
+TF_PEAGE=通行料金
+TF_ESSENCE=燃料
+TF_HOTEL=ホテル
+TF_TAXI=タクシー
+EX_KME=マイレージ費用
+EX_FUE=燃料CV
+EX_HOT=ホテル
+EX_PAR=駐車場履歴書
+EX_TOL=料金履歴書
+EX_TAX=さまざまな税金
+EX_IND=補償輸送サブスクリプション
+EX_SUM=メンテナンス用品
+EX_SUO=事務用品
+EX_CAR=レンタカー
+EX_DOC=ドキュメンテーション
+EX_CUR=受け取っている顧客
+EX_OTR=その他の受け取り
+EX_POS=送料
+EX_CAM=CVのメンテナンスと修理
+EX_EMM=従業員の食事
+EX_GUM=ゲストの食事
+EX_BRE=朝食
+EX_FUE_VP=燃料PV
+EX_TOL_VP=有料PV
+EX_PAR_VP=駐車場PV
+EX_CAM_VP=PVのメンテナンスと修理
+DefaultCategoryCar=デフォルトの輸送モード
+DefaultRangeNumber=デフォルトの範囲番号
+UploadANewFileNow=今すぐ新規ドキュメントをアップロードする
+Error_EXPENSEREPORT_ADDON_NotDefined=エラー、経費報告書の番号付け参照のルールがモジュール「経費報告書」の設定に定義されていなかった
+ErrorDoubleDeclaration=同様の日付範囲で別の経費報告書を宣言した。
+AucuneLigne=経費報告書はまだ宣言されていない
+ModePaiement=支払いモード
+VALIDATOR=承認を担当するユーザ
+VALIDOR=によって承認された
+AUTHOR=によって記録された
+AUTHORPAIEMENT=によって支払われた
+REFUSEUR=によって拒否された
+CANCEL_USER=によって削除された
MOTIF_REFUS=理由
MOTIF_CANCEL=理由
-DATE_REFUS=Deny date
+DATE_REFUS=拒否日
DATE_SAVE=検証日
-DATE_CANCEL=Cancelation date
+DATE_CANCEL=キャンセル日
DATE_PAIEMENT=支払期日
BROUILLONNER=再開
-ExpenseReportRef=Ref. expense report
-ValidateAndSubmit=Validate and submit for approval
-ValidatedWaitingApproval=Validated (waiting for approval)
-NOT_AUTHOR=You are not the author of this expense report. Operation cancelled.
-ConfirmRefuseTrip=Are you sure you want to deny this expense report?
-ValideTrip=Approve expense report
-ConfirmValideTrip=Are you sure you want to approve this expense report?
-PaidTrip=Pay an expense report
-ConfirmPaidTrip=Are you sure you want to change status of this expense report to "Paid"?
-ConfirmCancelTrip=Are you sure you want to cancel this expense report?
-BrouillonnerTrip=Move back expense report to status "Draft"
-ConfirmBrouillonnerTrip=Are you sure you want to move this expense report to status "Draft"?
-SaveTrip=Validate expense report
-ConfirmSaveTrip=Are you sure you want to validate this expense report?
-NoTripsToExportCSV=No expense report to export for this period.
-ExpenseReportPayment=Expense report payment
-ExpenseReportsToApprove=Expense reports to approve
-ExpenseReportsToPay=Expense reports to pay
-ConfirmCloneExpenseReport=Are you sure you want to clone this expense report ?
-ExpenseReportsIk=Configuration of mileage charges
-ExpenseReportsRules=Expense report rules
-ExpenseReportIkDesc=You can modify the calculation of kilometers expense by category and range who they are previously defined. d is the distance in kilometers
-ExpenseReportRulesDesc=You can create or update any rules of calculation. This part will be used when user will create a new expense report
+ExpenseReportRef=参照。経費報告書
+ValidateAndSubmit=検証して承認のために送信
+ValidatedWaitingApproval=検証済み(承認待ち)
+NOT_AUTHOR=あなたはこの経費報告書の作成者ではない。操作はキャンセルされた。
+ConfirmRefuseTrip=この経費報告書を拒否してもよいか?
+ValideTrip=経費報告書を承認する
+ConfirmValideTrip=この経費報告書を承認してもよいか?
+PaidTrip=経費報告書を支払う
+ConfirmPaidTrip=この経費報告書のステータスを「支払い済み」に変更してもよいか?
+ConfirmCancelTrip=この経費報告書をキャンセルしてもよいか?
+BrouillonnerTrip=経費報告書をステータス「ドラフト」に戻する
+ConfirmBrouillonnerTrip=この経費報告書をステータス「ドラフト」に移動してもよいか?
+SaveTrip=経費報告書を検証する
+ConfirmSaveTrip=この経費報告書を検証してもよいか?
+NoTripsToExportCSV=この期間にエクスポートする経費報告書はない。
+ExpenseReportPayment=経費報告書の支払い
+ExpenseReportsToApprove=承認する経費報告書
+ExpenseReportsToPay=支払うべき経費報告書
+ConfirmCloneExpenseReport=この経費報告書のクローンを作成してもよいか?
+ExpenseReportsIk=マイレージ料金の設定
+ExpenseReportsRules=経費報告規則
+ExpenseReportIkDesc=以前に定義したカテゴリと範囲ごとに、キロメートル費用の計算を変更できます。 d はキロメートル単位の距離です
+ExpenseReportRulesDesc=任意の計算ルールを作成または更新できます。この部分は、ユーザが新規経費報告書を作成するときに使用される
expenseReportOffset=オフセット
-expenseReportCoef=Coefficient
-expenseReportTotalForFive=Example with d = 5
-expenseReportRangeFromTo=from %d to %d
-expenseReportRangeMoreThan=more than %d
-expenseReportCoefUndefined=(value not defined)
-expenseReportCatDisabled=Category disabled - see the c_exp_tax_cat dictionary
-expenseReportRangeDisabled=Range disabled - see the c_exp_tax_range dictionay
-expenseReportPrintExample=offset + (d x coef) = %s
-ExpenseReportApplyTo=Apply to
-ExpenseReportDomain=Domain to apply
-ExpenseReportLimitOn=Limit on
+expenseReportCoef=係数
+expenseReportTotalForFive= d = 5の例
+expenseReportRangeFromTo=%dから%dへ
+expenseReportRangeMoreThan=%d以上
+expenseReportCoefUndefined=(値は定義されていない)
+expenseReportCatDisabled=カテゴリが無効-c_exp_tax_cat辞書を参照
+expenseReportRangeDisabled=範囲が無効になっている-c_exp_tax_range辞書を参照すること
+expenseReportPrintExample=オフセット+(d x coef)= %s
+ExpenseReportApplyTo=に適用する
+ExpenseReportDomain=適用するドメイン
+ExpenseReportLimitOn=制限
ExpenseReportDateStart=開始日
ExpenseReportDateEnd=日付の末尾
-ExpenseReportLimitAmount=Limite amount
-ExpenseReportRestrictive=Restrictive
-AllExpenseReport=All type of expense report
-OnExpense=Expense line
-ExpenseReportRuleSave=Expense report rule saved
-ExpenseReportRuleErrorOnSave=Error: %s
-RangeNum=Range %d
-ExpenseReportConstraintViolationError=Constraint violation id [%s]: %s is superior to %s %s
-byEX_DAY=by day (limitation to %s)
-byEX_MON=by month (limitation to %s)
-byEX_YEA=by year (limitation to %s)
-byEX_EXP=by line (limitation to %s)
-ExpenseReportConstraintViolationWarning=Constraint violation id [%s]: %s is superior to %s %s
-nolimitbyEX_DAY=by day (no limitation)
-nolimitbyEX_MON=by month (no limitation)
-nolimitbyEX_YEA=by year (no limitation)
-nolimitbyEX_EXP=by line (no limitation)
-CarCategory=Vehicle category
-ExpenseRangeOffset=Offset amount: %s
-RangeIk=Mileage range
-AttachTheNewLineToTheDocument=Attach the line to an uploaded document
+ExpenseReportLimitAmount=制限量
+ExpenseReportRestrictive=制限的
+AllExpenseReport=あらゆる種類の経費報告書
+OnExpense=経費ライン
+ExpenseReportRuleSave=経費報告ルールが保存された
+ExpenseReportRuleErrorOnSave=エラー:%s
+RangeNum=範囲%d
+ExpenseReportConstraintViolationError=制約違反ID [%s]:%sは%s%sよりも優れている
+byEX_DAY=日ごと(%sへの制限)
+byEX_MON=月ごと(%sへの制限)
+byEX_YEA=年ごと(%sへの制限)
+byEX_EXP=行ごと(%sへの制限)
+ExpenseReportConstraintViolationWarning=制約違反ID [%s]:%sは%s%sよりも優れている
+nolimitbyEX_DAY=日ごと(制限なし)
+nolimitbyEX_MON=月ごと(制限なし)
+nolimitbyEX_YEA=年ごと(制限なし)
+nolimitbyEX_EXP=行ごと(制限なし)
+CarCategory=車両カテゴリー
+ExpenseRangeOffset=オフセット量:%s
+RangeIk=走行距離範囲
+AttachTheNewLineToTheDocument=アップロードされたドキュメントに行を添付する
diff --git a/htdocs/langs/ja_JP/website.lang b/htdocs/langs/ja_JP/website.lang
index 2553493c60a..c8b7b24b73c 100644
--- a/htdocs/langs/ja_JP/website.lang
+++ b/htdocs/langs/ja_JP/website.lang
@@ -30,7 +30,6 @@ EditInLine=インライン編集
AddWebsite=ウェブサイトを追加
Webpage=Webページ/コンテナ
AddPage=ページ/コンテナを追加
-HomePage=ホームページ
PageContainer=ページ
PreviewOfSiteNotYetAvailable=あなたのウェブサイトのプレビュー%sはまだ利用できません。最初に「完全なWebサイトテンプレート」をインポートするか、「ページ/コンテナ」を追加する必要がある。
RequestedPageHasNoContentYet=ID %sの要求されたページにまだコンテンツがないか、キャッシュファイル.tpl.phpが削除された。これを解決するには、ページのコンテンツを編集すること。
@@ -38,8 +37,8 @@ SiteDeleted=Webサイト '%s'が削除された
PageContent=ページ/コンテネア
PageDeleted=ウェブサイト%sのページ/ Contenair'%s 'が削除された
PageAdded=ページ/ Contenair'%s 'が追加された
-ViewSiteInNewTab=新しいタブでサイトを表示
-ViewPageInNewTab=新しいタブでページを表示
+ViewSiteInNewTab=新規タブでサイトを表示
+ViewPageInNewTab=新規タブでページを表示
SetAsHomePage=ホームページに設定する
RealURL=実際のURL
ViewWebsiteInProduction=ホームURLを使用してWebサイトを表示する
@@ -51,11 +50,11 @@ CheckVirtualHostPerms=また、仮想ホストが %sへの
ReadPerm=読む
WritePerm=書く
TestDeployOnWeb=Webでのテスト/デプロイ
-PreviewSiteServedByWebServer=新しいタブで %s をプレビュー。
注記: もし大きなファイルでこの前置が無いものがあれば、 'lessc' を使用して .bodywebsite の前置をすべての場所に追加する変換ができる。
LinkAndScriptsHereAreNotLoadedInEditor=警告:このコンテンツは、サーバーからサイトにアクセスした場合にのみ出力される。編集モードでは使用されないため、編集モードでもJavaScriptファイルをロードする必要がある場合は、タグ「scriptsrc = ...」をページに追加するだけ。
Dynamiccontent=動的コンテンツを含むページのサンプル
@@ -136,4 +135,5 @@ RSSFeed=RSSフィード
RSSFeedDesc=このURLを使用して、タイプ「blogpost」の最新記事のRSSフィードを取得できる。
PagesRegenerated=%sページ(s)/コンテナ(s)が再生成された
RegenerateWebsiteContent=Webサイトのキャッシュファイルを再生成する
-AllowedInFrames=Allowed in Frames
+AllowedInFrames=フレームで許可
+DefineListOfAltLanguagesInWebsiteProperties=使用可能なすべての言語のリストをWebサイトのプロパティに定義する。
diff --git a/htdocs/langs/ja_JP/withdrawals.lang b/htdocs/langs/ja_JP/withdrawals.lang
index a4f6da68897..915407bb2eb 100644
--- a/htdocs/langs/ja_JP/withdrawals.lang
+++ b/htdocs/langs/ja_JP/withdrawals.lang
@@ -1,148 +1,151 @@
# Dolibarr language file - Source file is en_US - withdrawals
-CustomersStandingOrdersArea=Payments by Direct debit orders
-SuppliersStandingOrdersArea=Payments by Credit transfer
-StandingOrdersPayment=Direct debit payment orders
-StandingOrderPayment=Direct debit payment order
-NewStandingOrder=New direct debit order
-NewPaymentByBankTransfer=New payment by credit transfer
+CustomersStandingOrdersArea=口座振替による支払
+SuppliersStandingOrdersArea=クレジット振込による支払
+StandingOrdersPayment=口座振替の支払注文
+StandingOrderPayment=口座振替の支払注文
+NewStandingOrder=新規口座振替の注文
+NewPaymentByBankTransfer=クレジット振込による新規支払
StandingOrderToProcess=処理するには
-PaymentByBankTransferReceipts=Credit transfer orders
-PaymentByBankTransferLines=Credit transfer order lines
-WithdrawalsReceipts=Direct debit orders
-WithdrawalReceipt=Direct debit order
-BankTransferReceipts=Credit transfer orders
-BankTransferReceipt=Credit transfer order
-LatestBankTransferReceipts=Latest %s credit transfer orders
-LastWithdrawalReceipts=Latest %s direct debit files
-WithdrawalsLine=Direct debit order line
-CreditTransferLine=Credit transfer line
-WithdrawalsLines=Direct debit order lines
-CreditTransferLines=Credit transfer lines
-RequestStandingOrderToTreat=Requests for direct debit payment order to process
-RequestStandingOrderTreated=Requests for direct debit payment order processed
-RequestPaymentsByBankTransferToTreat=Requests for credit transfer to process
-RequestPaymentsByBankTransferTreated=Requests for credit transfer processed
-NotPossibleForThisStatusOfWithdrawReceiptORLine=Not yet possible. Withdraw status must be set to 'credited' before declaring reject on specific lines.
-NbOfInvoiceToWithdraw=No. of qualified customer invoices with waiting direct debit order
-NbOfInvoiceToWithdrawWithInfo=No. of customer invoice with direct debit payment orders having defined bank account information
-NbOfInvoiceToPayByBankTransfer=No. of qualified supplier invoices waiting for a payment by credit transfer
-SupplierInvoiceWaitingWithdraw=Vendor invoice waiting for payment by credit transfer
-InvoiceWaitingWithdraw=Invoice waiting for direct debit
-InvoiceWaitingPaymentByBankTransfer=Invoice waiting for credit transfer
-AmountToWithdraw=撤回する金額
-NoInvoiceToWithdraw=No invoice open for '%s' is waiting. Go on tab '%s' on invoice card to make a request.
-NoSupplierInvoiceToWithdraw=No supplier invoice with open 'Direct credit requests' is waiting. Go on tab '%s' on invoice card to make a request.
-ResponsibleUser=User Responsible
-WithdrawalsSetup=Direct debit payment setup
-CreditTransferSetup=Credit transfer setup
-WithdrawStatistics=Direct debit payment statistics
-CreditTransferStatistics=Credit transfer statistics
+PaymentByBankTransferReceipts=クレジット転送注文
+PaymentByBankTransferLines=クレジット転送オーダーライン
+WithdrawalsReceipts=口座振替の注文
+WithdrawalReceipt=口座振替の注文
+BankTransferReceipts=クレジット転送注文
+BankTransferReceipt=クレジット転送注文
+LatestBankTransferReceipts=最新の%sクレジット転送注文
+LastWithdrawalReceipts=最新の%s口座振替ファイル
+WithdrawalsLine=口座振替注文ライン
+CreditTransferLine=クレジット転送ライン
+WithdrawalsLines=口座振替注文明細
+CreditTransferLines=クレジット転送ライン
+RequestStandingOrderToTreat=処理する口座振替の注文のリクエスト
+RequestStandingOrderTreated=口座振替の支払注文のリクエストが処理された
+RequestPaymentsByBankTransferToTreat=処理するクレジット転送のリクエスト
+RequestPaymentsByBankTransferTreated=処理されたクレジット転送のリクエスト
+NotPossibleForThisStatusOfWithdrawReceiptORLine=まだ不可能。特定の行で拒否を宣言する前に、撤回ステータスを「クレジット済み」に設定する必要がある。
+NbOfInvoiceToWithdraw=口座振替の注文を待っている適格な顧客の請求書の数
+NbOfInvoiceToWithdrawWithInfo=銀行口座情報が定義された口座振替の注文を含む顧客の請求書の数
+NbOfInvoiceToPayByBankTransfer=クレジット振込による支払を待っている適格なサプライヤー請求書の数
+SupplierInvoiceWaitingWithdraw=クレジット振込による支払を待っている仕入先の請求書
+InvoiceWaitingWithdraw=口座振替を待っている請求書
+InvoiceWaitingPaymentByBankTransfer=クレジット転送を待っている請求書
+AmountToWithdraw=引落とす金額
+NoInvoiceToWithdraw='%s'の未処理の請求書は待機していない。請求書カードのタブ「%s」に移動して、リクエストを行う。
+NoSupplierInvoiceToWithdraw=「直接クレジットリクエスト」が開いているサプライヤの請求書は待機していない。請求書カードのタブ「%s」に移動して、リクエストを行う。
+ResponsibleUser=ユーザ責任
+WithdrawalsSetup=口座振替の設定
+CreditTransferSetup=クレジット転送の設定
+WithdrawStatistics=口座振替の支払統計
+CreditTransferStatistics=クレジット転送統計
Rejects=拒否する
-LastWithdrawalReceipt=Latest %s direct debit receipts
-MakeWithdrawRequest=Make a direct debit payment request
-MakeBankTransferOrder=Make a credit transfer request
-WithdrawRequestsDone=%s direct debit payment requests recorded
-ThirdPartyBankCode=Third-party bank code
-NoInvoiceCouldBeWithdrawed=No invoice debited successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s.
+LastWithdrawalReceipt=最新の%s口座振替の領収書
+MakeWithdrawRequest=口座振替の支払リクエストを行う
+MakeBankTransferOrder=クレジット振込をリクエストする
+WithdrawRequestsDone=%s口座振替の支払要求が記録された
+BankTransferRequestsDone=%sクレジット転送リクエストが記録済
+ThirdPartyBankCode=サードパーティの銀行コード
+NoInvoiceCouldBeWithdrawed=正常に引き落とされた請求書はない。請求書が有効なIBANを持つ会社のものであり、IBANにモード %s のUMR(一意の委任参照)があることを確認すること。
ClassCredited=入金分類
-ClassCreditedConfirm=あなたの銀行口座に入金、この撤退の領収書を分類してもよろしいですか?
+ClassCreditedConfirm=あなたの銀行口座に入金、この引落しの領収書を分類してもよいか?
TransData=日付伝送
TransMetod=方式伝送
Send=送信
Lines=行
StandingOrderReject=拒否を発行
-WithdrawsRefused=Direct debit refused
-WithdrawalRefused=撤退は拒否されました
-CreditTransfersRefused=Credit transfers refused
-WithdrawalRefusedConfirm=あなたは社会のために撤退拒否を入力してもよろしいです
+WithdrawsRefused=口座振替は拒否された
+WithdrawalRefused=引落しは拒否された
+CreditTransfersRefused=クレジット転送が拒否された
+WithdrawalRefusedConfirm=協会に対する引落し拒否を入力してもよいか
RefusedData=拒絶反応の日付
RefusedReason=拒否理由
RefusedInvoicing=拒絶反応を請求
-NoInvoiceRefused=拒絶反応を充電しないでください
-InvoiceRefused=Invoice refused (Charge the rejection to customer)
-StatusDebitCredit=Status debit/credit
+NoInvoiceRefused=拒絶反応を充電しないこと
+InvoiceRefused=請求書が拒否された(拒否を顧客に請求する)
+StatusDebitCredit=ステータスの借方/貸方
StatusWaiting=待っている
StatusTrans=送信
-StatusDebited=Debited
+StatusDebited=借方記入
StatusCredited=クレジット
StatusPaid=有料
StatusRefused=拒否
StatusMotif0=特定されていない
StatusMotif1=提供insuffisante
StatusMotif2=ティラージュconteste
-StatusMotif3=No direct debit payment order
-StatusMotif4=Sales Order
+StatusMotif3=口座振替の注文はない
+StatusMotif4=販売注文
StatusMotif5=inexploitable RIB
StatusMotif6=バランスせずにアカウント
StatusMotif7=裁判
StatusMotif8=他の理由
-CreateForSepaFRST=Create direct debit file (SEPA FRST)
-CreateForSepaRCUR=Create direct debit file (SEPA RCUR)
-CreateAll=Create direct debit file (all)
-CreateFileForPaymentByBankTransfer=Create file for credit transfer
-CreateSepaFileForPaymentByBankTransfer=Create credit transfer file (SEPA)
+CreateForSepaFRST=口座振替ファイルの作成(SEPA FRST)
+CreateForSepaRCUR=口座振替ファイルの作成(SEPA RCUR)
+CreateAll=口座振替ファイルの作成(すべて)
+CreateFileForPaymentByBankTransfer=クレジット転送用のファイルを作成する
+CreateSepaFileForPaymentByBankTransfer=クレジット転送ファイル(SEPA)の作成
CreateGuichet=唯一のオフィス
CreateBanque=唯一の銀行
OrderWaiting=治療を待っている
-NotifyTransmision=Record file transmission of order
-NotifyCredit=Record credit of order
+NotifyTransmision=注文の記録ファイル送信
+NotifyCredit=注文のクレジットを記録する
NumeroNationalEmetter=国立トランスミッタ数
WithBankUsingRIB=RIBを使用した銀行口座
WithBankUsingBANBIC=IBAN / BIC / SWIFTを使用した銀行口座
-BankToReceiveWithdraw=Receiving Bank Account
-BankToPayCreditTransfer=Bank Account used as source of payments
+BankToReceiveWithdraw=銀行口座の受け取り
+BankToPayCreditTransfer=支払元として使用される銀行口座
CreditDate=クレジットで
-WithdrawalFileNotCapable=Unable to generate withdrawal receipt file for your country %s (Your country is not supported)
-ShowWithdraw=Show Direct Debit Order
-IfInvoiceNeedOnWithdrawPaymentWontBeClosed=However, if invoice has at least one direct debit payment order not yet processed, it won't be set as paid to allow prior withdrawal management.
-DoStandingOrdersBeforePayments=This tab allows you to request a direct debit payment order. Once done, go into menu Bank->Payment by direct debit to generate and manage the direct debit order. When direct debit order is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null.
-DoCreditTransferBeforePayments=This tab allows you to request a credit transfer order. Once done, go into menu Bank->Payment by credit transfer to generate and manage the credit transfer order. When credit transfer order is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null.
-WithdrawalFile=Debit order file
-CreditTransferFile=Credit transfer file
-SetToStatusSent=Set to status "File Sent"
-ThisWillAlsoAddPaymentOnInvoice=This will also record payments on invoices and will classify them as "Paid" if remain to pay is null
-StatisticsByLineStatus=Statistics by status of lines
+WithdrawalFileNotCapable=お住まいの国の引き出しレシートファイルを生成できない%s(お住まいの国はサポートされていない)
+ShowWithdraw=口座振替の注文を表示
+IfInvoiceNeedOnWithdrawPaymentWontBeClosed=ただし、請求書にまだ処理されていない口座振替の支払注文が少なくとも1つある場合、事前の引き出し管理を可能にするために支払済みとして設定されない。
+DoStandingOrdersBeforePayments=このタブでは、口座振替の支払注文をリクエストできる。完了したら、メニューの 銀行 -> 口座振替による支払 に移動して、口座振替の注文を生成および管理する。口座振替の注文が締め切られると、請求書の支払は自動的に記録され、残りの支払がゼロの場合は請求書が締め切られる。
+DoCreditTransferBeforePayments=このタブでは、クレジット振込の注文をリクエストできる。完了したら、メニュー 銀行 -> クレジット転送による支払 に移動して、クレジット転送オーダーを生成および管理する。クレジット振込注文がクローズされると、請求書の支払が自動的に記録され、残りの支払がゼロの場合、請求書はクローズされる。
+WithdrawalFile=デビット注文ファイル
+CreditTransferFile=クレジット転送ファイル
+SetToStatusSent=ステータス「ファイル送信済み」に設定
+ThisWillAlsoAddPaymentOnInvoice=これはまた、請求書に支払を記録し、支払の残りがnullの場合、それらを「支払済み」として分類する
+StatisticsByLineStatus=回線のステータスによる統計
RUM=UMR
-DateRUM=Mandate signature date
-RUMLong=Unique Mandate Reference
-RUMWillBeGenerated=If empty, a UMR (Unique Mandate Reference) will be generated once the bank account information is saved.
-WithdrawMode=Direct debit mode (FRST or RECUR)
-WithdrawRequestAmount=Amount of Direct debit request:
-BankTransferAmount=Amount of Credit Transfer request:
-WithdrawRequestErrorNilAmount=Unable to create direct debit request for empty amount.
-SepaMandate=SEPA Direct Debit Mandate
-SepaMandateShort=SEPA Mandate
-PleaseReturnMandate=Please return this mandate form by email to %s or by mail to
-SEPALegalText=By signing this mandate form, you authorize (A) %s to send instructions to your bank to debit your account and (B) your bank to debit your account in accordance with the instructions from %s. As part of your rights, you are entitled to a refund from your bank under the terms and conditions of your agreement with your bank. A refund must be claimed within 8 weeks starting from the date on which your account was debited. Your rights regarding the above mandate are explained in a statement that you can obtain from your bank.
-CreditorIdentifier=Creditor Identifier
-CreditorName=Creditor Name
-SEPAFillForm=(B) Please complete all the fields marked *
-SEPAFormYourName=Your name
-SEPAFormYourBAN=Your Bank Account Name (IBAN)
-SEPAFormYourBIC=Your Bank Identifier Code (BIC)
-SEPAFrstOrRecur=Type of payment
-ModeRECUR=Recurring payment
-ModeFRST=One-off payment
-PleaseCheckOne=Please check one only
-CreditTransferOrderCreated=Credit transfer order %s created
-DirectDebitOrderCreated=Direct debit order %s created
-AmountRequested=Amount requested
+DateRUM=署名日を委任する
+RUMLong=独自のマンデートリファレンス
+RUMWillBeGenerated=空の場合、銀行口座情報が保存されると、UMR(Unique Mandate Reference)が生成される。
+WithdrawMode=口座振替モード(FRSTまたはRECUR)
+WithdrawRequestAmount=口座振替リクエストの金額:
+BankTransferAmount=クレジット送金リクエストの金額:
+WithdrawRequestErrorNilAmount=空の金額の口座振替リクエストを作成できない。
+SepaMandate=SEPA口座振替の委任
+SepaMandateShort=SEPAマンデート
+PleaseReturnMandate=この委任フォームを電子メールで%sに、または郵送でに返送すること。
+SEPALegalText=この委任フォームに署名することにより、(A)%sが銀行に口座から引き落とすように指示を送信し、(B)%sからの指示に従って銀行が口座から引き落とすように承認する。あなたの権利の一部として、あなたはあなたの銀行とのあなたの合意の条件の下であなたの銀行からの払い戻しを受ける権利がある。アカウントから引き落とされた日から8週間以内に払い戻しを請求する必要がある。上記の義務に関するあなたの権利は、あなたがあなたの銀行から入手できる残高明細で説明される。
+CreditorIdentifier=債権者識別子
+CreditorName=債権者名
+SEPAFillForm=(B)*のマークが付いているすべてのフィールドに入力すること
+SEPAFormYourName=あなたの名前
+SEPAFormYourBAN=あなたの銀行口座名(IBAN)
+SEPAFormYourBIC=銀行識別コード(BIC)
+SEPAFrstOrRecur=支払方法
+ModeRECUR=定期支払
+ModeFRST=一回限りの支払
+PleaseCheckOne=1つだけ確認すること
+CreditTransferOrderCreated=クレジット転送オーダー%sが作成された
+DirectDebitOrderCreated=口座振替注文%sが作成された
+AmountRequested=要求された金額
SEPARCUR=SEPA CUR
SEPAFRST=SEPA FRST
-ExecutionDate=Execution date
-CreateForSepa=Create direct debit file
-ICS=Creditor Identifier CI
-END_TO_END="EndToEndId" SEPA XML tag - Unique id assigned per transaction
-USTRD="Unstructured" SEPA XML tag
-ADDDAYS=Add days to Execution Date
-NoDefaultIBANFound=No default IBAN found for this third party
+ExecutionDate=実行日
+CreateForSepa=口座振替ファイルを作成する
+ICS=口座振替の貸方識別子 CI
+ICSTransfer=銀行振込の貸方識別子 CI
+END_TO_END=「EndToEndId」SEPAXMLタグ-トランザクションごとに割り当てられた一意のID
+USTRD=「非構造化」SEPAXMLタグ
+ADDDAYS=実行日に日数を追加
+NoDefaultIBANFound=このサードパーティのデフォルトのIBANは見つからなかった
### Notifications
-InfoCreditSubject=Payment of direct debit payment order %s by the bank
-InfoCreditMessage=The direct debit payment order %s has been paid by the bank Data of payment: %s
-InfoTransSubject=Transmission of direct debit payment order %s to bank
-InfoTransMessage=The direct debit payment order %s has been sent to bank by %s %s.
- %s
ModeWarning=リアルモードのオプションが設定されていない、我々は、このシミュレーションの後に停止
-ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know wich one to use.
+ErrorCompanyHasDuplicateDefaultBAN=ID %s の法人には、複数のデフォルトの銀行口座がある。どちらを使用するかを知る方法はない。
+ErrorICSmissing=銀行口座%sにICSがない
diff --git a/htdocs/langs/ja_JP/workflow.lang b/htdocs/langs/ja_JP/workflow.lang
index ab06c374860..9b005891405 100644
--- a/htdocs/langs/ja_JP/workflow.lang
+++ b/htdocs/langs/ja_JP/workflow.lang
@@ -1,23 +1,23 @@
# Dolibarr language file - Source file is en_US - workflow
-WorkflowSetup=ワークフローモジュールのセットアップ
-WorkflowDesc=This module provides some automatic actions. By default, the workflow is open (you can do things in the order you want) but here you can activate some automatic actions.
-ThereIsNoWorkflowToModify=There is no workflow modifications available with the activated modules.
+WorkflowSetup=ワークフローモジュールの設定
+WorkflowDesc=このモジュールは、いくつかの自動アクションを提供する。デフォルトでは、ワークフローは開いている(必要な順序で実行できる)が、ここでいくつかの自動アクションをアクティブ化できる。
+ThereIsNoWorkflowToModify=アクティブ化されたモジュールで使用できるワークフローの変更はない。
# Autocreate
-descWORKFLOW_PROPAL_AUTOCREATE_ORDER=Automatically create a sales order after a commercial proposal is signed (the new order will have same amount as the proposal)
-descWORKFLOW_PROPAL_AUTOCREATE_INVOICE=Automatically create a customer invoice after a commercial proposal is signed (the new invoice will have same amount as the proposal)
-descWORKFLOW_CONTRACT_AUTOCREATE_INVOICE=Automatically create a customer invoice after a contract is validated
-descWORKFLOW_ORDER_AUTOCREATE_INVOICE=Automatically create a customer invoice after a sales order is closed (the new invoice will have same amount as the order)
+descWORKFLOW_PROPAL_AUTOCREATE_ORDER=売買契約提案書が署名された後、自動的に販売注文を作成する(新規注文は提案と同じ金額になる)
+descWORKFLOW_PROPAL_AUTOCREATE_INVOICE=売買契約提案書書に署名した後、顧客の請求書を自動的に作成する(新規請求書は提案書と同じ金額になる)
+descWORKFLOW_CONTRACT_AUTOCREATE_INVOICE=契約が検証された後、顧客の請求書を自動的に作成する
+descWORKFLOW_ORDER_AUTOCREATE_INVOICE=受注がクローズされた後、顧客の請求書を自動的に作成する(新規請求書は注文と同じ金額になる)
# Autoclassify customer proposal or order
-descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Classify linked source proposal as billed when sales order is set to billed (and if the amount of the order is the same as the total amount of the signed linked proposal)
-descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Classify linked source proposal as billed when customer invoice is validated (and if the amount of the invoice is the same as the total amount of the signed linked proposal)
-descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Classify linked source sales order as billed when customer invoice is validated (and if the amount of the invoice is the same as the total amount of the linked order)
-descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Classify linked source sales order as billed when customer invoice is set to paid (and if the amount of the invoice is the same as the total amount of the linked order)
-descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Classify linked source sales order as shipped when a shipment is validated (and if the quantity shipped by all shipments is the same as in the order to update)
+descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=販売注文が請求済みに設定されている場合(および注文の金額が署名されたリンクされた提案の合計金額と同じ場合)、リンクされたソース提案を請求済みとして分類する。
+descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=リンクされたソースプロポーザルを、顧客の請求書が検証されたときに請求済みとして分類する(また、請求書の金額が署名されたリンクされたプロポーザルの合計金額と同じである場合)
+descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=顧客の請求書が検証されたときに請求済みとしてリンクされたソース販売注文を分類する(請求書の金額がリンクされた注文の合計金額と同じである場合)
+descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=顧客の請求書が支払い済みに設定されている場合(および請求書の金額がリンクされた注文の合計金額と同じである場合)、リンクされたソース販売注文を請求済みとして分類する。
+descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=リンクされたソース販売注文を、出荷が検証されたときに出荷されたものとして分類する(また、すべての出荷によって出荷された数量が更新する注文と同じである場合)
# Autoclassify purchase order
-descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Classify linked source vendor proposal as billed when vendor invoice is validated (and if the amount of the invoice is the same as the total amount of the linked proposal)
-descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Classify linked source purchase order as billed when vendor invoice is validated (and if the amount of the invoice is the same as the total amount of the linked order)
-descWORKFLOW_BILL_ON_RECEPTION=Classify receptions to "billed" when a linked supplier order is validated
+descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=リンクされたソースベンダーの提案を、ベンダーの請求書が検証されたときに請求済みとして分類する(また、請求書の金額がリンクされた提案の合計金額と同じである場合)。
+descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=ベンダーの請求書が検証されたときに請求済みとしてリンクされたソース発注書を分類する(請求書の金額がリンクされた注文の合計金額と同じである場合)
+descWORKFLOW_BILL_ON_RECEPTION=リンクされたサプライヤの注文が検証されたときに、受信を「請求済み」に分類する
# Autoclose intervention
-descWORKFLOW_TICKET_CLOSE_INTERVENTION=Close all interventions linked to the ticket when a ticket is closed
-AutomaticCreation=Automatic creation
-AutomaticClassification=Automatic classification
+descWORKFLOW_TICKET_CLOSE_INTERVENTION=チケットが閉じられたら、チケットにリンクされているすべての介入を閉じる
+AutomaticCreation=自動作成
+AutomaticClassification=自動分類
diff --git a/htdocs/langs/ka_GE/accountancy.lang b/htdocs/langs/ka_GE/accountancy.lang
index 3211a0b62df..33ba4d9fea7 100644
--- a/htdocs/langs/ka_GE/accountancy.lang
+++ b/htdocs/langs/ka_GE/accountancy.lang
@@ -48,6 +48,7 @@ CountriesExceptMe=All countries except %s
AccountantFiles=Export source documents
ExportAccountingSourceDocHelp=With this tool, you can export the source events (list and PDFs) that were used to generate your accountancy. To export your journals, use the menu entry %s - %s.
VueByAccountAccounting=View by accounting account
+VueBySubAccountAccounting=View by accounting subaccount
MainAccountForCustomersNotDefined=Main accounting account for customers not defined in setup
MainAccountForSuppliersNotDefined=Main accounting account for vendors not defined in setup
@@ -144,7 +145,7 @@ NotVentilatedinAccount=Not bound to the accounting account
XLineSuccessfullyBinded=%s products/services successfully bound to an accounting account
XLineFailedToBeBinded=%s products/services were not bound to any accounting account
-ACCOUNTING_LIMIT_LIST_VENTILATION=Number of elements to bind shown by page (maximum recommended: 50)
+ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50)
ACCOUNTING_LIST_SORT_VENTILATION_TODO=Begin the sorting of the page "Binding to do" by the most recent elements
ACCOUNTING_LIST_SORT_VENTILATION_DONE=Begin the sorting of the page "Binding done" by the most recent elements
@@ -198,7 +199,8 @@ Docdate=Date
Docref=Reference
LabelAccount=Label account
LabelOperation=Label operation
-Sens=Sens
+Sens=Direction
+AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received For an accounting account of a supplier, use Debit to record a payment you make
LetteringCode=Lettering code
Lettering=Lettering
Codejournal=Journal
@@ -206,7 +208,8 @@ JournalLabel=Journal label
NumPiece=Piece number
TransactionNumShort=Num. transaction
AccountingCategory=Personalized groups
-GroupByAccountAccounting=Group by accounting account
+GroupByAccountAccounting=Group by general ledger account
+GroupBySubAccountAccounting=Group by subledger account
AccountingAccountGroupsDesc=You can define here some groups of accounting account. They will be used for personalized accounting reports.
ByAccounts=By accounts
ByPredefinedAccountGroups=By predefined groups
@@ -248,7 +251,7 @@ PaymentsNotLinkedToProduct=Payment not linked to any product / service
OpeningBalance=Opening balance
ShowOpeningBalance=Show opening balance
HideOpeningBalance=Hide opening balance
-ShowSubtotalByGroup=Show subtotal by group
+ShowSubtotalByGroup=Show subtotal by level
Pcgtype=Group of account
PcgtypeDesc=Group of account are used as predefined 'filter' and 'grouping' criteria for some accounting reports. For example, 'INCOME' or 'EXPENSE' are used as groups for accounting accounts of products to build the expense/income report.
@@ -271,11 +274,13 @@ DescVentilExpenseReport=Consult here the list of expense report lines bound (or
DescVentilExpenseReportMore=If you setup accounting account on type of expense report lines, the application will be able to make all the binding between your expense report lines and the accounting account of your chart of accounts, just in one click with the button "%s". If account was not set on fees dictionary or if you still have some lines not bound to any account, you will have to make a manual binding from the menu "%s".
DescVentilDoneExpenseReport=Consult here the list of the lines of expenses reports and their fees accounting account
+Closure=Annual closure
DescClosure=Consult here the number of movements by month who are not validated & fiscal years already open
OverviewOfMovementsNotValidated=Step 1/ Overview of movements not validated. (Necessary to close a fiscal year)
+AllMovementsWereRecordedAsValidated=All movements were recorded as validated
+NotAllMovementsCouldBeRecordedAsValidated=Not all movements could be recorded as validated
ValidateMovements=Validate movements
DescValidateMovements=Any modification or deletion of writing, lettering and deletes will be prohibited. All entries for an exercise must be validated otherwise closing will not be possible
-SelectMonthAndValidate=Select month and validate movements
ValidateHistory=Bind Automatically
AutomaticBindingDone=Automatic binding done
@@ -293,6 +298,7 @@ Accounted=Accounted in ledger
NotYetAccounted=Not yet accounted in ledger
ShowTutorial=Show Tutorial
NotReconciled=Not reconciled
+WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view
## Admin
BindingOptions=Binding options
@@ -337,6 +343,7 @@ Modelcsv_LDCompta10=Export for LD Compta (v10 & higher)
Modelcsv_openconcerto=Export for OpenConcerto (Test)
Modelcsv_configurable=Export CSV Configurable
Modelcsv_FEC=Export FEC
+Modelcsv_FEC2=Export FEC (With dates generation writing / document reversed)
Modelcsv_Sage50_Swiss=Export for Sage 50 Switzerland
Modelcsv_winfic=Export Winfic - eWinfic - WinSis Compta
Modelcsv_Gestinumv3=Export for Gestinum (v3)
diff --git a/htdocs/langs/ka_GE/admin.lang b/htdocs/langs/ka_GE/admin.lang
index f1c41a3b62b..189b0b5186a 100644
--- a/htdocs/langs/ka_GE/admin.lang
+++ b/htdocs/langs/ka_GE/admin.lang
@@ -56,6 +56,8 @@ GUISetup=Display
SetupArea=Setup
UploadNewTemplate=Upload new template(s)
FormToTestFileUploadForm=Form to test file upload (according to setup)
+ModuleMustBeEnabled=The module/application %s must be enabled
+ModuleIsEnabled=The module/application %s has been enabled
IfModuleEnabled=Note: yes is effective only if module %s is enabled
RemoveLock=Remove/rename file %s if it exists, to allow usage of the Update/Install tool.
RestoreLock=Restore file %s, with read permission only, to disable any further use of the Update/Install tool.
@@ -85,7 +87,6 @@ ShowPreview=Show preview
ShowHideDetails=Show-Hide details
PreviewNotAvailable=Preview not available
ThemeCurrentlyActive=Theme currently active
-CurrentTimeZone=TimeZone PHP (server)
MySQLTimeZone=TimeZone MySql (database)
TZHasNoEffect=Dates are stored and returned by database server as if they were kept as submitted string. The timezone has effect only when using the UNIX_TIMESTAMP function (that should not be used by Dolibarr, so database TZ should have no effect, even if changed after data was entered).
Space=Space
@@ -153,8 +154,8 @@ SystemToolsAreaDesc=This area provides administration functions. Use the menu to
Purge=Purge
PurgeAreaDesc=This page allows you to delete all files generated or stored by Dolibarr (temporary files or all files in %s directory). Using this feature is not normally necessary. It is provided as a workaround for users whose Dolibarr is hosted by a provider that does not offer permissions to delete files generated by the web server.
PurgeDeleteLogFile=Delete log files, including %s defined for Syslog module (no risk of losing data)
-PurgeDeleteTemporaryFiles=Delete all temporary files (no risk of losing data). Note: Deletion is done only if the temp directory was created 24 hours ago.
-PurgeDeleteTemporaryFilesShort=Delete temporary files
+PurgeDeleteTemporaryFiles=Delete all log and temporary files (no risk of losing data). Note: Deletion of temporary files is done only if the temp directory was created more than 24 hours ago.
+PurgeDeleteTemporaryFilesShort=Delete log and temporary files
PurgeDeleteAllFilesInDocumentsDir=Delete all files in directory: %s. This will delete all generated documents related to elements (third parties, invoices etc...), files uploaded into the ECM module, database backup dumps and temporary files.
PurgeRunNow=Purge now
PurgeNothingToDelete=No directory or files to delete.
@@ -256,6 +257,7 @@ ReferencedPreferredPartners=Preferred Partners
OtherResources=Other resources
ExternalResources=External Resources
SocialNetworks=Social Networks
+SocialNetworkId=Social Network ID
ForDocumentationSeeWiki=For user or developer documentation (Doc, FAQs...), take a look at the Dolibarr Wiki: %s
ForAnswersSeeForum=For any other questions/help, you can use the Dolibarr forum: %s
HelpCenterDesc1=Here are some resources for getting help and support with Dolibarr.
@@ -375,7 +377,7 @@ ExamplesWithCurrentSetup=Examples with current configuration
ListOfDirectories=List of OpenDocument templates directories
ListOfDirectoriesForModelGenODT=List of directories containing templates files with OpenDocument format.
Put here full path of directories. Add a carriage return between eah directory. To add a directory of the GED module, add here DOL_DATA_ROOT/ecm/yourdirectoryname.
Files in those directories must end with .odt or .ods.
NumberOfModelFilesFound=Number of ODT/ODS template files found in these directories
-ExampleOfDirectoriesForModelGen=Examples of syntax: c:\\mydir /home/mydir DOL_DATA_ROOT/ecm/ecmdir
+ExampleOfDirectoriesForModelGen=Examples of syntax: c:\\myapp\\mydocumentdir\\mysubdir /home/myapp/mydocumentdir/mysubdir DOL_DATA_ROOT/ecm/ecmdir
FollowingSubstitutionKeysCanBeUsed= To know how to create your odt document templates, before storing them in those directories, read wiki documentation:
FullListOnOnlineDocumentation=http://wiki.dolibarr.org/index.php/Create_an_ODT_document_template
FirstnameNamePosition=Position of Name/Lastname
@@ -406,7 +408,7 @@ UrlGenerationParameters=Parameters to secure URLs
SecurityTokenIsUnique=Use a unique securekey parameter for each URL
EnterRefToBuildUrl=Enter reference for object %s
GetSecuredUrl=Get calculated URL
-ButtonHideUnauthorized=Hide buttons for non-admin users for unauthorized actions instead of showing greyed disabled buttons
+ButtonHideUnauthorized=Hide unauthorized action buttons also for internal users (just greyed otherwise)
OldVATRates=Old VAT rate
NewVATRates=New VAT rate
PriceBaseTypeToChange=Modify on prices with base reference value defined on
@@ -1689,7 +1691,7 @@ NotTopTreeMenuPersonalized=Personalized menus not linked to a top menu entry
NewMenu=New menu
MenuHandler=Menu handler
MenuModule=Source module
-HideUnauthorizedMenu= Hide unauthorized menus (gray)
+HideUnauthorizedMenu=Hide unauthorized menus also for internal users (just greyed otherwise)
DetailId=Id menu
DetailMenuHandler=Menu handler where to show new menu
DetailMenuModule=Module name if menu entry come from a module
@@ -1983,11 +1985,12 @@ EMailHost=Host of email IMAP server
MailboxSourceDirectory=Mailbox source directory
MailboxTargetDirectory=Mailbox target directory
EmailcollectorOperations=Operations to do by collector
+EmailcollectorOperationsDesc=Operations are executed from top to bottom order
MaxEmailCollectPerCollect=Max number of emails collected per collect
CollectNow=Collect now
ConfirmCloneEmailCollector=Are you sure you want to clone the Email collector %s ?
-DateLastCollectResult=Date latest collect tried
-DateLastcollectResultOk=Date latest collect successfull
+DateLastCollectResult=Date of latest collect try
+DateLastcollectResultOk=Date of latest collect success
LastResult=Latest result
EmailCollectorConfirmCollectTitle=Email collect confirmation
EmailCollectorConfirmCollect=Do you want to run the collection for this collector now ?
@@ -2005,7 +2008,7 @@ WithDolTrackingID=Message from a conversation initiated by a first email sent fr
WithoutDolTrackingID=Message from a conversation initiated by a first email NOT sent from Dolibarr
WithDolTrackingIDInMsgId=Message sent from Dolibarr
WithoutDolTrackingIDInMsgId=Message NOT sent from Dolibarr
-CreateCandidature=Create candidature
+CreateCandidature=Create job application
FormatZip=Zip
MainMenuCode=Menu entry code (mainmenu)
ECMAutoTree=Show automatic ECM tree
@@ -2083,3 +2086,7 @@ CountryIfSpecificToOneCountry=Country (if specific to a given country)
YouMayFindSecurityAdviceHere=You may find security advisory here
ModuleActivatedMayExposeInformation=This module may expose sensitive data. If you don't need it, disable it.
ModuleActivatedDoNotUseInProduction=A module designed for the development has been enabled. Do not enable it on a production environment.
+CombinationsSeparator=Separator character for product combinations
+SeeLinkToOnlineDocumentation=See link to online documention on top menu for examples
+SHOW_SUBPRODUCT_REF_IN_PDF=If the feature "%s" of module %s is used, show details of subproducts of a kit on PDF.
+AskThisIDToYourBank=Contact your bank to get this ID
diff --git a/htdocs/langs/ka_GE/banks.lang b/htdocs/langs/ka_GE/banks.lang
index 9500a5b8b2e..a0dc27f86c4 100644
--- a/htdocs/langs/ka_GE/banks.lang
+++ b/htdocs/langs/ka_GE/banks.lang
@@ -173,8 +173,8 @@ SEPAMandate=SEPA mandate
YourSEPAMandate=Your SEPA mandate
FindYourSEPAMandate=This is your SEPA mandate to authorize our company to make direct debit order to your bank. Return it signed (scan of the signed document) or send it by mail to
AutoReportLastAccountStatement=Automatically fill the field 'number of bank statement' with last statement number when making reconciliation
-CashControl=POS cash fence
-NewCashFence=New cash fence
+CashControl=POS cash desk control
+NewCashFence=New cash desk closing
BankColorizeMovement=Colorize movements
BankColorizeMovementDesc=If this function is enable, you can choose specific background color for debit or credit movements
BankColorizeMovementName1=Background color for debit movement
diff --git a/htdocs/langs/ka_GE/blockedlog.lang b/htdocs/langs/ka_GE/blockedlog.lang
index 5afae6e9e53..0bba5605d0f 100644
--- a/htdocs/langs/ka_GE/blockedlog.lang
+++ b/htdocs/langs/ka_GE/blockedlog.lang
@@ -35,7 +35,7 @@ logDON_DELETE=Donation logical deletion
logMEMBER_SUBSCRIPTION_CREATE=Member subscription created
logMEMBER_SUBSCRIPTION_MODIFY=Member subscription modified
logMEMBER_SUBSCRIPTION_DELETE=Member subscription logical deletion
-logCASHCONTROL_VALIDATE=Cash fence recording
+logCASHCONTROL_VALIDATE=Cash desk closing recording
BlockedLogBillDownload=Customer invoice download
BlockedLogBillPreview=Customer invoice preview
BlockedlogInfoDialog=Log Details
diff --git a/htdocs/langs/ka_GE/boxes.lang b/htdocs/langs/ka_GE/boxes.lang
index d6fd298a3a7..7db4ea8aa17 100644
--- a/htdocs/langs/ka_GE/boxes.lang
+++ b/htdocs/langs/ka_GE/boxes.lang
@@ -46,9 +46,12 @@ BoxTitleLastModifiedDonations=Latest %s modified donations
BoxTitleLastModifiedExpenses=Latest %s modified expense reports
BoxTitleLatestModifiedBoms=Latest %s modified BOMs
BoxTitleLatestModifiedMos=Latest %s modified Manufacturing Orders
+BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded
BoxGlobalActivity=Global activity (invoices, proposals, orders)
BoxGoodCustomers=Good customers
BoxTitleGoodCustomers=%s Good customers
+BoxScheduledJobs=Scheduled jobs
+BoxTitleFunnelOfProspection=Lead funnel
FailedToRefreshDataInfoNotUpToDate=Failed to refresh RSS flux. Latest successful refresh date: %s
LastRefreshDate=Latest refresh date
NoRecordedBookmarks=No bookmarks defined.
@@ -102,5 +105,7 @@ SuspenseAccountNotDefined=Suspense account isn't defined
BoxLastCustomerShipments=Last customer shipments
BoxTitleLastCustomerShipments=Latest %s customer shipments
NoRecordedShipments=No recorded customer shipment
+BoxCustomersOutstandingBillReached=Customers with oustanding limit reached
# Pages
AccountancyHome=Accountancy
+ValidatedProjects=Validated projects
diff --git a/htdocs/langs/ka_GE/cashdesk.lang b/htdocs/langs/ka_GE/cashdesk.lang
index 498baa82200..3fef645d99d 100644
--- a/htdocs/langs/ka_GE/cashdesk.lang
+++ b/htdocs/langs/ka_GE/cashdesk.lang
@@ -49,8 +49,8 @@ Footer=Footer
AmountAtEndOfPeriod=Amount at end of period (day, month or year)
TheoricalAmount=Theorical amount
RealAmount=Real amount
-CashFence=Cash fence
-CashFenceDone=Cash fence done for the period
+CashFence=Cash desk closing
+CashFenceDone=Cash desk closing done for the period
NbOfInvoices=Nb of invoices
Paymentnumpad=Type of Pad to enter payment
Numberspad=Numbers Pad
@@ -99,8 +99,9 @@ CashDeskRefNumberingModules=Numbering module for POS sales
CashDeskGenericMaskCodes6 = {TN} tag is used to add the terminal number
TakeposGroupSameProduct=Group same products lines
StartAParallelSale=Start a new parallel sale
-ControlCashOpening=Control cash box at opening POS
-CloseCashFence=Close cash fence
+SaleStartedAt=Sale started at %s
+ControlCashOpening=Control cash popup at opening POS
+CloseCashFence=Close cash desk control
CashReport=Cash report
MainPrinterToUse=Main printer to use
OrderPrinterToUse=Order printer to use
@@ -122,3 +123,4 @@ GiftReceipt=Gift receipt
ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled first
AllowDelayedPayment=Allow delayed payment
PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts
+WeighingScale=Weighing scale
diff --git a/htdocs/langs/ka_GE/categories.lang b/htdocs/langs/ka_GE/categories.lang
index ba37a43b4ec..4ddf0d6093f 100644
--- a/htdocs/langs/ka_GE/categories.lang
+++ b/htdocs/langs/ka_GE/categories.lang
@@ -19,6 +19,7 @@ ProjectsCategoriesArea=Projects tags/categories area
UsersCategoriesArea=Users tags/categories area
SubCats=Sub-categories
CatList=List of tags/categories
+CatListAll=List of tags/categories (all types)
NewCategory=New tag/category
ModifCat=Modify tag/category
CatCreated=Tag/category created
@@ -65,16 +66,22 @@ UsersCategoriesShort=Users tags/categories
StockCategoriesShort=Warehouse tags/categories
ThisCategoryHasNoItems=This category does not contain any items.
CategId=Tag/category id
-CatSupList=List of vendor tags/categories
-CatCusList=List of customer/prospect tags/categories
+ParentCategory=Parent tag/category
+ParentCategoryLabel=Label of parent tag/category
+CatSupList=List of vendors tags/categories
+CatCusList=List of customers/prospects tags/categories
CatProdList=List of products tags/categories
CatMemberList=List of members tags/categories
-CatContactList=List of contact tags/categories
-CatSupLinks=Links between suppliers and tags/categories
+CatContactList=List of contacts tags/categories
+CatProjectsList=List of projects tags/categories
+CatUsersList=List of users tags/categories
+CatSupLinks=Links between vendors and tags/categories
CatCusLinks=Links between customers/prospects and tags/categories
CatContactsLinks=Links between contacts/addresses and tags/categories
CatProdLinks=Links between products/services and tags/categories
-CatProJectLinks=Links between projects and tags/categories
+CatMembersLinks=Links between members and tags/categories
+CatProjectsLinks=Links between projects and tags/categories
+CatUsersLinks=Links between users and tags/categories
DeleteFromCat=Remove from tags/category
ExtraFieldsCategories=Complementary attributes
CategoriesSetup=Tags/categories setup
diff --git a/htdocs/langs/ka_GE/companies.lang b/htdocs/langs/ka_GE/companies.lang
index dadff6a7894..8dc815b522e 100644
--- a/htdocs/langs/ka_GE/companies.lang
+++ b/htdocs/langs/ka_GE/companies.lang
@@ -358,7 +358,7 @@ VATIntraCheckableOnEUSite=Check the intra-Community VAT ID on the European Commi
VATIntraManualCheck=You can also check manually on the European Commission website %s
ErrorVATCheckMS_UNAVAILABLE=Check not possible. Check service is not provided by the member state (%s).
NorProspectNorCustomer=Not prospect, nor customer
-JuridicalStatus=Legal Entity Type
+JuridicalStatus=Business entity type
Workforce=Workforce
Staff=Employees
ProspectLevelShort=Potential
diff --git a/htdocs/langs/ka_GE/compta.lang b/htdocs/langs/ka_GE/compta.lang
index 8f4f058bb87..1afeb6e3727 100644
--- a/htdocs/langs/ka_GE/compta.lang
+++ b/htdocs/langs/ka_GE/compta.lang
@@ -111,7 +111,7 @@ Refund=Refund
SocialContributionsPayments=Social/fiscal taxes payments
ShowVatPayment=Show VAT payment
TotalToPay=Total to pay
-BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted ascending on %s and filtered for 1 bank account
+BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted on %s and filtered on 1 bank account (with no other filters)
CustomerAccountancyCode=Customer accounting code
SupplierAccountancyCode=Vendor accounting code
CustomerAccountancyCodeShort=Cust. account. code
@@ -140,7 +140,7 @@ ConfirmDeleteSocialContribution=Are you sure you want to delete this social/fisc
ExportDataset_tax_1=Social and fiscal taxes and payments
CalcModeVATDebt=Mode %sVAT on commitment accounting%s.
CalcModeVATEngagement=Mode %sVAT on incomes-expenses%s.
-CalcModeDebt=Analysis of known recorded invoices even if they are not yet accounted in ledger.
+CalcModeDebt=Analysis of known recorded documents even if they are not yet accounted in ledger.
CalcModeEngagement=Analysis of known recorded payments, even if they are not yet accounted in Ledger.
CalcModeBookkeeping=Analysis of data journalized in Bookkeeping Ledger table.
CalcModeLT1= Mode %sRE on customer invoices - suppliers invoices%s
@@ -154,9 +154,9 @@ AnnualSummaryInputOutputMode=Balance of income and expenses, annual summary
AnnualByCompanies=Balance of income and expenses, by predefined groups of account
AnnualByCompaniesDueDebtMode=Balance of income and expenses, detail by predefined groups, mode %sClaims-Debts%s said Commitment accounting.
AnnualByCompaniesInputOutputMode=Balance of income and expenses, detail by predefined groups, mode %sIncomes-Expenses%s said cash accounting.
-SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation on actual payments made even if they are not yet accounted in Ledger.
-SeeReportInDueDebtMode=See %sanalysis of invoices%s for a calculation based on known recorded invoices even if they are not yet accounted in Ledger.
-SeeReportInBookkeepingMode=See %sBookeeping report%s for a calculation on Bookkeeping Ledger table
+SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation based on recorded payments made even if they are not yet accounted in Ledger
+SeeReportInDueDebtMode=See %sanalysis of recorded documents%s for a calculation based on known recorded documents even if they are not yet accounted in Ledger
+SeeReportInBookkeepingMode=See %sanalysis of bookeeping ledger table%s for a report based on Bookkeeping Ledger table
RulesAmountWithTaxIncluded=- Amounts shown are with all taxes included
RulesResultDue=- It includes outstanding invoices, expenses, VAT, donations whether they are paid or not. Is also includes paid salaries. - It is based on the billing date of invoices and on the due date for expenses or tax payments. For salaries defined with Salary module, the value date of payment is used.
RulesResultInOut=- It includes the real payments made on invoices, expenses, VAT and salaries. - It is based on the payment dates of the invoices, expenses, VAT and salaries. The donation date for donation.
@@ -169,12 +169,15 @@ RulesResultBookkeepingPersonalized=It show record in your Ledger with accounting
SeePageForSetup=See menu %s for setup
DepositsAreNotIncluded=- Down payment invoices are not included
DepositsAreIncluded=- Down payment invoices are included
+LT1ReportByMonth=Tax 2 report by month
+LT2ReportByMonth=Tax 3 report by month
LT1ReportByCustomers=Report tax 2 by third party
LT2ReportByCustomers=Report tax 3 by third party
LT1ReportByCustomersES=Report by third party RE
LT2ReportByCustomersES=Report by third party IRPF
VATReport=Sale tax report
VATReportByPeriods=Sale tax report by period
+VATReportByMonth=Sale tax report by month
VATReportByRates=Sale tax report by rates
VATReportByThirdParties=Sale tax report by third parties
VATReportByCustomers=Sale tax report by customer
diff --git a/htdocs/langs/ka_GE/cron.lang b/htdocs/langs/ka_GE/cron.lang
index d2da7ded67e..2ebdda1e685 100644
--- a/htdocs/langs/ka_GE/cron.lang
+++ b/htdocs/langs/ka_GE/cron.lang
@@ -6,14 +6,15 @@ Permission23102 = Create/update Scheduled job
Permission23103 = Delete Scheduled job
Permission23104 = Execute Scheduled job
# Admin
-CronSetup= Scheduled job management setup
-URLToLaunchCronJobs=URL to check and launch qualified cron jobs
-OrToLaunchASpecificJob=Or to check and launch a specific job
+CronSetup=Scheduled job management setup
+URLToLaunchCronJobs=URL to check and launch qualified cron jobs from a browser
+OrToLaunchASpecificJob=Or to check and launch a specific job from a browser
KeyForCronAccess=Security key for URL to launch cron jobs
FileToLaunchCronJobs=Command line to check and launch qualified cron jobs
CronExplainHowToRunUnix=On Unix environment you should use the following crontab entry to run the command line each 5 minutes
-CronExplainHowToRunWin=On Microsoft(tm) Windows environement you can use Scheduled task tools to run the command line each 5 minutes
+CronExplainHowToRunWin=On Microsoft(tm) Windows environment you can use Scheduled Task tools to run the command line each 5 minutes
CronMethodDoesNotExists=Class %s does not contains any method %s
+CronMethodNotAllowed=Method %s of class %s is in blacklist of forbidden methods
CronJobDefDesc=Cron job profiles are defined into the module descriptor file. When module is activated, they are loaded and available so you can administer the jobs from the admin tools menu %s.
CronJobProfiles=List of predefined cron job profiles
# Menu
@@ -42,10 +43,11 @@ CronModule=Module
CronNoJobs=No jobs registered
CronPriority=Priority
CronLabel=Label
-CronNbRun=Nb. launch
-CronMaxRun=Max number launch
+CronNbRun=Number of launches
+CronMaxRun=Maximum number of launches
CronEach=Every
JobFinished=Job launched and finished
+Scheduled=Scheduled
#Page card
CronAdd= Add jobs
CronEvery=Execute job each
@@ -56,16 +58,16 @@ CronNote=Comment
CronFieldMandatory=Fields %s is mandatory
CronErrEndDateStartDt=End date cannot be before start date
StatusAtInstall=Status at module installation
-CronStatusActiveBtn=Enable
+CronStatusActiveBtn=Schedule
CronStatusInactiveBtn=Disable
CronTaskInactive=This job is disabled
CronId=Id
CronClassFile=Filename with class
-CronModuleHelp=Name of Dolibarr module directory (also work with external Dolibarr module). For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for module is product
-CronClassFileHelp=The relative path and file name to load (path is relative to web server root directory). For exemple to call the fetch method of Dolibarr Product object htdocs/product/class/product.class.php, the value for class file name is product/class/product.class.php
-CronObjectHelp=The object name to load. For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for class file name is Product
-CronMethodHelp=The object method to launch. For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for method is fetch
-CronArgsHelp=The method arguments. For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for paramters can be 0, ProductRef
+CronModuleHelp=Name of Dolibarr module directory (also work with external Dolibarr module). For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for module is product
+CronClassFileHelp=The relative path and file name to load (path is relative to web server root directory). For example to call the fetch method of Dolibarr Product object htdocs/product/class/product.class.php, the value for class file name is product/class/product.class.php
+CronObjectHelp=The object name to load. For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for class file name is Product
+CronMethodHelp=The object method to launch. For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for method is fetch
+CronArgsHelp=The method arguments. For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for paramters can be 0, ProductRef
CronCommandHelp=The system command line to execute.
CronCreateJob=Create new Scheduled Job
CronFrom=From
@@ -76,8 +78,14 @@ CronType_method=Call method of a PHP Class
CronType_command=Shell command
CronCannotLoadClass=Cannot load class file %s (to use class %s)
CronCannotLoadObject=Class file %s was loaded, but object %s was not found into it
-UseMenuModuleToolsToAddCronJobs=Go into menu "Home - Admin tools - Scheduled jobs" to see and edit scheduled jobs.
+UseMenuModuleToolsToAddCronJobs=Go into menu "Home - Admin tools - Scheduled jobs" to see and edit scheduled jobs.
JobDisabled=Job disabled
MakeLocalDatabaseDumpShort=Local database backup
-MakeLocalDatabaseDump=Create a local database dump. Parameters are: compression ('gz' or 'bz' or 'none'), backup type ('mysql' or 'pgsql'), 1, 'auto' or filename to build, number of backup files to keep
+MakeLocalDatabaseDump=Create a local database dump. Parameters are: compression ('gz' or 'bz' or 'none'), backup type ('mysql', 'pgsql', 'auto'), 1, 'auto' or filename to build, number of backup files to keep
WarningCronDelayed=Attention, for performance purpose, whatever is next date of execution of enabled jobs, your jobs may be delayed to a maximum of %s hours, before being run.
+DATAPOLICYJob=Data cleaner and anonymizer
+JobXMustBeEnabled=Job %s must be enabled
+# Cron Boxes
+LastExecutedScheduledJob=Last executed scheduled job
+NextScheduledJobExecute=Next scheduled job to execute
+NumberScheduledJobError=Number of scheduled jobs in error
diff --git a/htdocs/langs/ka_GE/errors.lang b/htdocs/langs/ka_GE/errors.lang
index 893f4a35b65..5b26be724d9 100644
--- a/htdocs/langs/ka_GE/errors.lang
+++ b/htdocs/langs/ka_GE/errors.lang
@@ -5,8 +5,10 @@ NoErrorCommitIsDone=No error, we commit
# Errors
ErrorButCommitIsDone=Errors found but we validate despite this
ErrorBadEMail=Email %s is wrong
+ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record)
ErrorBadUrl=Url %s is wrong
ErrorBadValueForParamNotAString=Bad value for your parameter. It appends generally when translation is missing.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorLoginAlreadyExists=Login %s already exists.
ErrorGroupAlreadyExists=Group %s already exists.
ErrorRecordNotFound=Record not found.
@@ -48,6 +50,7 @@ ErrorFieldsRequired=Some required fields were not filled.
ErrorSubjectIsRequired=The email topic is required
ErrorFailedToCreateDir=Failed to create a directory. Check that Web server user has permissions to write into Dolibarr documents directory. If parameter safe_mode is enabled on this PHP, check that Dolibarr php files owns to web server user (or group).
ErrorNoMailDefinedForThisUser=No mail defined for this user
+ErrorSetupOfEmailsNotComplete=Setup of emails is not complete
ErrorFeatureNeedJavascript=This feature need javascript to be activated to work. Change this in setup - display.
ErrorTopMenuMustHaveAParentWithId0=A menu of type 'Top' can't have a parent menu. Put 0 in parent menu or choose a menu of type 'Left'.
ErrorLeftMenuMustHaveAParentId=A menu of type 'Left' must have a parent id.
@@ -75,7 +78,7 @@ ErrorExportDuplicateProfil=This profile name already exists for this export set.
ErrorLDAPSetupNotComplete=Dolibarr-LDAP matching is not complete.
ErrorLDAPMakeManualTest=A .ldif file has been generated in directory %s. Try to load it manually from command line to have more information on errors.
ErrorCantSaveADoneUserWithZeroPercentage=Can't save an action with "status not started" if field "done by" is also filled.
-ErrorRefAlreadyExists=Ref used for creation already exists.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorPleaseTypeBankTransactionReportName=Please enter the bank statement name where the entry has to be reported (Format YYYYMM or YYYYMMDD)
ErrorRecordHasChildren=Failed to delete record since it has some child records.
ErrorRecordHasAtLeastOneChildOfType=Object has at least one child of type %s
@@ -216,7 +219,7 @@ ErrorChooseBetweenFreeEntryOrPredefinedProduct=You must choose if article is a p
ErrorDiscountLargerThanRemainToPaySplitItBefore=The discount you try to apply is larger than remain to pay. Split the discount in 2 smaller discounts before.
ErrorFileNotFoundWithSharedLink=File was not found. May be the share key was modified or file was removed recently.
ErrorProductBarCodeAlreadyExists=The product barcode %s already exists on another product reference.
-ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using virtual product to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number.
+ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using kits to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number.
ErrorDescRequiredForFreeProductLines=Description is mandatory for lines with free product
ErrorAPageWithThisNameOrAliasAlreadyExists=The page/container %s has the same name or alternative alias that the one your try to use
ErrorDuringChartLoad=Error when loading chart of accounts. If few accounts were not loaded, you can still enter them manually.
@@ -243,6 +246,16 @@ ErrorReplaceStringEmpty=Error, the string to replace into is empty
ErrorProductNeedBatchNumber=Error, product '%s' need a lot/serial number
ErrorProductDoesNotNeedBatchNumber=Error, product '%s' does not accept a lot/serial number
ErrorFailedToReadObject=Error, failed to read object of type %s
+ErrorParameterMustBeEnabledToAllwoThisFeature=Error, parameter %s must be enabled into conf/conf.php to allow use of Command Line Interface by the internal job scheduler
+ErrorLoginDateValidity=Error, this login is outside the validity date range
+ErrorValueLength=Length of field '%s' must be higher than '%s'
+ErrorReservedKeyword=The word '%s' is a reserved keyword
+ErrorNotAvailableWithThisDistribution=Not available with this distribution
+ErrorPublicInterfaceNotEnabled=Public interface was not enabled
+ErrorLanguageRequiredIfPageIsTranslationOfAnother=The language of new page must be defined if it is set as a translation of another page
+ErrorLanguageMustNotBeSourceLanguageIfPageIsTranslationOfAnother=The language of new page must not be the source language if it is set as a translation of another page
+ErrorAParameterIsRequiredForThisOperation=A parameter is mandatory for this operation
+
# Warnings
WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup.
WarningPasswordSetWithNoAccount=A password was set for this member. However, no user account was created. So this password is stored but can't be used to login to Dolibarr. It may be used by an external module/interface but if you don't need to define any login nor password for a member, you can disable option "Manage a login for each member" from Member module setup. If you need to manage a login but don't need any password, you can keep this field empty to avoid this warning. Note: Email can also be used as a login if the member is linked to a user.
@@ -267,6 +280,10 @@ WarningYourLoginWasModifiedPleaseLogin=Your login was modified. For security pur
WarningAnEntryAlreadyExistForTransKey=An entry already exists for the translation key for this language
WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different recipient is limited to %s when using the mass actions on lists
WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report
+WarningProjectDraft=Project is still in draft mode. Don't forget to validate it if you plan to use tasks.
WarningProjectClosed=Project is closed. You must re-open it first.
WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list.
-WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table
+WarningFailedToAddFileIntoDatabaseIndex=Warning, failed to add file entry into ECM database index table
+WarningTheHiddenOptionIsOn=Warning, the hidden option %s is on.
+WarningCreateSubAccounts=Warning, you can't create directly a sub account, you must create a third party or an user and assign them an accounting code to find them in this list
+WarningAvailableOnlyForHTTPSServers=Available only if using HTTPS secured connection.
diff --git a/htdocs/langs/ka_GE/exports.lang b/htdocs/langs/ka_GE/exports.lang
index 2dcf4317e00..a0eb7161ef2 100644
--- a/htdocs/langs/ka_GE/exports.lang
+++ b/htdocs/langs/ka_GE/exports.lang
@@ -26,6 +26,8 @@ FieldTitle=Field title
NowClickToGenerateToBuildExportFile=Now, select the file format in the combo box and click on "Generate" to build the export file...
AvailableFormats=Available Formats
LibraryShort=Library
+ExportCsvSeparator=Csv caracter separator
+ImportCsvSeparator=Csv caracter separator
Step=Step
FormatedImport=Import Assistant
FormatedImportDesc1=This module allows you to update existing data or add new objects into the database from a file without technical knowledge, using an assistant.
@@ -131,3 +133,4 @@ KeysToUseForUpdates=Key (column) to use for updating existing data
NbInsert=Number of inserted lines: %s
NbUpdate=Number of updated lines: %s
MultipleRecordFoundWithTheseFilters=Multiple records have been found with these filters: %s
+StocksWithBatch=Stocks and location (warehouse) of products with batch/serial number
diff --git a/htdocs/langs/ka_GE/mails.lang b/htdocs/langs/ka_GE/mails.lang
index 1235eef3b27..7fd93be7b71 100644
--- a/htdocs/langs/ka_GE/mails.lang
+++ b/htdocs/langs/ka_GE/mails.lang
@@ -92,6 +92,7 @@ MailingModuleDescEmailsFromUser=Emails input by user
MailingModuleDescDolibarrUsers=Users with Emails
MailingModuleDescThirdPartiesByCategories=Third parties (by categories)
SendingFromWebInterfaceIsNotAllowed=Sending from web interface is not allowed.
+EmailCollectorFilterDesc=All filters must match to have an email being collected
# Libelle des modules de liste de destinataires mailing
LineInFile=Line %s in file
@@ -125,12 +126,13 @@ TagMailtoEmail=Recipient Email (including html "mailto:" link)
NoEmailSentBadSenderOrRecipientEmail=No email sent. Bad sender or recipient email. Verify user profile.
# Module Notifications
Notifications=Notifications
-NoNotificationsWillBeSent=No email notifications are planned for this event and company
-ANotificationsWillBeSent=1 notification will be sent by email
-SomeNotificationsWillBeSent=%s notifications will be sent by email
-AddNewNotification=Activate a new email notification target/event
-ListOfActiveNotifications=List all active targets/events for email notification
-ListOfNotificationsDone=List all email notifications sent
+NotificationsAuto=Notifications Auto.
+NoNotificationsWillBeSent=No automatic email notifications are planned for this event type and company
+ANotificationsWillBeSent=1 automatic notification will be sent by email
+SomeNotificationsWillBeSent=%s automatic notifications will be sent by email
+AddNewNotification=Subscribe to a new automatic email notification (target/event)
+ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification
+ListOfNotificationsDone=List all automatic email notifications sent
MailSendSetupIs=Configuration of email sending has been setup to '%s'. This mode can't be used to send mass emailing.
MailSendSetupIs2=You must first go, with an admin account, into menu %sHome - Setup - EMails%s to change parameter '%s' to use mode '%s'. With this mode, you can enter setup of the SMTP server provided by your Internet Service Provider and use Mass emailing feature.
MailSendSetupIs3=If you have any questions on how to setup your SMTP server, you can ask to %s.
@@ -140,7 +142,7 @@ UseFormatFileEmailToTarget=Imported file must have format email;name;fir
UseFormatInputEmailToTarget=Enter a string with format email;name;firstname;other
MailAdvTargetRecipients=Recipients (advanced selection)
AdvTgtTitle=Fill input fields to preselect the third parties or contacts/addresses to target
-AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima% will target all jean, joe, start with jim but not jimo and not everything that starts with jima
+AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima%% will target all jean, joe, start with jim but not jimo and not everything that starts with jima
AdvTgtSearchIntHelp=Use interval to select int or float value
AdvTgtMinVal=Minimum value
AdvTgtMaxVal=Maximum value
@@ -162,13 +164,14 @@ AdvTgtCreateFilter=Create filter
AdvTgtOrCreateNewFilter=Name of new filter
NoContactWithCategoryFound=No contact/address with a category found
NoContactLinkedToThirdpartieWithCategoryFound=No contact/address with a category found
-OutGoingEmailSetup=Outgoing email setup
-InGoingEmailSetup=Incoming email setup
-OutGoingEmailSetupForEmailing=Outgoing email setup (for module %s)
-DefaultOutgoingEmailSetup=Default outgoing email setup
+OutGoingEmailSetup=Outgoing emails
+InGoingEmailSetup=Incoming emails
+OutGoingEmailSetupForEmailing=Outgoing emails (for module %s)
+DefaultOutgoingEmailSetup=Same configuration than the global Outgoing email setup
Information=Information
ContactsWithThirdpartyFilter=Contacts with third-party filter
Unanswered=Unanswered
Answered=Answered
IsNotAnAnswer=Is not answer (initial email)
IsAnAnswer=Is an answer of an initial email
+RecordCreatedByEmailCollector=Record created by the Email Collector %s from email %s
diff --git a/htdocs/langs/ka_GE/main.lang b/htdocs/langs/ka_GE/main.lang
index 96c68cdcfa3..e196120c27d 100644
--- a/htdocs/langs/ka_GE/main.lang
+++ b/htdocs/langs/ka_GE/main.lang
@@ -28,7 +28,9 @@ NoTemplateDefined=No template available for this email type
AvailableVariables=Available substitution variables
NoTranslation=No translation
Translation=Translation
+CurrentTimeZone=TimeZone PHP (server)
EmptySearchString=Enter non empty search criterias
+EnterADateCriteria=Enter a date criteria
NoRecordFound=No record found
NoRecordDeleted=No record deleted
NotEnoughDataYet=Not enough data
@@ -85,6 +87,8 @@ FileWasNotUploaded=A file is selected for attachment but was not yet uploaded. C
NbOfEntries=No. of entries
GoToWikiHelpPage=Read online help (Internet access needed)
GoToHelpPage=Read help
+DedicatedPageAvailable=There is a dedicated help page related to your current screen
+HomePage=Home Page
RecordSaved=Record saved
RecordDeleted=Record deleted
RecordGenerated=Record generated
@@ -433,6 +437,7 @@ RemainToPay=Remain to pay
Module=Module/Application
Modules=Modules/Applications
Option=Option
+Filters=Filters
List=List
FullList=Full list
FullConversation=Full conversation
@@ -671,7 +676,7 @@ SendMail=Send email
Email=Email
NoEMail=No email
AlreadyRead=Already read
-NotRead=Not read
+NotRead=Unread
NoMobilePhone=No mobile phone
Owner=Owner
FollowingConstantsWillBeSubstituted=The following constants will be replaced with the corresponding value.
@@ -1107,3 +1112,8 @@ UpToDate=Up-to-date
OutOfDate=Out-of-date
EventReminder=Event Reminder
UpdateForAllLines=Update for all lines
+OnHold=On hold
+AffectTag=Affect Tag
+ConfirmAffectTag=Bulk Tag Affect
+ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected record(s)?
+CategTypeNotFound=No tag type found for type of records
diff --git a/htdocs/langs/ka_GE/modulebuilder.lang b/htdocs/langs/ka_GE/modulebuilder.lang
index 460aef8103b..845dd12624d 100644
--- a/htdocs/langs/ka_GE/modulebuilder.lang
+++ b/htdocs/langs/ka_GE/modulebuilder.lang
@@ -40,6 +40,7 @@ PageForCreateEditView=PHP page to create/edit/view a record
PageForAgendaTab=PHP page for event tab
PageForDocumentTab=PHP page for document tab
PageForNoteTab=PHP page for note tab
+PageForContactTab=PHP page for contact tab
PathToModulePackage=Path to zip of module/application package
PathToModuleDocumentation=Path to file of module/application documentation (%s)
SpaceOrSpecialCharAreNotAllowed=Spaces or special characters are not allowed.
@@ -77,7 +78,7 @@ IsAMeasure=Is a measure
DirScanned=Directory scanned
NoTrigger=No trigger
NoWidget=No widget
-GoToApiExplorer=Go to API explorer
+GoToApiExplorer=API explorer
ListOfMenusEntries=List of menu entries
ListOfDictionariesEntries=List of dictionaries entries
ListOfPermissionsDefined=List of defined permissions
@@ -105,7 +106,7 @@ TryToUseTheModuleBuilder=If you have knowledge of SQL and PHP, you may use the n
SeeTopRightMenu=See on the top right menu
AddLanguageFile=Add language file
YouCanUseTranslationKey=You can use here a key that is the translation key found into language file (see tab "Languages")
-DropTableIfEmpty=(Delete table if empty)
+DropTableIfEmpty=(Destroy table if empty)
TableDoesNotExists=The table %s does not exists
TableDropped=Table %s deleted
InitStructureFromExistingTable=Build the structure array string of an existing table
@@ -126,7 +127,6 @@ UseSpecificEditorURL = Use a specific editor URL
UseSpecificFamily = Use a specific family
UseSpecificAuthor = Use a specific author
UseSpecificVersion = Use a specific initial version
-ModuleMustBeEnabled=The module/application must be enabled first
IncludeRefGeneration=The reference of object must be generated automatically
IncludeRefGenerationHelp=Check this if you want to include code to manage the generation automatically of the reference
IncludeDocGeneration=I want to generate some documents from the object
@@ -140,3 +140,4 @@ TypeOfFieldsHelp=Type of fields: varchar(99), double(24,8), real, text, html,
AsciiToHtmlConverter=Ascii to HTML converter
AsciiToPdfConverter=Ascii to PDF converter
TableNotEmptyDropCanceled=Table not empty. Drop has been canceled.
+ModuleBuilderNotAllowed=The module builder is available but not allowed to your user.
diff --git a/htdocs/langs/ka_GE/other.lang b/htdocs/langs/ka_GE/other.lang
index 54c0572d453..0a7b3723ab1 100644
--- a/htdocs/langs/ka_GE/other.lang
+++ b/htdocs/langs/ka_GE/other.lang
@@ -5,8 +5,6 @@ Tools=Tools
TMenuTools=Tools
ToolsDesc=All tools not included in other menu entries are grouped here. All the tools can be accessed via the left menu.
Birthday=Birthday
-BirthdayDate=Birthday date
-DateToBirth=Birth date
BirthdayAlertOn=birthday alert active
BirthdayAlertOff=birthday alert inactive
TransKey=Translation of the key TransKey
@@ -16,6 +14,8 @@ PreviousMonthOfInvoice=Previous month (number 1-12) of invoice date
TextPreviousMonthOfInvoice=Previous month (text) of invoice date
NextMonthOfInvoice=Following month (number 1-12) of invoice date
TextNextMonthOfInvoice=Following month (text) of invoice date
+PreviousMonth=Previous month
+CurrentMonth=Current month
ZipFileGeneratedInto=Zip file generated into %s.
DocFileGeneratedInto=Doc file generated into %s.
JumpToLogin=Disconnected. Go to login page...
@@ -99,6 +99,7 @@ PredefinedMailContentSendShipping=__(Hello)__\n\nPlease find shipping __REF__ at
PredefinedMailContentSendFichInter=__(Hello)__\n\nPlease find intervention __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.\n\n%s\n\n
PredefinedMailContentGeneric=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
+PredefinedMailContentSendActionComm=Event reminder "__EVENT_LABEL__" on __EVENT_DATE__ at __EVENT_TIME__
This is an automatic message, please do not reply.
DemoDesc=Dolibarr is a compact ERP/CRM supporting several business modules. A demo showcasing all modules makes no sense as this scenario never occurs (several hundred available). So, several demo profiles are available.
ChooseYourDemoProfil=Choose the demo profile that best suits your needs...
ChooseYourDemoProfilMore=...or build your own profile (manual module selection)
@@ -137,7 +138,7 @@ Right=Right
CalculatedWeight=Calculated weight
CalculatedVolume=Calculated volume
Weight=Weight
-WeightUnitton=tonne
+WeightUnitton=ton
WeightUnitkg=kg
WeightUnitg=g
WeightUnitmg=mg
@@ -258,6 +259,7 @@ ContactCreatedByEmailCollector=Contact/address created by email collector from e
ProjectCreatedByEmailCollector=Project created by email collector from email MSGID %s
TicketCreatedByEmailCollector=Ticket created by email collector from email MSGID %s
OpeningHoursFormatDesc=Use a - to separate opening and closing hours. Use a space to enter different ranges. Example: 8-12 14-18
+PrefixSession=Prefix for session ID
##### Export #####
ExportsArea=Exports area
diff --git a/htdocs/langs/ka_GE/products.lang b/htdocs/langs/ka_GE/products.lang
index 97db059594f..f0c4a5362b8 100644
--- a/htdocs/langs/ka_GE/products.lang
+++ b/htdocs/langs/ka_GE/products.lang
@@ -108,7 +108,8 @@ FillWithLastServiceDates=Fill with last service line dates
MultiPricesAbility=Multiple price segments per product/service (each customer is in one price segment)
MultiPricesNumPrices=Number of prices
DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices
-AssociatedProductsAbility=Activate kits (virtual products)
+AssociatedProductsAbility=Enable Kits (set of other products)
+VariantsAbility=Enable Variants (variations of products, for example color, size)
AssociatedProducts=Kits
AssociatedProductsNumber=Number of products composing this kit
ParentProductsNumber=Number of parent packaging product
@@ -167,8 +168,10 @@ BuyingPrices=Buying prices
CustomerPrices=Customer prices
SuppliersPrices=Vendor prices
SuppliersPricesOfProductsOrServices=Vendor prices (of products or services)
-CustomCode=Customs / Commodity / HS code
+CustomCode=Customs|Commodity|HS code
CountryOrigin=Origin country
+RegionStateOrigin=Region origin
+StateOrigin=State|Province origin
Nature=Nature of product (material/finished)
NatureOfProductShort=Nature of product
NatureOfProductDesc=Raw material or finished product
@@ -239,7 +242,7 @@ AlwaysUseFixedPrice=Use the fixed price
PriceByQuantity=Different prices by quantity
DisablePriceByQty=Disable prices by quantity
PriceByQuantityRange=Quantity range
-MultipriceRules=Price segment rules
+MultipriceRules=Automatic prices for segment
UseMultipriceRules=Use price segment rules (defined into product module setup) to auto calculate prices of all other segments according to first segment
PercentVariationOver=%% variation over %s
PercentDiscountOver=%% discount over %s
diff --git a/htdocs/langs/ka_GE/recruitment.lang b/htdocs/langs/ka_GE/recruitment.lang
index b775e78552e..437445f25dc 100644
--- a/htdocs/langs/ka_GE/recruitment.lang
+++ b/htdocs/langs/ka_GE/recruitment.lang
@@ -73,3 +73,4 @@ JobClosedTextCandidateFound=The job position is closed. The position has been fi
JobClosedTextCanceled=The job position is closed.
ExtrafieldsJobPosition=Complementary attributes (job positions)
ExtrafieldsCandidatures=Complementary attributes (job applications)
+MakeOffer=Make an offer
diff --git a/htdocs/langs/ka_GE/sendings.lang b/htdocs/langs/ka_GE/sendings.lang
index 5ce3b7f67e9..73bd9aebd42 100644
--- a/htdocs/langs/ka_GE/sendings.lang
+++ b/htdocs/langs/ka_GE/sendings.lang
@@ -30,6 +30,7 @@ OtherSendingsForSameOrder=Other shipments for this order
SendingsAndReceivingForSameOrder=Shipments and receipts for this order
SendingsToValidate=Shipments to validate
StatusSendingCanceled=Canceled
+StatusSendingCanceledShort=Canceled
StatusSendingDraft=Draft
StatusSendingValidated=Validated (products to ship or already shipped)
StatusSendingProcessed=Processed
@@ -65,6 +66,7 @@ ValidateOrderFirstBeforeShipment=You must first validate the order before being
# Sending methods
# ModelDocument
DocumentModelTyphon=More complete document model for delivery receipts (logo...)
+DocumentModelStorm=More complete document model for delivery receipts and extrafields compatibility (logo...)
Error_EXPEDITION_ADDON_NUMBER_NotDefined=Constant EXPEDITION_ADDON_NUMBER not defined
SumOfProductVolumes=Sum of product volumes
SumOfProductWeights=Sum of product weights
diff --git a/htdocs/langs/ka_GE/stocks.lang b/htdocs/langs/ka_GE/stocks.lang
index 660443bcded..6cf089096dd 100644
--- a/htdocs/langs/ka_GE/stocks.lang
+++ b/htdocs/langs/ka_GE/stocks.lang
@@ -240,3 +240,4 @@ InventoryRealQtyHelp=Set value to 0 to reset qty Keep field empty, or remove
UpdateByScaning=Update by scaning
UpdateByScaningProductBarcode=Update by scan (product barcode)
UpdateByScaningLot=Update by scan (lot|serial barcode)
+DisableStockChangeOfSubProduct=Deactivate the stock change for all the subproducts of this Kit during this movement.
diff --git a/htdocs/langs/ka_GE/ticket.lang b/htdocs/langs/ka_GE/ticket.lang
index 59519282c80..982fff90ffa 100644
--- a/htdocs/langs/ka_GE/ticket.lang
+++ b/htdocs/langs/ka_GE/ticket.lang
@@ -31,10 +31,8 @@ TicketDictType=Ticket - Types
TicketDictCategory=Ticket - Groupes
TicketDictSeverity=Ticket - Severities
TicketDictResolution=Ticket - Resolution
-TicketTypeShortBUGSOFT=Dysfonctionnement logiciel
-TicketTypeShortBUGHARD=Dysfonctionnement matériel
-TicketTypeShortCOM=Commercial question
+TicketTypeShortCOM=Commercial question
TicketTypeShortHELP=Request for functionnal help
TicketTypeShortISSUE=Issue, bug or problem
TicketTypeShortREQUEST=Change or enhancement request
@@ -44,7 +42,7 @@ TicketTypeShortOTHER=Other
TicketSeverityShortLOW=Low
TicketSeverityShortNORMAL=Normal
TicketSeverityShortHIGH=High
-TicketSeverityShortBLOCKING=Critical/Blocking
+TicketSeverityShortBLOCKING=Critical, Blocking
ErrorBadEmailAddress=Field '%s' incorrect
MenuTicketMyAssign=My tickets
@@ -60,7 +58,6 @@ OriginEmail=Email source
Notify_TICKET_SENTBYMAIL=Send ticket message by email
# Status
-NotRead=Not read
Read=Read
Assigned=Assigned
InProgress=In progress
@@ -126,6 +123,7 @@ TicketsActivatePublicInterfaceHelp=Public interface allow any visitors to create
TicketsAutoAssignTicket=Automatically assign the user who created the ticket
TicketsAutoAssignTicketHelp=When creating a ticket, the user can be automatically assigned to the ticket.
TicketNumberingModules=Tickets numbering module
+TicketsModelModule=Document templates for tickets
TicketNotifyTiersAtCreation=Notify third party at creation
TicketsDisableCustomerEmail=Always disable emails when a ticket is created from public interface
TicketsPublicNotificationNewMessage=Send email(s) when a new message is added
@@ -233,7 +231,6 @@ TicketLogStatusChanged=Status changed: %s to %s
TicketNotNotifyTiersAtCreate=Not notify company at create
Unread=Unread
TicketNotCreatedFromPublicInterface=Not available. Ticket was not created from public interface.
-PublicInterfaceNotEnabled=Public interface was not enabled
ErrorTicketRefRequired=Ticket reference name is required
#
diff --git a/htdocs/langs/ka_GE/website.lang b/htdocs/langs/ka_GE/website.lang
index 03e042e4be6..f17def114b8 100644
--- a/htdocs/langs/ka_GE/website.lang
+++ b/htdocs/langs/ka_GE/website.lang
@@ -30,7 +30,6 @@ EditInLine=Edit inline
AddWebsite=Add website
Webpage=Web page/container
AddPage=Add page/container
-HomePage=Home Page
PageContainer=Page
PreviewOfSiteNotYetAvailable=Preview of your website %s not yet available. You must first 'Import a full website template' or just 'Add a page/container'.
RequestedPageHasNoContentYet=Requested page with id %s has no content yet, or cache file .tpl.php was removed. Edit content of the page to solve this.
@@ -101,7 +100,7 @@ EmptyPage=Empty page
ExternalURLMustStartWithHttp=External URL must start with http:// or https://
ZipOfWebsitePackageToImport=Upload the Zip file of the website template package
ZipOfWebsitePackageToLoad=or Choose an available embedded website template package
-ShowSubcontainers=Include dynamic content
+ShowSubcontainers=Show dynamic content
InternalURLOfPage=Internal URL of page
ThisPageIsTranslationOf=This page/container is a translation of
ThisPageHasTranslationPages=This page/container has translation
@@ -137,3 +136,4 @@ RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using
PagesRegenerated=%s page(s)/container(s) regenerated
RegenerateWebsiteContent=Regenerate web site cache files
AllowedInFrames=Allowed in Frames
+DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languages into web site properties.
diff --git a/htdocs/langs/ka_GE/withdrawals.lang b/htdocs/langs/ka_GE/withdrawals.lang
index 114a8d9dd6c..e3bec6f9cb8 100644
--- a/htdocs/langs/ka_GE/withdrawals.lang
+++ b/htdocs/langs/ka_GE/withdrawals.lang
@@ -42,6 +42,7 @@ LastWithdrawalReceipt=Latest %s direct debit receipts
MakeWithdrawRequest=Make a direct debit payment request
MakeBankTransferOrder=Make a credit transfer request
WithdrawRequestsDone=%s direct debit payment requests recorded
+BankTransferRequestsDone=%s credit transfer requests recorded
ThirdPartyBankCode=Third-party bank code
NoInvoiceCouldBeWithdrawed=No invoice debited successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s.
ClassCredited=Classify credited
@@ -131,7 +132,8 @@ SEPARCUR=SEPA CUR
SEPAFRST=SEPA FRST
ExecutionDate=Execution date
CreateForSepa=Create direct debit file
-ICS=Creditor Identifier CI
+ICS=Creditor Identifier CI for direct debit
+ICSTransfer=Creditor Identifier CI for bank transfer
END_TO_END="EndToEndId" SEPA XML tag - Unique id assigned per transaction
USTRD="Unstructured" SEPA XML tag
ADDDAYS=Add days to Execution Date
@@ -146,3 +148,4 @@ InfoRejectSubject=Direct debit payment order refused
InfoRejectMessage=Hello,
the direct debit payment order of invoice %s related to the company %s, with an amount of %s has been refused by the bank.
-- %s
ModeWarning=Option for real mode was not set, we stop after this simulation
ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know wich one to use.
+ErrorICSmissing=Missing ICS in Bank account %s
diff --git a/htdocs/langs/km_KH/accountancy.lang b/htdocs/langs/km_KH/accountancy.lang
index 3211a0b62df..33ba4d9fea7 100644
--- a/htdocs/langs/km_KH/accountancy.lang
+++ b/htdocs/langs/km_KH/accountancy.lang
@@ -48,6 +48,7 @@ CountriesExceptMe=All countries except %s
AccountantFiles=Export source documents
ExportAccountingSourceDocHelp=With this tool, you can export the source events (list and PDFs) that were used to generate your accountancy. To export your journals, use the menu entry %s - %s.
VueByAccountAccounting=View by accounting account
+VueBySubAccountAccounting=View by accounting subaccount
MainAccountForCustomersNotDefined=Main accounting account for customers not defined in setup
MainAccountForSuppliersNotDefined=Main accounting account for vendors not defined in setup
@@ -144,7 +145,7 @@ NotVentilatedinAccount=Not bound to the accounting account
XLineSuccessfullyBinded=%s products/services successfully bound to an accounting account
XLineFailedToBeBinded=%s products/services were not bound to any accounting account
-ACCOUNTING_LIMIT_LIST_VENTILATION=Number of elements to bind shown by page (maximum recommended: 50)
+ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50)
ACCOUNTING_LIST_SORT_VENTILATION_TODO=Begin the sorting of the page "Binding to do" by the most recent elements
ACCOUNTING_LIST_SORT_VENTILATION_DONE=Begin the sorting of the page "Binding done" by the most recent elements
@@ -198,7 +199,8 @@ Docdate=Date
Docref=Reference
LabelAccount=Label account
LabelOperation=Label operation
-Sens=Sens
+Sens=Direction
+AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received For an accounting account of a supplier, use Debit to record a payment you make
LetteringCode=Lettering code
Lettering=Lettering
Codejournal=Journal
@@ -206,7 +208,8 @@ JournalLabel=Journal label
NumPiece=Piece number
TransactionNumShort=Num. transaction
AccountingCategory=Personalized groups
-GroupByAccountAccounting=Group by accounting account
+GroupByAccountAccounting=Group by general ledger account
+GroupBySubAccountAccounting=Group by subledger account
AccountingAccountGroupsDesc=You can define here some groups of accounting account. They will be used for personalized accounting reports.
ByAccounts=By accounts
ByPredefinedAccountGroups=By predefined groups
@@ -248,7 +251,7 @@ PaymentsNotLinkedToProduct=Payment not linked to any product / service
OpeningBalance=Opening balance
ShowOpeningBalance=Show opening balance
HideOpeningBalance=Hide opening balance
-ShowSubtotalByGroup=Show subtotal by group
+ShowSubtotalByGroup=Show subtotal by level
Pcgtype=Group of account
PcgtypeDesc=Group of account are used as predefined 'filter' and 'grouping' criteria for some accounting reports. For example, 'INCOME' or 'EXPENSE' are used as groups for accounting accounts of products to build the expense/income report.
@@ -271,11 +274,13 @@ DescVentilExpenseReport=Consult here the list of expense report lines bound (or
DescVentilExpenseReportMore=If you setup accounting account on type of expense report lines, the application will be able to make all the binding between your expense report lines and the accounting account of your chart of accounts, just in one click with the button "%s". If account was not set on fees dictionary or if you still have some lines not bound to any account, you will have to make a manual binding from the menu "%s".
DescVentilDoneExpenseReport=Consult here the list of the lines of expenses reports and their fees accounting account
+Closure=Annual closure
DescClosure=Consult here the number of movements by month who are not validated & fiscal years already open
OverviewOfMovementsNotValidated=Step 1/ Overview of movements not validated. (Necessary to close a fiscal year)
+AllMovementsWereRecordedAsValidated=All movements were recorded as validated
+NotAllMovementsCouldBeRecordedAsValidated=Not all movements could be recorded as validated
ValidateMovements=Validate movements
DescValidateMovements=Any modification or deletion of writing, lettering and deletes will be prohibited. All entries for an exercise must be validated otherwise closing will not be possible
-SelectMonthAndValidate=Select month and validate movements
ValidateHistory=Bind Automatically
AutomaticBindingDone=Automatic binding done
@@ -293,6 +298,7 @@ Accounted=Accounted in ledger
NotYetAccounted=Not yet accounted in ledger
ShowTutorial=Show Tutorial
NotReconciled=Not reconciled
+WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view
## Admin
BindingOptions=Binding options
@@ -337,6 +343,7 @@ Modelcsv_LDCompta10=Export for LD Compta (v10 & higher)
Modelcsv_openconcerto=Export for OpenConcerto (Test)
Modelcsv_configurable=Export CSV Configurable
Modelcsv_FEC=Export FEC
+Modelcsv_FEC2=Export FEC (With dates generation writing / document reversed)
Modelcsv_Sage50_Swiss=Export for Sage 50 Switzerland
Modelcsv_winfic=Export Winfic - eWinfic - WinSis Compta
Modelcsv_Gestinumv3=Export for Gestinum (v3)
diff --git a/htdocs/langs/km_KH/admin.lang b/htdocs/langs/km_KH/admin.lang
index f1c41a3b62b..189b0b5186a 100644
--- a/htdocs/langs/km_KH/admin.lang
+++ b/htdocs/langs/km_KH/admin.lang
@@ -56,6 +56,8 @@ GUISetup=Display
SetupArea=Setup
UploadNewTemplate=Upload new template(s)
FormToTestFileUploadForm=Form to test file upload (according to setup)
+ModuleMustBeEnabled=The module/application %s must be enabled
+ModuleIsEnabled=The module/application %s has been enabled
IfModuleEnabled=Note: yes is effective only if module %s is enabled
RemoveLock=Remove/rename file %s if it exists, to allow usage of the Update/Install tool.
RestoreLock=Restore file %s, with read permission only, to disable any further use of the Update/Install tool.
@@ -85,7 +87,6 @@ ShowPreview=Show preview
ShowHideDetails=Show-Hide details
PreviewNotAvailable=Preview not available
ThemeCurrentlyActive=Theme currently active
-CurrentTimeZone=TimeZone PHP (server)
MySQLTimeZone=TimeZone MySql (database)
TZHasNoEffect=Dates are stored and returned by database server as if they were kept as submitted string. The timezone has effect only when using the UNIX_TIMESTAMP function (that should not be used by Dolibarr, so database TZ should have no effect, even if changed after data was entered).
Space=Space
@@ -153,8 +154,8 @@ SystemToolsAreaDesc=This area provides administration functions. Use the menu to
Purge=Purge
PurgeAreaDesc=This page allows you to delete all files generated or stored by Dolibarr (temporary files or all files in %s directory). Using this feature is not normally necessary. It is provided as a workaround for users whose Dolibarr is hosted by a provider that does not offer permissions to delete files generated by the web server.
PurgeDeleteLogFile=Delete log files, including %s defined for Syslog module (no risk of losing data)
-PurgeDeleteTemporaryFiles=Delete all temporary files (no risk of losing data). Note: Deletion is done only if the temp directory was created 24 hours ago.
-PurgeDeleteTemporaryFilesShort=Delete temporary files
+PurgeDeleteTemporaryFiles=Delete all log and temporary files (no risk of losing data). Note: Deletion of temporary files is done only if the temp directory was created more than 24 hours ago.
+PurgeDeleteTemporaryFilesShort=Delete log and temporary files
PurgeDeleteAllFilesInDocumentsDir=Delete all files in directory: %s. This will delete all generated documents related to elements (third parties, invoices etc...), files uploaded into the ECM module, database backup dumps and temporary files.
PurgeRunNow=Purge now
PurgeNothingToDelete=No directory or files to delete.
@@ -256,6 +257,7 @@ ReferencedPreferredPartners=Preferred Partners
OtherResources=Other resources
ExternalResources=External Resources
SocialNetworks=Social Networks
+SocialNetworkId=Social Network ID
ForDocumentationSeeWiki=For user or developer documentation (Doc, FAQs...), take a look at the Dolibarr Wiki: %s
ForAnswersSeeForum=For any other questions/help, you can use the Dolibarr forum: %s
HelpCenterDesc1=Here are some resources for getting help and support with Dolibarr.
@@ -375,7 +377,7 @@ ExamplesWithCurrentSetup=Examples with current configuration
ListOfDirectories=List of OpenDocument templates directories
ListOfDirectoriesForModelGenODT=List of directories containing templates files with OpenDocument format.
Put here full path of directories. Add a carriage return between eah directory. To add a directory of the GED module, add here DOL_DATA_ROOT/ecm/yourdirectoryname.
Files in those directories must end with .odt or .ods.
NumberOfModelFilesFound=Number of ODT/ODS template files found in these directories
-ExampleOfDirectoriesForModelGen=Examples of syntax: c:\\mydir /home/mydir DOL_DATA_ROOT/ecm/ecmdir
+ExampleOfDirectoriesForModelGen=Examples of syntax: c:\\myapp\\mydocumentdir\\mysubdir /home/myapp/mydocumentdir/mysubdir DOL_DATA_ROOT/ecm/ecmdir
FollowingSubstitutionKeysCanBeUsed= To know how to create your odt document templates, before storing them in those directories, read wiki documentation:
FullListOnOnlineDocumentation=http://wiki.dolibarr.org/index.php/Create_an_ODT_document_template
FirstnameNamePosition=Position of Name/Lastname
@@ -406,7 +408,7 @@ UrlGenerationParameters=Parameters to secure URLs
SecurityTokenIsUnique=Use a unique securekey parameter for each URL
EnterRefToBuildUrl=Enter reference for object %s
GetSecuredUrl=Get calculated URL
-ButtonHideUnauthorized=Hide buttons for non-admin users for unauthorized actions instead of showing greyed disabled buttons
+ButtonHideUnauthorized=Hide unauthorized action buttons also for internal users (just greyed otherwise)
OldVATRates=Old VAT rate
NewVATRates=New VAT rate
PriceBaseTypeToChange=Modify on prices with base reference value defined on
@@ -1689,7 +1691,7 @@ NotTopTreeMenuPersonalized=Personalized menus not linked to a top menu entry
NewMenu=New menu
MenuHandler=Menu handler
MenuModule=Source module
-HideUnauthorizedMenu= Hide unauthorized menus (gray)
+HideUnauthorizedMenu=Hide unauthorized menus also for internal users (just greyed otherwise)
DetailId=Id menu
DetailMenuHandler=Menu handler where to show new menu
DetailMenuModule=Module name if menu entry come from a module
@@ -1983,11 +1985,12 @@ EMailHost=Host of email IMAP server
MailboxSourceDirectory=Mailbox source directory
MailboxTargetDirectory=Mailbox target directory
EmailcollectorOperations=Operations to do by collector
+EmailcollectorOperationsDesc=Operations are executed from top to bottom order
MaxEmailCollectPerCollect=Max number of emails collected per collect
CollectNow=Collect now
ConfirmCloneEmailCollector=Are you sure you want to clone the Email collector %s ?
-DateLastCollectResult=Date latest collect tried
-DateLastcollectResultOk=Date latest collect successfull
+DateLastCollectResult=Date of latest collect try
+DateLastcollectResultOk=Date of latest collect success
LastResult=Latest result
EmailCollectorConfirmCollectTitle=Email collect confirmation
EmailCollectorConfirmCollect=Do you want to run the collection for this collector now ?
@@ -2005,7 +2008,7 @@ WithDolTrackingID=Message from a conversation initiated by a first email sent fr
WithoutDolTrackingID=Message from a conversation initiated by a first email NOT sent from Dolibarr
WithDolTrackingIDInMsgId=Message sent from Dolibarr
WithoutDolTrackingIDInMsgId=Message NOT sent from Dolibarr
-CreateCandidature=Create candidature
+CreateCandidature=Create job application
FormatZip=Zip
MainMenuCode=Menu entry code (mainmenu)
ECMAutoTree=Show automatic ECM tree
@@ -2083,3 +2086,7 @@ CountryIfSpecificToOneCountry=Country (if specific to a given country)
YouMayFindSecurityAdviceHere=You may find security advisory here
ModuleActivatedMayExposeInformation=This module may expose sensitive data. If you don't need it, disable it.
ModuleActivatedDoNotUseInProduction=A module designed for the development has been enabled. Do not enable it on a production environment.
+CombinationsSeparator=Separator character for product combinations
+SeeLinkToOnlineDocumentation=See link to online documention on top menu for examples
+SHOW_SUBPRODUCT_REF_IN_PDF=If the feature "%s" of module %s is used, show details of subproducts of a kit on PDF.
+AskThisIDToYourBank=Contact your bank to get this ID
diff --git a/htdocs/langs/km_KH/banks.lang b/htdocs/langs/km_KH/banks.lang
index 9500a5b8b2e..a0dc27f86c4 100644
--- a/htdocs/langs/km_KH/banks.lang
+++ b/htdocs/langs/km_KH/banks.lang
@@ -173,8 +173,8 @@ SEPAMandate=SEPA mandate
YourSEPAMandate=Your SEPA mandate
FindYourSEPAMandate=This is your SEPA mandate to authorize our company to make direct debit order to your bank. Return it signed (scan of the signed document) or send it by mail to
AutoReportLastAccountStatement=Automatically fill the field 'number of bank statement' with last statement number when making reconciliation
-CashControl=POS cash fence
-NewCashFence=New cash fence
+CashControl=POS cash desk control
+NewCashFence=New cash desk closing
BankColorizeMovement=Colorize movements
BankColorizeMovementDesc=If this function is enable, you can choose specific background color for debit or credit movements
BankColorizeMovementName1=Background color for debit movement
diff --git a/htdocs/langs/km_KH/blockedlog.lang b/htdocs/langs/km_KH/blockedlog.lang
index 5afae6e9e53..0bba5605d0f 100644
--- a/htdocs/langs/km_KH/blockedlog.lang
+++ b/htdocs/langs/km_KH/blockedlog.lang
@@ -35,7 +35,7 @@ logDON_DELETE=Donation logical deletion
logMEMBER_SUBSCRIPTION_CREATE=Member subscription created
logMEMBER_SUBSCRIPTION_MODIFY=Member subscription modified
logMEMBER_SUBSCRIPTION_DELETE=Member subscription logical deletion
-logCASHCONTROL_VALIDATE=Cash fence recording
+logCASHCONTROL_VALIDATE=Cash desk closing recording
BlockedLogBillDownload=Customer invoice download
BlockedLogBillPreview=Customer invoice preview
BlockedlogInfoDialog=Log Details
diff --git a/htdocs/langs/km_KH/boxes.lang b/htdocs/langs/km_KH/boxes.lang
index d6fd298a3a7..7db4ea8aa17 100644
--- a/htdocs/langs/km_KH/boxes.lang
+++ b/htdocs/langs/km_KH/boxes.lang
@@ -46,9 +46,12 @@ BoxTitleLastModifiedDonations=Latest %s modified donations
BoxTitleLastModifiedExpenses=Latest %s modified expense reports
BoxTitleLatestModifiedBoms=Latest %s modified BOMs
BoxTitleLatestModifiedMos=Latest %s modified Manufacturing Orders
+BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded
BoxGlobalActivity=Global activity (invoices, proposals, orders)
BoxGoodCustomers=Good customers
BoxTitleGoodCustomers=%s Good customers
+BoxScheduledJobs=Scheduled jobs
+BoxTitleFunnelOfProspection=Lead funnel
FailedToRefreshDataInfoNotUpToDate=Failed to refresh RSS flux. Latest successful refresh date: %s
LastRefreshDate=Latest refresh date
NoRecordedBookmarks=No bookmarks defined.
@@ -102,5 +105,7 @@ SuspenseAccountNotDefined=Suspense account isn't defined
BoxLastCustomerShipments=Last customer shipments
BoxTitleLastCustomerShipments=Latest %s customer shipments
NoRecordedShipments=No recorded customer shipment
+BoxCustomersOutstandingBillReached=Customers with oustanding limit reached
# Pages
AccountancyHome=Accountancy
+ValidatedProjects=Validated projects
diff --git a/htdocs/langs/km_KH/cashdesk.lang b/htdocs/langs/km_KH/cashdesk.lang
index 498baa82200..3fef645d99d 100644
--- a/htdocs/langs/km_KH/cashdesk.lang
+++ b/htdocs/langs/km_KH/cashdesk.lang
@@ -49,8 +49,8 @@ Footer=Footer
AmountAtEndOfPeriod=Amount at end of period (day, month or year)
TheoricalAmount=Theorical amount
RealAmount=Real amount
-CashFence=Cash fence
-CashFenceDone=Cash fence done for the period
+CashFence=Cash desk closing
+CashFenceDone=Cash desk closing done for the period
NbOfInvoices=Nb of invoices
Paymentnumpad=Type of Pad to enter payment
Numberspad=Numbers Pad
@@ -99,8 +99,9 @@ CashDeskRefNumberingModules=Numbering module for POS sales
CashDeskGenericMaskCodes6 = {TN} tag is used to add the terminal number
TakeposGroupSameProduct=Group same products lines
StartAParallelSale=Start a new parallel sale
-ControlCashOpening=Control cash box at opening POS
-CloseCashFence=Close cash fence
+SaleStartedAt=Sale started at %s
+ControlCashOpening=Control cash popup at opening POS
+CloseCashFence=Close cash desk control
CashReport=Cash report
MainPrinterToUse=Main printer to use
OrderPrinterToUse=Order printer to use
@@ -122,3 +123,4 @@ GiftReceipt=Gift receipt
ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled first
AllowDelayedPayment=Allow delayed payment
PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts
+WeighingScale=Weighing scale
diff --git a/htdocs/langs/km_KH/categories.lang b/htdocs/langs/km_KH/categories.lang
index ba37a43b4ec..4ddf0d6093f 100644
--- a/htdocs/langs/km_KH/categories.lang
+++ b/htdocs/langs/km_KH/categories.lang
@@ -19,6 +19,7 @@ ProjectsCategoriesArea=Projects tags/categories area
UsersCategoriesArea=Users tags/categories area
SubCats=Sub-categories
CatList=List of tags/categories
+CatListAll=List of tags/categories (all types)
NewCategory=New tag/category
ModifCat=Modify tag/category
CatCreated=Tag/category created
@@ -65,16 +66,22 @@ UsersCategoriesShort=Users tags/categories
StockCategoriesShort=Warehouse tags/categories
ThisCategoryHasNoItems=This category does not contain any items.
CategId=Tag/category id
-CatSupList=List of vendor tags/categories
-CatCusList=List of customer/prospect tags/categories
+ParentCategory=Parent tag/category
+ParentCategoryLabel=Label of parent tag/category
+CatSupList=List of vendors tags/categories
+CatCusList=List of customers/prospects tags/categories
CatProdList=List of products tags/categories
CatMemberList=List of members tags/categories
-CatContactList=List of contact tags/categories
-CatSupLinks=Links between suppliers and tags/categories
+CatContactList=List of contacts tags/categories
+CatProjectsList=List of projects tags/categories
+CatUsersList=List of users tags/categories
+CatSupLinks=Links between vendors and tags/categories
CatCusLinks=Links between customers/prospects and tags/categories
CatContactsLinks=Links between contacts/addresses and tags/categories
CatProdLinks=Links between products/services and tags/categories
-CatProJectLinks=Links between projects and tags/categories
+CatMembersLinks=Links between members and tags/categories
+CatProjectsLinks=Links between projects and tags/categories
+CatUsersLinks=Links between users and tags/categories
DeleteFromCat=Remove from tags/category
ExtraFieldsCategories=Complementary attributes
CategoriesSetup=Tags/categories setup
diff --git a/htdocs/langs/km_KH/companies.lang b/htdocs/langs/km_KH/companies.lang
index dadff6a7894..8dc815b522e 100644
--- a/htdocs/langs/km_KH/companies.lang
+++ b/htdocs/langs/km_KH/companies.lang
@@ -358,7 +358,7 @@ VATIntraCheckableOnEUSite=Check the intra-Community VAT ID on the European Commi
VATIntraManualCheck=You can also check manually on the European Commission website %s
ErrorVATCheckMS_UNAVAILABLE=Check not possible. Check service is not provided by the member state (%s).
NorProspectNorCustomer=Not prospect, nor customer
-JuridicalStatus=Legal Entity Type
+JuridicalStatus=Business entity type
Workforce=Workforce
Staff=Employees
ProspectLevelShort=Potential
diff --git a/htdocs/langs/km_KH/compta.lang b/htdocs/langs/km_KH/compta.lang
index 8f4f058bb87..1afeb6e3727 100644
--- a/htdocs/langs/km_KH/compta.lang
+++ b/htdocs/langs/km_KH/compta.lang
@@ -111,7 +111,7 @@ Refund=Refund
SocialContributionsPayments=Social/fiscal taxes payments
ShowVatPayment=Show VAT payment
TotalToPay=Total to pay
-BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted ascending on %s and filtered for 1 bank account
+BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted on %s and filtered on 1 bank account (with no other filters)
CustomerAccountancyCode=Customer accounting code
SupplierAccountancyCode=Vendor accounting code
CustomerAccountancyCodeShort=Cust. account. code
@@ -140,7 +140,7 @@ ConfirmDeleteSocialContribution=Are you sure you want to delete this social/fisc
ExportDataset_tax_1=Social and fiscal taxes and payments
CalcModeVATDebt=Mode %sVAT on commitment accounting%s.
CalcModeVATEngagement=Mode %sVAT on incomes-expenses%s.
-CalcModeDebt=Analysis of known recorded invoices even if they are not yet accounted in ledger.
+CalcModeDebt=Analysis of known recorded documents even if they are not yet accounted in ledger.
CalcModeEngagement=Analysis of known recorded payments, even if they are not yet accounted in Ledger.
CalcModeBookkeeping=Analysis of data journalized in Bookkeeping Ledger table.
CalcModeLT1= Mode %sRE on customer invoices - suppliers invoices%s
@@ -154,9 +154,9 @@ AnnualSummaryInputOutputMode=Balance of income and expenses, annual summary
AnnualByCompanies=Balance of income and expenses, by predefined groups of account
AnnualByCompaniesDueDebtMode=Balance of income and expenses, detail by predefined groups, mode %sClaims-Debts%s said Commitment accounting.
AnnualByCompaniesInputOutputMode=Balance of income and expenses, detail by predefined groups, mode %sIncomes-Expenses%s said cash accounting.
-SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation on actual payments made even if they are not yet accounted in Ledger.
-SeeReportInDueDebtMode=See %sanalysis of invoices%s for a calculation based on known recorded invoices even if they are not yet accounted in Ledger.
-SeeReportInBookkeepingMode=See %sBookeeping report%s for a calculation on Bookkeeping Ledger table
+SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation based on recorded payments made even if they are not yet accounted in Ledger
+SeeReportInDueDebtMode=See %sanalysis of recorded documents%s for a calculation based on known recorded documents even if they are not yet accounted in Ledger
+SeeReportInBookkeepingMode=See %sanalysis of bookeeping ledger table%s for a report based on Bookkeeping Ledger table
RulesAmountWithTaxIncluded=- Amounts shown are with all taxes included
RulesResultDue=- It includes outstanding invoices, expenses, VAT, donations whether they are paid or not. Is also includes paid salaries. - It is based on the billing date of invoices and on the due date for expenses or tax payments. For salaries defined with Salary module, the value date of payment is used.
RulesResultInOut=- It includes the real payments made on invoices, expenses, VAT and salaries. - It is based on the payment dates of the invoices, expenses, VAT and salaries. The donation date for donation.
@@ -169,12 +169,15 @@ RulesResultBookkeepingPersonalized=It show record in your Ledger with accounting
SeePageForSetup=See menu %s for setup
DepositsAreNotIncluded=- Down payment invoices are not included
DepositsAreIncluded=- Down payment invoices are included
+LT1ReportByMonth=Tax 2 report by month
+LT2ReportByMonth=Tax 3 report by month
LT1ReportByCustomers=Report tax 2 by third party
LT2ReportByCustomers=Report tax 3 by third party
LT1ReportByCustomersES=Report by third party RE
LT2ReportByCustomersES=Report by third party IRPF
VATReport=Sale tax report
VATReportByPeriods=Sale tax report by period
+VATReportByMonth=Sale tax report by month
VATReportByRates=Sale tax report by rates
VATReportByThirdParties=Sale tax report by third parties
VATReportByCustomers=Sale tax report by customer
diff --git a/htdocs/langs/km_KH/cron.lang b/htdocs/langs/km_KH/cron.lang
index 1de1251831a..2ebdda1e685 100644
--- a/htdocs/langs/km_KH/cron.lang
+++ b/htdocs/langs/km_KH/cron.lang
@@ -7,13 +7,14 @@ Permission23103 = Delete Scheduled job
Permission23104 = Execute Scheduled job
# Admin
CronSetup=Scheduled job management setup
-URLToLaunchCronJobs=URL to check and launch qualified cron jobs
-OrToLaunchASpecificJob=Or to check and launch a specific job
+URLToLaunchCronJobs=URL to check and launch qualified cron jobs from a browser
+OrToLaunchASpecificJob=Or to check and launch a specific job from a browser
KeyForCronAccess=Security key for URL to launch cron jobs
FileToLaunchCronJobs=Command line to check and launch qualified cron jobs
CronExplainHowToRunUnix=On Unix environment you should use the following crontab entry to run the command line each 5 minutes
CronExplainHowToRunWin=On Microsoft(tm) Windows environment you can use Scheduled Task tools to run the command line each 5 minutes
CronMethodDoesNotExists=Class %s does not contains any method %s
+CronMethodNotAllowed=Method %s of class %s is in blacklist of forbidden methods
CronJobDefDesc=Cron job profiles are defined into the module descriptor file. When module is activated, they are loaded and available so you can administer the jobs from the admin tools menu %s.
CronJobProfiles=List of predefined cron job profiles
# Menu
@@ -46,6 +47,7 @@ CronNbRun=Number of launches
CronMaxRun=Maximum number of launches
CronEach=Every
JobFinished=Job launched and finished
+Scheduled=Scheduled
#Page card
CronAdd= Add jobs
CronEvery=Execute job each
@@ -56,7 +58,7 @@ CronNote=Comment
CronFieldMandatory=Fields %s is mandatory
CronErrEndDateStartDt=End date cannot be before start date
StatusAtInstall=Status at module installation
-CronStatusActiveBtn=Enable
+CronStatusActiveBtn=Schedule
CronStatusInactiveBtn=Disable
CronTaskInactive=This job is disabled
CronId=Id
@@ -82,3 +84,8 @@ MakeLocalDatabaseDumpShort=Local database backup
MakeLocalDatabaseDump=Create a local database dump. Parameters are: compression ('gz' or 'bz' or 'none'), backup type ('mysql', 'pgsql', 'auto'), 1, 'auto' or filename to build, number of backup files to keep
WarningCronDelayed=Attention, for performance purpose, whatever is next date of execution of enabled jobs, your jobs may be delayed to a maximum of %s hours, before being run.
DATAPOLICYJob=Data cleaner and anonymizer
+JobXMustBeEnabled=Job %s must be enabled
+# Cron Boxes
+LastExecutedScheduledJob=Last executed scheduled job
+NextScheduledJobExecute=Next scheduled job to execute
+NumberScheduledJobError=Number of scheduled jobs in error
diff --git a/htdocs/langs/km_KH/errors.lang b/htdocs/langs/km_KH/errors.lang
index 893f4a35b65..5b26be724d9 100644
--- a/htdocs/langs/km_KH/errors.lang
+++ b/htdocs/langs/km_KH/errors.lang
@@ -5,8 +5,10 @@ NoErrorCommitIsDone=No error, we commit
# Errors
ErrorButCommitIsDone=Errors found but we validate despite this
ErrorBadEMail=Email %s is wrong
+ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record)
ErrorBadUrl=Url %s is wrong
ErrorBadValueForParamNotAString=Bad value for your parameter. It appends generally when translation is missing.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorLoginAlreadyExists=Login %s already exists.
ErrorGroupAlreadyExists=Group %s already exists.
ErrorRecordNotFound=Record not found.
@@ -48,6 +50,7 @@ ErrorFieldsRequired=Some required fields were not filled.
ErrorSubjectIsRequired=The email topic is required
ErrorFailedToCreateDir=Failed to create a directory. Check that Web server user has permissions to write into Dolibarr documents directory. If parameter safe_mode is enabled on this PHP, check that Dolibarr php files owns to web server user (or group).
ErrorNoMailDefinedForThisUser=No mail defined for this user
+ErrorSetupOfEmailsNotComplete=Setup of emails is not complete
ErrorFeatureNeedJavascript=This feature need javascript to be activated to work. Change this in setup - display.
ErrorTopMenuMustHaveAParentWithId0=A menu of type 'Top' can't have a parent menu. Put 0 in parent menu or choose a menu of type 'Left'.
ErrorLeftMenuMustHaveAParentId=A menu of type 'Left' must have a parent id.
@@ -75,7 +78,7 @@ ErrorExportDuplicateProfil=This profile name already exists for this export set.
ErrorLDAPSetupNotComplete=Dolibarr-LDAP matching is not complete.
ErrorLDAPMakeManualTest=A .ldif file has been generated in directory %s. Try to load it manually from command line to have more information on errors.
ErrorCantSaveADoneUserWithZeroPercentage=Can't save an action with "status not started" if field "done by" is also filled.
-ErrorRefAlreadyExists=Ref used for creation already exists.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorPleaseTypeBankTransactionReportName=Please enter the bank statement name where the entry has to be reported (Format YYYYMM or YYYYMMDD)
ErrorRecordHasChildren=Failed to delete record since it has some child records.
ErrorRecordHasAtLeastOneChildOfType=Object has at least one child of type %s
@@ -216,7 +219,7 @@ ErrorChooseBetweenFreeEntryOrPredefinedProduct=You must choose if article is a p
ErrorDiscountLargerThanRemainToPaySplitItBefore=The discount you try to apply is larger than remain to pay. Split the discount in 2 smaller discounts before.
ErrorFileNotFoundWithSharedLink=File was not found. May be the share key was modified or file was removed recently.
ErrorProductBarCodeAlreadyExists=The product barcode %s already exists on another product reference.
-ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using virtual product to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number.
+ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using kits to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number.
ErrorDescRequiredForFreeProductLines=Description is mandatory for lines with free product
ErrorAPageWithThisNameOrAliasAlreadyExists=The page/container %s has the same name or alternative alias that the one your try to use
ErrorDuringChartLoad=Error when loading chart of accounts. If few accounts were not loaded, you can still enter them manually.
@@ -243,6 +246,16 @@ ErrorReplaceStringEmpty=Error, the string to replace into is empty
ErrorProductNeedBatchNumber=Error, product '%s' need a lot/serial number
ErrorProductDoesNotNeedBatchNumber=Error, product '%s' does not accept a lot/serial number
ErrorFailedToReadObject=Error, failed to read object of type %s
+ErrorParameterMustBeEnabledToAllwoThisFeature=Error, parameter %s must be enabled into conf/conf.php to allow use of Command Line Interface by the internal job scheduler
+ErrorLoginDateValidity=Error, this login is outside the validity date range
+ErrorValueLength=Length of field '%s' must be higher than '%s'
+ErrorReservedKeyword=The word '%s' is a reserved keyword
+ErrorNotAvailableWithThisDistribution=Not available with this distribution
+ErrorPublicInterfaceNotEnabled=Public interface was not enabled
+ErrorLanguageRequiredIfPageIsTranslationOfAnother=The language of new page must be defined if it is set as a translation of another page
+ErrorLanguageMustNotBeSourceLanguageIfPageIsTranslationOfAnother=The language of new page must not be the source language if it is set as a translation of another page
+ErrorAParameterIsRequiredForThisOperation=A parameter is mandatory for this operation
+
# Warnings
WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup.
WarningPasswordSetWithNoAccount=A password was set for this member. However, no user account was created. So this password is stored but can't be used to login to Dolibarr. It may be used by an external module/interface but if you don't need to define any login nor password for a member, you can disable option "Manage a login for each member" from Member module setup. If you need to manage a login but don't need any password, you can keep this field empty to avoid this warning. Note: Email can also be used as a login if the member is linked to a user.
@@ -267,6 +280,10 @@ WarningYourLoginWasModifiedPleaseLogin=Your login was modified. For security pur
WarningAnEntryAlreadyExistForTransKey=An entry already exists for the translation key for this language
WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different recipient is limited to %s when using the mass actions on lists
WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report
+WarningProjectDraft=Project is still in draft mode. Don't forget to validate it if you plan to use tasks.
WarningProjectClosed=Project is closed. You must re-open it first.
WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list.
-WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table
+WarningFailedToAddFileIntoDatabaseIndex=Warning, failed to add file entry into ECM database index table
+WarningTheHiddenOptionIsOn=Warning, the hidden option %s is on.
+WarningCreateSubAccounts=Warning, you can't create directly a sub account, you must create a third party or an user and assign them an accounting code to find them in this list
+WarningAvailableOnlyForHTTPSServers=Available only if using HTTPS secured connection.
diff --git a/htdocs/langs/km_KH/exports.lang b/htdocs/langs/km_KH/exports.lang
index 3549e3f8b23..a0eb7161ef2 100644
--- a/htdocs/langs/km_KH/exports.lang
+++ b/htdocs/langs/km_KH/exports.lang
@@ -133,3 +133,4 @@ KeysToUseForUpdates=Key (column) to use for updating existing data
NbInsert=Number of inserted lines: %s
NbUpdate=Number of updated lines: %s
MultipleRecordFoundWithTheseFilters=Multiple records have been found with these filters: %s
+StocksWithBatch=Stocks and location (warehouse) of products with batch/serial number
diff --git a/htdocs/langs/km_KH/mails.lang b/htdocs/langs/km_KH/mails.lang
index 1235eef3b27..7fd93be7b71 100644
--- a/htdocs/langs/km_KH/mails.lang
+++ b/htdocs/langs/km_KH/mails.lang
@@ -92,6 +92,7 @@ MailingModuleDescEmailsFromUser=Emails input by user
MailingModuleDescDolibarrUsers=Users with Emails
MailingModuleDescThirdPartiesByCategories=Third parties (by categories)
SendingFromWebInterfaceIsNotAllowed=Sending from web interface is not allowed.
+EmailCollectorFilterDesc=All filters must match to have an email being collected
# Libelle des modules de liste de destinataires mailing
LineInFile=Line %s in file
@@ -125,12 +126,13 @@ TagMailtoEmail=Recipient Email (including html "mailto:" link)
NoEmailSentBadSenderOrRecipientEmail=No email sent. Bad sender or recipient email. Verify user profile.
# Module Notifications
Notifications=Notifications
-NoNotificationsWillBeSent=No email notifications are planned for this event and company
-ANotificationsWillBeSent=1 notification will be sent by email
-SomeNotificationsWillBeSent=%s notifications will be sent by email
-AddNewNotification=Activate a new email notification target/event
-ListOfActiveNotifications=List all active targets/events for email notification
-ListOfNotificationsDone=List all email notifications sent
+NotificationsAuto=Notifications Auto.
+NoNotificationsWillBeSent=No automatic email notifications are planned for this event type and company
+ANotificationsWillBeSent=1 automatic notification will be sent by email
+SomeNotificationsWillBeSent=%s automatic notifications will be sent by email
+AddNewNotification=Subscribe to a new automatic email notification (target/event)
+ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification
+ListOfNotificationsDone=List all automatic email notifications sent
MailSendSetupIs=Configuration of email sending has been setup to '%s'. This mode can't be used to send mass emailing.
MailSendSetupIs2=You must first go, with an admin account, into menu %sHome - Setup - EMails%s to change parameter '%s' to use mode '%s'. With this mode, you can enter setup of the SMTP server provided by your Internet Service Provider and use Mass emailing feature.
MailSendSetupIs3=If you have any questions on how to setup your SMTP server, you can ask to %s.
@@ -140,7 +142,7 @@ UseFormatFileEmailToTarget=Imported file must have format email;name;fir
UseFormatInputEmailToTarget=Enter a string with format email;name;firstname;other
MailAdvTargetRecipients=Recipients (advanced selection)
AdvTgtTitle=Fill input fields to preselect the third parties or contacts/addresses to target
-AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima% will target all jean, joe, start with jim but not jimo and not everything that starts with jima
+AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima%% will target all jean, joe, start with jim but not jimo and not everything that starts with jima
AdvTgtSearchIntHelp=Use interval to select int or float value
AdvTgtMinVal=Minimum value
AdvTgtMaxVal=Maximum value
@@ -162,13 +164,14 @@ AdvTgtCreateFilter=Create filter
AdvTgtOrCreateNewFilter=Name of new filter
NoContactWithCategoryFound=No contact/address with a category found
NoContactLinkedToThirdpartieWithCategoryFound=No contact/address with a category found
-OutGoingEmailSetup=Outgoing email setup
-InGoingEmailSetup=Incoming email setup
-OutGoingEmailSetupForEmailing=Outgoing email setup (for module %s)
-DefaultOutgoingEmailSetup=Default outgoing email setup
+OutGoingEmailSetup=Outgoing emails
+InGoingEmailSetup=Incoming emails
+OutGoingEmailSetupForEmailing=Outgoing emails (for module %s)
+DefaultOutgoingEmailSetup=Same configuration than the global Outgoing email setup
Information=Information
ContactsWithThirdpartyFilter=Contacts with third-party filter
Unanswered=Unanswered
Answered=Answered
IsNotAnAnswer=Is not answer (initial email)
IsAnAnswer=Is an answer of an initial email
+RecordCreatedByEmailCollector=Record created by the Email Collector %s from email %s
diff --git a/htdocs/langs/km_KH/main.lang b/htdocs/langs/km_KH/main.lang
index 68378c28883..3238b6ee9e0 100644
--- a/htdocs/langs/km_KH/main.lang
+++ b/htdocs/langs/km_KH/main.lang
@@ -28,7 +28,9 @@ NoTemplateDefined=No template available for this email type
AvailableVariables=Available substitution variables
NoTranslation=No translation
Translation=Translation
+CurrentTimeZone=TimeZone PHP (server)
EmptySearchString=Enter non empty search criterias
+EnterADateCriteria=Enter a date criteria
NoRecordFound=No record found
NoRecordDeleted=No record deleted
NotEnoughDataYet=Not enough data
@@ -85,6 +87,8 @@ FileWasNotUploaded=A file is selected for attachment but was not yet uploaded. C
NbOfEntries=No. of entries
GoToWikiHelpPage=Read online help (Internet access needed)
GoToHelpPage=Read help
+DedicatedPageAvailable=There is a dedicated help page related to your current screen
+HomePage=Home Page
RecordSaved=Record saved
RecordDeleted=Record deleted
RecordGenerated=Record generated
@@ -433,6 +437,7 @@ RemainToPay=Remain to pay
Module=Module/Application
Modules=Modules/Applications
Option=Option
+Filters=Filters
List=List
FullList=Full list
FullConversation=Full conversation
@@ -671,7 +676,7 @@ SendMail=Send email
Email=Email
NoEMail=No email
AlreadyRead=Already read
-NotRead=Not read
+NotRead=Unread
NoMobilePhone=No mobile phone
Owner=Owner
FollowingConstantsWillBeSubstituted=The following constants will be replaced with the corresponding value.
@@ -1107,3 +1112,8 @@ UpToDate=Up-to-date
OutOfDate=Out-of-date
EventReminder=Event Reminder
UpdateForAllLines=Update for all lines
+OnHold=On hold
+AffectTag=Affect Tag
+ConfirmAffectTag=Bulk Tag Affect
+ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected record(s)?
+CategTypeNotFound=No tag type found for type of records
diff --git a/htdocs/langs/km_KH/modulebuilder.lang b/htdocs/langs/km_KH/modulebuilder.lang
index 460aef8103b..845dd12624d 100644
--- a/htdocs/langs/km_KH/modulebuilder.lang
+++ b/htdocs/langs/km_KH/modulebuilder.lang
@@ -40,6 +40,7 @@ PageForCreateEditView=PHP page to create/edit/view a record
PageForAgendaTab=PHP page for event tab
PageForDocumentTab=PHP page for document tab
PageForNoteTab=PHP page for note tab
+PageForContactTab=PHP page for contact tab
PathToModulePackage=Path to zip of module/application package
PathToModuleDocumentation=Path to file of module/application documentation (%s)
SpaceOrSpecialCharAreNotAllowed=Spaces or special characters are not allowed.
@@ -77,7 +78,7 @@ IsAMeasure=Is a measure
DirScanned=Directory scanned
NoTrigger=No trigger
NoWidget=No widget
-GoToApiExplorer=Go to API explorer
+GoToApiExplorer=API explorer
ListOfMenusEntries=List of menu entries
ListOfDictionariesEntries=List of dictionaries entries
ListOfPermissionsDefined=List of defined permissions
@@ -105,7 +106,7 @@ TryToUseTheModuleBuilder=If you have knowledge of SQL and PHP, you may use the n
SeeTopRightMenu=See on the top right menu
AddLanguageFile=Add language file
YouCanUseTranslationKey=You can use here a key that is the translation key found into language file (see tab "Languages")
-DropTableIfEmpty=(Delete table if empty)
+DropTableIfEmpty=(Destroy table if empty)
TableDoesNotExists=The table %s does not exists
TableDropped=Table %s deleted
InitStructureFromExistingTable=Build the structure array string of an existing table
@@ -126,7 +127,6 @@ UseSpecificEditorURL = Use a specific editor URL
UseSpecificFamily = Use a specific family
UseSpecificAuthor = Use a specific author
UseSpecificVersion = Use a specific initial version
-ModuleMustBeEnabled=The module/application must be enabled first
IncludeRefGeneration=The reference of object must be generated automatically
IncludeRefGenerationHelp=Check this if you want to include code to manage the generation automatically of the reference
IncludeDocGeneration=I want to generate some documents from the object
@@ -140,3 +140,4 @@ TypeOfFieldsHelp=Type of fields: varchar(99), double(24,8), real, text, html,
AsciiToHtmlConverter=Ascii to HTML converter
AsciiToPdfConverter=Ascii to PDF converter
TableNotEmptyDropCanceled=Table not empty. Drop has been canceled.
+ModuleBuilderNotAllowed=The module builder is available but not allowed to your user.
diff --git a/htdocs/langs/km_KH/other.lang b/htdocs/langs/km_KH/other.lang
index 54c0572d453..0a7b3723ab1 100644
--- a/htdocs/langs/km_KH/other.lang
+++ b/htdocs/langs/km_KH/other.lang
@@ -5,8 +5,6 @@ Tools=Tools
TMenuTools=Tools
ToolsDesc=All tools not included in other menu entries are grouped here. All the tools can be accessed via the left menu.
Birthday=Birthday
-BirthdayDate=Birthday date
-DateToBirth=Birth date
BirthdayAlertOn=birthday alert active
BirthdayAlertOff=birthday alert inactive
TransKey=Translation of the key TransKey
@@ -16,6 +14,8 @@ PreviousMonthOfInvoice=Previous month (number 1-12) of invoice date
TextPreviousMonthOfInvoice=Previous month (text) of invoice date
NextMonthOfInvoice=Following month (number 1-12) of invoice date
TextNextMonthOfInvoice=Following month (text) of invoice date
+PreviousMonth=Previous month
+CurrentMonth=Current month
ZipFileGeneratedInto=Zip file generated into %s.
DocFileGeneratedInto=Doc file generated into %s.
JumpToLogin=Disconnected. Go to login page...
@@ -99,6 +99,7 @@ PredefinedMailContentSendShipping=__(Hello)__\n\nPlease find shipping __REF__ at
PredefinedMailContentSendFichInter=__(Hello)__\n\nPlease find intervention __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.\n\n%s\n\n
PredefinedMailContentGeneric=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
+PredefinedMailContentSendActionComm=Event reminder "__EVENT_LABEL__" on __EVENT_DATE__ at __EVENT_TIME__
This is an automatic message, please do not reply.
DemoDesc=Dolibarr is a compact ERP/CRM supporting several business modules. A demo showcasing all modules makes no sense as this scenario never occurs (several hundred available). So, several demo profiles are available.
ChooseYourDemoProfil=Choose the demo profile that best suits your needs...
ChooseYourDemoProfilMore=...or build your own profile (manual module selection)
@@ -137,7 +138,7 @@ Right=Right
CalculatedWeight=Calculated weight
CalculatedVolume=Calculated volume
Weight=Weight
-WeightUnitton=tonne
+WeightUnitton=ton
WeightUnitkg=kg
WeightUnitg=g
WeightUnitmg=mg
@@ -258,6 +259,7 @@ ContactCreatedByEmailCollector=Contact/address created by email collector from e
ProjectCreatedByEmailCollector=Project created by email collector from email MSGID %s
TicketCreatedByEmailCollector=Ticket created by email collector from email MSGID %s
OpeningHoursFormatDesc=Use a - to separate opening and closing hours. Use a space to enter different ranges. Example: 8-12 14-18
+PrefixSession=Prefix for session ID
##### Export #####
ExportsArea=Exports area
diff --git a/htdocs/langs/km_KH/products.lang b/htdocs/langs/km_KH/products.lang
index 97db059594f..f0c4a5362b8 100644
--- a/htdocs/langs/km_KH/products.lang
+++ b/htdocs/langs/km_KH/products.lang
@@ -108,7 +108,8 @@ FillWithLastServiceDates=Fill with last service line dates
MultiPricesAbility=Multiple price segments per product/service (each customer is in one price segment)
MultiPricesNumPrices=Number of prices
DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices
-AssociatedProductsAbility=Activate kits (virtual products)
+AssociatedProductsAbility=Enable Kits (set of other products)
+VariantsAbility=Enable Variants (variations of products, for example color, size)
AssociatedProducts=Kits
AssociatedProductsNumber=Number of products composing this kit
ParentProductsNumber=Number of parent packaging product
@@ -167,8 +168,10 @@ BuyingPrices=Buying prices
CustomerPrices=Customer prices
SuppliersPrices=Vendor prices
SuppliersPricesOfProductsOrServices=Vendor prices (of products or services)
-CustomCode=Customs / Commodity / HS code
+CustomCode=Customs|Commodity|HS code
CountryOrigin=Origin country
+RegionStateOrigin=Region origin
+StateOrigin=State|Province origin
Nature=Nature of product (material/finished)
NatureOfProductShort=Nature of product
NatureOfProductDesc=Raw material or finished product
@@ -239,7 +242,7 @@ AlwaysUseFixedPrice=Use the fixed price
PriceByQuantity=Different prices by quantity
DisablePriceByQty=Disable prices by quantity
PriceByQuantityRange=Quantity range
-MultipriceRules=Price segment rules
+MultipriceRules=Automatic prices for segment
UseMultipriceRules=Use price segment rules (defined into product module setup) to auto calculate prices of all other segments according to first segment
PercentVariationOver=%% variation over %s
PercentDiscountOver=%% discount over %s
diff --git a/htdocs/langs/km_KH/recruitment.lang b/htdocs/langs/km_KH/recruitment.lang
index b775e78552e..437445f25dc 100644
--- a/htdocs/langs/km_KH/recruitment.lang
+++ b/htdocs/langs/km_KH/recruitment.lang
@@ -73,3 +73,4 @@ JobClosedTextCandidateFound=The job position is closed. The position has been fi
JobClosedTextCanceled=The job position is closed.
ExtrafieldsJobPosition=Complementary attributes (job positions)
ExtrafieldsCandidatures=Complementary attributes (job applications)
+MakeOffer=Make an offer
diff --git a/htdocs/langs/km_KH/sendings.lang b/htdocs/langs/km_KH/sendings.lang
index 5ce3b7f67e9..73bd9aebd42 100644
--- a/htdocs/langs/km_KH/sendings.lang
+++ b/htdocs/langs/km_KH/sendings.lang
@@ -30,6 +30,7 @@ OtherSendingsForSameOrder=Other shipments for this order
SendingsAndReceivingForSameOrder=Shipments and receipts for this order
SendingsToValidate=Shipments to validate
StatusSendingCanceled=Canceled
+StatusSendingCanceledShort=Canceled
StatusSendingDraft=Draft
StatusSendingValidated=Validated (products to ship or already shipped)
StatusSendingProcessed=Processed
@@ -65,6 +66,7 @@ ValidateOrderFirstBeforeShipment=You must first validate the order before being
# Sending methods
# ModelDocument
DocumentModelTyphon=More complete document model for delivery receipts (logo...)
+DocumentModelStorm=More complete document model for delivery receipts and extrafields compatibility (logo...)
Error_EXPEDITION_ADDON_NUMBER_NotDefined=Constant EXPEDITION_ADDON_NUMBER not defined
SumOfProductVolumes=Sum of product volumes
SumOfProductWeights=Sum of product weights
diff --git a/htdocs/langs/km_KH/stocks.lang b/htdocs/langs/km_KH/stocks.lang
index 660443bcded..6cf089096dd 100644
--- a/htdocs/langs/km_KH/stocks.lang
+++ b/htdocs/langs/km_KH/stocks.lang
@@ -240,3 +240,4 @@ InventoryRealQtyHelp=Set value to 0 to reset qty Keep field empty, or remove
UpdateByScaning=Update by scaning
UpdateByScaningProductBarcode=Update by scan (product barcode)
UpdateByScaningLot=Update by scan (lot|serial barcode)
+DisableStockChangeOfSubProduct=Deactivate the stock change for all the subproducts of this Kit during this movement.
diff --git a/htdocs/langs/km_KH/ticket.lang b/htdocs/langs/km_KH/ticket.lang
index 59519282c80..982fff90ffa 100644
--- a/htdocs/langs/km_KH/ticket.lang
+++ b/htdocs/langs/km_KH/ticket.lang
@@ -31,10 +31,8 @@ TicketDictType=Ticket - Types
TicketDictCategory=Ticket - Groupes
TicketDictSeverity=Ticket - Severities
TicketDictResolution=Ticket - Resolution
-TicketTypeShortBUGSOFT=Dysfonctionnement logiciel
-TicketTypeShortBUGHARD=Dysfonctionnement matériel
-TicketTypeShortCOM=Commercial question
+TicketTypeShortCOM=Commercial question
TicketTypeShortHELP=Request for functionnal help
TicketTypeShortISSUE=Issue, bug or problem
TicketTypeShortREQUEST=Change or enhancement request
@@ -44,7 +42,7 @@ TicketTypeShortOTHER=Other
TicketSeverityShortLOW=Low
TicketSeverityShortNORMAL=Normal
TicketSeverityShortHIGH=High
-TicketSeverityShortBLOCKING=Critical/Blocking
+TicketSeverityShortBLOCKING=Critical, Blocking
ErrorBadEmailAddress=Field '%s' incorrect
MenuTicketMyAssign=My tickets
@@ -60,7 +58,6 @@ OriginEmail=Email source
Notify_TICKET_SENTBYMAIL=Send ticket message by email
# Status
-NotRead=Not read
Read=Read
Assigned=Assigned
InProgress=In progress
@@ -126,6 +123,7 @@ TicketsActivatePublicInterfaceHelp=Public interface allow any visitors to create
TicketsAutoAssignTicket=Automatically assign the user who created the ticket
TicketsAutoAssignTicketHelp=When creating a ticket, the user can be automatically assigned to the ticket.
TicketNumberingModules=Tickets numbering module
+TicketsModelModule=Document templates for tickets
TicketNotifyTiersAtCreation=Notify third party at creation
TicketsDisableCustomerEmail=Always disable emails when a ticket is created from public interface
TicketsPublicNotificationNewMessage=Send email(s) when a new message is added
@@ -233,7 +231,6 @@ TicketLogStatusChanged=Status changed: %s to %s
TicketNotNotifyTiersAtCreate=Not notify company at create
Unread=Unread
TicketNotCreatedFromPublicInterface=Not available. Ticket was not created from public interface.
-PublicInterfaceNotEnabled=Public interface was not enabled
ErrorTicketRefRequired=Ticket reference name is required
#
diff --git a/htdocs/langs/km_KH/website.lang b/htdocs/langs/km_KH/website.lang
index 03e042e4be6..f17def114b8 100644
--- a/htdocs/langs/km_KH/website.lang
+++ b/htdocs/langs/km_KH/website.lang
@@ -30,7 +30,6 @@ EditInLine=Edit inline
AddWebsite=Add website
Webpage=Web page/container
AddPage=Add page/container
-HomePage=Home Page
PageContainer=Page
PreviewOfSiteNotYetAvailable=Preview of your website %s not yet available. You must first 'Import a full website template' or just 'Add a page/container'.
RequestedPageHasNoContentYet=Requested page with id %s has no content yet, or cache file .tpl.php was removed. Edit content of the page to solve this.
@@ -101,7 +100,7 @@ EmptyPage=Empty page
ExternalURLMustStartWithHttp=External URL must start with http:// or https://
ZipOfWebsitePackageToImport=Upload the Zip file of the website template package
ZipOfWebsitePackageToLoad=or Choose an available embedded website template package
-ShowSubcontainers=Include dynamic content
+ShowSubcontainers=Show dynamic content
InternalURLOfPage=Internal URL of page
ThisPageIsTranslationOf=This page/container is a translation of
ThisPageHasTranslationPages=This page/container has translation
@@ -137,3 +136,4 @@ RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using
PagesRegenerated=%s page(s)/container(s) regenerated
RegenerateWebsiteContent=Regenerate web site cache files
AllowedInFrames=Allowed in Frames
+DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languages into web site properties.
diff --git a/htdocs/langs/km_KH/withdrawals.lang b/htdocs/langs/km_KH/withdrawals.lang
index 114a8d9dd6c..e3bec6f9cb8 100644
--- a/htdocs/langs/km_KH/withdrawals.lang
+++ b/htdocs/langs/km_KH/withdrawals.lang
@@ -42,6 +42,7 @@ LastWithdrawalReceipt=Latest %s direct debit receipts
MakeWithdrawRequest=Make a direct debit payment request
MakeBankTransferOrder=Make a credit transfer request
WithdrawRequestsDone=%s direct debit payment requests recorded
+BankTransferRequestsDone=%s credit transfer requests recorded
ThirdPartyBankCode=Third-party bank code
NoInvoiceCouldBeWithdrawed=No invoice debited successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s.
ClassCredited=Classify credited
@@ -131,7 +132,8 @@ SEPARCUR=SEPA CUR
SEPAFRST=SEPA FRST
ExecutionDate=Execution date
CreateForSepa=Create direct debit file
-ICS=Creditor Identifier CI
+ICS=Creditor Identifier CI for direct debit
+ICSTransfer=Creditor Identifier CI for bank transfer
END_TO_END="EndToEndId" SEPA XML tag - Unique id assigned per transaction
USTRD="Unstructured" SEPA XML tag
ADDDAYS=Add days to Execution Date
@@ -146,3 +148,4 @@ InfoRejectSubject=Direct debit payment order refused
InfoRejectMessage=Hello,
the direct debit payment order of invoice %s related to the company %s, with an amount of %s has been refused by the bank.
-- %s
ModeWarning=Option for real mode was not set, we stop after this simulation
ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know wich one to use.
+ErrorICSmissing=Missing ICS in Bank account %s
diff --git a/htdocs/langs/kn_IN/accountancy.lang b/htdocs/langs/kn_IN/accountancy.lang
index 3211a0b62df..33ba4d9fea7 100644
--- a/htdocs/langs/kn_IN/accountancy.lang
+++ b/htdocs/langs/kn_IN/accountancy.lang
@@ -48,6 +48,7 @@ CountriesExceptMe=All countries except %s
AccountantFiles=Export source documents
ExportAccountingSourceDocHelp=With this tool, you can export the source events (list and PDFs) that were used to generate your accountancy. To export your journals, use the menu entry %s - %s.
VueByAccountAccounting=View by accounting account
+VueBySubAccountAccounting=View by accounting subaccount
MainAccountForCustomersNotDefined=Main accounting account for customers not defined in setup
MainAccountForSuppliersNotDefined=Main accounting account for vendors not defined in setup
@@ -144,7 +145,7 @@ NotVentilatedinAccount=Not bound to the accounting account
XLineSuccessfullyBinded=%s products/services successfully bound to an accounting account
XLineFailedToBeBinded=%s products/services were not bound to any accounting account
-ACCOUNTING_LIMIT_LIST_VENTILATION=Number of elements to bind shown by page (maximum recommended: 50)
+ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50)
ACCOUNTING_LIST_SORT_VENTILATION_TODO=Begin the sorting of the page "Binding to do" by the most recent elements
ACCOUNTING_LIST_SORT_VENTILATION_DONE=Begin the sorting of the page "Binding done" by the most recent elements
@@ -198,7 +199,8 @@ Docdate=Date
Docref=Reference
LabelAccount=Label account
LabelOperation=Label operation
-Sens=Sens
+Sens=Direction
+AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received For an accounting account of a supplier, use Debit to record a payment you make
LetteringCode=Lettering code
Lettering=Lettering
Codejournal=Journal
@@ -206,7 +208,8 @@ JournalLabel=Journal label
NumPiece=Piece number
TransactionNumShort=Num. transaction
AccountingCategory=Personalized groups
-GroupByAccountAccounting=Group by accounting account
+GroupByAccountAccounting=Group by general ledger account
+GroupBySubAccountAccounting=Group by subledger account
AccountingAccountGroupsDesc=You can define here some groups of accounting account. They will be used for personalized accounting reports.
ByAccounts=By accounts
ByPredefinedAccountGroups=By predefined groups
@@ -248,7 +251,7 @@ PaymentsNotLinkedToProduct=Payment not linked to any product / service
OpeningBalance=Opening balance
ShowOpeningBalance=Show opening balance
HideOpeningBalance=Hide opening balance
-ShowSubtotalByGroup=Show subtotal by group
+ShowSubtotalByGroup=Show subtotal by level
Pcgtype=Group of account
PcgtypeDesc=Group of account are used as predefined 'filter' and 'grouping' criteria for some accounting reports. For example, 'INCOME' or 'EXPENSE' are used as groups for accounting accounts of products to build the expense/income report.
@@ -271,11 +274,13 @@ DescVentilExpenseReport=Consult here the list of expense report lines bound (or
DescVentilExpenseReportMore=If you setup accounting account on type of expense report lines, the application will be able to make all the binding between your expense report lines and the accounting account of your chart of accounts, just in one click with the button "%s". If account was not set on fees dictionary or if you still have some lines not bound to any account, you will have to make a manual binding from the menu "%s".
DescVentilDoneExpenseReport=Consult here the list of the lines of expenses reports and their fees accounting account
+Closure=Annual closure
DescClosure=Consult here the number of movements by month who are not validated & fiscal years already open
OverviewOfMovementsNotValidated=Step 1/ Overview of movements not validated. (Necessary to close a fiscal year)
+AllMovementsWereRecordedAsValidated=All movements were recorded as validated
+NotAllMovementsCouldBeRecordedAsValidated=Not all movements could be recorded as validated
ValidateMovements=Validate movements
DescValidateMovements=Any modification or deletion of writing, lettering and deletes will be prohibited. All entries for an exercise must be validated otherwise closing will not be possible
-SelectMonthAndValidate=Select month and validate movements
ValidateHistory=Bind Automatically
AutomaticBindingDone=Automatic binding done
@@ -293,6 +298,7 @@ Accounted=Accounted in ledger
NotYetAccounted=Not yet accounted in ledger
ShowTutorial=Show Tutorial
NotReconciled=Not reconciled
+WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view
## Admin
BindingOptions=Binding options
@@ -337,6 +343,7 @@ Modelcsv_LDCompta10=Export for LD Compta (v10 & higher)
Modelcsv_openconcerto=Export for OpenConcerto (Test)
Modelcsv_configurable=Export CSV Configurable
Modelcsv_FEC=Export FEC
+Modelcsv_FEC2=Export FEC (With dates generation writing / document reversed)
Modelcsv_Sage50_Swiss=Export for Sage 50 Switzerland
Modelcsv_winfic=Export Winfic - eWinfic - WinSis Compta
Modelcsv_Gestinumv3=Export for Gestinum (v3)
diff --git a/htdocs/langs/kn_IN/admin.lang b/htdocs/langs/kn_IN/admin.lang
index 77951271212..262149b3dc3 100644
--- a/htdocs/langs/kn_IN/admin.lang
+++ b/htdocs/langs/kn_IN/admin.lang
@@ -56,6 +56,8 @@ GUISetup=Display
SetupArea=Setup
UploadNewTemplate=Upload new template(s)
FormToTestFileUploadForm=Form to test file upload (according to setup)
+ModuleMustBeEnabled=The module/application %s must be enabled
+ModuleIsEnabled=The module/application %s has been enabled
IfModuleEnabled=Note: yes is effective only if module %s is enabled
RemoveLock=Remove/rename file %s if it exists, to allow usage of the Update/Install tool.
RestoreLock=Restore file %s, with read permission only, to disable any further use of the Update/Install tool.
@@ -85,7 +87,6 @@ ShowPreview=Show preview
ShowHideDetails=Show-Hide details
PreviewNotAvailable=Preview not available
ThemeCurrentlyActive=Theme currently active
-CurrentTimeZone=TimeZone PHP (server)
MySQLTimeZone=TimeZone MySql (database)
TZHasNoEffect=Dates are stored and returned by database server as if they were kept as submitted string. The timezone has effect only when using the UNIX_TIMESTAMP function (that should not be used by Dolibarr, so database TZ should have no effect, even if changed after data was entered).
Space=Space
@@ -153,8 +154,8 @@ SystemToolsAreaDesc=This area provides administration functions. Use the menu to
Purge=Purge
PurgeAreaDesc=This page allows you to delete all files generated or stored by Dolibarr (temporary files or all files in %s directory). Using this feature is not normally necessary. It is provided as a workaround for users whose Dolibarr is hosted by a provider that does not offer permissions to delete files generated by the web server.
PurgeDeleteLogFile=Delete log files, including %s defined for Syslog module (no risk of losing data)
-PurgeDeleteTemporaryFiles=Delete all temporary files (no risk of losing data). Note: Deletion is done only if the temp directory was created 24 hours ago.
-PurgeDeleteTemporaryFilesShort=Delete temporary files
+PurgeDeleteTemporaryFiles=Delete all log and temporary files (no risk of losing data). Note: Deletion of temporary files is done only if the temp directory was created more than 24 hours ago.
+PurgeDeleteTemporaryFilesShort=Delete log and temporary files
PurgeDeleteAllFilesInDocumentsDir=Delete all files in directory: %s. This will delete all generated documents related to elements (third parties, invoices etc...), files uploaded into the ECM module, database backup dumps and temporary files.
PurgeRunNow=Purge now
PurgeNothingToDelete=No directory or files to delete.
@@ -256,6 +257,7 @@ ReferencedPreferredPartners=Preferred Partners
OtherResources=Other resources
ExternalResources=External Resources
SocialNetworks=Social Networks
+SocialNetworkId=Social Network ID
ForDocumentationSeeWiki=For user or developer documentation (Doc, FAQs...), take a look at the Dolibarr Wiki: %s
ForAnswersSeeForum=For any other questions/help, you can use the Dolibarr forum: %s
HelpCenterDesc1=Here are some resources for getting help and support with Dolibarr.
@@ -375,7 +377,7 @@ ExamplesWithCurrentSetup=Examples with current configuration
ListOfDirectories=List of OpenDocument templates directories
ListOfDirectoriesForModelGenODT=List of directories containing templates files with OpenDocument format.
Put here full path of directories. Add a carriage return between eah directory. To add a directory of the GED module, add here DOL_DATA_ROOT/ecm/yourdirectoryname.
Files in those directories must end with .odt or .ods.
NumberOfModelFilesFound=Number of ODT/ODS template files found in these directories
-ExampleOfDirectoriesForModelGen=Examples of syntax: c:\\mydir /home/mydir DOL_DATA_ROOT/ecm/ecmdir
+ExampleOfDirectoriesForModelGen=Examples of syntax: c:\\myapp\\mydocumentdir\\mysubdir /home/myapp/mydocumentdir/mysubdir DOL_DATA_ROOT/ecm/ecmdir
FollowingSubstitutionKeysCanBeUsed= To know how to create your odt document templates, before storing them in those directories, read wiki documentation:
FullListOnOnlineDocumentation=http://wiki.dolibarr.org/index.php/Create_an_ODT_document_template
FirstnameNamePosition=Position of Name/Lastname
@@ -406,7 +408,7 @@ UrlGenerationParameters=Parameters to secure URLs
SecurityTokenIsUnique=Use a unique securekey parameter for each URL
EnterRefToBuildUrl=Enter reference for object %s
GetSecuredUrl=Get calculated URL
-ButtonHideUnauthorized=Hide buttons for non-admin users for unauthorized actions instead of showing greyed disabled buttons
+ButtonHideUnauthorized=Hide unauthorized action buttons also for internal users (just greyed otherwise)
OldVATRates=Old VAT rate
NewVATRates=New VAT rate
PriceBaseTypeToChange=Modify on prices with base reference value defined on
@@ -1689,7 +1691,7 @@ NotTopTreeMenuPersonalized=Personalized menus not linked to a top menu entry
NewMenu=New menu
MenuHandler=Menu handler
MenuModule=Source module
-HideUnauthorizedMenu= Hide unauthorized menus (gray)
+HideUnauthorizedMenu=Hide unauthorized menus also for internal users (just greyed otherwise)
DetailId=Id menu
DetailMenuHandler=Menu handler where to show new menu
DetailMenuModule=Module name if menu entry come from a module
@@ -1983,11 +1985,12 @@ EMailHost=Host of email IMAP server
MailboxSourceDirectory=Mailbox source directory
MailboxTargetDirectory=Mailbox target directory
EmailcollectorOperations=Operations to do by collector
+EmailcollectorOperationsDesc=Operations are executed from top to bottom order
MaxEmailCollectPerCollect=Max number of emails collected per collect
CollectNow=Collect now
ConfirmCloneEmailCollector=Are you sure you want to clone the Email collector %s ?
-DateLastCollectResult=Date latest collect tried
-DateLastcollectResultOk=Date latest collect successfull
+DateLastCollectResult=Date of latest collect try
+DateLastcollectResultOk=Date of latest collect success
LastResult=Latest result
EmailCollectorConfirmCollectTitle=Email collect confirmation
EmailCollectorConfirmCollect=Do you want to run the collection for this collector now ?
@@ -2005,7 +2008,7 @@ WithDolTrackingID=Message from a conversation initiated by a first email sent fr
WithoutDolTrackingID=Message from a conversation initiated by a first email NOT sent from Dolibarr
WithDolTrackingIDInMsgId=Message sent from Dolibarr
WithoutDolTrackingIDInMsgId=Message NOT sent from Dolibarr
-CreateCandidature=Create candidature
+CreateCandidature=Create job application
FormatZip=Zip
MainMenuCode=Menu entry code (mainmenu)
ECMAutoTree=Show automatic ECM tree
@@ -2083,3 +2086,7 @@ CountryIfSpecificToOneCountry=Country (if specific to a given country)
YouMayFindSecurityAdviceHere=You may find security advisory here
ModuleActivatedMayExposeInformation=This module may expose sensitive data. If you don't need it, disable it.
ModuleActivatedDoNotUseInProduction=A module designed for the development has been enabled. Do not enable it on a production environment.
+CombinationsSeparator=Separator character for product combinations
+SeeLinkToOnlineDocumentation=See link to online documention on top menu for examples
+SHOW_SUBPRODUCT_REF_IN_PDF=If the feature "%s" of module %s is used, show details of subproducts of a kit on PDF.
+AskThisIDToYourBank=Contact your bank to get this ID
diff --git a/htdocs/langs/kn_IN/banks.lang b/htdocs/langs/kn_IN/banks.lang
index b1816234c5a..ac6f369f144 100644
--- a/htdocs/langs/kn_IN/banks.lang
+++ b/htdocs/langs/kn_IN/banks.lang
@@ -173,8 +173,8 @@ SEPAMandate=SEPA mandate
YourSEPAMandate=Your SEPA mandate
FindYourSEPAMandate=This is your SEPA mandate to authorize our company to make direct debit order to your bank. Return it signed (scan of the signed document) or send it by mail to
AutoReportLastAccountStatement=Automatically fill the field 'number of bank statement' with last statement number when making reconciliation
-CashControl=POS cash fence
-NewCashFence=New cash fence
+CashControl=POS cash desk control
+NewCashFence=New cash desk closing
BankColorizeMovement=Colorize movements
BankColorizeMovementDesc=If this function is enable, you can choose specific background color for debit or credit movements
BankColorizeMovementName1=Background color for debit movement
diff --git a/htdocs/langs/kn_IN/blockedlog.lang b/htdocs/langs/kn_IN/blockedlog.lang
index 5afae6e9e53..0bba5605d0f 100644
--- a/htdocs/langs/kn_IN/blockedlog.lang
+++ b/htdocs/langs/kn_IN/blockedlog.lang
@@ -35,7 +35,7 @@ logDON_DELETE=Donation logical deletion
logMEMBER_SUBSCRIPTION_CREATE=Member subscription created
logMEMBER_SUBSCRIPTION_MODIFY=Member subscription modified
logMEMBER_SUBSCRIPTION_DELETE=Member subscription logical deletion
-logCASHCONTROL_VALIDATE=Cash fence recording
+logCASHCONTROL_VALIDATE=Cash desk closing recording
BlockedLogBillDownload=Customer invoice download
BlockedLogBillPreview=Customer invoice preview
BlockedlogInfoDialog=Log Details
diff --git a/htdocs/langs/kn_IN/boxes.lang b/htdocs/langs/kn_IN/boxes.lang
index d6fd298a3a7..7db4ea8aa17 100644
--- a/htdocs/langs/kn_IN/boxes.lang
+++ b/htdocs/langs/kn_IN/boxes.lang
@@ -46,9 +46,12 @@ BoxTitleLastModifiedDonations=Latest %s modified donations
BoxTitleLastModifiedExpenses=Latest %s modified expense reports
BoxTitleLatestModifiedBoms=Latest %s modified BOMs
BoxTitleLatestModifiedMos=Latest %s modified Manufacturing Orders
+BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded
BoxGlobalActivity=Global activity (invoices, proposals, orders)
BoxGoodCustomers=Good customers
BoxTitleGoodCustomers=%s Good customers
+BoxScheduledJobs=Scheduled jobs
+BoxTitleFunnelOfProspection=Lead funnel
FailedToRefreshDataInfoNotUpToDate=Failed to refresh RSS flux. Latest successful refresh date: %s
LastRefreshDate=Latest refresh date
NoRecordedBookmarks=No bookmarks defined.
@@ -102,5 +105,7 @@ SuspenseAccountNotDefined=Suspense account isn't defined
BoxLastCustomerShipments=Last customer shipments
BoxTitleLastCustomerShipments=Latest %s customer shipments
NoRecordedShipments=No recorded customer shipment
+BoxCustomersOutstandingBillReached=Customers with oustanding limit reached
# Pages
AccountancyHome=Accountancy
+ValidatedProjects=Validated projects
diff --git a/htdocs/langs/kn_IN/cashdesk.lang b/htdocs/langs/kn_IN/cashdesk.lang
index caa77612db5..a70407c989f 100644
--- a/htdocs/langs/kn_IN/cashdesk.lang
+++ b/htdocs/langs/kn_IN/cashdesk.lang
@@ -49,8 +49,8 @@ Footer=Footer
AmountAtEndOfPeriod=Amount at end of period (day, month or year)
TheoricalAmount=Theorical amount
RealAmount=Real amount
-CashFence=Cash fence
-CashFenceDone=Cash fence done for the period
+CashFence=Cash desk closing
+CashFenceDone=Cash desk closing done for the period
NbOfInvoices=Nb of invoices
Paymentnumpad=Type of Pad to enter payment
Numberspad=Numbers Pad
@@ -99,8 +99,9 @@ CashDeskRefNumberingModules=Numbering module for POS sales
CashDeskGenericMaskCodes6 = {TN} tag is used to add the terminal number
TakeposGroupSameProduct=Group same products lines
StartAParallelSale=Start a new parallel sale
-ControlCashOpening=Control cash box at opening POS
-CloseCashFence=Close cash fence
+SaleStartedAt=Sale started at %s
+ControlCashOpening=Control cash popup at opening POS
+CloseCashFence=Close cash desk control
CashReport=Cash report
MainPrinterToUse=Main printer to use
OrderPrinterToUse=Order printer to use
@@ -122,3 +123,4 @@ GiftReceipt=Gift receipt
ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled first
AllowDelayedPayment=Allow delayed payment
PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts
+WeighingScale=Weighing scale
diff --git a/htdocs/langs/kn_IN/categories.lang b/htdocs/langs/kn_IN/categories.lang
index ba37a43b4ec..4ddf0d6093f 100644
--- a/htdocs/langs/kn_IN/categories.lang
+++ b/htdocs/langs/kn_IN/categories.lang
@@ -19,6 +19,7 @@ ProjectsCategoriesArea=Projects tags/categories area
UsersCategoriesArea=Users tags/categories area
SubCats=Sub-categories
CatList=List of tags/categories
+CatListAll=List of tags/categories (all types)
NewCategory=New tag/category
ModifCat=Modify tag/category
CatCreated=Tag/category created
@@ -65,16 +66,22 @@ UsersCategoriesShort=Users tags/categories
StockCategoriesShort=Warehouse tags/categories
ThisCategoryHasNoItems=This category does not contain any items.
CategId=Tag/category id
-CatSupList=List of vendor tags/categories
-CatCusList=List of customer/prospect tags/categories
+ParentCategory=Parent tag/category
+ParentCategoryLabel=Label of parent tag/category
+CatSupList=List of vendors tags/categories
+CatCusList=List of customers/prospects tags/categories
CatProdList=List of products tags/categories
CatMemberList=List of members tags/categories
-CatContactList=List of contact tags/categories
-CatSupLinks=Links between suppliers and tags/categories
+CatContactList=List of contacts tags/categories
+CatProjectsList=List of projects tags/categories
+CatUsersList=List of users tags/categories
+CatSupLinks=Links between vendors and tags/categories
CatCusLinks=Links between customers/prospects and tags/categories
CatContactsLinks=Links between contacts/addresses and tags/categories
CatProdLinks=Links between products/services and tags/categories
-CatProJectLinks=Links between projects and tags/categories
+CatMembersLinks=Links between members and tags/categories
+CatProjectsLinks=Links between projects and tags/categories
+CatUsersLinks=Links between users and tags/categories
DeleteFromCat=Remove from tags/category
ExtraFieldsCategories=Complementary attributes
CategoriesSetup=Tags/categories setup
diff --git a/htdocs/langs/kn_IN/companies.lang b/htdocs/langs/kn_IN/companies.lang
index 5a13d292ec1..63f3c11bf02 100644
--- a/htdocs/langs/kn_IN/companies.lang
+++ b/htdocs/langs/kn_IN/companies.lang
@@ -358,7 +358,7 @@ VATIntraCheckableOnEUSite=Check the intra-Community VAT ID on the European Commi
VATIntraManualCheck=You can also check manually on the European Commission website %s
ErrorVATCheckMS_UNAVAILABLE=Check not possible. Check service is not provided by the member state (%s).
NorProspectNorCustomer=Not prospect, nor customer
-JuridicalStatus=Legal Entity Type
+JuridicalStatus=Business entity type
Workforce=Workforce
Staff=Employees
ProspectLevelShort=ಸಂಭವನೀಯ
diff --git a/htdocs/langs/kn_IN/compta.lang b/htdocs/langs/kn_IN/compta.lang
index 8f4f058bb87..1afeb6e3727 100644
--- a/htdocs/langs/kn_IN/compta.lang
+++ b/htdocs/langs/kn_IN/compta.lang
@@ -111,7 +111,7 @@ Refund=Refund
SocialContributionsPayments=Social/fiscal taxes payments
ShowVatPayment=Show VAT payment
TotalToPay=Total to pay
-BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted ascending on %s and filtered for 1 bank account
+BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted on %s and filtered on 1 bank account (with no other filters)
CustomerAccountancyCode=Customer accounting code
SupplierAccountancyCode=Vendor accounting code
CustomerAccountancyCodeShort=Cust. account. code
@@ -140,7 +140,7 @@ ConfirmDeleteSocialContribution=Are you sure you want to delete this social/fisc
ExportDataset_tax_1=Social and fiscal taxes and payments
CalcModeVATDebt=Mode %sVAT on commitment accounting%s.
CalcModeVATEngagement=Mode %sVAT on incomes-expenses%s.
-CalcModeDebt=Analysis of known recorded invoices even if they are not yet accounted in ledger.
+CalcModeDebt=Analysis of known recorded documents even if they are not yet accounted in ledger.
CalcModeEngagement=Analysis of known recorded payments, even if they are not yet accounted in Ledger.
CalcModeBookkeeping=Analysis of data journalized in Bookkeeping Ledger table.
CalcModeLT1= Mode %sRE on customer invoices - suppliers invoices%s
@@ -154,9 +154,9 @@ AnnualSummaryInputOutputMode=Balance of income and expenses, annual summary
AnnualByCompanies=Balance of income and expenses, by predefined groups of account
AnnualByCompaniesDueDebtMode=Balance of income and expenses, detail by predefined groups, mode %sClaims-Debts%s said Commitment accounting.
AnnualByCompaniesInputOutputMode=Balance of income and expenses, detail by predefined groups, mode %sIncomes-Expenses%s said cash accounting.
-SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation on actual payments made even if they are not yet accounted in Ledger.
-SeeReportInDueDebtMode=See %sanalysis of invoices%s for a calculation based on known recorded invoices even if they are not yet accounted in Ledger.
-SeeReportInBookkeepingMode=See %sBookeeping report%s for a calculation on Bookkeeping Ledger table
+SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation based on recorded payments made even if they are not yet accounted in Ledger
+SeeReportInDueDebtMode=See %sanalysis of recorded documents%s for a calculation based on known recorded documents even if they are not yet accounted in Ledger
+SeeReportInBookkeepingMode=See %sanalysis of bookeeping ledger table%s for a report based on Bookkeeping Ledger table
RulesAmountWithTaxIncluded=- Amounts shown are with all taxes included
RulesResultDue=- It includes outstanding invoices, expenses, VAT, donations whether they are paid or not. Is also includes paid salaries. - It is based on the billing date of invoices and on the due date for expenses or tax payments. For salaries defined with Salary module, the value date of payment is used.
RulesResultInOut=- It includes the real payments made on invoices, expenses, VAT and salaries. - It is based on the payment dates of the invoices, expenses, VAT and salaries. The donation date for donation.
@@ -169,12 +169,15 @@ RulesResultBookkeepingPersonalized=It show record in your Ledger with accounting
SeePageForSetup=See menu %s for setup
DepositsAreNotIncluded=- Down payment invoices are not included
DepositsAreIncluded=- Down payment invoices are included
+LT1ReportByMonth=Tax 2 report by month
+LT2ReportByMonth=Tax 3 report by month
LT1ReportByCustomers=Report tax 2 by third party
LT2ReportByCustomers=Report tax 3 by third party
LT1ReportByCustomersES=Report by third party RE
LT2ReportByCustomersES=Report by third party IRPF
VATReport=Sale tax report
VATReportByPeriods=Sale tax report by period
+VATReportByMonth=Sale tax report by month
VATReportByRates=Sale tax report by rates
VATReportByThirdParties=Sale tax report by third parties
VATReportByCustomers=Sale tax report by customer
diff --git a/htdocs/langs/kn_IN/cron.lang b/htdocs/langs/kn_IN/cron.lang
index b05c7782037..4b73818c3aa 100644
--- a/htdocs/langs/kn_IN/cron.lang
+++ b/htdocs/langs/kn_IN/cron.lang
@@ -6,14 +6,15 @@ Permission23102 = Create/update Scheduled job
Permission23103 = Delete Scheduled job
Permission23104 = Execute Scheduled job
# Admin
-CronSetup= Scheduled job management setup
-URLToLaunchCronJobs=URL to check and launch qualified cron jobs
-OrToLaunchASpecificJob=Or to check and launch a specific job
+CronSetup=Scheduled job management setup
+URLToLaunchCronJobs=URL to check and launch qualified cron jobs from a browser
+OrToLaunchASpecificJob=Or to check and launch a specific job from a browser
KeyForCronAccess=Security key for URL to launch cron jobs
FileToLaunchCronJobs=Command line to check and launch qualified cron jobs
CronExplainHowToRunUnix=On Unix environment you should use the following crontab entry to run the command line each 5 minutes
-CronExplainHowToRunWin=On Microsoft(tm) Windows environement you can use Scheduled task tools to run the command line each 5 minutes
+CronExplainHowToRunWin=On Microsoft(tm) Windows environment you can use Scheduled Task tools to run the command line each 5 minutes
CronMethodDoesNotExists=Class %s does not contains any method %s
+CronMethodNotAllowed=Method %s of class %s is in blacklist of forbidden methods
CronJobDefDesc=Cron job profiles are defined into the module descriptor file. When module is activated, they are loaded and available so you can administer the jobs from the admin tools menu %s.
CronJobProfiles=List of predefined cron job profiles
# Menu
@@ -42,10 +43,11 @@ CronModule=Module
CronNoJobs=No jobs registered
CronPriority=Priority
CronLabel=Label
-CronNbRun=Nb. launch
-CronMaxRun=Max number launch
+CronNbRun=Number of launches
+CronMaxRun=Maximum number of launches
CronEach=Every
JobFinished=Job launched and finished
+Scheduled=Scheduled
#Page card
CronAdd= Add jobs
CronEvery=Execute job each
@@ -56,16 +58,16 @@ CronNote=Comment
CronFieldMandatory=Fields %s is mandatory
CronErrEndDateStartDt=End date cannot be before start date
StatusAtInstall=Status at module installation
-CronStatusActiveBtn=Enable
+CronStatusActiveBtn=Schedule
CronStatusInactiveBtn=Disable
CronTaskInactive=This job is disabled
CronId=Id
CronClassFile=Filename with class
-CronModuleHelp=Name of Dolibarr module directory (also work with external Dolibarr module). For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for module is product
-CronClassFileHelp=The relative path and file name to load (path is relative to web server root directory). For exemple to call the fetch method of Dolibarr Product object htdocs/product/class/product.class.php, the value for class file name is product/class/product.class.php
-CronObjectHelp=The object name to load. For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for class file name is Product
-CronMethodHelp=The object method to launch. For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for method is fetch
-CronArgsHelp=The method arguments. For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for paramters can be 0, ProductRef
+CronModuleHelp=Name of Dolibarr module directory (also work with external Dolibarr module). For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for module is product
+CronClassFileHelp=The relative path and file name to load (path is relative to web server root directory). For example to call the fetch method of Dolibarr Product object htdocs/product/class/product.class.php, the value for class file name is product/class/product.class.php
+CronObjectHelp=The object name to load. For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for class file name is Product
+CronMethodHelp=The object method to launch. For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for method is fetch
+CronArgsHelp=The method arguments. For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for paramters can be 0, ProductRef
CronCommandHelp=The system command line to execute.
CronCreateJob=Create new Scheduled Job
CronFrom=From
@@ -76,8 +78,14 @@ CronType_method=Call method of a PHP Class
CronType_command=Shell command
CronCannotLoadClass=Cannot load class file %s (to use class %s)
CronCannotLoadObject=Class file %s was loaded, but object %s was not found into it
-UseMenuModuleToolsToAddCronJobs=Go into menu "Home - Admin tools - Scheduled jobs" to see and edit scheduled jobs.
+UseMenuModuleToolsToAddCronJobs=Go into menu "Home - Admin tools - Scheduled jobs" to see and edit scheduled jobs.
JobDisabled=Job disabled
MakeLocalDatabaseDumpShort=Local database backup
-MakeLocalDatabaseDump=Create a local database dump. Parameters are: compression ('gz' or 'bz' or 'none'), backup type ('mysql' or 'pgsql'), 1, 'auto' or filename to build, number of backup files to keep
+MakeLocalDatabaseDump=Create a local database dump. Parameters are: compression ('gz' or 'bz' or 'none'), backup type ('mysql', 'pgsql', 'auto'), 1, 'auto' or filename to build, number of backup files to keep
WarningCronDelayed=Attention, for performance purpose, whatever is next date of execution of enabled jobs, your jobs may be delayed to a maximum of %s hours, before being run.
+DATAPOLICYJob=Data cleaner and anonymizer
+JobXMustBeEnabled=Job %s must be enabled
+# Cron Boxes
+LastExecutedScheduledJob=Last executed scheduled job
+NextScheduledJobExecute=Next scheduled job to execute
+NumberScheduledJobError=Number of scheduled jobs in error
diff --git a/htdocs/langs/kn_IN/errors.lang b/htdocs/langs/kn_IN/errors.lang
index 893f4a35b65..5b26be724d9 100644
--- a/htdocs/langs/kn_IN/errors.lang
+++ b/htdocs/langs/kn_IN/errors.lang
@@ -5,8 +5,10 @@ NoErrorCommitIsDone=No error, we commit
# Errors
ErrorButCommitIsDone=Errors found but we validate despite this
ErrorBadEMail=Email %s is wrong
+ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record)
ErrorBadUrl=Url %s is wrong
ErrorBadValueForParamNotAString=Bad value for your parameter. It appends generally when translation is missing.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorLoginAlreadyExists=Login %s already exists.
ErrorGroupAlreadyExists=Group %s already exists.
ErrorRecordNotFound=Record not found.
@@ -48,6 +50,7 @@ ErrorFieldsRequired=Some required fields were not filled.
ErrorSubjectIsRequired=The email topic is required
ErrorFailedToCreateDir=Failed to create a directory. Check that Web server user has permissions to write into Dolibarr documents directory. If parameter safe_mode is enabled on this PHP, check that Dolibarr php files owns to web server user (or group).
ErrorNoMailDefinedForThisUser=No mail defined for this user
+ErrorSetupOfEmailsNotComplete=Setup of emails is not complete
ErrorFeatureNeedJavascript=This feature need javascript to be activated to work. Change this in setup - display.
ErrorTopMenuMustHaveAParentWithId0=A menu of type 'Top' can't have a parent menu. Put 0 in parent menu or choose a menu of type 'Left'.
ErrorLeftMenuMustHaveAParentId=A menu of type 'Left' must have a parent id.
@@ -75,7 +78,7 @@ ErrorExportDuplicateProfil=This profile name already exists for this export set.
ErrorLDAPSetupNotComplete=Dolibarr-LDAP matching is not complete.
ErrorLDAPMakeManualTest=A .ldif file has been generated in directory %s. Try to load it manually from command line to have more information on errors.
ErrorCantSaveADoneUserWithZeroPercentage=Can't save an action with "status not started" if field "done by" is also filled.
-ErrorRefAlreadyExists=Ref used for creation already exists.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorPleaseTypeBankTransactionReportName=Please enter the bank statement name where the entry has to be reported (Format YYYYMM or YYYYMMDD)
ErrorRecordHasChildren=Failed to delete record since it has some child records.
ErrorRecordHasAtLeastOneChildOfType=Object has at least one child of type %s
@@ -216,7 +219,7 @@ ErrorChooseBetweenFreeEntryOrPredefinedProduct=You must choose if article is a p
ErrorDiscountLargerThanRemainToPaySplitItBefore=The discount you try to apply is larger than remain to pay. Split the discount in 2 smaller discounts before.
ErrorFileNotFoundWithSharedLink=File was not found. May be the share key was modified or file was removed recently.
ErrorProductBarCodeAlreadyExists=The product barcode %s already exists on another product reference.
-ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using virtual product to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number.
+ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using kits to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number.
ErrorDescRequiredForFreeProductLines=Description is mandatory for lines with free product
ErrorAPageWithThisNameOrAliasAlreadyExists=The page/container %s has the same name or alternative alias that the one your try to use
ErrorDuringChartLoad=Error when loading chart of accounts. If few accounts were not loaded, you can still enter them manually.
@@ -243,6 +246,16 @@ ErrorReplaceStringEmpty=Error, the string to replace into is empty
ErrorProductNeedBatchNumber=Error, product '%s' need a lot/serial number
ErrorProductDoesNotNeedBatchNumber=Error, product '%s' does not accept a lot/serial number
ErrorFailedToReadObject=Error, failed to read object of type %s
+ErrorParameterMustBeEnabledToAllwoThisFeature=Error, parameter %s must be enabled into conf/conf.php to allow use of Command Line Interface by the internal job scheduler
+ErrorLoginDateValidity=Error, this login is outside the validity date range
+ErrorValueLength=Length of field '%s' must be higher than '%s'
+ErrorReservedKeyword=The word '%s' is a reserved keyword
+ErrorNotAvailableWithThisDistribution=Not available with this distribution
+ErrorPublicInterfaceNotEnabled=Public interface was not enabled
+ErrorLanguageRequiredIfPageIsTranslationOfAnother=The language of new page must be defined if it is set as a translation of another page
+ErrorLanguageMustNotBeSourceLanguageIfPageIsTranslationOfAnother=The language of new page must not be the source language if it is set as a translation of another page
+ErrorAParameterIsRequiredForThisOperation=A parameter is mandatory for this operation
+
# Warnings
WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup.
WarningPasswordSetWithNoAccount=A password was set for this member. However, no user account was created. So this password is stored but can't be used to login to Dolibarr. It may be used by an external module/interface but if you don't need to define any login nor password for a member, you can disable option "Manage a login for each member" from Member module setup. If you need to manage a login but don't need any password, you can keep this field empty to avoid this warning. Note: Email can also be used as a login if the member is linked to a user.
@@ -267,6 +280,10 @@ WarningYourLoginWasModifiedPleaseLogin=Your login was modified. For security pur
WarningAnEntryAlreadyExistForTransKey=An entry already exists for the translation key for this language
WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different recipient is limited to %s when using the mass actions on lists
WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report
+WarningProjectDraft=Project is still in draft mode. Don't forget to validate it if you plan to use tasks.
WarningProjectClosed=Project is closed. You must re-open it first.
WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list.
-WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table
+WarningFailedToAddFileIntoDatabaseIndex=Warning, failed to add file entry into ECM database index table
+WarningTheHiddenOptionIsOn=Warning, the hidden option %s is on.
+WarningCreateSubAccounts=Warning, you can't create directly a sub account, you must create a third party or an user and assign them an accounting code to find them in this list
+WarningAvailableOnlyForHTTPSServers=Available only if using HTTPS secured connection.
diff --git a/htdocs/langs/kn_IN/exports.lang b/htdocs/langs/kn_IN/exports.lang
index 2dcf4317e00..a0eb7161ef2 100644
--- a/htdocs/langs/kn_IN/exports.lang
+++ b/htdocs/langs/kn_IN/exports.lang
@@ -26,6 +26,8 @@ FieldTitle=Field title
NowClickToGenerateToBuildExportFile=Now, select the file format in the combo box and click on "Generate" to build the export file...
AvailableFormats=Available Formats
LibraryShort=Library
+ExportCsvSeparator=Csv caracter separator
+ImportCsvSeparator=Csv caracter separator
Step=Step
FormatedImport=Import Assistant
FormatedImportDesc1=This module allows you to update existing data or add new objects into the database from a file without technical knowledge, using an assistant.
@@ -131,3 +133,4 @@ KeysToUseForUpdates=Key (column) to use for updating existing data
NbInsert=Number of inserted lines: %s
NbUpdate=Number of updated lines: %s
MultipleRecordFoundWithTheseFilters=Multiple records have been found with these filters: %s
+StocksWithBatch=Stocks and location (warehouse) of products with batch/serial number
diff --git a/htdocs/langs/kn_IN/mails.lang b/htdocs/langs/kn_IN/mails.lang
index 1235eef3b27..7fd93be7b71 100644
--- a/htdocs/langs/kn_IN/mails.lang
+++ b/htdocs/langs/kn_IN/mails.lang
@@ -92,6 +92,7 @@ MailingModuleDescEmailsFromUser=Emails input by user
MailingModuleDescDolibarrUsers=Users with Emails
MailingModuleDescThirdPartiesByCategories=Third parties (by categories)
SendingFromWebInterfaceIsNotAllowed=Sending from web interface is not allowed.
+EmailCollectorFilterDesc=All filters must match to have an email being collected
# Libelle des modules de liste de destinataires mailing
LineInFile=Line %s in file
@@ -125,12 +126,13 @@ TagMailtoEmail=Recipient Email (including html "mailto:" link)
NoEmailSentBadSenderOrRecipientEmail=No email sent. Bad sender or recipient email. Verify user profile.
# Module Notifications
Notifications=Notifications
-NoNotificationsWillBeSent=No email notifications are planned for this event and company
-ANotificationsWillBeSent=1 notification will be sent by email
-SomeNotificationsWillBeSent=%s notifications will be sent by email
-AddNewNotification=Activate a new email notification target/event
-ListOfActiveNotifications=List all active targets/events for email notification
-ListOfNotificationsDone=List all email notifications sent
+NotificationsAuto=Notifications Auto.
+NoNotificationsWillBeSent=No automatic email notifications are planned for this event type and company
+ANotificationsWillBeSent=1 automatic notification will be sent by email
+SomeNotificationsWillBeSent=%s automatic notifications will be sent by email
+AddNewNotification=Subscribe to a new automatic email notification (target/event)
+ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification
+ListOfNotificationsDone=List all automatic email notifications sent
MailSendSetupIs=Configuration of email sending has been setup to '%s'. This mode can't be used to send mass emailing.
MailSendSetupIs2=You must first go, with an admin account, into menu %sHome - Setup - EMails%s to change parameter '%s' to use mode '%s'. With this mode, you can enter setup of the SMTP server provided by your Internet Service Provider and use Mass emailing feature.
MailSendSetupIs3=If you have any questions on how to setup your SMTP server, you can ask to %s.
@@ -140,7 +142,7 @@ UseFormatFileEmailToTarget=Imported file must have format email;name;fir
UseFormatInputEmailToTarget=Enter a string with format email;name;firstname;other
MailAdvTargetRecipients=Recipients (advanced selection)
AdvTgtTitle=Fill input fields to preselect the third parties or contacts/addresses to target
-AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima% will target all jean, joe, start with jim but not jimo and not everything that starts with jima
+AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima%% will target all jean, joe, start with jim but not jimo and not everything that starts with jima
AdvTgtSearchIntHelp=Use interval to select int or float value
AdvTgtMinVal=Minimum value
AdvTgtMaxVal=Maximum value
@@ -162,13 +164,14 @@ AdvTgtCreateFilter=Create filter
AdvTgtOrCreateNewFilter=Name of new filter
NoContactWithCategoryFound=No contact/address with a category found
NoContactLinkedToThirdpartieWithCategoryFound=No contact/address with a category found
-OutGoingEmailSetup=Outgoing email setup
-InGoingEmailSetup=Incoming email setup
-OutGoingEmailSetupForEmailing=Outgoing email setup (for module %s)
-DefaultOutgoingEmailSetup=Default outgoing email setup
+OutGoingEmailSetup=Outgoing emails
+InGoingEmailSetup=Incoming emails
+OutGoingEmailSetupForEmailing=Outgoing emails (for module %s)
+DefaultOutgoingEmailSetup=Same configuration than the global Outgoing email setup
Information=Information
ContactsWithThirdpartyFilter=Contacts with third-party filter
Unanswered=Unanswered
Answered=Answered
IsNotAnAnswer=Is not answer (initial email)
IsAnAnswer=Is an answer of an initial email
+RecordCreatedByEmailCollector=Record created by the Email Collector %s from email %s
diff --git a/htdocs/langs/kn_IN/main.lang b/htdocs/langs/kn_IN/main.lang
index 9635417e322..031958eb288 100644
--- a/htdocs/langs/kn_IN/main.lang
+++ b/htdocs/langs/kn_IN/main.lang
@@ -28,7 +28,9 @@ NoTemplateDefined=No template available for this email type
AvailableVariables=Available substitution variables
NoTranslation=No translation
Translation=Translation
+CurrentTimeZone=TimeZone PHP (server)
EmptySearchString=Enter non empty search criterias
+EnterADateCriteria=Enter a date criteria
NoRecordFound=No record found
NoRecordDeleted=No record deleted
NotEnoughDataYet=Not enough data
@@ -85,6 +87,8 @@ FileWasNotUploaded=A file is selected for attachment but was not yet uploaded. C
NbOfEntries=No. of entries
GoToWikiHelpPage=Read online help (Internet access needed)
GoToHelpPage=Read help
+DedicatedPageAvailable=There is a dedicated help page related to your current screen
+HomePage=Home Page
RecordSaved=Record saved
RecordDeleted=Record deleted
RecordGenerated=Record generated
@@ -433,6 +437,7 @@ RemainToPay=Remain to pay
Module=Module/Application
Modules=Modules/Applications
Option=Option
+Filters=Filters
List=List
FullList=Full list
FullConversation=Full conversation
@@ -671,7 +676,7 @@ SendMail=Send email
Email=Email
NoEMail=No email
AlreadyRead=Already read
-NotRead=Not read
+NotRead=Unread
NoMobilePhone=No mobile phone
Owner=Owner
FollowingConstantsWillBeSubstituted=The following constants will be replaced with the corresponding value.
@@ -1107,3 +1112,8 @@ UpToDate=Up-to-date
OutOfDate=Out-of-date
EventReminder=Event Reminder
UpdateForAllLines=Update for all lines
+OnHold=On hold
+AffectTag=Affect Tag
+ConfirmAffectTag=Bulk Tag Affect
+ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected record(s)?
+CategTypeNotFound=No tag type found for type of records
diff --git a/htdocs/langs/kn_IN/modulebuilder.lang b/htdocs/langs/kn_IN/modulebuilder.lang
index 460aef8103b..845dd12624d 100644
--- a/htdocs/langs/kn_IN/modulebuilder.lang
+++ b/htdocs/langs/kn_IN/modulebuilder.lang
@@ -40,6 +40,7 @@ PageForCreateEditView=PHP page to create/edit/view a record
PageForAgendaTab=PHP page for event tab
PageForDocumentTab=PHP page for document tab
PageForNoteTab=PHP page for note tab
+PageForContactTab=PHP page for contact tab
PathToModulePackage=Path to zip of module/application package
PathToModuleDocumentation=Path to file of module/application documentation (%s)
SpaceOrSpecialCharAreNotAllowed=Spaces or special characters are not allowed.
@@ -77,7 +78,7 @@ IsAMeasure=Is a measure
DirScanned=Directory scanned
NoTrigger=No trigger
NoWidget=No widget
-GoToApiExplorer=Go to API explorer
+GoToApiExplorer=API explorer
ListOfMenusEntries=List of menu entries
ListOfDictionariesEntries=List of dictionaries entries
ListOfPermissionsDefined=List of defined permissions
@@ -105,7 +106,7 @@ TryToUseTheModuleBuilder=If you have knowledge of SQL and PHP, you may use the n
SeeTopRightMenu=See on the top right menu
AddLanguageFile=Add language file
YouCanUseTranslationKey=You can use here a key that is the translation key found into language file (see tab "Languages")
-DropTableIfEmpty=(Delete table if empty)
+DropTableIfEmpty=(Destroy table if empty)
TableDoesNotExists=The table %s does not exists
TableDropped=Table %s deleted
InitStructureFromExistingTable=Build the structure array string of an existing table
@@ -126,7 +127,6 @@ UseSpecificEditorURL = Use a specific editor URL
UseSpecificFamily = Use a specific family
UseSpecificAuthor = Use a specific author
UseSpecificVersion = Use a specific initial version
-ModuleMustBeEnabled=The module/application must be enabled first
IncludeRefGeneration=The reference of object must be generated automatically
IncludeRefGenerationHelp=Check this if you want to include code to manage the generation automatically of the reference
IncludeDocGeneration=I want to generate some documents from the object
@@ -140,3 +140,4 @@ TypeOfFieldsHelp=Type of fields: varchar(99), double(24,8), real, text, html,
AsciiToHtmlConverter=Ascii to HTML converter
AsciiToPdfConverter=Ascii to PDF converter
TableNotEmptyDropCanceled=Table not empty. Drop has been canceled.
+ModuleBuilderNotAllowed=The module builder is available but not allowed to your user.
diff --git a/htdocs/langs/kn_IN/other.lang b/htdocs/langs/kn_IN/other.lang
index 66bda179f9b..227a868b3a5 100644
--- a/htdocs/langs/kn_IN/other.lang
+++ b/htdocs/langs/kn_IN/other.lang
@@ -5,8 +5,6 @@ Tools=Tools
TMenuTools=Tools
ToolsDesc=All tools not included in other menu entries are grouped here. All the tools can be accessed via the left menu.
Birthday=Birthday
-BirthdayDate=Birthday date
-DateToBirth=Birth date
BirthdayAlertOn=birthday alert active
BirthdayAlertOff=birthday alert inactive
TransKey=Translation of the key TransKey
@@ -16,6 +14,8 @@ PreviousMonthOfInvoice=Previous month (number 1-12) of invoice date
TextPreviousMonthOfInvoice=Previous month (text) of invoice date
NextMonthOfInvoice=Following month (number 1-12) of invoice date
TextNextMonthOfInvoice=Following month (text) of invoice date
+PreviousMonth=Previous month
+CurrentMonth=Current month
ZipFileGeneratedInto=Zip file generated into %s.
DocFileGeneratedInto=Doc file generated into %s.
JumpToLogin=Disconnected. Go to login page...
@@ -99,6 +99,7 @@ PredefinedMailContentSendShipping=__(Hello)__\n\nPlease find shipping __REF__ at
PredefinedMailContentSendFichInter=__(Hello)__\n\nPlease find intervention __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.\n\n%s\n\n
PredefinedMailContentGeneric=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
+PredefinedMailContentSendActionComm=Event reminder "__EVENT_LABEL__" on __EVENT_DATE__ at __EVENT_TIME__
This is an automatic message, please do not reply.
DemoDesc=Dolibarr is a compact ERP/CRM supporting several business modules. A demo showcasing all modules makes no sense as this scenario never occurs (several hundred available). So, several demo profiles are available.
ChooseYourDemoProfil=Choose the demo profile that best suits your needs...
ChooseYourDemoProfilMore=...or build your own profile (manual module selection)
@@ -137,7 +138,7 @@ Right=Right
CalculatedWeight=Calculated weight
CalculatedVolume=Calculated volume
Weight=Weight
-WeightUnitton=tonne
+WeightUnitton=ton
WeightUnitkg=kg
WeightUnitg=g
WeightUnitmg=mg
@@ -258,6 +259,7 @@ ContactCreatedByEmailCollector=Contact/address created by email collector from e
ProjectCreatedByEmailCollector=Project created by email collector from email MSGID %s
TicketCreatedByEmailCollector=Ticket created by email collector from email MSGID %s
OpeningHoursFormatDesc=Use a - to separate opening and closing hours. Use a space to enter different ranges. Example: 8-12 14-18
+PrefixSession=Prefix for session ID
##### Export #####
ExportsArea=Exports area
diff --git a/htdocs/langs/kn_IN/products.lang b/htdocs/langs/kn_IN/products.lang
index a4e8e169446..ae80529a95e 100644
--- a/htdocs/langs/kn_IN/products.lang
+++ b/htdocs/langs/kn_IN/products.lang
@@ -108,7 +108,8 @@ FillWithLastServiceDates=Fill with last service line dates
MultiPricesAbility=Multiple price segments per product/service (each customer is in one price segment)
MultiPricesNumPrices=Number of prices
DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices
-AssociatedProductsAbility=Activate kits (virtual products)
+AssociatedProductsAbility=Enable Kits (set of other products)
+VariantsAbility=Enable Variants (variations of products, for example color, size)
AssociatedProducts=Kits
AssociatedProductsNumber=Number of products composing this kit
ParentProductsNumber=Number of parent packaging product
@@ -167,8 +168,10 @@ BuyingPrices=Buying prices
CustomerPrices=Customer prices
SuppliersPrices=Vendor prices
SuppliersPricesOfProductsOrServices=Vendor prices (of products or services)
-CustomCode=Customs / Commodity / HS code
+CustomCode=Customs|Commodity|HS code
CountryOrigin=Origin country
+RegionStateOrigin=Region origin
+StateOrigin=State|Province origin
Nature=Nature of product (material/finished)
NatureOfProductShort=Nature of product
NatureOfProductDesc=Raw material or finished product
@@ -239,7 +242,7 @@ AlwaysUseFixedPrice=Use the fixed price
PriceByQuantity=Different prices by quantity
DisablePriceByQty=Disable prices by quantity
PriceByQuantityRange=Quantity range
-MultipriceRules=Price segment rules
+MultipriceRules=Automatic prices for segment
UseMultipriceRules=Use price segment rules (defined into product module setup) to auto calculate prices of all other segments according to first segment
PercentVariationOver=%% variation over %s
PercentDiscountOver=%% discount over %s
diff --git a/htdocs/langs/kn_IN/recruitment.lang b/htdocs/langs/kn_IN/recruitment.lang
index b775e78552e..437445f25dc 100644
--- a/htdocs/langs/kn_IN/recruitment.lang
+++ b/htdocs/langs/kn_IN/recruitment.lang
@@ -73,3 +73,4 @@ JobClosedTextCandidateFound=The job position is closed. The position has been fi
JobClosedTextCanceled=The job position is closed.
ExtrafieldsJobPosition=Complementary attributes (job positions)
ExtrafieldsCandidatures=Complementary attributes (job applications)
+MakeOffer=Make an offer
diff --git a/htdocs/langs/kn_IN/sendings.lang b/htdocs/langs/kn_IN/sendings.lang
index 5ce3b7f67e9..73bd9aebd42 100644
--- a/htdocs/langs/kn_IN/sendings.lang
+++ b/htdocs/langs/kn_IN/sendings.lang
@@ -30,6 +30,7 @@ OtherSendingsForSameOrder=Other shipments for this order
SendingsAndReceivingForSameOrder=Shipments and receipts for this order
SendingsToValidate=Shipments to validate
StatusSendingCanceled=Canceled
+StatusSendingCanceledShort=Canceled
StatusSendingDraft=Draft
StatusSendingValidated=Validated (products to ship or already shipped)
StatusSendingProcessed=Processed
@@ -65,6 +66,7 @@ ValidateOrderFirstBeforeShipment=You must first validate the order before being
# Sending methods
# ModelDocument
DocumentModelTyphon=More complete document model for delivery receipts (logo...)
+DocumentModelStorm=More complete document model for delivery receipts and extrafields compatibility (logo...)
Error_EXPEDITION_ADDON_NUMBER_NotDefined=Constant EXPEDITION_ADDON_NUMBER not defined
SumOfProductVolumes=Sum of product volumes
SumOfProductWeights=Sum of product weights
diff --git a/htdocs/langs/kn_IN/stocks.lang b/htdocs/langs/kn_IN/stocks.lang
index 660443bcded..6cf089096dd 100644
--- a/htdocs/langs/kn_IN/stocks.lang
+++ b/htdocs/langs/kn_IN/stocks.lang
@@ -240,3 +240,4 @@ InventoryRealQtyHelp=Set value to 0 to reset qty Keep field empty, or remove
UpdateByScaning=Update by scaning
UpdateByScaningProductBarcode=Update by scan (product barcode)
UpdateByScaningLot=Update by scan (lot|serial barcode)
+DisableStockChangeOfSubProduct=Deactivate the stock change for all the subproducts of this Kit during this movement.
diff --git a/htdocs/langs/kn_IN/ticket.lang b/htdocs/langs/kn_IN/ticket.lang
index 1608bcb38d7..70bcd0c2f87 100644
--- a/htdocs/langs/kn_IN/ticket.lang
+++ b/htdocs/langs/kn_IN/ticket.lang
@@ -31,10 +31,8 @@ TicketDictType=Ticket - Types
TicketDictCategory=Ticket - Groupes
TicketDictSeverity=Ticket - Severities
TicketDictResolution=Ticket - Resolution
-TicketTypeShortBUGSOFT=Dysfonctionnement logiciel
-TicketTypeShortBUGHARD=Dysfonctionnement matériel
-TicketTypeShortCOM=Commercial question
+TicketTypeShortCOM=Commercial question
TicketTypeShortHELP=Request for functionnal help
TicketTypeShortISSUE=Issue, bug or problem
TicketTypeShortREQUEST=Change or enhancement request
@@ -44,7 +42,7 @@ TicketTypeShortOTHER=ಇತರ
TicketSeverityShortLOW=ಕಡಿಮೆ
TicketSeverityShortNORMAL=Normal
TicketSeverityShortHIGH=ಹೆಚ್ಚು
-TicketSeverityShortBLOCKING=Critical/Blocking
+TicketSeverityShortBLOCKING=Critical, Blocking
ErrorBadEmailAddress=Field '%s' incorrect
MenuTicketMyAssign=My tickets
@@ -60,7 +58,6 @@ OriginEmail=Email source
Notify_TICKET_SENTBYMAIL=Send ticket message by email
# Status
-NotRead=Not read
Read=Read
Assigned=Assigned
InProgress=In progress
@@ -126,6 +123,7 @@ TicketsActivatePublicInterfaceHelp=Public interface allow any visitors to create
TicketsAutoAssignTicket=Automatically assign the user who created the ticket
TicketsAutoAssignTicketHelp=When creating a ticket, the user can be automatically assigned to the ticket.
TicketNumberingModules=Tickets numbering module
+TicketsModelModule=Document templates for tickets
TicketNotifyTiersAtCreation=Notify third party at creation
TicketsDisableCustomerEmail=Always disable emails when a ticket is created from public interface
TicketsPublicNotificationNewMessage=Send email(s) when a new message is added
@@ -233,7 +231,6 @@ TicketLogStatusChanged=Status changed: %s to %s
TicketNotNotifyTiersAtCreate=Not notify company at create
Unread=Unread
TicketNotCreatedFromPublicInterface=Not available. Ticket was not created from public interface.
-PublicInterfaceNotEnabled=Public interface was not enabled
ErrorTicketRefRequired=Ticket reference name is required
#
diff --git a/htdocs/langs/kn_IN/website.lang b/htdocs/langs/kn_IN/website.lang
index 03e042e4be6..f17def114b8 100644
--- a/htdocs/langs/kn_IN/website.lang
+++ b/htdocs/langs/kn_IN/website.lang
@@ -30,7 +30,6 @@ EditInLine=Edit inline
AddWebsite=Add website
Webpage=Web page/container
AddPage=Add page/container
-HomePage=Home Page
PageContainer=Page
PreviewOfSiteNotYetAvailable=Preview of your website %s not yet available. You must first 'Import a full website template' or just 'Add a page/container'.
RequestedPageHasNoContentYet=Requested page with id %s has no content yet, or cache file .tpl.php was removed. Edit content of the page to solve this.
@@ -101,7 +100,7 @@ EmptyPage=Empty page
ExternalURLMustStartWithHttp=External URL must start with http:// or https://
ZipOfWebsitePackageToImport=Upload the Zip file of the website template package
ZipOfWebsitePackageToLoad=or Choose an available embedded website template package
-ShowSubcontainers=Include dynamic content
+ShowSubcontainers=Show dynamic content
InternalURLOfPage=Internal URL of page
ThisPageIsTranslationOf=This page/container is a translation of
ThisPageHasTranslationPages=This page/container has translation
@@ -137,3 +136,4 @@ RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using
PagesRegenerated=%s page(s)/container(s) regenerated
RegenerateWebsiteContent=Regenerate web site cache files
AllowedInFrames=Allowed in Frames
+DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languages into web site properties.
diff --git a/htdocs/langs/kn_IN/withdrawals.lang b/htdocs/langs/kn_IN/withdrawals.lang
index 114a8d9dd6c..e3bec6f9cb8 100644
--- a/htdocs/langs/kn_IN/withdrawals.lang
+++ b/htdocs/langs/kn_IN/withdrawals.lang
@@ -42,6 +42,7 @@ LastWithdrawalReceipt=Latest %s direct debit receipts
MakeWithdrawRequest=Make a direct debit payment request
MakeBankTransferOrder=Make a credit transfer request
WithdrawRequestsDone=%s direct debit payment requests recorded
+BankTransferRequestsDone=%s credit transfer requests recorded
ThirdPartyBankCode=Third-party bank code
NoInvoiceCouldBeWithdrawed=No invoice debited successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s.
ClassCredited=Classify credited
@@ -131,7 +132,8 @@ SEPARCUR=SEPA CUR
SEPAFRST=SEPA FRST
ExecutionDate=Execution date
CreateForSepa=Create direct debit file
-ICS=Creditor Identifier CI
+ICS=Creditor Identifier CI for direct debit
+ICSTransfer=Creditor Identifier CI for bank transfer
END_TO_END="EndToEndId" SEPA XML tag - Unique id assigned per transaction
USTRD="Unstructured" SEPA XML tag
ADDDAYS=Add days to Execution Date
@@ -146,3 +148,4 @@ InfoRejectSubject=Direct debit payment order refused
InfoRejectMessage=Hello,
the direct debit payment order of invoice %s related to the company %s, with an amount of %s has been refused by the bank.
-- %s
ModeWarning=Option for real mode was not set, we stop after this simulation
ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know wich one to use.
+ErrorICSmissing=Missing ICS in Bank account %s
diff --git a/htdocs/langs/ko_KR/accountancy.lang b/htdocs/langs/ko_KR/accountancy.lang
index 2202ceafd92..e71a5113772 100644
--- a/htdocs/langs/ko_KR/accountancy.lang
+++ b/htdocs/langs/ko_KR/accountancy.lang
@@ -48,6 +48,7 @@ CountriesExceptMe=All countries except %s
AccountantFiles=Export source documents
ExportAccountingSourceDocHelp=With this tool, you can export the source events (list and PDFs) that were used to generate your accountancy. To export your journals, use the menu entry %s - %s.
VueByAccountAccounting=View by accounting account
+VueBySubAccountAccounting=View by accounting subaccount
MainAccountForCustomersNotDefined=Main accounting account for customers not defined in setup
MainAccountForSuppliersNotDefined=Main accounting account for vendors not defined in setup
@@ -144,7 +145,7 @@ NotVentilatedinAccount=Not bound to the accounting account
XLineSuccessfullyBinded=%s products/services successfully bound to an accounting account
XLineFailedToBeBinded=%s products/services were not bound to any accounting account
-ACCOUNTING_LIMIT_LIST_VENTILATION=Number of elements to bind shown by page (maximum recommended: 50)
+ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50)
ACCOUNTING_LIST_SORT_VENTILATION_TODO=Begin the sorting of the page "Binding to do" by the most recent elements
ACCOUNTING_LIST_SORT_VENTILATION_DONE=Begin the sorting of the page "Binding done" by the most recent elements
@@ -198,7 +199,8 @@ Docdate=날짜
Docref=Reference
LabelAccount=Label account
LabelOperation=Label operation
-Sens=Sens
+Sens=Direction
+AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received For an accounting account of a supplier, use Debit to record a payment you make
LetteringCode=Lettering code
Lettering=Lettering
Codejournal=Journal
@@ -206,7 +208,8 @@ JournalLabel=Journal label
NumPiece=Piece number
TransactionNumShort=Num. transaction
AccountingCategory=Personalized groups
-GroupByAccountAccounting=Group by accounting account
+GroupByAccountAccounting=Group by general ledger account
+GroupBySubAccountAccounting=Group by subledger account
AccountingAccountGroupsDesc=You can define here some groups of accounting account. They will be used for personalized accounting reports.
ByAccounts=By accounts
ByPredefinedAccountGroups=By predefined groups
@@ -248,7 +251,7 @@ PaymentsNotLinkedToProduct=Payment not linked to any product / service
OpeningBalance=Opening balance
ShowOpeningBalance=Show opening balance
HideOpeningBalance=Hide opening balance
-ShowSubtotalByGroup=Show subtotal by group
+ShowSubtotalByGroup=Show subtotal by level
Pcgtype=Group of account
PcgtypeDesc=Group of account are used as predefined 'filter' and 'grouping' criteria for some accounting reports. For example, 'INCOME' or 'EXPENSE' are used as groups for accounting accounts of products to build the expense/income report.
@@ -271,11 +274,13 @@ DescVentilExpenseReport=Consult here the list of expense report lines bound (or
DescVentilExpenseReportMore=If you setup accounting account on type of expense report lines, the application will be able to make all the binding between your expense report lines and the accounting account of your chart of accounts, just in one click with the button "%s". If account was not set on fees dictionary or if you still have some lines not bound to any account, you will have to make a manual binding from the menu "%s".
DescVentilDoneExpenseReport=Consult here the list of the lines of expenses reports and their fees accounting account
+Closure=Annual closure
DescClosure=Consult here the number of movements by month who are not validated & fiscal years already open
OverviewOfMovementsNotValidated=Step 1/ Overview of movements not validated. (Necessary to close a fiscal year)
+AllMovementsWereRecordedAsValidated=All movements were recorded as validated
+NotAllMovementsCouldBeRecordedAsValidated=Not all movements could be recorded as validated
ValidateMovements=Validate movements
DescValidateMovements=Any modification or deletion of writing, lettering and deletes will be prohibited. All entries for an exercise must be validated otherwise closing will not be possible
-SelectMonthAndValidate=Select month and validate movements
ValidateHistory=Bind Automatically
AutomaticBindingDone=Automatic binding done
@@ -293,6 +298,7 @@ Accounted=Accounted in ledger
NotYetAccounted=Not yet accounted in ledger
ShowTutorial=Show Tutorial
NotReconciled=Not reconciled
+WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view
## Admin
BindingOptions=Binding options
@@ -337,6 +343,7 @@ Modelcsv_LDCompta10=Export for LD Compta (v10 & higher)
Modelcsv_openconcerto=Export for OpenConcerto (Test)
Modelcsv_configurable=Export CSV Configurable
Modelcsv_FEC=Export FEC
+Modelcsv_FEC2=Export FEC (With dates generation writing / document reversed)
Modelcsv_Sage50_Swiss=Export for Sage 50 Switzerland
Modelcsv_winfic=Export Winfic - eWinfic - WinSis Compta
Modelcsv_Gestinumv3=Export for Gestinum (v3)
diff --git a/htdocs/langs/ko_KR/admin.lang b/htdocs/langs/ko_KR/admin.lang
index 41c75987caf..4fda6a9fe93 100644
--- a/htdocs/langs/ko_KR/admin.lang
+++ b/htdocs/langs/ko_KR/admin.lang
@@ -56,6 +56,8 @@ GUISetup=화면
SetupArea=설정
UploadNewTemplate=Upload new template(s)
FormToTestFileUploadForm=파일업로드테스트용 양식
+ModuleMustBeEnabled=The module/application %s must be enabled
+ModuleIsEnabled=The module/application %s has been enabled
IfModuleEnabled=Note: yes is effective only if module %s is enabled
RemoveLock=Remove/rename file %s if it exists, to allow usage of the Update/Install tool.
RestoreLock=Restore file %s, with read permission only, to disable any further use of the Update/Install tool.
@@ -85,7 +87,6 @@ ShowPreview=Show preview
ShowHideDetails=Show-Hide details
PreviewNotAvailable=Preview not available
ThemeCurrentlyActive=Theme currently active
-CurrentTimeZone=TimeZone PHP (server)
MySQLTimeZone=TimeZone MySql (database)
TZHasNoEffect=Dates are stored and returned by database server as if they were kept as submitted string. The timezone has effect only when using the UNIX_TIMESTAMP function (that should not be used by Dolibarr, so database TZ should have no effect, even if changed after data was entered).
Space=공간
@@ -153,8 +154,8 @@ SystemToolsAreaDesc=This area provides administration functions. Use the menu to
Purge=Purge
PurgeAreaDesc=This page allows you to delete all files generated or stored by Dolibarr (temporary files or all files in %s directory). Using this feature is not normally necessary. It is provided as a workaround for users whose Dolibarr is hosted by a provider that does not offer permissions to delete files generated by the web server.
PurgeDeleteLogFile=Syslog 모듈(데이타 손실 위험 없음) %s에 의해 정읜된 돌리바 로그파일
-PurgeDeleteTemporaryFiles=Delete all temporary files (no risk of losing data). Note: Deletion is done only if the temp directory was created 24 hours ago.
-PurgeDeleteTemporaryFilesShort=Delete temporary files
+PurgeDeleteTemporaryFiles=Delete all log and temporary files (no risk of losing data). Note: Deletion of temporary files is done only if the temp directory was created more than 24 hours ago.
+PurgeDeleteTemporaryFilesShort=Delete log and temporary files
PurgeDeleteAllFilesInDocumentsDir=Delete all files in directory: %s. This will delete all generated documents related to elements (third parties, invoices etc...), files uploaded into the ECM module, database backup dumps and temporary files.
PurgeRunNow=지금 제거하기
PurgeNothingToDelete=삭제할 디렉토리나 파일이 없음
@@ -256,6 +257,7 @@ ReferencedPreferredPartners=Preferred Partners
OtherResources=Other resources
ExternalResources=External Resources
SocialNetworks=Social Networks
+SocialNetworkId=Social Network ID
ForDocumentationSeeWiki=For user or developer documentation (Doc, FAQs...), take a look at the Dolibarr Wiki: %s
ForAnswersSeeForum=For any other questions/help, you can use the Dolibarr forum: %s
HelpCenterDesc1=Here are some resources for getting help and support with Dolibarr.
@@ -375,7 +377,7 @@ ExamplesWithCurrentSetup=Examples with current configuration
ListOfDirectories=List of OpenDocument templates directories
ListOfDirectoriesForModelGenODT=List of directories containing templates files with OpenDocument format.
Put here full path of directories. Add a carriage return between eah directory. To add a directory of the GED module, add here DOL_DATA_ROOT/ecm/yourdirectoryname.
Files in those directories must end with .odt or .ods.
NumberOfModelFilesFound=Number of ODT/ODS template files found in these directories
-ExampleOfDirectoriesForModelGen=Examples of syntax: c:\\mydir /home/mydir DOL_DATA_ROOT/ecm/ecmdir
+ExampleOfDirectoriesForModelGen=Examples of syntax: c:\\myapp\\mydocumentdir\\mysubdir /home/myapp/mydocumentdir/mysubdir DOL_DATA_ROOT/ecm/ecmdir
FollowingSubstitutionKeysCanBeUsed= To know how to create your odt document templates, before storing them in those directories, read wiki documentation:
FullListOnOnlineDocumentation=http://wiki.dolibarr.org/index.php/Create_an_ODT_document_template
FirstnameNamePosition=Position of Name/Lastname
@@ -406,7 +408,7 @@ UrlGenerationParameters=Parameters to secure URLs
SecurityTokenIsUnique=Use a unique securekey parameter for each URL
EnterRefToBuildUrl=Enter reference for object %s
GetSecuredUrl=Get calculated URL
-ButtonHideUnauthorized=Hide buttons for non-admin users for unauthorized actions instead of showing greyed disabled buttons
+ButtonHideUnauthorized=Hide unauthorized action buttons also for internal users (just greyed otherwise)
OldVATRates=Old VAT rate
NewVATRates=New VAT rate
PriceBaseTypeToChange=Modify on prices with base reference value defined on
@@ -1689,7 +1691,7 @@ NotTopTreeMenuPersonalized=Personalized menus not linked to a top menu entry
NewMenu=New menu
MenuHandler=Menu handler
MenuModule=Source module
-HideUnauthorizedMenu= Hide unauthorized menus (gray)
+HideUnauthorizedMenu=Hide unauthorized menus also for internal users (just greyed otherwise)
DetailId=Id menu
DetailMenuHandler=Menu handler where to show new menu
DetailMenuModule=Module name if menu entry come from a module
@@ -1983,11 +1985,12 @@ EMailHost=Host of email IMAP server
MailboxSourceDirectory=Mailbox source directory
MailboxTargetDirectory=Mailbox target directory
EmailcollectorOperations=Operations to do by collector
+EmailcollectorOperationsDesc=Operations are executed from top to bottom order
MaxEmailCollectPerCollect=Max number of emails collected per collect
CollectNow=Collect now
ConfirmCloneEmailCollector=Are you sure you want to clone the Email collector %s ?
-DateLastCollectResult=Date latest collect tried
-DateLastcollectResultOk=Date latest collect successfull
+DateLastCollectResult=Date of latest collect try
+DateLastcollectResultOk=Date of latest collect success
LastResult=Latest result
EmailCollectorConfirmCollectTitle=Email collect confirmation
EmailCollectorConfirmCollect=Do you want to run the collection for this collector now ?
@@ -2005,7 +2008,7 @@ WithDolTrackingID=Message from a conversation initiated by a first email sent fr
WithoutDolTrackingID=Message from a conversation initiated by a first email NOT sent from Dolibarr
WithDolTrackingIDInMsgId=Message sent from Dolibarr
WithoutDolTrackingIDInMsgId=Message NOT sent from Dolibarr
-CreateCandidature=Create candidature
+CreateCandidature=Create job application
FormatZip=Zip
MainMenuCode=Menu entry code (mainmenu)
ECMAutoTree=Show automatic ECM tree
@@ -2083,3 +2086,7 @@ CountryIfSpecificToOneCountry=Country (if specific to a given country)
YouMayFindSecurityAdviceHere=You may find security advisory here
ModuleActivatedMayExposeInformation=This module may expose sensitive data. If you don't need it, disable it.
ModuleActivatedDoNotUseInProduction=A module designed for the development has been enabled. Do not enable it on a production environment.
+CombinationsSeparator=Separator character for product combinations
+SeeLinkToOnlineDocumentation=See link to online documention on top menu for examples
+SHOW_SUBPRODUCT_REF_IN_PDF=If the feature "%s" of module %s is used, show details of subproducts of a kit on PDF.
+AskThisIDToYourBank=Contact your bank to get this ID
diff --git a/htdocs/langs/ko_KR/banks.lang b/htdocs/langs/ko_KR/banks.lang
index cbe0734591b..b88ae14b627 100644
--- a/htdocs/langs/ko_KR/banks.lang
+++ b/htdocs/langs/ko_KR/banks.lang
@@ -173,8 +173,8 @@ SEPAMandate=SEPA mandate
YourSEPAMandate=Your SEPA mandate
FindYourSEPAMandate=This is your SEPA mandate to authorize our company to make direct debit order to your bank. Return it signed (scan of the signed document) or send it by mail to
AutoReportLastAccountStatement=Automatically fill the field 'number of bank statement' with last statement number when making reconciliation
-CashControl=POS cash fence
-NewCashFence=New cash fence
+CashControl=POS cash desk control
+NewCashFence=New cash desk closing
BankColorizeMovement=Colorize movements
BankColorizeMovementDesc=If this function is enable, you can choose specific background color for debit or credit movements
BankColorizeMovementName1=Background color for debit movement
diff --git a/htdocs/langs/ko_KR/blockedlog.lang b/htdocs/langs/ko_KR/blockedlog.lang
index 5afae6e9e53..0bba5605d0f 100644
--- a/htdocs/langs/ko_KR/blockedlog.lang
+++ b/htdocs/langs/ko_KR/blockedlog.lang
@@ -35,7 +35,7 @@ logDON_DELETE=Donation logical deletion
logMEMBER_SUBSCRIPTION_CREATE=Member subscription created
logMEMBER_SUBSCRIPTION_MODIFY=Member subscription modified
logMEMBER_SUBSCRIPTION_DELETE=Member subscription logical deletion
-logCASHCONTROL_VALIDATE=Cash fence recording
+logCASHCONTROL_VALIDATE=Cash desk closing recording
BlockedLogBillDownload=Customer invoice download
BlockedLogBillPreview=Customer invoice preview
BlockedlogInfoDialog=Log Details
diff --git a/htdocs/langs/ko_KR/boxes.lang b/htdocs/langs/ko_KR/boxes.lang
index f070f401eb4..a6b6fd620d8 100644
--- a/htdocs/langs/ko_KR/boxes.lang
+++ b/htdocs/langs/ko_KR/boxes.lang
@@ -46,9 +46,12 @@ BoxTitleLastModifiedDonations=최근 %s 수정 된 기부
BoxTitleLastModifiedExpenses=최근 %s 수정 된 비용 보고서
BoxTitleLatestModifiedBoms=Latest %s modified BOMs
BoxTitleLatestModifiedMos=Latest %s modified Manufacturing Orders
+BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded
BoxGlobalActivity=글로벌 활동 (송장, 제안서, 주문)
BoxGoodCustomers=좋은 고객
BoxTitleGoodCustomers=%s 좋은 고객
+BoxScheduledJobs=Scheduled jobs
+BoxTitleFunnelOfProspection=Lead funnel
FailedToRefreshDataInfoNotUpToDate=Failed to refresh RSS flux. Latest successful refresh date: %s
LastRefreshDate=최근 새로 고침 날짜
NoRecordedBookmarks=북마크가 정의되지 않았습니다.
@@ -102,5 +105,7 @@ SuspenseAccountNotDefined=Suspense account isn't defined
BoxLastCustomerShipments=Last customer shipments
BoxTitleLastCustomerShipments=Latest %s customer shipments
NoRecordedShipments=No recorded customer shipment
+BoxCustomersOutstandingBillReached=Customers with oustanding limit reached
# Pages
AccountancyHome=Accountancy
+ValidatedProjects=Validated projects
diff --git a/htdocs/langs/ko_KR/cashdesk.lang b/htdocs/langs/ko_KR/cashdesk.lang
index 266158be744..16169671a2d 100644
--- a/htdocs/langs/ko_KR/cashdesk.lang
+++ b/htdocs/langs/ko_KR/cashdesk.lang
@@ -49,8 +49,8 @@ Footer=Footer
AmountAtEndOfPeriod=Amount at end of period (day, month or year)
TheoricalAmount=Theorical amount
RealAmount=Real amount
-CashFence=Cash fence
-CashFenceDone=Cash fence done for the period
+CashFence=Cash desk closing
+CashFenceDone=Cash desk closing done for the period
NbOfInvoices=Nb of invoices
Paymentnumpad=Type of Pad to enter payment
Numberspad=Numbers Pad
@@ -99,8 +99,9 @@ CashDeskRefNumberingModules=Numbering module for POS sales
CashDeskGenericMaskCodes6 = {TN} tag is used to add the terminal number
TakeposGroupSameProduct=Group same products lines
StartAParallelSale=Start a new parallel sale
-ControlCashOpening=Control cash box at opening POS
-CloseCashFence=Close cash fence
+SaleStartedAt=Sale started at %s
+ControlCashOpening=Control cash popup at opening POS
+CloseCashFence=Close cash desk control
CashReport=Cash report
MainPrinterToUse=Main printer to use
OrderPrinterToUse=Order printer to use
@@ -122,3 +123,4 @@ GiftReceipt=Gift receipt
ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled first
AllowDelayedPayment=Allow delayed payment
PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts
+WeighingScale=Weighing scale
diff --git a/htdocs/langs/ko_KR/categories.lang b/htdocs/langs/ko_KR/categories.lang
index 79bfe18f625..e10c2c97c83 100644
--- a/htdocs/langs/ko_KR/categories.lang
+++ b/htdocs/langs/ko_KR/categories.lang
@@ -19,6 +19,7 @@ ProjectsCategoriesArea=Projects tags/categories area
UsersCategoriesArea=Users tags/categories area
SubCats=Sub-categories
CatList=List of tags/categories
+CatListAll=List of tags/categories (all types)
NewCategory=New tag/category
ModifCat=Modify tag/category
CatCreated=Tag/category created
@@ -65,16 +66,22 @@ UsersCategoriesShort=Users tags/categories
StockCategoriesShort=Warehouse tags/categories
ThisCategoryHasNoItems=This category does not contain any items.
CategId=Tag/category id
-CatSupList=List of vendor tags/categories
-CatCusList=List of customer/prospect tags/categories
+ParentCategory=Parent tag/category
+ParentCategoryLabel=Label of parent tag/category
+CatSupList=List of vendors tags/categories
+CatCusList=List of customers/prospects tags/categories
CatProdList=List of products tags/categories
CatMemberList=List of members tags/categories
-CatContactList=List of contact tags/categories
-CatSupLinks=Links between suppliers and tags/categories
+CatContactList=List of contacts tags/categories
+CatProjectsList=List of projects tags/categories
+CatUsersList=List of users tags/categories
+CatSupLinks=Links between vendors and tags/categories
CatCusLinks=Links between customers/prospects and tags/categories
CatContactsLinks=Links between contacts/addresses and tags/categories
CatProdLinks=Links between products/services and tags/categories
-CatProJectLinks=Links between projects and tags/categories
+CatMembersLinks=Links between members and tags/categories
+CatProjectsLinks=Links between projects and tags/categories
+CatUsersLinks=Links between users and tags/categories
DeleteFromCat=Remove from tags/category
ExtraFieldsCategories=Complementary attributes
CategoriesSetup=Tags/categories setup
diff --git a/htdocs/langs/ko_KR/companies.lang b/htdocs/langs/ko_KR/companies.lang
index 4e623422f6e..ae5af71d69f 100644
--- a/htdocs/langs/ko_KR/companies.lang
+++ b/htdocs/langs/ko_KR/companies.lang
@@ -358,7 +358,7 @@ VATIntraCheckableOnEUSite=Check the intra-Community VAT ID on the European Commi
VATIntraManualCheck=You can also check manually on the European Commission website %s
ErrorVATCheckMS_UNAVAILABLE=확인할 수 없습니다. 수표 서비스는 회원 국가에서 제공하지 않습니다 (%s).
NorProspectNorCustomer=Not prospect, nor customer
-JuridicalStatus=Legal Entity Type
+JuridicalStatus=Business entity type
Workforce=Workforce
Staff=Employees
ProspectLevelShort=가능성
diff --git a/htdocs/langs/ko_KR/compta.lang b/htdocs/langs/ko_KR/compta.lang
index 0761985d4aa..199ba3514ef 100644
--- a/htdocs/langs/ko_KR/compta.lang
+++ b/htdocs/langs/ko_KR/compta.lang
@@ -111,7 +111,7 @@ Refund=Refund
SocialContributionsPayments=Social/fiscal taxes payments
ShowVatPayment=Show VAT payment
TotalToPay=Total to pay
-BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted ascending on %s and filtered for 1 bank account
+BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted on %s and filtered on 1 bank account (with no other filters)
CustomerAccountancyCode=Customer accounting code
SupplierAccountancyCode=Vendor accounting code
CustomerAccountancyCodeShort=Cust. account. code
@@ -140,7 +140,7 @@ ConfirmDeleteSocialContribution=Are you sure you want to delete this social/fisc
ExportDataset_tax_1=Social and fiscal taxes and payments
CalcModeVATDebt=Mode %sVAT on commitment accounting%s.
CalcModeVATEngagement=Mode %sVAT on incomes-expenses%s.
-CalcModeDebt=Analysis of known recorded invoices even if they are not yet accounted in ledger.
+CalcModeDebt=Analysis of known recorded documents even if they are not yet accounted in ledger.
CalcModeEngagement=Analysis of known recorded payments, even if they are not yet accounted in Ledger.
CalcModeBookkeeping=Analysis of data journalized in Bookkeeping Ledger table.
CalcModeLT1= Mode %sRE on customer invoices - suppliers invoices%s
@@ -154,9 +154,9 @@ AnnualSummaryInputOutputMode=Balance of income and expenses, annual summary
AnnualByCompanies=Balance of income and expenses, by predefined groups of account
AnnualByCompaniesDueDebtMode=Balance of income and expenses, detail by predefined groups, mode %sClaims-Debts%s said Commitment accounting.
AnnualByCompaniesInputOutputMode=Balance of income and expenses, detail by predefined groups, mode %sIncomes-Expenses%s said cash accounting.
-SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation on actual payments made even if they are not yet accounted in Ledger.
-SeeReportInDueDebtMode=See %sanalysis of invoices%s for a calculation based on known recorded invoices even if they are not yet accounted in Ledger.
-SeeReportInBookkeepingMode=See %sBookeeping report%s for a calculation on Bookkeeping Ledger table
+SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation based on recorded payments made even if they are not yet accounted in Ledger
+SeeReportInDueDebtMode=See %sanalysis of recorded documents%s for a calculation based on known recorded documents even if they are not yet accounted in Ledger
+SeeReportInBookkeepingMode=See %sanalysis of bookeeping ledger table%s for a report based on Bookkeeping Ledger table
RulesAmountWithTaxIncluded=- Amounts shown are with all taxes included
RulesResultDue=- It includes outstanding invoices, expenses, VAT, donations whether they are paid or not. Is also includes paid salaries. - It is based on the billing date of invoices and on the due date for expenses or tax payments. For salaries defined with Salary module, the value date of payment is used.
RulesResultInOut=- It includes the real payments made on invoices, expenses, VAT and salaries. - It is based on the payment dates of the invoices, expenses, VAT and salaries. The donation date for donation.
@@ -169,12 +169,15 @@ RulesResultBookkeepingPersonalized=It show record in your Ledger with accounting
SeePageForSetup=See menu %s for setup
DepositsAreNotIncluded=- Down payment invoices are not included
DepositsAreIncluded=- Down payment invoices are included
+LT1ReportByMonth=Tax 2 report by month
+LT2ReportByMonth=Tax 3 report by month
LT1ReportByCustomers=Report tax 2 by third party
LT2ReportByCustomers=Report tax 3 by third party
LT1ReportByCustomersES=Report by third party RE
LT2ReportByCustomersES=Report by third party IRPF
VATReport=Sale tax report
VATReportByPeriods=Sale tax report by period
+VATReportByMonth=Sale tax report by month
VATReportByRates=Sale tax report by rates
VATReportByThirdParties=Sale tax report by third parties
VATReportByCustomers=Sale tax report by customer
diff --git a/htdocs/langs/ko_KR/cron.lang b/htdocs/langs/ko_KR/cron.lang
index 8180e289d27..bbf04428a8c 100644
--- a/htdocs/langs/ko_KR/cron.lang
+++ b/htdocs/langs/ko_KR/cron.lang
@@ -6,14 +6,15 @@ Permission23102 = Create/update Scheduled job
Permission23103 = Delete Scheduled job
Permission23104 = Execute Scheduled job
# Admin
-CronSetup= Scheduled job management setup
-URLToLaunchCronJobs=URL to check and launch qualified cron jobs
-OrToLaunchASpecificJob=Or to check and launch a specific job
+CronSetup=Scheduled job management setup
+URLToLaunchCronJobs=URL to check and launch qualified cron jobs from a browser
+OrToLaunchASpecificJob=Or to check and launch a specific job from a browser
KeyForCronAccess=Security key for URL to launch cron jobs
FileToLaunchCronJobs=Command line to check and launch qualified cron jobs
CronExplainHowToRunUnix=On Unix environment you should use the following crontab entry to run the command line each 5 minutes
-CronExplainHowToRunWin=On Microsoft(tm) Windows environement you can use Scheduled task tools to run the command line each 5 minutes
+CronExplainHowToRunWin=On Microsoft(tm) Windows environment you can use Scheduled Task tools to run the command line each 5 minutes
CronMethodDoesNotExists=Class %s does not contains any method %s
+CronMethodNotAllowed=Method %s of class %s is in blacklist of forbidden methods
CronJobDefDesc=Cron job profiles are defined into the module descriptor file. When module is activated, they are loaded and available so you can administer the jobs from the admin tools menu %s.
CronJobProfiles=List of predefined cron job profiles
# Menu
@@ -42,10 +43,11 @@ CronModule=Module
CronNoJobs=No jobs registered
CronPriority=우선 순위
CronLabel=라벨
-CronNbRun=Nb. launch
-CronMaxRun=Max number launch
+CronNbRun=Number of launches
+CronMaxRun=Maximum number of launches
CronEach=Every
JobFinished=Job launched and finished
+Scheduled=Scheduled
#Page card
CronAdd= Add jobs
CronEvery=Execute job each
@@ -56,16 +58,16 @@ CronNote=적요
CronFieldMandatory=Fields %s is mandatory
CronErrEndDateStartDt=End date cannot be before start date
StatusAtInstall=Status at module installation
-CronStatusActiveBtn=Enable
+CronStatusActiveBtn=Schedule
CronStatusInactiveBtn=사용 안함
CronTaskInactive=This job is disabled
CronId=Id
CronClassFile=Filename with class
-CronModuleHelp=Name of Dolibarr module directory (also work with external Dolibarr module). For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for module is product
-CronClassFileHelp=The relative path and file name to load (path is relative to web server root directory). For exemple to call the fetch method of Dolibarr Product object htdocs/product/class/product.class.php, the value for class file name is product/class/product.class.php
-CronObjectHelp=The object name to load. For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for class file name is Product
-CronMethodHelp=The object method to launch. For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for method is fetch
-CronArgsHelp=The method arguments. For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for paramters can be 0, ProductRef
+CronModuleHelp=Name of Dolibarr module directory (also work with external Dolibarr module). For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for module is product
+CronClassFileHelp=The relative path and file name to load (path is relative to web server root directory). For example to call the fetch method of Dolibarr Product object htdocs/product/class/product.class.php, the value for class file name is product/class/product.class.php
+CronObjectHelp=The object name to load. For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for class file name is Product
+CronMethodHelp=The object method to launch. For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for method is fetch
+CronArgsHelp=The method arguments. For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for paramters can be 0, ProductRef
CronCommandHelp=The system command line to execute.
CronCreateJob=Create new Scheduled Job
CronFrom=부터
@@ -76,8 +78,14 @@ CronType_method=Call method of a PHP Class
CronType_command=Shell command
CronCannotLoadClass=Cannot load class file %s (to use class %s)
CronCannotLoadObject=Class file %s was loaded, but object %s was not found into it
-UseMenuModuleToolsToAddCronJobs=Go into menu "Home - Admin tools - Scheduled jobs" to see and edit scheduled jobs.
+UseMenuModuleToolsToAddCronJobs=Go into menu "Home - Admin tools - Scheduled jobs" to see and edit scheduled jobs.
JobDisabled=Job disabled
MakeLocalDatabaseDumpShort=Local database backup
-MakeLocalDatabaseDump=Create a local database dump. Parameters are: compression ('gz' or 'bz' or 'none'), backup type ('mysql' or 'pgsql'), 1, 'auto' or filename to build, number of backup files to keep
+MakeLocalDatabaseDump=Create a local database dump. Parameters are: compression ('gz' or 'bz' or 'none'), backup type ('mysql', 'pgsql', 'auto'), 1, 'auto' or filename to build, number of backup files to keep
WarningCronDelayed=Attention, for performance purpose, whatever is next date of execution of enabled jobs, your jobs may be delayed to a maximum of %s hours, before being run.
+DATAPOLICYJob=Data cleaner and anonymizer
+JobXMustBeEnabled=Job %s must be enabled
+# Cron Boxes
+LastExecutedScheduledJob=Last executed scheduled job
+NextScheduledJobExecute=Next scheduled job to execute
+NumberScheduledJobError=Number of scheduled jobs in error
diff --git a/htdocs/langs/ko_KR/errors.lang b/htdocs/langs/ko_KR/errors.lang
index 893f4a35b65..5b26be724d9 100644
--- a/htdocs/langs/ko_KR/errors.lang
+++ b/htdocs/langs/ko_KR/errors.lang
@@ -5,8 +5,10 @@ NoErrorCommitIsDone=No error, we commit
# Errors
ErrorButCommitIsDone=Errors found but we validate despite this
ErrorBadEMail=Email %s is wrong
+ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record)
ErrorBadUrl=Url %s is wrong
ErrorBadValueForParamNotAString=Bad value for your parameter. It appends generally when translation is missing.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorLoginAlreadyExists=Login %s already exists.
ErrorGroupAlreadyExists=Group %s already exists.
ErrorRecordNotFound=Record not found.
@@ -48,6 +50,7 @@ ErrorFieldsRequired=Some required fields were not filled.
ErrorSubjectIsRequired=The email topic is required
ErrorFailedToCreateDir=Failed to create a directory. Check that Web server user has permissions to write into Dolibarr documents directory. If parameter safe_mode is enabled on this PHP, check that Dolibarr php files owns to web server user (or group).
ErrorNoMailDefinedForThisUser=No mail defined for this user
+ErrorSetupOfEmailsNotComplete=Setup of emails is not complete
ErrorFeatureNeedJavascript=This feature need javascript to be activated to work. Change this in setup - display.
ErrorTopMenuMustHaveAParentWithId0=A menu of type 'Top' can't have a parent menu. Put 0 in parent menu or choose a menu of type 'Left'.
ErrorLeftMenuMustHaveAParentId=A menu of type 'Left' must have a parent id.
@@ -75,7 +78,7 @@ ErrorExportDuplicateProfil=This profile name already exists for this export set.
ErrorLDAPSetupNotComplete=Dolibarr-LDAP matching is not complete.
ErrorLDAPMakeManualTest=A .ldif file has been generated in directory %s. Try to load it manually from command line to have more information on errors.
ErrorCantSaveADoneUserWithZeroPercentage=Can't save an action with "status not started" if field "done by" is also filled.
-ErrorRefAlreadyExists=Ref used for creation already exists.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorPleaseTypeBankTransactionReportName=Please enter the bank statement name where the entry has to be reported (Format YYYYMM or YYYYMMDD)
ErrorRecordHasChildren=Failed to delete record since it has some child records.
ErrorRecordHasAtLeastOneChildOfType=Object has at least one child of type %s
@@ -216,7 +219,7 @@ ErrorChooseBetweenFreeEntryOrPredefinedProduct=You must choose if article is a p
ErrorDiscountLargerThanRemainToPaySplitItBefore=The discount you try to apply is larger than remain to pay. Split the discount in 2 smaller discounts before.
ErrorFileNotFoundWithSharedLink=File was not found. May be the share key was modified or file was removed recently.
ErrorProductBarCodeAlreadyExists=The product barcode %s already exists on another product reference.
-ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using virtual product to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number.
+ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using kits to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number.
ErrorDescRequiredForFreeProductLines=Description is mandatory for lines with free product
ErrorAPageWithThisNameOrAliasAlreadyExists=The page/container %s has the same name or alternative alias that the one your try to use
ErrorDuringChartLoad=Error when loading chart of accounts. If few accounts were not loaded, you can still enter them manually.
@@ -243,6 +246,16 @@ ErrorReplaceStringEmpty=Error, the string to replace into is empty
ErrorProductNeedBatchNumber=Error, product '%s' need a lot/serial number
ErrorProductDoesNotNeedBatchNumber=Error, product '%s' does not accept a lot/serial number
ErrorFailedToReadObject=Error, failed to read object of type %s
+ErrorParameterMustBeEnabledToAllwoThisFeature=Error, parameter %s must be enabled into conf/conf.php to allow use of Command Line Interface by the internal job scheduler
+ErrorLoginDateValidity=Error, this login is outside the validity date range
+ErrorValueLength=Length of field '%s' must be higher than '%s'
+ErrorReservedKeyword=The word '%s' is a reserved keyword
+ErrorNotAvailableWithThisDistribution=Not available with this distribution
+ErrorPublicInterfaceNotEnabled=Public interface was not enabled
+ErrorLanguageRequiredIfPageIsTranslationOfAnother=The language of new page must be defined if it is set as a translation of another page
+ErrorLanguageMustNotBeSourceLanguageIfPageIsTranslationOfAnother=The language of new page must not be the source language if it is set as a translation of another page
+ErrorAParameterIsRequiredForThisOperation=A parameter is mandatory for this operation
+
# Warnings
WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup.
WarningPasswordSetWithNoAccount=A password was set for this member. However, no user account was created. So this password is stored but can't be used to login to Dolibarr. It may be used by an external module/interface but if you don't need to define any login nor password for a member, you can disable option "Manage a login for each member" from Member module setup. If you need to manage a login but don't need any password, you can keep this field empty to avoid this warning. Note: Email can also be used as a login if the member is linked to a user.
@@ -267,6 +280,10 @@ WarningYourLoginWasModifiedPleaseLogin=Your login was modified. For security pur
WarningAnEntryAlreadyExistForTransKey=An entry already exists for the translation key for this language
WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different recipient is limited to %s when using the mass actions on lists
WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report
+WarningProjectDraft=Project is still in draft mode. Don't forget to validate it if you plan to use tasks.
WarningProjectClosed=Project is closed. You must re-open it first.
WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list.
-WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table
+WarningFailedToAddFileIntoDatabaseIndex=Warning, failed to add file entry into ECM database index table
+WarningTheHiddenOptionIsOn=Warning, the hidden option %s is on.
+WarningCreateSubAccounts=Warning, you can't create directly a sub account, you must create a third party or an user and assign them an accounting code to find them in this list
+WarningAvailableOnlyForHTTPSServers=Available only if using HTTPS secured connection.
diff --git a/htdocs/langs/ko_KR/exports.lang b/htdocs/langs/ko_KR/exports.lang
index 203054138bd..fda64411c9f 100644
--- a/htdocs/langs/ko_KR/exports.lang
+++ b/htdocs/langs/ko_KR/exports.lang
@@ -26,6 +26,8 @@ FieldTitle=Field title
NowClickToGenerateToBuildExportFile=Now, select the file format in the combo box and click on "Generate" to build the export file...
AvailableFormats=Available Formats
LibraryShort=Library
+ExportCsvSeparator=Csv caracter separator
+ImportCsvSeparator=Csv caracter separator
Step=Step
FormatedImport=Import Assistant
FormatedImportDesc1=This module allows you to update existing data or add new objects into the database from a file without technical knowledge, using an assistant.
@@ -131,3 +133,4 @@ KeysToUseForUpdates=Key (column) to use for updating existing data
NbInsert=Number of inserted lines: %s
NbUpdate=Number of updated lines: %s
MultipleRecordFoundWithTheseFilters=Multiple records have been found with these filters: %s
+StocksWithBatch=Stocks and location (warehouse) of products with batch/serial number
diff --git a/htdocs/langs/ko_KR/mails.lang b/htdocs/langs/ko_KR/mails.lang
index 14c7f27948a..863fc951a94 100644
--- a/htdocs/langs/ko_KR/mails.lang
+++ b/htdocs/langs/ko_KR/mails.lang
@@ -92,6 +92,7 @@ MailingModuleDescEmailsFromUser=Emails input by user
MailingModuleDescDolibarrUsers=Users with Emails
MailingModuleDescThirdPartiesByCategories=Third parties (by categories)
SendingFromWebInterfaceIsNotAllowed=Sending from web interface is not allowed.
+EmailCollectorFilterDesc=All filters must match to have an email being collected
# Libelle des modules de liste de destinataires mailing
LineInFile=Line %s in file
@@ -125,12 +126,13 @@ TagMailtoEmail=Recipient Email (including html "mailto:" link)
NoEmailSentBadSenderOrRecipientEmail=No email sent. Bad sender or recipient email. Verify user profile.
# Module Notifications
Notifications=Notifications
-NoNotificationsWillBeSent=No email notifications are planned for this event and company
-ANotificationsWillBeSent=1 notification will be sent by email
-SomeNotificationsWillBeSent=%s notifications will be sent by email
-AddNewNotification=Activate a new email notification target/event
-ListOfActiveNotifications=List all active targets/events for email notification
-ListOfNotificationsDone=List all email notifications sent
+NotificationsAuto=Notifications Auto.
+NoNotificationsWillBeSent=No automatic email notifications are planned for this event type and company
+ANotificationsWillBeSent=1 automatic notification will be sent by email
+SomeNotificationsWillBeSent=%s automatic notifications will be sent by email
+AddNewNotification=Subscribe to a new automatic email notification (target/event)
+ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification
+ListOfNotificationsDone=List all automatic email notifications sent
MailSendSetupIs=Configuration of email sending has been setup to '%s'. This mode can't be used to send mass emailing.
MailSendSetupIs2=You must first go, with an admin account, into menu %sHome - Setup - EMails%s to change parameter '%s' to use mode '%s'. With this mode, you can enter setup of the SMTP server provided by your Internet Service Provider and use Mass emailing feature.
MailSendSetupIs3=If you have any questions on how to setup your SMTP server, you can ask to %s.
@@ -140,7 +142,7 @@ UseFormatFileEmailToTarget=Imported file must have format email;name;fir
UseFormatInputEmailToTarget=Enter a string with format email;name;firstname;other
MailAdvTargetRecipients=Recipients (advanced selection)
AdvTgtTitle=Fill input fields to preselect the third parties or contacts/addresses to target
-AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima% will target all jean, joe, start with jim but not jimo and not everything that starts with jima
+AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima%% will target all jean, joe, start with jim but not jimo and not everything that starts with jima
AdvTgtSearchIntHelp=Use interval to select int or float value
AdvTgtMinVal=Minimum value
AdvTgtMaxVal=Maximum value
@@ -162,13 +164,14 @@ AdvTgtCreateFilter=Create filter
AdvTgtOrCreateNewFilter=Name of new filter
NoContactWithCategoryFound=No contact/address with a category found
NoContactLinkedToThirdpartieWithCategoryFound=No contact/address with a category found
-OutGoingEmailSetup=Outgoing email setup
-InGoingEmailSetup=Incoming email setup
-OutGoingEmailSetupForEmailing=Outgoing email setup (for module %s)
-DefaultOutgoingEmailSetup=Default outgoing email setup
+OutGoingEmailSetup=Outgoing emails
+InGoingEmailSetup=Incoming emails
+OutGoingEmailSetupForEmailing=Outgoing emails (for module %s)
+DefaultOutgoingEmailSetup=Same configuration than the global Outgoing email setup
Information=Information
ContactsWithThirdpartyFilter=Contacts with third-party filter
Unanswered=Unanswered
Answered=Answered
IsNotAnAnswer=Is not answer (initial email)
IsAnAnswer=Is an answer of an initial email
+RecordCreatedByEmailCollector=Record created by the Email Collector %s from email %s
diff --git a/htdocs/langs/ko_KR/main.lang b/htdocs/langs/ko_KR/main.lang
index cd328ee454a..d0bceece221 100644
--- a/htdocs/langs/ko_KR/main.lang
+++ b/htdocs/langs/ko_KR/main.lang
@@ -28,7 +28,9 @@ NoTemplateDefined=No template available for this email type
AvailableVariables=사용 가능한 대체 변수
NoTranslation=번역 없음
Translation=Translation
+CurrentTimeZone=TimeZone PHP (server)
EmptySearchString=Enter non empty search criterias
+EnterADateCriteria=Enter a date criteria
NoRecordFound=레코드를 찾을 수 없습니다
NoRecordDeleted=레코드가 삭제되지 않았습니다.
NotEnoughDataYet=데이터가 충분하지 않습니다.
@@ -85,6 +87,8 @@ FileWasNotUploaded=첨부할 파일을 선택했지만 바로 업로드할 수
NbOfEntries=No. of entries
GoToWikiHelpPage=온라인 도움말 읽기 (인터넷 액세스 필요)
GoToHelpPage=도움말 읽기
+DedicatedPageAvailable=There is a dedicated help page related to your current screen
+HomePage=Home Page
RecordSaved=저장 레코드
RecordDeleted=삭제 레코드
RecordGenerated=Record generated
@@ -433,6 +437,7 @@ RemainToPay=Remain to pay
Module=모듈 / 응용 프로그램
Modules=모듈 / 응용 프로그램
Option=옵션
+Filters=Filters
List=목록
FullList=전체 목록
FullConversation=Full conversation
@@ -671,7 +676,7 @@ SendMail=Send email
Email=이메일
NoEMail=이메일 없음
AlreadyRead=Already read
-NotRead=Not read
+NotRead=Unread
NoMobilePhone=휴대 전화 없음
Owner=소유자
FollowingConstantsWillBeSubstituted=다음 상수는 해당 값으로 바뀝니다.
@@ -1107,3 +1112,8 @@ UpToDate=Up-to-date
OutOfDate=Out-of-date
EventReminder=Event Reminder
UpdateForAllLines=Update for all lines
+OnHold=On hold
+AffectTag=Affect Tag
+ConfirmAffectTag=Bulk Tag Affect
+ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected record(s)?
+CategTypeNotFound=No tag type found for type of records
diff --git a/htdocs/langs/ko_KR/modulebuilder.lang b/htdocs/langs/ko_KR/modulebuilder.lang
index 460aef8103b..845dd12624d 100644
--- a/htdocs/langs/ko_KR/modulebuilder.lang
+++ b/htdocs/langs/ko_KR/modulebuilder.lang
@@ -40,6 +40,7 @@ PageForCreateEditView=PHP page to create/edit/view a record
PageForAgendaTab=PHP page for event tab
PageForDocumentTab=PHP page for document tab
PageForNoteTab=PHP page for note tab
+PageForContactTab=PHP page for contact tab
PathToModulePackage=Path to zip of module/application package
PathToModuleDocumentation=Path to file of module/application documentation (%s)
SpaceOrSpecialCharAreNotAllowed=Spaces or special characters are not allowed.
@@ -77,7 +78,7 @@ IsAMeasure=Is a measure
DirScanned=Directory scanned
NoTrigger=No trigger
NoWidget=No widget
-GoToApiExplorer=Go to API explorer
+GoToApiExplorer=API explorer
ListOfMenusEntries=List of menu entries
ListOfDictionariesEntries=List of dictionaries entries
ListOfPermissionsDefined=List of defined permissions
@@ -105,7 +106,7 @@ TryToUseTheModuleBuilder=If you have knowledge of SQL and PHP, you may use the n
SeeTopRightMenu=See on the top right menu
AddLanguageFile=Add language file
YouCanUseTranslationKey=You can use here a key that is the translation key found into language file (see tab "Languages")
-DropTableIfEmpty=(Delete table if empty)
+DropTableIfEmpty=(Destroy table if empty)
TableDoesNotExists=The table %s does not exists
TableDropped=Table %s deleted
InitStructureFromExistingTable=Build the structure array string of an existing table
@@ -126,7 +127,6 @@ UseSpecificEditorURL = Use a specific editor URL
UseSpecificFamily = Use a specific family
UseSpecificAuthor = Use a specific author
UseSpecificVersion = Use a specific initial version
-ModuleMustBeEnabled=The module/application must be enabled first
IncludeRefGeneration=The reference of object must be generated automatically
IncludeRefGenerationHelp=Check this if you want to include code to manage the generation automatically of the reference
IncludeDocGeneration=I want to generate some documents from the object
@@ -140,3 +140,4 @@ TypeOfFieldsHelp=Type of fields: varchar(99), double(24,8), real, text, html,
AsciiToHtmlConverter=Ascii to HTML converter
AsciiToPdfConverter=Ascii to PDF converter
TableNotEmptyDropCanceled=Table not empty. Drop has been canceled.
+ModuleBuilderNotAllowed=The module builder is available but not allowed to your user.
diff --git a/htdocs/langs/ko_KR/other.lang b/htdocs/langs/ko_KR/other.lang
index a39cc328af3..6e827ab2752 100644
--- a/htdocs/langs/ko_KR/other.lang
+++ b/htdocs/langs/ko_KR/other.lang
@@ -5,8 +5,6 @@ Tools=Tools
TMenuTools=Tools
ToolsDesc=All tools not included in other menu entries are grouped here. All the tools can be accessed via the left menu.
Birthday=Birthday
-BirthdayDate=Birthday date
-DateToBirth=Birth date
BirthdayAlertOn=birthday alert active
BirthdayAlertOff=birthday alert inactive
TransKey=Translation of the key TransKey
@@ -16,6 +14,8 @@ PreviousMonthOfInvoice=Previous month (number 1-12) of invoice date
TextPreviousMonthOfInvoice=Previous month (text) of invoice date
NextMonthOfInvoice=Following month (number 1-12) of invoice date
TextNextMonthOfInvoice=Following month (text) of invoice date
+PreviousMonth=Previous month
+CurrentMonth=Current month
ZipFileGeneratedInto=Zip file generated into %s.
DocFileGeneratedInto=Doc file generated into %s.
JumpToLogin=Disconnected. Go to login page...
@@ -99,6 +99,7 @@ PredefinedMailContentSendShipping=__(Hello)__\n\nPlease find shipping __REF__ at
PredefinedMailContentSendFichInter=__(Hello)__\n\nPlease find intervention __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.\n\n%s\n\n
PredefinedMailContentGeneric=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
+PredefinedMailContentSendActionComm=Event reminder "__EVENT_LABEL__" on __EVENT_DATE__ at __EVENT_TIME__
This is an automatic message, please do not reply.
DemoDesc=Dolibarr is a compact ERP/CRM supporting several business modules. A demo showcasing all modules makes no sense as this scenario never occurs (several hundred available). So, several demo profiles are available.
ChooseYourDemoProfil=Choose the demo profile that best suits your needs...
ChooseYourDemoProfilMore=...or build your own profile (manual module selection)
@@ -137,7 +138,7 @@ Right=Right
CalculatedWeight=Calculated weight
CalculatedVolume=Calculated volume
Weight=Weight
-WeightUnitton=tonne
+WeightUnitton=ton
WeightUnitkg=kg
WeightUnitg=g
WeightUnitmg=mg
@@ -258,6 +259,7 @@ ContactCreatedByEmailCollector=Contact/address created by email collector from e
ProjectCreatedByEmailCollector=Project created by email collector from email MSGID %s
TicketCreatedByEmailCollector=Ticket created by email collector from email MSGID %s
OpeningHoursFormatDesc=Use a - to separate opening and closing hours. Use a space to enter different ranges. Example: 8-12 14-18
+PrefixSession=Prefix for session ID
##### Export #####
ExportsArea=Exports area
diff --git a/htdocs/langs/ko_KR/products.lang b/htdocs/langs/ko_KR/products.lang
index 09ec43625fa..b3282a7a3ff 100644
--- a/htdocs/langs/ko_KR/products.lang
+++ b/htdocs/langs/ko_KR/products.lang
@@ -108,7 +108,8 @@ FillWithLastServiceDates=Fill with last service line dates
MultiPricesAbility=Multiple price segments per product/service (each customer is in one price segment)
MultiPricesNumPrices=Number of prices
DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices
-AssociatedProductsAbility=Activate kits (virtual products)
+AssociatedProductsAbility=Enable Kits (set of other products)
+VariantsAbility=Enable Variants (variations of products, for example color, size)
AssociatedProducts=Kits
AssociatedProductsNumber=Number of products composing this kit
ParentProductsNumber=Number of parent packaging product
@@ -167,8 +168,10 @@ BuyingPrices=Buying prices
CustomerPrices=Customer prices
SuppliersPrices=Vendor prices
SuppliersPricesOfProductsOrServices=Vendor prices (of products or services)
-CustomCode=Customs / Commodity / HS code
+CustomCode=Customs|Commodity|HS code
CountryOrigin=Origin country
+RegionStateOrigin=Region origin
+StateOrigin=State|Province origin
Nature=Nature of product (material/finished)
NatureOfProductShort=Nature of product
NatureOfProductDesc=Raw material or finished product
@@ -239,7 +242,7 @@ AlwaysUseFixedPrice=Use the fixed price
PriceByQuantity=Different prices by quantity
DisablePriceByQty=Disable prices by quantity
PriceByQuantityRange=Quantity range
-MultipriceRules=Price segment rules
+MultipriceRules=Automatic prices for segment
UseMultipriceRules=Use price segment rules (defined into product module setup) to auto calculate prices of all other segments according to first segment
PercentVariationOver=%% variation over %s
PercentDiscountOver=%% discount over %s
diff --git a/htdocs/langs/ko_KR/recruitment.lang b/htdocs/langs/ko_KR/recruitment.lang
index 8fa737f47ff..7514f8319ca 100644
--- a/htdocs/langs/ko_KR/recruitment.lang
+++ b/htdocs/langs/ko_KR/recruitment.lang
@@ -73,3 +73,4 @@ JobClosedTextCandidateFound=The job position is closed. The position has been fi
JobClosedTextCanceled=The job position is closed.
ExtrafieldsJobPosition=Complementary attributes (job positions)
ExtrafieldsCandidatures=Complementary attributes (job applications)
+MakeOffer=Make an offer
diff --git a/htdocs/langs/ko_KR/sendings.lang b/htdocs/langs/ko_KR/sendings.lang
index b6045614152..50cc2143119 100644
--- a/htdocs/langs/ko_KR/sendings.lang
+++ b/htdocs/langs/ko_KR/sendings.lang
@@ -30,6 +30,7 @@ OtherSendingsForSameOrder=Other shipments for this order
SendingsAndReceivingForSameOrder=Shipments and receipts for this order
SendingsToValidate=Shipments to validate
StatusSendingCanceled=취소 된
+StatusSendingCanceledShort=취소 됨
StatusSendingDraft=초안
StatusSendingValidated=Validated (products to ship or already shipped)
StatusSendingProcessed=Processed
@@ -65,6 +66,7 @@ ValidateOrderFirstBeforeShipment=You must first validate the order before being
# Sending methods
# ModelDocument
DocumentModelTyphon=More complete document model for delivery receipts (logo...)
+DocumentModelStorm=More complete document model for delivery receipts and extrafields compatibility (logo...)
Error_EXPEDITION_ADDON_NUMBER_NotDefined=Constant EXPEDITION_ADDON_NUMBER not defined
SumOfProductVolumes=Sum of product volumes
SumOfProductWeights=Sum of product weights
diff --git a/htdocs/langs/ko_KR/stocks.lang b/htdocs/langs/ko_KR/stocks.lang
index 7fbad957f4d..45f647abbce 100644
--- a/htdocs/langs/ko_KR/stocks.lang
+++ b/htdocs/langs/ko_KR/stocks.lang
@@ -240,3 +240,4 @@ InventoryRealQtyHelp=Set value to 0 to reset qty Keep field empty, or remove
UpdateByScaning=Update by scaning
UpdateByScaningProductBarcode=Update by scan (product barcode)
UpdateByScaningLot=Update by scan (lot|serial barcode)
+DisableStockChangeOfSubProduct=Deactivate the stock change for all the subproducts of this Kit during this movement.
diff --git a/htdocs/langs/ko_KR/ticket.lang b/htdocs/langs/ko_KR/ticket.lang
index 39194e55eea..dbcd6edb987 100644
--- a/htdocs/langs/ko_KR/ticket.lang
+++ b/htdocs/langs/ko_KR/ticket.lang
@@ -31,10 +31,8 @@ TicketDictType=Ticket - Types
TicketDictCategory=Ticket - Groupes
TicketDictSeverity=Ticket - Severities
TicketDictResolution=Ticket - Resolution
-TicketTypeShortBUGSOFT=Dysfonctionnement logiciel
-TicketTypeShortBUGHARD=Dysfonctionnement matériel
-TicketTypeShortCOM=Commercial question
+TicketTypeShortCOM=Commercial question
TicketTypeShortHELP=Request for functionnal help
TicketTypeShortISSUE=Issue, bug or problem
TicketTypeShortREQUEST=Change or enhancement request
@@ -44,7 +42,7 @@ TicketTypeShortOTHER=기타
TicketSeverityShortLOW=낮음
TicketSeverityShortNORMAL=Normal
TicketSeverityShortHIGH=높음
-TicketSeverityShortBLOCKING=Critical/Blocking
+TicketSeverityShortBLOCKING=Critical, Blocking
ErrorBadEmailAddress=Field '%s' incorrect
MenuTicketMyAssign=My tickets
@@ -60,7 +58,6 @@ OriginEmail=Email source
Notify_TICKET_SENTBYMAIL=Send ticket message by email
# Status
-NotRead=Not read
Read=Read
Assigned=Assigned
InProgress=In progress
@@ -126,6 +123,7 @@ TicketsActivatePublicInterfaceHelp=Public interface allow any visitors to create
TicketsAutoAssignTicket=Automatically assign the user who created the ticket
TicketsAutoAssignTicketHelp=When creating a ticket, the user can be automatically assigned to the ticket.
TicketNumberingModules=Tickets numbering module
+TicketsModelModule=Document templates for tickets
TicketNotifyTiersAtCreation=Notify third party at creation
TicketsDisableCustomerEmail=Always disable emails when a ticket is created from public interface
TicketsPublicNotificationNewMessage=Send email(s) when a new message is added
@@ -233,7 +231,6 @@ TicketLogStatusChanged=Status changed: %s to %s
TicketNotNotifyTiersAtCreate=Not notify company at create
Unread=Unread
TicketNotCreatedFromPublicInterface=Not available. Ticket was not created from public interface.
-PublicInterfaceNotEnabled=Public interface was not enabled
ErrorTicketRefRequired=Ticket reference name is required
#
diff --git a/htdocs/langs/ko_KR/website.lang b/htdocs/langs/ko_KR/website.lang
index a3167ada553..1136b43873a 100644
--- a/htdocs/langs/ko_KR/website.lang
+++ b/htdocs/langs/ko_KR/website.lang
@@ -30,7 +30,6 @@ EditInLine=Edit inline
AddWebsite=Add website
Webpage=Web page/container
AddPage=Add page/container
-HomePage=Home Page
PageContainer=Page
PreviewOfSiteNotYetAvailable=Preview of your website %s not yet available. You must first 'Import a full website template' or just 'Add a page/container'.
RequestedPageHasNoContentYet=Requested page with id %s has no content yet, or cache file .tpl.php was removed. Edit content of the page to solve this.
@@ -101,7 +100,7 @@ EmptyPage=Empty page
ExternalURLMustStartWithHttp=External URL must start with http:// or https://
ZipOfWebsitePackageToImport=Upload the Zip file of the website template package
ZipOfWebsitePackageToLoad=or Choose an available embedded website template package
-ShowSubcontainers=Include dynamic content
+ShowSubcontainers=Show dynamic content
InternalURLOfPage=Internal URL of page
ThisPageIsTranslationOf=This page/container is a translation of
ThisPageHasTranslationPages=This page/container has translation
@@ -137,3 +136,4 @@ RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using
PagesRegenerated=%s page(s)/container(s) regenerated
RegenerateWebsiteContent=Regenerate web site cache files
AllowedInFrames=Allowed in Frames
+DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languages into web site properties.
diff --git a/htdocs/langs/ko_KR/withdrawals.lang b/htdocs/langs/ko_KR/withdrawals.lang
index a5301dbdf26..054c4d11865 100644
--- a/htdocs/langs/ko_KR/withdrawals.lang
+++ b/htdocs/langs/ko_KR/withdrawals.lang
@@ -42,6 +42,7 @@ LastWithdrawalReceipt=Latest %s direct debit receipts
MakeWithdrawRequest=Make a direct debit payment request
MakeBankTransferOrder=Make a credit transfer request
WithdrawRequestsDone=%s direct debit payment requests recorded
+BankTransferRequestsDone=%s credit transfer requests recorded
ThirdPartyBankCode=Third-party bank code
NoInvoiceCouldBeWithdrawed=No invoice debited successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s.
ClassCredited=Classify credited
@@ -131,7 +132,8 @@ SEPARCUR=SEPA CUR
SEPAFRST=SEPA FRST
ExecutionDate=Execution date
CreateForSepa=Create direct debit file
-ICS=Creditor Identifier CI
+ICS=Creditor Identifier CI for direct debit
+ICSTransfer=Creditor Identifier CI for bank transfer
END_TO_END="EndToEndId" SEPA XML tag - Unique id assigned per transaction
USTRD="Unstructured" SEPA XML tag
ADDDAYS=Add days to Execution Date
@@ -146,3 +148,4 @@ InfoRejectSubject=Direct debit payment order refused
InfoRejectMessage=Hello,
the direct debit payment order of invoice %s related to the company %s, with an amount of %s has been refused by the bank.
-- %s
ModeWarning=Option for real mode was not set, we stop after this simulation
ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know wich one to use.
+ErrorICSmissing=Missing ICS in Bank account %s
diff --git a/htdocs/langs/lo_LA/accountancy.lang b/htdocs/langs/lo_LA/accountancy.lang
index a0451ff066b..49054ee0f94 100644
--- a/htdocs/langs/lo_LA/accountancy.lang
+++ b/htdocs/langs/lo_LA/accountancy.lang
@@ -48,6 +48,7 @@ CountriesExceptMe=All countries except %s
AccountantFiles=Export source documents
ExportAccountingSourceDocHelp=With this tool, you can export the source events (list and PDFs) that were used to generate your accountancy. To export your journals, use the menu entry %s - %s.
VueByAccountAccounting=View by accounting account
+VueBySubAccountAccounting=View by accounting subaccount
MainAccountForCustomersNotDefined=Main accounting account for customers not defined in setup
MainAccountForSuppliersNotDefined=Main accounting account for vendors not defined in setup
@@ -144,7 +145,7 @@ NotVentilatedinAccount=Not bound to the accounting account
XLineSuccessfullyBinded=%s products/services successfully bound to an accounting account
XLineFailedToBeBinded=%s products/services were not bound to any accounting account
-ACCOUNTING_LIMIT_LIST_VENTILATION=Number of elements to bind shown by page (maximum recommended: 50)
+ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50)
ACCOUNTING_LIST_SORT_VENTILATION_TODO=Begin the sorting of the page "Binding to do" by the most recent elements
ACCOUNTING_LIST_SORT_VENTILATION_DONE=Begin the sorting of the page "Binding done" by the most recent elements
@@ -198,7 +199,8 @@ Docdate=ວັນທີ
Docref=Reference
LabelAccount=Label account
LabelOperation=Label operation
-Sens=Sens
+Sens=Direction
+AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received For an accounting account of a supplier, use Debit to record a payment you make
LetteringCode=Lettering code
Lettering=Lettering
Codejournal=Journal
@@ -206,7 +208,8 @@ JournalLabel=Journal label
NumPiece=Piece number
TransactionNumShort=Num. transaction
AccountingCategory=Personalized groups
-GroupByAccountAccounting=Group by accounting account
+GroupByAccountAccounting=Group by general ledger account
+GroupBySubAccountAccounting=Group by subledger account
AccountingAccountGroupsDesc=You can define here some groups of accounting account. They will be used for personalized accounting reports.
ByAccounts=By accounts
ByPredefinedAccountGroups=By predefined groups
@@ -248,7 +251,7 @@ PaymentsNotLinkedToProduct=Payment not linked to any product / service
OpeningBalance=Opening balance
ShowOpeningBalance=Show opening balance
HideOpeningBalance=Hide opening balance
-ShowSubtotalByGroup=Show subtotal by group
+ShowSubtotalByGroup=Show subtotal by level
Pcgtype=Group of account
PcgtypeDesc=Group of account are used as predefined 'filter' and 'grouping' criteria for some accounting reports. For example, 'INCOME' or 'EXPENSE' are used as groups for accounting accounts of products to build the expense/income report.
@@ -271,11 +274,13 @@ DescVentilExpenseReport=Consult here the list of expense report lines bound (or
DescVentilExpenseReportMore=If you setup accounting account on type of expense report lines, the application will be able to make all the binding between your expense report lines and the accounting account of your chart of accounts, just in one click with the button "%s". If account was not set on fees dictionary or if you still have some lines not bound to any account, you will have to make a manual binding from the menu "%s".
DescVentilDoneExpenseReport=Consult here the list of the lines of expenses reports and their fees accounting account
+Closure=Annual closure
DescClosure=Consult here the number of movements by month who are not validated & fiscal years already open
OverviewOfMovementsNotValidated=Step 1/ Overview of movements not validated. (Necessary to close a fiscal year)
+AllMovementsWereRecordedAsValidated=All movements were recorded as validated
+NotAllMovementsCouldBeRecordedAsValidated=Not all movements could be recorded as validated
ValidateMovements=Validate movements
DescValidateMovements=Any modification or deletion of writing, lettering and deletes will be prohibited. All entries for an exercise must be validated otherwise closing will not be possible
-SelectMonthAndValidate=Select month and validate movements
ValidateHistory=Bind Automatically
AutomaticBindingDone=Automatic binding done
@@ -293,6 +298,7 @@ Accounted=Accounted in ledger
NotYetAccounted=Not yet accounted in ledger
ShowTutorial=Show Tutorial
NotReconciled=Not reconciled
+WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view
## Admin
BindingOptions=Binding options
@@ -337,6 +343,7 @@ Modelcsv_LDCompta10=Export for LD Compta (v10 & higher)
Modelcsv_openconcerto=Export for OpenConcerto (Test)
Modelcsv_configurable=Export CSV Configurable
Modelcsv_FEC=Export FEC
+Modelcsv_FEC2=Export FEC (With dates generation writing / document reversed)
Modelcsv_Sage50_Swiss=Export for Sage 50 Switzerland
Modelcsv_winfic=Export Winfic - eWinfic - WinSis Compta
Modelcsv_Gestinumv3=Export for Gestinum (v3)
diff --git a/htdocs/langs/lo_LA/admin.lang b/htdocs/langs/lo_LA/admin.lang
index a651fd86d34..7c86ea21042 100644
--- a/htdocs/langs/lo_LA/admin.lang
+++ b/htdocs/langs/lo_LA/admin.lang
@@ -56,6 +56,8 @@ GUISetup=Display
SetupArea=Setup
UploadNewTemplate=Upload new template(s)
FormToTestFileUploadForm=Form to test file upload (according to setup)
+ModuleMustBeEnabled=The module/application %s must be enabled
+ModuleIsEnabled=The module/application %s has been enabled
IfModuleEnabled=Note: yes is effective only if module %s is enabled
RemoveLock=Remove/rename file %s if it exists, to allow usage of the Update/Install tool.
RestoreLock=Restore file %s, with read permission only, to disable any further use of the Update/Install tool.
@@ -85,7 +87,6 @@ ShowPreview=Show preview
ShowHideDetails=Show-Hide details
PreviewNotAvailable=Preview not available
ThemeCurrentlyActive=Theme currently active
-CurrentTimeZone=TimeZone PHP (server)
MySQLTimeZone=TimeZone MySql (database)
TZHasNoEffect=Dates are stored and returned by database server as if they were kept as submitted string. The timezone has effect only when using the UNIX_TIMESTAMP function (that should not be used by Dolibarr, so database TZ should have no effect, even if changed after data was entered).
Space=Space
@@ -153,8 +154,8 @@ SystemToolsAreaDesc=This area provides administration functions. Use the menu to
Purge=Purge
PurgeAreaDesc=This page allows you to delete all files generated or stored by Dolibarr (temporary files or all files in %s directory). Using this feature is not normally necessary. It is provided as a workaround for users whose Dolibarr is hosted by a provider that does not offer permissions to delete files generated by the web server.
PurgeDeleteLogFile=Delete log files, including %s defined for Syslog module (no risk of losing data)
-PurgeDeleteTemporaryFiles=Delete all temporary files (no risk of losing data). Note: Deletion is done only if the temp directory was created 24 hours ago.
-PurgeDeleteTemporaryFilesShort=Delete temporary files
+PurgeDeleteTemporaryFiles=Delete all log and temporary files (no risk of losing data). Note: Deletion of temporary files is done only if the temp directory was created more than 24 hours ago.
+PurgeDeleteTemporaryFilesShort=Delete log and temporary files
PurgeDeleteAllFilesInDocumentsDir=Delete all files in directory: %s. This will delete all generated documents related to elements (third parties, invoices etc...), files uploaded into the ECM module, database backup dumps and temporary files.
PurgeRunNow=Purge now
PurgeNothingToDelete=No directory or files to delete.
@@ -256,6 +257,7 @@ ReferencedPreferredPartners=Preferred Partners
OtherResources=Other resources
ExternalResources=External Resources
SocialNetworks=Social Networks
+SocialNetworkId=Social Network ID
ForDocumentationSeeWiki=For user or developer documentation (Doc, FAQs...), take a look at the Dolibarr Wiki: %s
ForAnswersSeeForum=For any other questions/help, you can use the Dolibarr forum: %s
HelpCenterDesc1=Here are some resources for getting help and support with Dolibarr.
@@ -375,7 +377,7 @@ ExamplesWithCurrentSetup=Examples with current configuration
ListOfDirectories=List of OpenDocument templates directories
ListOfDirectoriesForModelGenODT=List of directories containing templates files with OpenDocument format.
Put here full path of directories. Add a carriage return between eah directory. To add a directory of the GED module, add here DOL_DATA_ROOT/ecm/yourdirectoryname.
Files in those directories must end with .odt or .ods.
NumberOfModelFilesFound=Number of ODT/ODS template files found in these directories
-ExampleOfDirectoriesForModelGen=Examples of syntax: c:\\mydir /home/mydir DOL_DATA_ROOT/ecm/ecmdir
+ExampleOfDirectoriesForModelGen=Examples of syntax: c:\\myapp\\mydocumentdir\\mysubdir /home/myapp/mydocumentdir/mysubdir DOL_DATA_ROOT/ecm/ecmdir
FollowingSubstitutionKeysCanBeUsed= To know how to create your odt document templates, before storing them in those directories, read wiki documentation:
FullListOnOnlineDocumentation=http://wiki.dolibarr.org/index.php/Create_an_ODT_document_template
FirstnameNamePosition=Position of Name/Lastname
@@ -406,7 +408,7 @@ UrlGenerationParameters=Parameters to secure URLs
SecurityTokenIsUnique=Use a unique securekey parameter for each URL
EnterRefToBuildUrl=Enter reference for object %s
GetSecuredUrl=Get calculated URL
-ButtonHideUnauthorized=Hide buttons for non-admin users for unauthorized actions instead of showing greyed disabled buttons
+ButtonHideUnauthorized=Hide unauthorized action buttons also for internal users (just greyed otherwise)
OldVATRates=Old VAT rate
NewVATRates=New VAT rate
PriceBaseTypeToChange=Modify on prices with base reference value defined on
@@ -1689,7 +1691,7 @@ NotTopTreeMenuPersonalized=Personalized menus not linked to a top menu entry
NewMenu=New menu
MenuHandler=Menu handler
MenuModule=Source module
-HideUnauthorizedMenu= Hide unauthorized menus (gray)
+HideUnauthorizedMenu=Hide unauthorized menus also for internal users (just greyed otherwise)
DetailId=Id menu
DetailMenuHandler=Menu handler where to show new menu
DetailMenuModule=Module name if menu entry come from a module
@@ -1983,11 +1985,12 @@ EMailHost=Host of email IMAP server
MailboxSourceDirectory=Mailbox source directory
MailboxTargetDirectory=Mailbox target directory
EmailcollectorOperations=Operations to do by collector
+EmailcollectorOperationsDesc=Operations are executed from top to bottom order
MaxEmailCollectPerCollect=Max number of emails collected per collect
CollectNow=Collect now
ConfirmCloneEmailCollector=Are you sure you want to clone the Email collector %s ?
-DateLastCollectResult=Date latest collect tried
-DateLastcollectResultOk=Date latest collect successfull
+DateLastCollectResult=Date of latest collect try
+DateLastcollectResultOk=Date of latest collect success
LastResult=Latest result
EmailCollectorConfirmCollectTitle=Email collect confirmation
EmailCollectorConfirmCollect=Do you want to run the collection for this collector now ?
@@ -2005,7 +2008,7 @@ WithDolTrackingID=Message from a conversation initiated by a first email sent fr
WithoutDolTrackingID=Message from a conversation initiated by a first email NOT sent from Dolibarr
WithDolTrackingIDInMsgId=Message sent from Dolibarr
WithoutDolTrackingIDInMsgId=Message NOT sent from Dolibarr
-CreateCandidature=Create candidature
+CreateCandidature=Create job application
FormatZip=Zip
MainMenuCode=Menu entry code (mainmenu)
ECMAutoTree=Show automatic ECM tree
@@ -2083,3 +2086,7 @@ CountryIfSpecificToOneCountry=Country (if specific to a given country)
YouMayFindSecurityAdviceHere=You may find security advisory here
ModuleActivatedMayExposeInformation=This module may expose sensitive data. If you don't need it, disable it.
ModuleActivatedDoNotUseInProduction=A module designed for the development has been enabled. Do not enable it on a production environment.
+CombinationsSeparator=Separator character for product combinations
+SeeLinkToOnlineDocumentation=See link to online documention on top menu for examples
+SHOW_SUBPRODUCT_REF_IN_PDF=If the feature "%s" of module %s is used, show details of subproducts of a kit on PDF.
+AskThisIDToYourBank=Contact your bank to get this ID
diff --git a/htdocs/langs/lo_LA/banks.lang b/htdocs/langs/lo_LA/banks.lang
index 116b97d3f81..904c49c79df 100644
--- a/htdocs/langs/lo_LA/banks.lang
+++ b/htdocs/langs/lo_LA/banks.lang
@@ -173,8 +173,8 @@ SEPAMandate=SEPA mandate
YourSEPAMandate=Your SEPA mandate
FindYourSEPAMandate=This is your SEPA mandate to authorize our company to make direct debit order to your bank. Return it signed (scan of the signed document) or send it by mail to
AutoReportLastAccountStatement=Automatically fill the field 'number of bank statement' with last statement number when making reconciliation
-CashControl=POS cash fence
-NewCashFence=New cash fence
+CashControl=POS cash desk control
+NewCashFence=New cash desk closing
BankColorizeMovement=Colorize movements
BankColorizeMovementDesc=If this function is enable, you can choose specific background color for debit or credit movements
BankColorizeMovementName1=Background color for debit movement
diff --git a/htdocs/langs/lo_LA/blockedlog.lang b/htdocs/langs/lo_LA/blockedlog.lang
index 5afae6e9e53..0bba5605d0f 100644
--- a/htdocs/langs/lo_LA/blockedlog.lang
+++ b/htdocs/langs/lo_LA/blockedlog.lang
@@ -35,7 +35,7 @@ logDON_DELETE=Donation logical deletion
logMEMBER_SUBSCRIPTION_CREATE=Member subscription created
logMEMBER_SUBSCRIPTION_MODIFY=Member subscription modified
logMEMBER_SUBSCRIPTION_DELETE=Member subscription logical deletion
-logCASHCONTROL_VALIDATE=Cash fence recording
+logCASHCONTROL_VALIDATE=Cash desk closing recording
BlockedLogBillDownload=Customer invoice download
BlockedLogBillPreview=Customer invoice preview
BlockedlogInfoDialog=Log Details
diff --git a/htdocs/langs/lo_LA/boxes.lang b/htdocs/langs/lo_LA/boxes.lang
index d6fd298a3a7..7db4ea8aa17 100644
--- a/htdocs/langs/lo_LA/boxes.lang
+++ b/htdocs/langs/lo_LA/boxes.lang
@@ -46,9 +46,12 @@ BoxTitleLastModifiedDonations=Latest %s modified donations
BoxTitleLastModifiedExpenses=Latest %s modified expense reports
BoxTitleLatestModifiedBoms=Latest %s modified BOMs
BoxTitleLatestModifiedMos=Latest %s modified Manufacturing Orders
+BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded
BoxGlobalActivity=Global activity (invoices, proposals, orders)
BoxGoodCustomers=Good customers
BoxTitleGoodCustomers=%s Good customers
+BoxScheduledJobs=Scheduled jobs
+BoxTitleFunnelOfProspection=Lead funnel
FailedToRefreshDataInfoNotUpToDate=Failed to refresh RSS flux. Latest successful refresh date: %s
LastRefreshDate=Latest refresh date
NoRecordedBookmarks=No bookmarks defined.
@@ -102,5 +105,7 @@ SuspenseAccountNotDefined=Suspense account isn't defined
BoxLastCustomerShipments=Last customer shipments
BoxTitleLastCustomerShipments=Latest %s customer shipments
NoRecordedShipments=No recorded customer shipment
+BoxCustomersOutstandingBillReached=Customers with oustanding limit reached
# Pages
AccountancyHome=Accountancy
+ValidatedProjects=Validated projects
diff --git a/htdocs/langs/lo_LA/cashdesk.lang b/htdocs/langs/lo_LA/cashdesk.lang
index 498baa82200..3fef645d99d 100644
--- a/htdocs/langs/lo_LA/cashdesk.lang
+++ b/htdocs/langs/lo_LA/cashdesk.lang
@@ -49,8 +49,8 @@ Footer=Footer
AmountAtEndOfPeriod=Amount at end of period (day, month or year)
TheoricalAmount=Theorical amount
RealAmount=Real amount
-CashFence=Cash fence
-CashFenceDone=Cash fence done for the period
+CashFence=Cash desk closing
+CashFenceDone=Cash desk closing done for the period
NbOfInvoices=Nb of invoices
Paymentnumpad=Type of Pad to enter payment
Numberspad=Numbers Pad
@@ -99,8 +99,9 @@ CashDeskRefNumberingModules=Numbering module for POS sales
CashDeskGenericMaskCodes6 = {TN} tag is used to add the terminal number
TakeposGroupSameProduct=Group same products lines
StartAParallelSale=Start a new parallel sale
-ControlCashOpening=Control cash box at opening POS
-CloseCashFence=Close cash fence
+SaleStartedAt=Sale started at %s
+ControlCashOpening=Control cash popup at opening POS
+CloseCashFence=Close cash desk control
CashReport=Cash report
MainPrinterToUse=Main printer to use
OrderPrinterToUse=Order printer to use
@@ -122,3 +123,4 @@ GiftReceipt=Gift receipt
ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled first
AllowDelayedPayment=Allow delayed payment
PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts
+WeighingScale=Weighing scale
diff --git a/htdocs/langs/lo_LA/categories.lang b/htdocs/langs/lo_LA/categories.lang
index ba37a43b4ec..4ddf0d6093f 100644
--- a/htdocs/langs/lo_LA/categories.lang
+++ b/htdocs/langs/lo_LA/categories.lang
@@ -19,6 +19,7 @@ ProjectsCategoriesArea=Projects tags/categories area
UsersCategoriesArea=Users tags/categories area
SubCats=Sub-categories
CatList=List of tags/categories
+CatListAll=List of tags/categories (all types)
NewCategory=New tag/category
ModifCat=Modify tag/category
CatCreated=Tag/category created
@@ -65,16 +66,22 @@ UsersCategoriesShort=Users tags/categories
StockCategoriesShort=Warehouse tags/categories
ThisCategoryHasNoItems=This category does not contain any items.
CategId=Tag/category id
-CatSupList=List of vendor tags/categories
-CatCusList=List of customer/prospect tags/categories
+ParentCategory=Parent tag/category
+ParentCategoryLabel=Label of parent tag/category
+CatSupList=List of vendors tags/categories
+CatCusList=List of customers/prospects tags/categories
CatProdList=List of products tags/categories
CatMemberList=List of members tags/categories
-CatContactList=List of contact tags/categories
-CatSupLinks=Links between suppliers and tags/categories
+CatContactList=List of contacts tags/categories
+CatProjectsList=List of projects tags/categories
+CatUsersList=List of users tags/categories
+CatSupLinks=Links between vendors and tags/categories
CatCusLinks=Links between customers/prospects and tags/categories
CatContactsLinks=Links between contacts/addresses and tags/categories
CatProdLinks=Links between products/services and tags/categories
-CatProJectLinks=Links between projects and tags/categories
+CatMembersLinks=Links between members and tags/categories
+CatProjectsLinks=Links between projects and tags/categories
+CatUsersLinks=Links between users and tags/categories
DeleteFromCat=Remove from tags/category
ExtraFieldsCategories=Complementary attributes
CategoriesSetup=Tags/categories setup
diff --git a/htdocs/langs/lo_LA/companies.lang b/htdocs/langs/lo_LA/companies.lang
index 4e8b86a7c57..a4225bc1cfb 100644
--- a/htdocs/langs/lo_LA/companies.lang
+++ b/htdocs/langs/lo_LA/companies.lang
@@ -358,7 +358,7 @@ VATIntraCheckableOnEUSite=Check the intra-Community VAT ID on the European Commi
VATIntraManualCheck=You can also check manually on the European Commission website %s
ErrorVATCheckMS_UNAVAILABLE=Check not possible. Check service is not provided by the member state (%s).
NorProspectNorCustomer=Not prospect, nor customer
-JuridicalStatus=Legal Entity Type
+JuridicalStatus=Business entity type
Workforce=Workforce
Staff=Employees
ProspectLevelShort=Potential
diff --git a/htdocs/langs/lo_LA/compta.lang b/htdocs/langs/lo_LA/compta.lang
index 29c2f72f5bf..a84839cd09a 100644
--- a/htdocs/langs/lo_LA/compta.lang
+++ b/htdocs/langs/lo_LA/compta.lang
@@ -111,7 +111,7 @@ Refund=Refund
SocialContributionsPayments=Social/fiscal taxes payments
ShowVatPayment=Show VAT payment
TotalToPay=Total to pay
-BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted ascending on %s and filtered for 1 bank account
+BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted on %s and filtered on 1 bank account (with no other filters)
CustomerAccountancyCode=Customer accounting code
SupplierAccountancyCode=Vendor accounting code
CustomerAccountancyCodeShort=Cust. account. code
@@ -140,7 +140,7 @@ ConfirmDeleteSocialContribution=Are you sure you want to delete this social/fisc
ExportDataset_tax_1=Social and fiscal taxes and payments
CalcModeVATDebt=Mode %sVAT on commitment accounting%s.
CalcModeVATEngagement=Mode %sVAT on incomes-expenses%s.
-CalcModeDebt=Analysis of known recorded invoices even if they are not yet accounted in ledger.
+CalcModeDebt=Analysis of known recorded documents even if they are not yet accounted in ledger.
CalcModeEngagement=Analysis of known recorded payments, even if they are not yet accounted in Ledger.
CalcModeBookkeeping=Analysis of data journalized in Bookkeeping Ledger table.
CalcModeLT1= Mode %sRE on customer invoices - suppliers invoices%s
@@ -154,9 +154,9 @@ AnnualSummaryInputOutputMode=Balance of income and expenses, annual summary
AnnualByCompanies=Balance of income and expenses, by predefined groups of account
AnnualByCompaniesDueDebtMode=Balance of income and expenses, detail by predefined groups, mode %sClaims-Debts%s said Commitment accounting.
AnnualByCompaniesInputOutputMode=Balance of income and expenses, detail by predefined groups, mode %sIncomes-Expenses%s said cash accounting.
-SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation on actual payments made even if they are not yet accounted in Ledger.
-SeeReportInDueDebtMode=See %sanalysis of invoices%s for a calculation based on known recorded invoices even if they are not yet accounted in Ledger.
-SeeReportInBookkeepingMode=See %sBookeeping report%s for a calculation on Bookkeeping Ledger table
+SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation based on recorded payments made even if they are not yet accounted in Ledger
+SeeReportInDueDebtMode=See %sanalysis of recorded documents%s for a calculation based on known recorded documents even if they are not yet accounted in Ledger
+SeeReportInBookkeepingMode=See %sanalysis of bookeeping ledger table%s for a report based on Bookkeeping Ledger table
RulesAmountWithTaxIncluded=- Amounts shown are with all taxes included
RulesResultDue=- It includes outstanding invoices, expenses, VAT, donations whether they are paid or not. Is also includes paid salaries. - It is based on the billing date of invoices and on the due date for expenses or tax payments. For salaries defined with Salary module, the value date of payment is used.
RulesResultInOut=- It includes the real payments made on invoices, expenses, VAT and salaries. - It is based on the payment dates of the invoices, expenses, VAT and salaries. The donation date for donation.
@@ -169,12 +169,15 @@ RulesResultBookkeepingPersonalized=It show record in your Ledger with accounting
SeePageForSetup=See menu %s for setup
DepositsAreNotIncluded=- Down payment invoices are not included
DepositsAreIncluded=- Down payment invoices are included
+LT1ReportByMonth=Tax 2 report by month
+LT2ReportByMonth=Tax 3 report by month
LT1ReportByCustomers=Report tax 2 by third party
LT2ReportByCustomers=Report tax 3 by third party
LT1ReportByCustomersES=Report by third party RE
LT2ReportByCustomersES=Report by third party IRPF
VATReport=Sale tax report
VATReportByPeriods=Sale tax report by period
+VATReportByMonth=Sale tax report by month
VATReportByRates=Sale tax report by rates
VATReportByThirdParties=Sale tax report by third parties
VATReportByCustomers=Sale tax report by customer
diff --git a/htdocs/langs/lo_LA/cron.lang b/htdocs/langs/lo_LA/cron.lang
index c4d35d1595a..86ecd876e5a 100644
--- a/htdocs/langs/lo_LA/cron.lang
+++ b/htdocs/langs/lo_LA/cron.lang
@@ -6,14 +6,15 @@ Permission23102 = Create/update Scheduled job
Permission23103 = Delete Scheduled job
Permission23104 = Execute Scheduled job
# Admin
-CronSetup= Scheduled job management setup
-URLToLaunchCronJobs=URL to check and launch qualified cron jobs
-OrToLaunchASpecificJob=Or to check and launch a specific job
+CronSetup=Scheduled job management setup
+URLToLaunchCronJobs=URL to check and launch qualified cron jobs from a browser
+OrToLaunchASpecificJob=Or to check and launch a specific job from a browser
KeyForCronAccess=Security key for URL to launch cron jobs
FileToLaunchCronJobs=Command line to check and launch qualified cron jobs
CronExplainHowToRunUnix=On Unix environment you should use the following crontab entry to run the command line each 5 minutes
-CronExplainHowToRunWin=On Microsoft(tm) Windows environement you can use Scheduled task tools to run the command line each 5 minutes
+CronExplainHowToRunWin=On Microsoft(tm) Windows environment you can use Scheduled Task tools to run the command line each 5 minutes
CronMethodDoesNotExists=Class %s does not contains any method %s
+CronMethodNotAllowed=Method %s of class %s is in blacklist of forbidden methods
CronJobDefDesc=Cron job profiles are defined into the module descriptor file. When module is activated, they are loaded and available so you can administer the jobs from the admin tools menu %s.
CronJobProfiles=List of predefined cron job profiles
# Menu
@@ -42,10 +43,11 @@ CronModule=Module
CronNoJobs=No jobs registered
CronPriority=Priority
CronLabel=Label
-CronNbRun=Nb. launch
-CronMaxRun=Max number launch
+CronNbRun=Number of launches
+CronMaxRun=Maximum number of launches
CronEach=Every
JobFinished=Job launched and finished
+Scheduled=Scheduled
#Page card
CronAdd= Add jobs
CronEvery=Execute job each
@@ -56,16 +58,16 @@ CronNote=Comment
CronFieldMandatory=Fields %s is mandatory
CronErrEndDateStartDt=End date cannot be before start date
StatusAtInstall=Status at module installation
-CronStatusActiveBtn=Enable
+CronStatusActiveBtn=Schedule
CronStatusInactiveBtn=ປິດການນຳໃຊ້
CronTaskInactive=This job is disabled
CronId=Id
CronClassFile=Filename with class
-CronModuleHelp=Name of Dolibarr module directory (also work with external Dolibarr module). For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for module is product
-CronClassFileHelp=The relative path and file name to load (path is relative to web server root directory). For exemple to call the fetch method of Dolibarr Product object htdocs/product/class/product.class.php, the value for class file name is product/class/product.class.php
-CronObjectHelp=The object name to load. For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for class file name is Product
-CronMethodHelp=The object method to launch. For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for method is fetch
-CronArgsHelp=The method arguments. For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for paramters can be 0, ProductRef
+CronModuleHelp=Name of Dolibarr module directory (also work with external Dolibarr module). For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for module is product
+CronClassFileHelp=The relative path and file name to load (path is relative to web server root directory). For example to call the fetch method of Dolibarr Product object htdocs/product/class/product.class.php, the value for class file name is product/class/product.class.php
+CronObjectHelp=The object name to load. For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for class file name is Product
+CronMethodHelp=The object method to launch. For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for method is fetch
+CronArgsHelp=The method arguments. For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for paramters can be 0, ProductRef
CronCommandHelp=The system command line to execute.
CronCreateJob=Create new Scheduled Job
CronFrom=From
@@ -76,8 +78,14 @@ CronType_method=Call method of a PHP Class
CronType_command=Shell command
CronCannotLoadClass=Cannot load class file %s (to use class %s)
CronCannotLoadObject=Class file %s was loaded, but object %s was not found into it
-UseMenuModuleToolsToAddCronJobs=Go into menu "Home - Admin tools - Scheduled jobs" to see and edit scheduled jobs.
+UseMenuModuleToolsToAddCronJobs=Go into menu "Home - Admin tools - Scheduled jobs" to see and edit scheduled jobs.
JobDisabled=Job disabled
MakeLocalDatabaseDumpShort=Local database backup
-MakeLocalDatabaseDump=Create a local database dump. Parameters are: compression ('gz' or 'bz' or 'none'), backup type ('mysql' or 'pgsql'), 1, 'auto' or filename to build, number of backup files to keep
+MakeLocalDatabaseDump=Create a local database dump. Parameters are: compression ('gz' or 'bz' or 'none'), backup type ('mysql', 'pgsql', 'auto'), 1, 'auto' or filename to build, number of backup files to keep
WarningCronDelayed=Attention, for performance purpose, whatever is next date of execution of enabled jobs, your jobs may be delayed to a maximum of %s hours, before being run.
+DATAPOLICYJob=Data cleaner and anonymizer
+JobXMustBeEnabled=Job %s must be enabled
+# Cron Boxes
+LastExecutedScheduledJob=Last executed scheduled job
+NextScheduledJobExecute=Next scheduled job to execute
+NumberScheduledJobError=Number of scheduled jobs in error
diff --git a/htdocs/langs/lo_LA/errors.lang b/htdocs/langs/lo_LA/errors.lang
index 893f4a35b65..5b26be724d9 100644
--- a/htdocs/langs/lo_LA/errors.lang
+++ b/htdocs/langs/lo_LA/errors.lang
@@ -5,8 +5,10 @@ NoErrorCommitIsDone=No error, we commit
# Errors
ErrorButCommitIsDone=Errors found but we validate despite this
ErrorBadEMail=Email %s is wrong
+ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record)
ErrorBadUrl=Url %s is wrong
ErrorBadValueForParamNotAString=Bad value for your parameter. It appends generally when translation is missing.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorLoginAlreadyExists=Login %s already exists.
ErrorGroupAlreadyExists=Group %s already exists.
ErrorRecordNotFound=Record not found.
@@ -48,6 +50,7 @@ ErrorFieldsRequired=Some required fields were not filled.
ErrorSubjectIsRequired=The email topic is required
ErrorFailedToCreateDir=Failed to create a directory. Check that Web server user has permissions to write into Dolibarr documents directory. If parameter safe_mode is enabled on this PHP, check that Dolibarr php files owns to web server user (or group).
ErrorNoMailDefinedForThisUser=No mail defined for this user
+ErrorSetupOfEmailsNotComplete=Setup of emails is not complete
ErrorFeatureNeedJavascript=This feature need javascript to be activated to work. Change this in setup - display.
ErrorTopMenuMustHaveAParentWithId0=A menu of type 'Top' can't have a parent menu. Put 0 in parent menu or choose a menu of type 'Left'.
ErrorLeftMenuMustHaveAParentId=A menu of type 'Left' must have a parent id.
@@ -75,7 +78,7 @@ ErrorExportDuplicateProfil=This profile name already exists for this export set.
ErrorLDAPSetupNotComplete=Dolibarr-LDAP matching is not complete.
ErrorLDAPMakeManualTest=A .ldif file has been generated in directory %s. Try to load it manually from command line to have more information on errors.
ErrorCantSaveADoneUserWithZeroPercentage=Can't save an action with "status not started" if field "done by" is also filled.
-ErrorRefAlreadyExists=Ref used for creation already exists.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorPleaseTypeBankTransactionReportName=Please enter the bank statement name where the entry has to be reported (Format YYYYMM or YYYYMMDD)
ErrorRecordHasChildren=Failed to delete record since it has some child records.
ErrorRecordHasAtLeastOneChildOfType=Object has at least one child of type %s
@@ -216,7 +219,7 @@ ErrorChooseBetweenFreeEntryOrPredefinedProduct=You must choose if article is a p
ErrorDiscountLargerThanRemainToPaySplitItBefore=The discount you try to apply is larger than remain to pay. Split the discount in 2 smaller discounts before.
ErrorFileNotFoundWithSharedLink=File was not found. May be the share key was modified or file was removed recently.
ErrorProductBarCodeAlreadyExists=The product barcode %s already exists on another product reference.
-ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using virtual product to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number.
+ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using kits to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number.
ErrorDescRequiredForFreeProductLines=Description is mandatory for lines with free product
ErrorAPageWithThisNameOrAliasAlreadyExists=The page/container %s has the same name or alternative alias that the one your try to use
ErrorDuringChartLoad=Error when loading chart of accounts. If few accounts were not loaded, you can still enter them manually.
@@ -243,6 +246,16 @@ ErrorReplaceStringEmpty=Error, the string to replace into is empty
ErrorProductNeedBatchNumber=Error, product '%s' need a lot/serial number
ErrorProductDoesNotNeedBatchNumber=Error, product '%s' does not accept a lot/serial number
ErrorFailedToReadObject=Error, failed to read object of type %s
+ErrorParameterMustBeEnabledToAllwoThisFeature=Error, parameter %s must be enabled into conf/conf.php to allow use of Command Line Interface by the internal job scheduler
+ErrorLoginDateValidity=Error, this login is outside the validity date range
+ErrorValueLength=Length of field '%s' must be higher than '%s'
+ErrorReservedKeyword=The word '%s' is a reserved keyword
+ErrorNotAvailableWithThisDistribution=Not available with this distribution
+ErrorPublicInterfaceNotEnabled=Public interface was not enabled
+ErrorLanguageRequiredIfPageIsTranslationOfAnother=The language of new page must be defined if it is set as a translation of another page
+ErrorLanguageMustNotBeSourceLanguageIfPageIsTranslationOfAnother=The language of new page must not be the source language if it is set as a translation of another page
+ErrorAParameterIsRequiredForThisOperation=A parameter is mandatory for this operation
+
# Warnings
WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup.
WarningPasswordSetWithNoAccount=A password was set for this member. However, no user account was created. So this password is stored but can't be used to login to Dolibarr. It may be used by an external module/interface but if you don't need to define any login nor password for a member, you can disable option "Manage a login for each member" from Member module setup. If you need to manage a login but don't need any password, you can keep this field empty to avoid this warning. Note: Email can also be used as a login if the member is linked to a user.
@@ -267,6 +280,10 @@ WarningYourLoginWasModifiedPleaseLogin=Your login was modified. For security pur
WarningAnEntryAlreadyExistForTransKey=An entry already exists for the translation key for this language
WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different recipient is limited to %s when using the mass actions on lists
WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report
+WarningProjectDraft=Project is still in draft mode. Don't forget to validate it if you plan to use tasks.
WarningProjectClosed=Project is closed. You must re-open it first.
WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list.
-WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table
+WarningFailedToAddFileIntoDatabaseIndex=Warning, failed to add file entry into ECM database index table
+WarningTheHiddenOptionIsOn=Warning, the hidden option %s is on.
+WarningCreateSubAccounts=Warning, you can't create directly a sub account, you must create a third party or an user and assign them an accounting code to find them in this list
+WarningAvailableOnlyForHTTPSServers=Available only if using HTTPS secured connection.
diff --git a/htdocs/langs/lo_LA/exports.lang b/htdocs/langs/lo_LA/exports.lang
index 2dcf4317e00..a0eb7161ef2 100644
--- a/htdocs/langs/lo_LA/exports.lang
+++ b/htdocs/langs/lo_LA/exports.lang
@@ -26,6 +26,8 @@ FieldTitle=Field title
NowClickToGenerateToBuildExportFile=Now, select the file format in the combo box and click on "Generate" to build the export file...
AvailableFormats=Available Formats
LibraryShort=Library
+ExportCsvSeparator=Csv caracter separator
+ImportCsvSeparator=Csv caracter separator
Step=Step
FormatedImport=Import Assistant
FormatedImportDesc1=This module allows you to update existing data or add new objects into the database from a file without technical knowledge, using an assistant.
@@ -131,3 +133,4 @@ KeysToUseForUpdates=Key (column) to use for updating existing data
NbInsert=Number of inserted lines: %s
NbUpdate=Number of updated lines: %s
MultipleRecordFoundWithTheseFilters=Multiple records have been found with these filters: %s
+StocksWithBatch=Stocks and location (warehouse) of products with batch/serial number
diff --git a/htdocs/langs/lo_LA/mails.lang b/htdocs/langs/lo_LA/mails.lang
index 1235eef3b27..7fd93be7b71 100644
--- a/htdocs/langs/lo_LA/mails.lang
+++ b/htdocs/langs/lo_LA/mails.lang
@@ -92,6 +92,7 @@ MailingModuleDescEmailsFromUser=Emails input by user
MailingModuleDescDolibarrUsers=Users with Emails
MailingModuleDescThirdPartiesByCategories=Third parties (by categories)
SendingFromWebInterfaceIsNotAllowed=Sending from web interface is not allowed.
+EmailCollectorFilterDesc=All filters must match to have an email being collected
# Libelle des modules de liste de destinataires mailing
LineInFile=Line %s in file
@@ -125,12 +126,13 @@ TagMailtoEmail=Recipient Email (including html "mailto:" link)
NoEmailSentBadSenderOrRecipientEmail=No email sent. Bad sender or recipient email. Verify user profile.
# Module Notifications
Notifications=Notifications
-NoNotificationsWillBeSent=No email notifications are planned for this event and company
-ANotificationsWillBeSent=1 notification will be sent by email
-SomeNotificationsWillBeSent=%s notifications will be sent by email
-AddNewNotification=Activate a new email notification target/event
-ListOfActiveNotifications=List all active targets/events for email notification
-ListOfNotificationsDone=List all email notifications sent
+NotificationsAuto=Notifications Auto.
+NoNotificationsWillBeSent=No automatic email notifications are planned for this event type and company
+ANotificationsWillBeSent=1 automatic notification will be sent by email
+SomeNotificationsWillBeSent=%s automatic notifications will be sent by email
+AddNewNotification=Subscribe to a new automatic email notification (target/event)
+ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification
+ListOfNotificationsDone=List all automatic email notifications sent
MailSendSetupIs=Configuration of email sending has been setup to '%s'. This mode can't be used to send mass emailing.
MailSendSetupIs2=You must first go, with an admin account, into menu %sHome - Setup - EMails%s to change parameter '%s' to use mode '%s'. With this mode, you can enter setup of the SMTP server provided by your Internet Service Provider and use Mass emailing feature.
MailSendSetupIs3=If you have any questions on how to setup your SMTP server, you can ask to %s.
@@ -140,7 +142,7 @@ UseFormatFileEmailToTarget=Imported file must have format email;name;fir
UseFormatInputEmailToTarget=Enter a string with format email;name;firstname;other
MailAdvTargetRecipients=Recipients (advanced selection)
AdvTgtTitle=Fill input fields to preselect the third parties or contacts/addresses to target
-AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima% will target all jean, joe, start with jim but not jimo and not everything that starts with jima
+AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima%% will target all jean, joe, start with jim but not jimo and not everything that starts with jima
AdvTgtSearchIntHelp=Use interval to select int or float value
AdvTgtMinVal=Minimum value
AdvTgtMaxVal=Maximum value
@@ -162,13 +164,14 @@ AdvTgtCreateFilter=Create filter
AdvTgtOrCreateNewFilter=Name of new filter
NoContactWithCategoryFound=No contact/address with a category found
NoContactLinkedToThirdpartieWithCategoryFound=No contact/address with a category found
-OutGoingEmailSetup=Outgoing email setup
-InGoingEmailSetup=Incoming email setup
-OutGoingEmailSetupForEmailing=Outgoing email setup (for module %s)
-DefaultOutgoingEmailSetup=Default outgoing email setup
+OutGoingEmailSetup=Outgoing emails
+InGoingEmailSetup=Incoming emails
+OutGoingEmailSetupForEmailing=Outgoing emails (for module %s)
+DefaultOutgoingEmailSetup=Same configuration than the global Outgoing email setup
Information=Information
ContactsWithThirdpartyFilter=Contacts with third-party filter
Unanswered=Unanswered
Answered=Answered
IsNotAnAnswer=Is not answer (initial email)
IsAnAnswer=Is an answer of an initial email
+RecordCreatedByEmailCollector=Record created by the Email Collector %s from email %s
diff --git a/htdocs/langs/lo_LA/main.lang b/htdocs/langs/lo_LA/main.lang
index 026cbbb5ad7..ae6a57c1426 100644
--- a/htdocs/langs/lo_LA/main.lang
+++ b/htdocs/langs/lo_LA/main.lang
@@ -28,7 +28,9 @@ NoTemplateDefined=No template available for this email type
AvailableVariables=Available substitution variables
NoTranslation=No translation
Translation=Translation
+CurrentTimeZone=TimeZone PHP (server)
EmptySearchString=Enter non empty search criterias
+EnterADateCriteria=Enter a date criteria
NoRecordFound=No record found
NoRecordDeleted=No record deleted
NotEnoughDataYet=Not enough data
@@ -85,6 +87,8 @@ FileWasNotUploaded=A file is selected for attachment but was not yet uploaded. C
NbOfEntries=No. of entries
GoToWikiHelpPage=Read online help (Internet access needed)
GoToHelpPage=Read help
+DedicatedPageAvailable=There is a dedicated help page related to your current screen
+HomePage=Home Page
RecordSaved=Record saved
RecordDeleted=Record deleted
RecordGenerated=Record generated
@@ -433,6 +437,7 @@ RemainToPay=Remain to pay
Module=Module/Application
Modules=Modules/Applications
Option=Option
+Filters=Filters
List=ລາຍການ
FullList=Full list
FullConversation=Full conversation
@@ -671,7 +676,7 @@ SendMail=Send email
Email=Email
NoEMail=No email
AlreadyRead=Already read
-NotRead=Not read
+NotRead=Unread
NoMobilePhone=No mobile phone
Owner=Owner
FollowingConstantsWillBeSubstituted=The following constants will be replaced with the corresponding value.
@@ -1107,3 +1112,8 @@ UpToDate=Up-to-date
OutOfDate=Out-of-date
EventReminder=Event Reminder
UpdateForAllLines=Update for all lines
+OnHold=On hold
+AffectTag=Affect Tag
+ConfirmAffectTag=Bulk Tag Affect
+ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected record(s)?
+CategTypeNotFound=No tag type found for type of records
diff --git a/htdocs/langs/lo_LA/modulebuilder.lang b/htdocs/langs/lo_LA/modulebuilder.lang
index 460aef8103b..845dd12624d 100644
--- a/htdocs/langs/lo_LA/modulebuilder.lang
+++ b/htdocs/langs/lo_LA/modulebuilder.lang
@@ -40,6 +40,7 @@ PageForCreateEditView=PHP page to create/edit/view a record
PageForAgendaTab=PHP page for event tab
PageForDocumentTab=PHP page for document tab
PageForNoteTab=PHP page for note tab
+PageForContactTab=PHP page for contact tab
PathToModulePackage=Path to zip of module/application package
PathToModuleDocumentation=Path to file of module/application documentation (%s)
SpaceOrSpecialCharAreNotAllowed=Spaces or special characters are not allowed.
@@ -77,7 +78,7 @@ IsAMeasure=Is a measure
DirScanned=Directory scanned
NoTrigger=No trigger
NoWidget=No widget
-GoToApiExplorer=Go to API explorer
+GoToApiExplorer=API explorer
ListOfMenusEntries=List of menu entries
ListOfDictionariesEntries=List of dictionaries entries
ListOfPermissionsDefined=List of defined permissions
@@ -105,7 +106,7 @@ TryToUseTheModuleBuilder=If you have knowledge of SQL and PHP, you may use the n
SeeTopRightMenu=See on the top right menu
AddLanguageFile=Add language file
YouCanUseTranslationKey=You can use here a key that is the translation key found into language file (see tab "Languages")
-DropTableIfEmpty=(Delete table if empty)
+DropTableIfEmpty=(Destroy table if empty)
TableDoesNotExists=The table %s does not exists
TableDropped=Table %s deleted
InitStructureFromExistingTable=Build the structure array string of an existing table
@@ -126,7 +127,6 @@ UseSpecificEditorURL = Use a specific editor URL
UseSpecificFamily = Use a specific family
UseSpecificAuthor = Use a specific author
UseSpecificVersion = Use a specific initial version
-ModuleMustBeEnabled=The module/application must be enabled first
IncludeRefGeneration=The reference of object must be generated automatically
IncludeRefGenerationHelp=Check this if you want to include code to manage the generation automatically of the reference
IncludeDocGeneration=I want to generate some documents from the object
@@ -140,3 +140,4 @@ TypeOfFieldsHelp=Type of fields: varchar(99), double(24,8), real, text, html,
AsciiToHtmlConverter=Ascii to HTML converter
AsciiToPdfConverter=Ascii to PDF converter
TableNotEmptyDropCanceled=Table not empty. Drop has been canceled.
+ModuleBuilderNotAllowed=The module builder is available but not allowed to your user.
diff --git a/htdocs/langs/lo_LA/other.lang b/htdocs/langs/lo_LA/other.lang
index 30dcda87f53..35343ff07d9 100644
--- a/htdocs/langs/lo_LA/other.lang
+++ b/htdocs/langs/lo_LA/other.lang
@@ -5,8 +5,6 @@ Tools=ເຄື່ອງມື
TMenuTools=ເຄື່ອງມື
ToolsDesc=All tools not included in other menu entries are grouped here. All the tools can be accessed via the left menu.
Birthday=Birthday
-BirthdayDate=Birthday date
-DateToBirth=Birth date
BirthdayAlertOn=birthday alert active
BirthdayAlertOff=birthday alert inactive
TransKey=Translation of the key TransKey
@@ -16,6 +14,8 @@ PreviousMonthOfInvoice=Previous month (number 1-12) of invoice date
TextPreviousMonthOfInvoice=Previous month (text) of invoice date
NextMonthOfInvoice=Following month (number 1-12) of invoice date
TextNextMonthOfInvoice=Following month (text) of invoice date
+PreviousMonth=Previous month
+CurrentMonth=Current month
ZipFileGeneratedInto=Zip file generated into %s.
DocFileGeneratedInto=Doc file generated into %s.
JumpToLogin=Disconnected. Go to login page...
@@ -99,6 +99,7 @@ PredefinedMailContentSendShipping=__(Hello)__\n\nPlease find shipping __REF__ at
PredefinedMailContentSendFichInter=__(Hello)__\n\nPlease find intervention __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.\n\n%s\n\n
PredefinedMailContentGeneric=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
+PredefinedMailContentSendActionComm=Event reminder "__EVENT_LABEL__" on __EVENT_DATE__ at __EVENT_TIME__
This is an automatic message, please do not reply.
DemoDesc=Dolibarr is a compact ERP/CRM supporting several business modules. A demo showcasing all modules makes no sense as this scenario never occurs (several hundred available). So, several demo profiles are available.
ChooseYourDemoProfil=Choose the demo profile that best suits your needs...
ChooseYourDemoProfilMore=...or build your own profile (manual module selection)
@@ -137,7 +138,7 @@ Right=Right
CalculatedWeight=Calculated weight
CalculatedVolume=Calculated volume
Weight=Weight
-WeightUnitton=tonne
+WeightUnitton=ton
WeightUnitkg=kg
WeightUnitg=g
WeightUnitmg=mg
@@ -258,6 +259,7 @@ ContactCreatedByEmailCollector=Contact/address created by email collector from e
ProjectCreatedByEmailCollector=Project created by email collector from email MSGID %s
TicketCreatedByEmailCollector=Ticket created by email collector from email MSGID %s
OpeningHoursFormatDesc=Use a - to separate opening and closing hours. Use a space to enter different ranges. Example: 8-12 14-18
+PrefixSession=Prefix for session ID
##### Export #####
ExportsArea=Exports area
diff --git a/htdocs/langs/lo_LA/products.lang b/htdocs/langs/lo_LA/products.lang
index fb58c2e259c..999f6a32693 100644
--- a/htdocs/langs/lo_LA/products.lang
+++ b/htdocs/langs/lo_LA/products.lang
@@ -108,7 +108,8 @@ FillWithLastServiceDates=Fill with last service line dates
MultiPricesAbility=Multiple price segments per product/service (each customer is in one price segment)
MultiPricesNumPrices=Number of prices
DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices
-AssociatedProductsAbility=Activate kits (virtual products)
+AssociatedProductsAbility=Enable Kits (set of other products)
+VariantsAbility=Enable Variants (variations of products, for example color, size)
AssociatedProducts=Kits
AssociatedProductsNumber=Number of products composing this kit
ParentProductsNumber=Number of parent packaging product
@@ -167,8 +168,10 @@ BuyingPrices=Buying prices
CustomerPrices=Customer prices
SuppliersPrices=Vendor prices
SuppliersPricesOfProductsOrServices=Vendor prices (of products or services)
-CustomCode=Customs / Commodity / HS code
+CustomCode=Customs|Commodity|HS code
CountryOrigin=Origin country
+RegionStateOrigin=Region origin
+StateOrigin=State|Province origin
Nature=Nature of product (material/finished)
NatureOfProductShort=Nature of product
NatureOfProductDesc=Raw material or finished product
@@ -239,7 +242,7 @@ AlwaysUseFixedPrice=Use the fixed price
PriceByQuantity=Different prices by quantity
DisablePriceByQty=Disable prices by quantity
PriceByQuantityRange=Quantity range
-MultipriceRules=Price segment rules
+MultipriceRules=Automatic prices for segment
UseMultipriceRules=Use price segment rules (defined into product module setup) to auto calculate prices of all other segments according to first segment
PercentVariationOver=%% variation over %s
PercentDiscountOver=%% discount over %s
diff --git a/htdocs/langs/lo_LA/recruitment.lang b/htdocs/langs/lo_LA/recruitment.lang
index b775e78552e..437445f25dc 100644
--- a/htdocs/langs/lo_LA/recruitment.lang
+++ b/htdocs/langs/lo_LA/recruitment.lang
@@ -73,3 +73,4 @@ JobClosedTextCandidateFound=The job position is closed. The position has been fi
JobClosedTextCanceled=The job position is closed.
ExtrafieldsJobPosition=Complementary attributes (job positions)
ExtrafieldsCandidatures=Complementary attributes (job applications)
+MakeOffer=Make an offer
diff --git a/htdocs/langs/lo_LA/sendings.lang b/htdocs/langs/lo_LA/sendings.lang
index 5ce3b7f67e9..73bd9aebd42 100644
--- a/htdocs/langs/lo_LA/sendings.lang
+++ b/htdocs/langs/lo_LA/sendings.lang
@@ -30,6 +30,7 @@ OtherSendingsForSameOrder=Other shipments for this order
SendingsAndReceivingForSameOrder=Shipments and receipts for this order
SendingsToValidate=Shipments to validate
StatusSendingCanceled=Canceled
+StatusSendingCanceledShort=Canceled
StatusSendingDraft=Draft
StatusSendingValidated=Validated (products to ship or already shipped)
StatusSendingProcessed=Processed
@@ -65,6 +66,7 @@ ValidateOrderFirstBeforeShipment=You must first validate the order before being
# Sending methods
# ModelDocument
DocumentModelTyphon=More complete document model for delivery receipts (logo...)
+DocumentModelStorm=More complete document model for delivery receipts and extrafields compatibility (logo...)
Error_EXPEDITION_ADDON_NUMBER_NotDefined=Constant EXPEDITION_ADDON_NUMBER not defined
SumOfProductVolumes=Sum of product volumes
SumOfProductWeights=Sum of product weights
diff --git a/htdocs/langs/lo_LA/stocks.lang b/htdocs/langs/lo_LA/stocks.lang
index 74d3d0a7efe..19b8d4c468f 100644
--- a/htdocs/langs/lo_LA/stocks.lang
+++ b/htdocs/langs/lo_LA/stocks.lang
@@ -240,3 +240,4 @@ InventoryRealQtyHelp=Set value to 0 to reset qty Keep field empty, or remove
UpdateByScaning=Update by scaning
UpdateByScaningProductBarcode=Update by scan (product barcode)
UpdateByScaningLot=Update by scan (lot|serial barcode)
+DisableStockChangeOfSubProduct=Deactivate the stock change for all the subproducts of this Kit during this movement.
diff --git a/htdocs/langs/lo_LA/ticket.lang b/htdocs/langs/lo_LA/ticket.lang
index 6c1dc94704a..b2bea2dcbcd 100644
--- a/htdocs/langs/lo_LA/ticket.lang
+++ b/htdocs/langs/lo_LA/ticket.lang
@@ -31,10 +31,8 @@ TicketDictType=Ticket - Types
TicketDictCategory=Ticket - Groupes
TicketDictSeverity=Ticket - Severities
TicketDictResolution=Ticket - Resolution
-TicketTypeShortBUGSOFT=Dysfonctionnement logiciel
-TicketTypeShortBUGHARD=Dysfonctionnement matériel
-TicketTypeShortCOM=Commercial question
+TicketTypeShortCOM=Commercial question
TicketTypeShortHELP=Request for functionnal help
TicketTypeShortISSUE=Issue, bug or problem
TicketTypeShortREQUEST=Change or enhancement request
@@ -44,7 +42,7 @@ TicketTypeShortOTHER=Other
TicketSeverityShortLOW=Low
TicketSeverityShortNORMAL=Normal
TicketSeverityShortHIGH=High
-TicketSeverityShortBLOCKING=Critical/Blocking
+TicketSeverityShortBLOCKING=Critical, Blocking
ErrorBadEmailAddress=Field '%s' incorrect
MenuTicketMyAssign=My tickets
@@ -60,7 +58,6 @@ OriginEmail=Email source
Notify_TICKET_SENTBYMAIL=Send ticket message by email
# Status
-NotRead=Not read
Read=Read
Assigned=Assigned
InProgress=In progress
@@ -126,6 +123,7 @@ TicketsActivatePublicInterfaceHelp=Public interface allow any visitors to create
TicketsAutoAssignTicket=Automatically assign the user who created the ticket
TicketsAutoAssignTicketHelp=When creating a ticket, the user can be automatically assigned to the ticket.
TicketNumberingModules=Tickets numbering module
+TicketsModelModule=Document templates for tickets
TicketNotifyTiersAtCreation=Notify third party at creation
TicketsDisableCustomerEmail=Always disable emails when a ticket is created from public interface
TicketsPublicNotificationNewMessage=Send email(s) when a new message is added
@@ -233,7 +231,6 @@ TicketLogStatusChanged=Status changed: %s to %s
TicketNotNotifyTiersAtCreate=Not notify company at create
Unread=Unread
TicketNotCreatedFromPublicInterface=Not available. Ticket was not created from public interface.
-PublicInterfaceNotEnabled=Public interface was not enabled
ErrorTicketRefRequired=Ticket reference name is required
#
diff --git a/htdocs/langs/lo_LA/website.lang b/htdocs/langs/lo_LA/website.lang
index 03e042e4be6..f17def114b8 100644
--- a/htdocs/langs/lo_LA/website.lang
+++ b/htdocs/langs/lo_LA/website.lang
@@ -30,7 +30,6 @@ EditInLine=Edit inline
AddWebsite=Add website
Webpage=Web page/container
AddPage=Add page/container
-HomePage=Home Page
PageContainer=Page
PreviewOfSiteNotYetAvailable=Preview of your website %s not yet available. You must first 'Import a full website template' or just 'Add a page/container'.
RequestedPageHasNoContentYet=Requested page with id %s has no content yet, or cache file .tpl.php was removed. Edit content of the page to solve this.
@@ -101,7 +100,7 @@ EmptyPage=Empty page
ExternalURLMustStartWithHttp=External URL must start with http:// or https://
ZipOfWebsitePackageToImport=Upload the Zip file of the website template package
ZipOfWebsitePackageToLoad=or Choose an available embedded website template package
-ShowSubcontainers=Include dynamic content
+ShowSubcontainers=Show dynamic content
InternalURLOfPage=Internal URL of page
ThisPageIsTranslationOf=This page/container is a translation of
ThisPageHasTranslationPages=This page/container has translation
@@ -137,3 +136,4 @@ RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using
PagesRegenerated=%s page(s)/container(s) regenerated
RegenerateWebsiteContent=Regenerate web site cache files
AllowedInFrames=Allowed in Frames
+DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languages into web site properties.
diff --git a/htdocs/langs/lo_LA/withdrawals.lang b/htdocs/langs/lo_LA/withdrawals.lang
index 114a8d9dd6c..e3bec6f9cb8 100644
--- a/htdocs/langs/lo_LA/withdrawals.lang
+++ b/htdocs/langs/lo_LA/withdrawals.lang
@@ -42,6 +42,7 @@ LastWithdrawalReceipt=Latest %s direct debit receipts
MakeWithdrawRequest=Make a direct debit payment request
MakeBankTransferOrder=Make a credit transfer request
WithdrawRequestsDone=%s direct debit payment requests recorded
+BankTransferRequestsDone=%s credit transfer requests recorded
ThirdPartyBankCode=Third-party bank code
NoInvoiceCouldBeWithdrawed=No invoice debited successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s.
ClassCredited=Classify credited
@@ -131,7 +132,8 @@ SEPARCUR=SEPA CUR
SEPAFRST=SEPA FRST
ExecutionDate=Execution date
CreateForSepa=Create direct debit file
-ICS=Creditor Identifier CI
+ICS=Creditor Identifier CI for direct debit
+ICSTransfer=Creditor Identifier CI for bank transfer
END_TO_END="EndToEndId" SEPA XML tag - Unique id assigned per transaction
USTRD="Unstructured" SEPA XML tag
ADDDAYS=Add days to Execution Date
@@ -146,3 +148,4 @@ InfoRejectSubject=Direct debit payment order refused
InfoRejectMessage=Hello,
the direct debit payment order of invoice %s related to the company %s, with an amount of %s has been refused by the bank.
-- %s
ModeWarning=Option for real mode was not set, we stop after this simulation
ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know wich one to use.
+ErrorICSmissing=Missing ICS in Bank account %s
diff --git a/htdocs/langs/lt_LT/accountancy.lang b/htdocs/langs/lt_LT/accountancy.lang
index 006e60db613..e0c241d482a 100644
--- a/htdocs/langs/lt_LT/accountancy.lang
+++ b/htdocs/langs/lt_LT/accountancy.lang
@@ -48,6 +48,7 @@ CountriesExceptMe=All countries except %s
AccountantFiles=Export source documents
ExportAccountingSourceDocHelp=With this tool, you can export the source events (list and PDFs) that were used to generate your accountancy. To export your journals, use the menu entry %s - %s.
VueByAccountAccounting=View by accounting account
+VueBySubAccountAccounting=View by accounting subaccount
MainAccountForCustomersNotDefined=Pagrindinė apskaitos sąskaita klientams, kurie nenustatyti sąrankos metu
MainAccountForSuppliersNotDefined=Pagrindinė apskaitos sąskaita tiekėjams, kurie nenustatyti sąrankos metu
@@ -144,7 +145,7 @@ NotVentilatedinAccount=Not bound to the accounting account
XLineSuccessfullyBinded=%s products/services successfully bound to an accounting account
XLineFailedToBeBinded=%s products/services were not bound to any accounting account
-ACCOUNTING_LIMIT_LIST_VENTILATION=Number of elements to bind shown by page (maximum recommended: 50)
+ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50)
ACCOUNTING_LIST_SORT_VENTILATION_TODO=Begin the sorting of the page "Binding to do" by the most recent elements
ACCOUNTING_LIST_SORT_VENTILATION_DONE=Begin the sorting of the page "Binding done" by the most recent elements
@@ -198,7 +199,8 @@ Docdate=Data
Docref=Nuoroda
LabelAccount=Sąskaitos etiketė
LabelOperation=Label operation
-Sens=Sens
+Sens=Direction
+AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received For an accounting account of a supplier, use Debit to record a payment you make
LetteringCode=Lettering code
Lettering=Lettering
Codejournal=Žurnalas
@@ -206,7 +208,8 @@ JournalLabel=Journal label
NumPiece=Piece number
TransactionNumShort=Num. transaction
AccountingCategory=Personalized groups
-GroupByAccountAccounting=Group by accounting account
+GroupByAccountAccounting=Group by general ledger account
+GroupBySubAccountAccounting=Group by subledger account
AccountingAccountGroupsDesc=You can define here some groups of accounting account. They will be used for personalized accounting reports.
ByAccounts=By accounts
ByPredefinedAccountGroups=By predefined groups
@@ -248,7 +251,7 @@ PaymentsNotLinkedToProduct=Payment not linked to any product / service
OpeningBalance=Opening balance
ShowOpeningBalance=Show opening balance
HideOpeningBalance=Hide opening balance
-ShowSubtotalByGroup=Show subtotal by group
+ShowSubtotalByGroup=Show subtotal by level
Pcgtype=Group of account
PcgtypeDesc=Group of account are used as predefined 'filter' and 'grouping' criteria for some accounting reports. For example, 'INCOME' or 'EXPENSE' are used as groups for accounting accounts of products to build the expense/income report.
@@ -271,11 +274,13 @@ DescVentilExpenseReport=Consult here the list of expense report lines bound (or
DescVentilExpenseReportMore=If you setup accounting account on type of expense report lines, the application will be able to make all the binding between your expense report lines and the accounting account of your chart of accounts, just in one click with the button "%s". If account was not set on fees dictionary or if you still have some lines not bound to any account, you will have to make a manual binding from the menu "%s".
DescVentilDoneExpenseReport=Consult here the list of the lines of expenses reports and their fees accounting account
+Closure=Annual closure
DescClosure=Consult here the number of movements by month who are not validated & fiscal years already open
OverviewOfMovementsNotValidated=Step 1/ Overview of movements not validated. (Necessary to close a fiscal year)
+AllMovementsWereRecordedAsValidated=All movements were recorded as validated
+NotAllMovementsCouldBeRecordedAsValidated=Not all movements could be recorded as validated
ValidateMovements=Validate movements
DescValidateMovements=Any modification or deletion of writing, lettering and deletes will be prohibited. All entries for an exercise must be validated otherwise closing will not be possible
-SelectMonthAndValidate=Select month and validate movements
ValidateHistory=Bind Automatically
AutomaticBindingDone=Automatic binding done
@@ -293,6 +298,7 @@ Accounted=Accounted in ledger
NotYetAccounted=Not yet accounted in ledger
ShowTutorial=Show Tutorial
NotReconciled=Not reconciled
+WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view
## Admin
BindingOptions=Binding options
@@ -337,6 +343,7 @@ Modelcsv_LDCompta10=Export for LD Compta (v10 & higher)
Modelcsv_openconcerto=Export for OpenConcerto (Test)
Modelcsv_configurable=Export CSV Configurable
Modelcsv_FEC=Export FEC
+Modelcsv_FEC2=Export FEC (With dates generation writing / document reversed)
Modelcsv_Sage50_Swiss=Export for Sage 50 Switzerland
Modelcsv_winfic=Export Winfic - eWinfic - WinSis Compta
Modelcsv_Gestinumv3=Export for Gestinum (v3)
diff --git a/htdocs/langs/lt_LT/admin.lang b/htdocs/langs/lt_LT/admin.lang
index ea55fbcdc54..ce36622f33c 100644
--- a/htdocs/langs/lt_LT/admin.lang
+++ b/htdocs/langs/lt_LT/admin.lang
@@ -56,6 +56,8 @@ GUISetup=Atvaizdavimas
SetupArea=Nustatymai
UploadNewTemplate=Upload new template(s)
FormToTestFileUploadForm=Failo-testo įkėlimo forma (pagal nustatymus)
+ModuleMustBeEnabled=The module/application %s must be enabled
+ModuleIsEnabled=The module/application %s has been enabled
IfModuleEnabled=Pastaba: Patvirtinimas yra efektyvus tik, kai modulis %s yra aktyvus
RemoveLock=Remove/rename file %s if it exists, to allow usage of the Update/Install tool.
RestoreLock=Restore file %s, with read permission only, to disable any further use of the Update/Install tool.
@@ -85,7 +87,6 @@ ShowPreview=Rodyti apžiūrą
ShowHideDetails=Show-Hide details
PreviewNotAvailable=Apžiūra negalima
ThemeCurrentlyActive=Tema yra veikli
-CurrentTimeZone=Laiko juostos PHP (serveris)
MySQLTimeZone=TimeZone MySQL (duomenų bazės)
TZHasNoEffect=Dates are stored and returned by database server as if they were kept as submitted string. The timezone has effect only when using the UNIX_TIMESTAMP function (that should not be used by Dolibarr, so database TZ should have no effect, even if changed after data was entered).
Space=Erdvė
@@ -153,8 +154,8 @@ SystemToolsAreaDesc=This area provides administration functions. Use the menu to
Purge=Išvalyti
PurgeAreaDesc=This page allows you to delete all files generated or stored by Dolibarr (temporary files or all files in %s directory). Using this feature is not normally necessary. It is provided as a workaround for users whose Dolibarr is hosted by a provider that does not offer permissions to delete files generated by the web server.
PurgeDeleteLogFile=Delete log files, including %s defined for Syslog module (no risk of losing data)
-PurgeDeleteTemporaryFiles=Delete all temporary files (no risk of losing data). Note: Deletion is done only if the temp directory was created 24 hours ago.
-PurgeDeleteTemporaryFilesShort=Delete temporary files
+PurgeDeleteTemporaryFiles=Delete all log and temporary files (no risk of losing data). Note: Deletion of temporary files is done only if the temp directory was created more than 24 hours ago.
+PurgeDeleteTemporaryFilesShort=Delete log and temporary files
PurgeDeleteAllFilesInDocumentsDir=Delete all files in directory: %s. This will delete all generated documents related to elements (third parties, invoices etc...), files uploaded into the ECM module, database backup dumps and temporary files.
PurgeRunNow=Išvalyti dabar
PurgeNothingToDelete=No directory or files to delete.
@@ -256,6 +257,7 @@ ReferencedPreferredPartners=Privilegijuoti partneriai
OtherResources=Other resources
ExternalResources=External Resources
SocialNetworks=Social Networks
+SocialNetworkId=Social Network ID
ForDocumentationSeeWiki=Vartotojo arba kūrėjo dokumentacijos (doc, DUK ...) ieškoti Dolibarr Wiki: %s
ForAnswersSeeForum=Dėl kitų klausimų/pagalbos galite kreiptis į Dolibarr forumą: %s
HelpCenterDesc1=Here are some resources for getting help and support with Dolibarr.
@@ -375,7 +377,7 @@ ExamplesWithCurrentSetup=Examples with current configuration
ListOfDirectories=OpenDocument šablonų katalogų sąrašas
ListOfDirectoriesForModelGenODT=List of directories containing templates files with OpenDocument format.
Put here full path of directories. Add a carriage return between eah directory. To add a directory of the GED module, add here DOL_DATA_ROOT/ecm/yourdirectoryname.
Files in those directories must end with .odt or .ods.
NumberOfModelFilesFound=Number of ODT/ODS template files found in these directories
-ExampleOfDirectoriesForModelGen=Pavyzdys: c:\\mydir /home/mydir DOL_DATA_ROOT/ecm/ecmdir
+ExampleOfDirectoriesForModelGen=Examples of syntax: c:\\myapp\\mydocumentdir\\mysubdir /home/myapp/mydocumentdir/mysubdir DOL_DATA_ROOT/ecm/ecmdir
FollowingSubstitutionKeysCanBeUsed= Norėdami sužinoti, kaip sukurti savo odt dokumentų šablonus, prieš išsaugant juos šiuose kataloguose, paskaityti Wiki dokumentus:
FullListOnOnlineDocumentation=http://wiki.dolibarr.org/index.php/Create_an_ODT_document_template
FirstnameNamePosition=Vardo/Pavardės pozicija
@@ -406,7 +408,7 @@ UrlGenerationParameters=URL apsaugos parametrai
SecurityTokenIsUnique=Kiekvienam URL naudokite unikalų apsaugos rakto parametrą
EnterRefToBuildUrl=Įveskite nuorodą objektui %s
GetSecuredUrl=Gauti apskaičiuotą URL
-ButtonHideUnauthorized=Hide buttons for non-admin users for unauthorized actions instead of showing greyed disabled buttons
+ButtonHideUnauthorized=Hide unauthorized action buttons also for internal users (just greyed otherwise)
OldVATRates=Senas PVM tarifas
NewVATRates=Naujas PVM tarifas
PriceBaseTypeToChange=Modifikuoti kainas su apibrėžta bazinės vertės nuoroda
@@ -1689,7 +1691,7 @@ NotTopTreeMenuPersonalized=Personalized menus not linked to a top menu entry
NewMenu=Naujas meniu
MenuHandler=Meniu prižiūrėtojas
MenuModule=Pirminis modulis
-HideUnauthorizedMenu= Paslėpti neleidžiamus meniu (pilki)
+HideUnauthorizedMenu=Hide unauthorized menus also for internal users (just greyed otherwise)
DetailId=ID meniu
DetailMenuHandler=Meniu prižiūrėtojas gali rodyti naują meniu
DetailMenuModule=Modulio pavadinimas, jei meniu įrašas gaunamas iš modulio
@@ -1983,11 +1985,12 @@ EMailHost=Host of email IMAP server
MailboxSourceDirectory=Mailbox source directory
MailboxTargetDirectory=Mailbox target directory
EmailcollectorOperations=Operations to do by collector
+EmailcollectorOperationsDesc=Operations are executed from top to bottom order
MaxEmailCollectPerCollect=Max number of emails collected per collect
CollectNow=Collect now
ConfirmCloneEmailCollector=Are you sure you want to clone the Email collector %s ?
-DateLastCollectResult=Date latest collect tried
-DateLastcollectResultOk=Date latest collect successfull
+DateLastCollectResult=Date of latest collect try
+DateLastcollectResultOk=Date of latest collect success
LastResult=Latest result
EmailCollectorConfirmCollectTitle=Email collect confirmation
EmailCollectorConfirmCollect=Do you want to run the collection for this collector now ?
@@ -2005,7 +2008,7 @@ WithDolTrackingID=Message from a conversation initiated by a first email sent fr
WithoutDolTrackingID=Message from a conversation initiated by a first email NOT sent from Dolibarr
WithDolTrackingIDInMsgId=Message sent from Dolibarr
WithoutDolTrackingIDInMsgId=Message NOT sent from Dolibarr
-CreateCandidature=Create candidature
+CreateCandidature=Create job application
FormatZip=Pašto kodas
MainMenuCode=Menu entry code (mainmenu)
ECMAutoTree=Show automatic ECM tree
@@ -2083,3 +2086,7 @@ CountryIfSpecificToOneCountry=Country (if specific to a given country)
YouMayFindSecurityAdviceHere=You may find security advisory here
ModuleActivatedMayExposeInformation=This module may expose sensitive data. If you don't need it, disable it.
ModuleActivatedDoNotUseInProduction=A module designed for the development has been enabled. Do not enable it on a production environment.
+CombinationsSeparator=Separator character for product combinations
+SeeLinkToOnlineDocumentation=See link to online documention on top menu for examples
+SHOW_SUBPRODUCT_REF_IN_PDF=If the feature "%s" of module %s is used, show details of subproducts of a kit on PDF.
+AskThisIDToYourBank=Contact your bank to get this ID
diff --git a/htdocs/langs/lt_LT/banks.lang b/htdocs/langs/lt_LT/banks.lang
index 48e08a11c34..794c75da5f2 100644
--- a/htdocs/langs/lt_LT/banks.lang
+++ b/htdocs/langs/lt_LT/banks.lang
@@ -173,8 +173,8 @@ SEPAMandate=SEPA mandate
YourSEPAMandate=Your SEPA mandate
FindYourSEPAMandate=This is your SEPA mandate to authorize our company to make direct debit order to your bank. Return it signed (scan of the signed document) or send it by mail to
AutoReportLastAccountStatement=Automatically fill the field 'number of bank statement' with last statement number when making reconciliation
-CashControl=POS cash fence
-NewCashFence=New cash fence
+CashControl=POS cash desk control
+NewCashFence=New cash desk closing
BankColorizeMovement=Colorize movements
BankColorizeMovementDesc=If this function is enable, you can choose specific background color for debit or credit movements
BankColorizeMovementName1=Background color for debit movement
diff --git a/htdocs/langs/lt_LT/blockedlog.lang b/htdocs/langs/lt_LT/blockedlog.lang
index 0bb5b261bc1..f86bbba591f 100644
--- a/htdocs/langs/lt_LT/blockedlog.lang
+++ b/htdocs/langs/lt_LT/blockedlog.lang
@@ -35,7 +35,7 @@ logDON_DELETE=Donation logical deletion
logMEMBER_SUBSCRIPTION_CREATE=Member subscription created
logMEMBER_SUBSCRIPTION_MODIFY=Member subscription modified
logMEMBER_SUBSCRIPTION_DELETE=Member subscription logical deletion
-logCASHCONTROL_VALIDATE=Cash fence recording
+logCASHCONTROL_VALIDATE=Cash desk closing recording
BlockedLogBillDownload=Customer invoice download
BlockedLogBillPreview=Customer invoice preview
BlockedlogInfoDialog=Log Details
diff --git a/htdocs/langs/lt_LT/boxes.lang b/htdocs/langs/lt_LT/boxes.lang
index bed53614fc0..55b4aac24ef 100644
--- a/htdocs/langs/lt_LT/boxes.lang
+++ b/htdocs/langs/lt_LT/boxes.lang
@@ -46,9 +46,12 @@ BoxTitleLastModifiedDonations=Latest %s modified donations
BoxTitleLastModifiedExpenses=Latest %s modified expense reports
BoxTitleLatestModifiedBoms=Latest %s modified BOMs
BoxTitleLatestModifiedMos=Latest %s modified Manufacturing Orders
+BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded
BoxGlobalActivity=Visuminė veikla (sąskaitos-faktūros, pasiūlymai, užsakymai)
BoxGoodCustomers=Geri klientai
BoxTitleGoodCustomers=%s geri klientai
+BoxScheduledJobs=Suplanuoti darbai
+BoxTitleFunnelOfProspection=Lead funnel
FailedToRefreshDataInfoNotUpToDate=Failed to refresh RSS flux. Latest successful refresh date: %s
LastRefreshDate=Latest refresh date
NoRecordedBookmarks=Nėra apibrėžtų žymeklių
@@ -102,5 +105,7 @@ SuspenseAccountNotDefined=Suspense account isn't defined
BoxLastCustomerShipments=Last customer shipments
BoxTitleLastCustomerShipments=Latest %s customer shipments
NoRecordedShipments=No recorded customer shipment
+BoxCustomersOutstandingBillReached=Customers with oustanding limit reached
# Pages
AccountancyHome=Apskaita
+ValidatedProjects=Validated projects
diff --git a/htdocs/langs/lt_LT/cashdesk.lang b/htdocs/langs/lt_LT/cashdesk.lang
index 00c067dd151..d9b9c68951e 100644
--- a/htdocs/langs/lt_LT/cashdesk.lang
+++ b/htdocs/langs/lt_LT/cashdesk.lang
@@ -49,8 +49,8 @@ Footer=Footer
AmountAtEndOfPeriod=Amount at end of period (day, month or year)
TheoricalAmount=Theorical amount
RealAmount=Real amount
-CashFence=Cash fence
-CashFenceDone=Cash fence done for the period
+CashFence=Cash desk closing
+CashFenceDone=Cash desk closing done for the period
NbOfInvoices=Sąskaitų-faktūrų skaičius
Paymentnumpad=Type of Pad to enter payment
Numberspad=Numbers Pad
@@ -99,8 +99,9 @@ CashDeskRefNumberingModules=Numbering module for POS sales
CashDeskGenericMaskCodes6 = {TN} tag is used to add the terminal number
TakeposGroupSameProduct=Group same products lines
StartAParallelSale=Start a new parallel sale
-ControlCashOpening=Control cash box at opening POS
-CloseCashFence=Close cash fence
+SaleStartedAt=Sale started at %s
+ControlCashOpening=Control cash popup at opening POS
+CloseCashFence=Close cash desk control
CashReport=Cash report
MainPrinterToUse=Main printer to use
OrderPrinterToUse=Order printer to use
@@ -122,3 +123,4 @@ GiftReceipt=Gift receipt
ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled first
AllowDelayedPayment=Allow delayed payment
PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts
+WeighingScale=Weighing scale
diff --git a/htdocs/langs/lt_LT/categories.lang b/htdocs/langs/lt_LT/categories.lang
index eab51c93f5a..345dd6c3781 100644
--- a/htdocs/langs/lt_LT/categories.lang
+++ b/htdocs/langs/lt_LT/categories.lang
@@ -19,6 +19,7 @@ ProjectsCategoriesArea=Projects tags/categories area
UsersCategoriesArea=Users tags/categories area
SubCats=Sub-categories
CatList=List of tags/categories
+CatListAll=List of tags/categories (all types)
NewCategory=New tag/category
ModifCat=Modify tag/category
CatCreated=Tag/category created
@@ -65,16 +66,22 @@ UsersCategoriesShort=Users tags/categories
StockCategoriesShort=Warehouse tags/categories
ThisCategoryHasNoItems=This category does not contain any items.
CategId=Tag/category id
-CatSupList=List of vendor tags/categories
-CatCusList=List of customer/prospect tags/categories
+ParentCategory=Parent tag/category
+ParentCategoryLabel=Label of parent tag/category
+CatSupList=List of vendors tags/categories
+CatCusList=List of customers/prospects tags/categories
CatProdList=List of products tags/categories
CatMemberList=List of members tags/categories
-CatContactList=List of contact tags/categories
-CatSupLinks=Links between suppliers and tags/categories
+CatContactList=List of contacts tags/categories
+CatProjectsList=List of projects tags/categories
+CatUsersList=List of users tags/categories
+CatSupLinks=Links between vendors and tags/categories
CatCusLinks=Links between customers/prospects and tags/categories
CatContactsLinks=Links between contacts/addresses and tags/categories
CatProdLinks=Links between products/services and tags/categories
-CatProJectLinks=Links between projects and tags/categories
+CatMembersLinks=Links between members and tags/categories
+CatProjectsLinks=Links between projects and tags/categories
+CatUsersLinks=Links between users and tags/categories
DeleteFromCat=Remove from tags/category
ExtraFieldsCategories=Papildomi atributai
CategoriesSetup=Tags/categories setup
diff --git a/htdocs/langs/lt_LT/companies.lang b/htdocs/langs/lt_LT/companies.lang
index e121fe74fd6..5094a5a14dc 100644
--- a/htdocs/langs/lt_LT/companies.lang
+++ b/htdocs/langs/lt_LT/companies.lang
@@ -358,7 +358,7 @@ VATIntraCheckableOnEUSite=Check the intra-Community VAT ID on the European Commi
VATIntraManualCheck=You can also check manually on the European Commission website %s
ErrorVATCheckMS_UNAVAILABLE=Tikrinimas negalimas. Tikrinimo paslauga nėra teikiama valstybės narės (%s).
NorProspectNorCustomer=Not prospect, nor customer
-JuridicalStatus=Legal Entity Type
+JuridicalStatus=Business entity type
Workforce=Workforce
Staff=Employees
ProspectLevelShort=Potencialas
diff --git a/htdocs/langs/lt_LT/compta.lang b/htdocs/langs/lt_LT/compta.lang
index ba0519c1662..a0c6fe59908 100644
--- a/htdocs/langs/lt_LT/compta.lang
+++ b/htdocs/langs/lt_LT/compta.lang
@@ -111,7 +111,7 @@ Refund=Refund
SocialContributionsPayments=Social/fiscal taxes payments
ShowVatPayment=Rodyti PVM mokėjimą
TotalToPay=Iš viso mokėti
-BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted ascending on %s and filtered for 1 bank account
+BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted on %s and filtered on 1 bank account (with no other filters)
CustomerAccountancyCode=Customer accounting code
SupplierAccountancyCode=Vendor accounting code
CustomerAccountancyCodeShort=Cust. account. code
@@ -140,7 +140,7 @@ ConfirmDeleteSocialContribution=Are you sure you want to delete this social/fisc
ExportDataset_tax_1=Social and fiscal taxes and payments
CalcModeVATDebt=Režimas %sPVM nuo įsipareigojimų apskaitos%s.
CalcModeVATEngagement=Režimas %sPVM nuo pajamų-išlaidų%s.
-CalcModeDebt=Analysis of known recorded invoices even if they are not yet accounted in ledger.
+CalcModeDebt=Analysis of known recorded documents even if they are not yet accounted in ledger.
CalcModeEngagement=Analysis of known recorded payments, even if they are not yet accounted in Ledger.
CalcModeBookkeeping=Analysis of data journalized in Bookkeeping Ledger table.
CalcModeLT1= Mode %sRE on customer invoices - suppliers invoices%s
@@ -154,9 +154,9 @@ AnnualSummaryInputOutputMode=Pajamų ir išlaidų balansas, metinė suvestinė
AnnualByCompanies=Balance of income and expenses, by predefined groups of account
AnnualByCompaniesDueDebtMode=Balance of income and expenses, detail by predefined groups, mode %sClaims-Debts%s said Commitment accounting.
AnnualByCompaniesInputOutputMode=Balance of income and expenses, detail by predefined groups, mode %sIncomes-Expenses%s said cash accounting.
-SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation on actual payments made even if they are not yet accounted in Ledger.
-SeeReportInDueDebtMode=See %sanalysis of invoices%s for a calculation based on known recorded invoices even if they are not yet accounted in Ledger.
-SeeReportInBookkeepingMode=See %sBookeeping report%s for a calculation on Bookkeeping Ledger table
+SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation based on recorded payments made even if they are not yet accounted in Ledger
+SeeReportInDueDebtMode=See %sanalysis of recorded documents%s for a calculation based on known recorded documents even if they are not yet accounted in Ledger
+SeeReportInBookkeepingMode=See %sanalysis of bookeeping ledger table%s for a report based on Bookkeeping Ledger table
RulesAmountWithTaxIncluded=- Sumos rodomos su įtrauktais mokesčiais
RulesResultDue=- It includes outstanding invoices, expenses, VAT, donations whether they are paid or not. Is also includes paid salaries. - It is based on the billing date of invoices and on the due date for expenses or tax payments. For salaries defined with Salary module, the value date of payment is used.
RulesResultInOut=- It includes the real payments made on invoices, expenses, VAT and salaries. - It is based on the payment dates of the invoices, expenses, VAT and salaries. The donation date for donation.
@@ -169,12 +169,15 @@ RulesResultBookkeepingPersonalized=It show record in your Ledger with accounting
SeePageForSetup=See menu %s for setup
DepositsAreNotIncluded=- Down payment invoices are not included
DepositsAreIncluded=- Down payment invoices are included
+LT1ReportByMonth=Tax 2 report by month
+LT2ReportByMonth=Tax 3 report by month
LT1ReportByCustomers=Report tax 2 by third party
LT2ReportByCustomers=Report tax 3 by third party
LT1ReportByCustomersES=Report by third party RE
LT2ReportByCustomersES=Ataskaita pagal trečiosios šalies IRPF
VATReport=Sale tax report
VATReportByPeriods=Sale tax report by period
+VATReportByMonth=Sale tax report by month
VATReportByRates=Sale tax report by rates
VATReportByThirdParties=Sale tax report by third parties
VATReportByCustomers=Sale tax report by customer
diff --git a/htdocs/langs/lt_LT/cron.lang b/htdocs/langs/lt_LT/cron.lang
index d7557437a6d..2433b64aa50 100644
--- a/htdocs/langs/lt_LT/cron.lang
+++ b/htdocs/langs/lt_LT/cron.lang
@@ -6,14 +6,15 @@ Permission23102 = sukurti / atnaujinti planinį darbą
Permission23103 = Panaikinti planinį darbą
Permission23104 = Vykdyti planinį darbą
# Admin
-CronSetup= Numatytos užduoties valdymo nustatymas
-URLToLaunchCronJobs=URL to check and launch qualified cron jobs
-OrToLaunchASpecificJob=Arba patikrinti ir pradėti spec. darbą
+CronSetup=Numatytos užduoties valdymo nustatymas
+URLToLaunchCronJobs=URL to check and launch qualified cron jobs from a browser
+OrToLaunchASpecificJob=Or to check and launch a specific job from a browser
KeyForCronAccess=Apsaugos raktas URL pradėti cron darbus
FileToLaunchCronJobs=Command line to check and launch qualified cron jobs
CronExplainHowToRunUnix=On Unix environment you should use the following crontab entry to run the command line each 5 minutes
-CronExplainHowToRunWin=On Microsoft(tm) Windows environement you can use Scheduled task tools to run the command line each 5 minutes
+CronExplainHowToRunWin=On Microsoft(tm) Windows environment you can use Scheduled Task tools to run the command line each 5 minutes
CronMethodDoesNotExists=Class %s does not contains any method %s
+CronMethodNotAllowed=Method %s of class %s is in blacklist of forbidden methods
CronJobDefDesc=Cron job profiles are defined into the module descriptor file. When module is activated, they are loaded and available so you can administer the jobs from the admin tools menu %s.
CronJobProfiles=List of predefined cron job profiles
# Menu
@@ -42,10 +43,11 @@ CronModule=Modulis
CronNoJobs=Nėra registruotų darbų
CronPriority=Prioritetas
CronLabel=Etiketė
-CronNbRun=Pradėti skaičių
-CronMaxRun=Max number launch
+CronNbRun=Number of launches
+CronMaxRun=Maximum number of launches
CronEach=Kiekvienas
JobFinished=Darbas pradėtas ir baigtas
+Scheduled=Scheduled
#Page card
CronAdd= Pridėti darbus
CronEvery=Execute job each
@@ -56,16 +58,16 @@ CronNote=Komentaras
CronFieldMandatory=Laukai %s yra privalomi
CronErrEndDateStartDt=Pabaigos data negali būti ankstesnė už pradžios datą
StatusAtInstall=Status at module installation
-CronStatusActiveBtn=Įjungti
+CronStatusActiveBtn=Schedule
CronStatusInactiveBtn=Išjungti
CronTaskInactive=Šis darbas yra išjungtas
CronId=ID
CronClassFile=Filename with class
-CronModuleHelp=Name of Dolibarr module directory (also work with external Dolibarr module). For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for module is product
-CronClassFileHelp=The relative path and file name to load (path is relative to web server root directory). For exemple to call the fetch method of Dolibarr Product object htdocs/product/class/product.class.php, the value for class file name is product/class/product.class.php
-CronObjectHelp=The object name to load. For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for class file name is Product
-CronMethodHelp=The object method to launch. For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for method is fetch
-CronArgsHelp=The method arguments. For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for paramters can be 0, ProductRef
+CronModuleHelp=Name of Dolibarr module directory (also work with external Dolibarr module). For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for module is product
+CronClassFileHelp=The relative path and file name to load (path is relative to web server root directory). For example to call the fetch method of Dolibarr Product object htdocs/product/class/product.class.php, the value for class file name is product/class/product.class.php
+CronObjectHelp=The object name to load. For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for class file name is Product
+CronMethodHelp=The object method to launch. For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for method is fetch
+CronArgsHelp=The method arguments. For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for paramters can be 0, ProductRef
CronCommandHelp=Sistemos komandinė eilutė vykdymui
CronCreateJob=Create new Scheduled Job
CronFrom=Nuo
@@ -76,8 +78,14 @@ CronType_method=Call method of a PHP Class
CronType_command=Apvalkalo komanda
CronCannotLoadClass=Cannot load class file %s (to use class %s)
CronCannotLoadObject=Class file %s was loaded, but object %s was not found into it
-UseMenuModuleToolsToAddCronJobs=Go into menu "Home - Admin tools - Scheduled jobs" to see and edit scheduled jobs.
+UseMenuModuleToolsToAddCronJobs=Go into menu "Home - Admin tools - Scheduled jobs" to see and edit scheduled jobs.
JobDisabled=Job disabled
MakeLocalDatabaseDumpShort=Local database backup
-MakeLocalDatabaseDump=Create a local database dump. Parameters are: compression ('gz' or 'bz' or 'none'), backup type ('mysql' or 'pgsql'), 1, 'auto' or filename to build, number of backup files to keep
+MakeLocalDatabaseDump=Create a local database dump. Parameters are: compression ('gz' or 'bz' or 'none'), backup type ('mysql', 'pgsql', 'auto'), 1, 'auto' or filename to build, number of backup files to keep
WarningCronDelayed=Attention, for performance purpose, whatever is next date of execution of enabled jobs, your jobs may be delayed to a maximum of %s hours, before being run.
+DATAPOLICYJob=Data cleaner and anonymizer
+JobXMustBeEnabled=Job %s must be enabled
+# Cron Boxes
+LastExecutedScheduledJob=Last executed scheduled job
+NextScheduledJobExecute=Next scheduled job to execute
+NumberScheduledJobError=Number of scheduled jobs in error
diff --git a/htdocs/langs/lt_LT/errors.lang b/htdocs/langs/lt_LT/errors.lang
index e22aa414772..ee2fb18e9e6 100644
--- a/htdocs/langs/lt_LT/errors.lang
+++ b/htdocs/langs/lt_LT/errors.lang
@@ -5,8 +5,10 @@ NoErrorCommitIsDone=Nėra klaidos, mes įsipareigojame
# Errors
ErrorButCommitIsDone=Aptiktos klaidos, bet mes patvirtiname nepaisant to
ErrorBadEMail=Email %s is wrong
+ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record)
ErrorBadUrl=URL %s yra neteisingas
ErrorBadValueForParamNotAString=Bad value for your parameter. It appends generally when translation is missing.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorLoginAlreadyExists=Prisijungimas %s jau egzistuoja
ErrorGroupAlreadyExists=Grupė %s jau egzistuoja
ErrorRecordNotFound=Įrašo nerasta
@@ -48,6 +50,7 @@ ErrorFieldsRequired=Kai kurie privalomi laukai nėra užpildyti.
ErrorSubjectIsRequired=The email topic is required
ErrorFailedToCreateDir=Nepavyko sukurti aplanko. Įsitikinkite, kad web serverio vartotojas turi teisę rašyti į Dolibarr dokumentų aplanką. Jei parametras safe_mode yra įjungtas šio PHP, patikrinkite, ar Dolibarr PHP failai priklauso web serverio vartotojui (ar jų grupei).
ErrorNoMailDefinedForThisUser=Šiam klientui neapibrėžtas paštas
+ErrorSetupOfEmailsNotComplete=Setup of emails is not complete
ErrorFeatureNeedJavascript=Šiai funkcijai turi būti aktyvuotas Javascript, kad galėtumėte dirbti. Pakeiskite tai meniu Nustatymai-Ekranas.
ErrorTopMenuMustHaveAParentWithId0=Meniu tipas "Pagrindinis" negali turėti patronuojančio meniu. Įrašyti 0 patronuojančiame meniu arba pasirinkti meniu tipą "Kairysis".
ErrorLeftMenuMustHaveAParentId=Meniu tipas "Kairysis" turi turėti patronuojantį ID.
@@ -75,7 +78,7 @@ ErrorExportDuplicateProfil=Profilio vardas jau egzistuoja šiam eksporto rinkini
ErrorLDAPSetupNotComplete=Dolibarr-LDAP derinimas nėra pilnas
ErrorLDAPMakeManualTest=.ldif failas buvo sukurtas aplanke: %s. Pabandykite įkelti jį rankiniu būdu per komandinę eilutę, kad gauti daugiau informacijos apie klaidas
ErrorCantSaveADoneUserWithZeroPercentage=Can't save an action with "status not started" if field "done by" is also filled.
-ErrorRefAlreadyExists=Nuoroda, naudojama sukūrimui, jau egzistuoja.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorPleaseTypeBankTransactionReportName=Please enter the bank statement name where the entry has to be reported (Format YYYYMM or YYYYMMDD)
ErrorRecordHasChildren=Failed to delete record since it has some child records.
ErrorRecordHasAtLeastOneChildOfType=Object has at least one child of type %s
@@ -216,7 +219,7 @@ ErrorChooseBetweenFreeEntryOrPredefinedProduct=You must choose if article is a p
ErrorDiscountLargerThanRemainToPaySplitItBefore=The discount you try to apply is larger than remain to pay. Split the discount in 2 smaller discounts before.
ErrorFileNotFoundWithSharedLink=File was not found. May be the share key was modified or file was removed recently.
ErrorProductBarCodeAlreadyExists=The product barcode %s already exists on another product reference.
-ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using virtual product to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number.
+ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using kits to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number.
ErrorDescRequiredForFreeProductLines=Description is mandatory for lines with free product
ErrorAPageWithThisNameOrAliasAlreadyExists=The page/container %s has the same name or alternative alias that the one your try to use
ErrorDuringChartLoad=Error when loading chart of accounts. If few accounts were not loaded, you can still enter them manually.
@@ -243,6 +246,16 @@ ErrorReplaceStringEmpty=Error, the string to replace into is empty
ErrorProductNeedBatchNumber=Error, product '%s' need a lot/serial number
ErrorProductDoesNotNeedBatchNumber=Error, product '%s' does not accept a lot/serial number
ErrorFailedToReadObject=Error, failed to read object of type %s
+ErrorParameterMustBeEnabledToAllwoThisFeature=Error, parameter %s must be enabled into conf/conf.php to allow use of Command Line Interface by the internal job scheduler
+ErrorLoginDateValidity=Error, this login is outside the validity date range
+ErrorValueLength=Length of field '%s' must be higher than '%s'
+ErrorReservedKeyword=The word '%s' is a reserved keyword
+ErrorNotAvailableWithThisDistribution=Not available with this distribution
+ErrorPublicInterfaceNotEnabled=Public interface was not enabled
+ErrorLanguageRequiredIfPageIsTranslationOfAnother=The language of new page must be defined if it is set as a translation of another page
+ErrorLanguageMustNotBeSourceLanguageIfPageIsTranslationOfAnother=The language of new page must not be the source language if it is set as a translation of another page
+ErrorAParameterIsRequiredForThisOperation=A parameter is mandatory for this operation
+
# Warnings
WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup.
WarningPasswordSetWithNoAccount=A password was set for this member. However, no user account was created. So this password is stored but can't be used to login to Dolibarr. It may be used by an external module/interface but if you don't need to define any login nor password for a member, you can disable option "Manage a login for each member" from Member module setup. If you need to manage a login but don't need any password, you can keep this field empty to avoid this warning. Note: Email can also be used as a login if the member is linked to a user.
@@ -267,6 +280,10 @@ WarningYourLoginWasModifiedPleaseLogin=Your login was modified. For security pur
WarningAnEntryAlreadyExistForTransKey=An entry already exists for the translation key for this language
WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different recipient is limited to %s when using the mass actions on lists
WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report
+WarningProjectDraft=Project is still in draft mode. Don't forget to validate it if you plan to use tasks.
WarningProjectClosed=Project is closed. You must re-open it first.
WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list.
-WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table
+WarningFailedToAddFileIntoDatabaseIndex=Warning, failed to add file entry into ECM database index table
+WarningTheHiddenOptionIsOn=Warning, the hidden option %s is on.
+WarningCreateSubAccounts=Warning, you can't create directly a sub account, you must create a third party or an user and assign them an accounting code to find them in this list
+WarningAvailableOnlyForHTTPSServers=Available only if using HTTPS secured connection.
diff --git a/htdocs/langs/lt_LT/exports.lang b/htdocs/langs/lt_LT/exports.lang
index 37f6167789c..b42cd43974d 100644
--- a/htdocs/langs/lt_LT/exports.lang
+++ b/htdocs/langs/lt_LT/exports.lang
@@ -26,6 +26,8 @@ FieldTitle=Lauko pavadinimas
NowClickToGenerateToBuildExportFile=Now, select the file format in the combo box and click on "Generate" to build the export file...
AvailableFormats=Available Formats
LibraryShort=Biblioteka
+ExportCsvSeparator=Csv caracter separator
+ImportCsvSeparator=Csv caracter separator
Step=Žingsnis
FormatedImport=Import Assistant
FormatedImportDesc1=This module allows you to update existing data or add new objects into the database from a file without technical knowledge, using an assistant.
@@ -131,3 +133,4 @@ KeysToUseForUpdates=Key (column) to use for updating existing data
NbInsert=Number of inserted lines: %s
NbUpdate=Number of updated lines: %s
MultipleRecordFoundWithTheseFilters=Multiple records have been found with these filters: %s
+StocksWithBatch=Stocks and location (warehouse) of products with batch/serial number
diff --git a/htdocs/langs/lt_LT/mails.lang b/htdocs/langs/lt_LT/mails.lang
index 485609c9c59..453d2b8adbe 100644
--- a/htdocs/langs/lt_LT/mails.lang
+++ b/htdocs/langs/lt_LT/mails.lang
@@ -92,6 +92,7 @@ MailingModuleDescEmailsFromUser=Emails input by user
MailingModuleDescDolibarrUsers=Users with Emails
MailingModuleDescThirdPartiesByCategories=Third parties (by categories)
SendingFromWebInterfaceIsNotAllowed=Sending from web interface is not allowed.
+EmailCollectorFilterDesc=All filters must match to have an email being collected
# Libelle des modules de liste de destinataires mailing
LineInFile=Failo eilutė %s
@@ -125,12 +126,13 @@ TagMailtoEmail=Recipient Email (including html "mailto:" link)
NoEmailSentBadSenderOrRecipientEmail=No email sent. Bad sender or recipient email. Verify user profile.
# Module Notifications
Notifications=Pranešimai
-NoNotificationsWillBeSent=Nėra numatytų e-pašto pranešimų šiam įvykiui ir įmonei
-ANotificationsWillBeSent=1 pranešimas bus išsiųstas e-paštu
-SomeNotificationsWillBeSent=%s pranešimai bus siunčiami e-paštu
-AddNewNotification=Activate a new email notification target/event
-ListOfActiveNotifications=List all active targets/events for email notification
-ListOfNotificationsDone=Visų išsiųstų e-pašto pranešimų sąrašas
+NotificationsAuto=Notifications Auto.
+NoNotificationsWillBeSent=No automatic email notifications are planned for this event type and company
+ANotificationsWillBeSent=1 automatic notification will be sent by email
+SomeNotificationsWillBeSent=%s automatic notifications will be sent by email
+AddNewNotification=Subscribe to a new automatic email notification (target/event)
+ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification
+ListOfNotificationsDone=List all automatic email notifications sent
MailSendSetupIs=Configuration of email sending has been setup to '%s'. This mode can't be used to send mass emailing.
MailSendSetupIs2=You must first go, with an admin account, into menu %sHome - Setup - EMails%s to change parameter '%s' to use mode '%s'. With this mode, you can enter setup of the SMTP server provided by your Internet Service Provider and use Mass emailing feature.
MailSendSetupIs3=If you have any questions on how to setup your SMTP server, you can ask to %s.
@@ -140,7 +142,7 @@ UseFormatFileEmailToTarget=Imported file must have format email;name;fir
UseFormatInputEmailToTarget=Enter a string with format email;name;firstname;other
MailAdvTargetRecipients=Recipients (advanced selection)
AdvTgtTitle=Fill input fields to preselect the third parties or contacts/addresses to target
-AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima% will target all jean, joe, start with jim but not jimo and not everything that starts with jima
+AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima%% will target all jean, joe, start with jim but not jimo and not everything that starts with jima
AdvTgtSearchIntHelp=Use interval to select int or float value
AdvTgtMinVal=Minimum value
AdvTgtMaxVal=Maximum value
@@ -162,13 +164,14 @@ AdvTgtCreateFilter=Create filter
AdvTgtOrCreateNewFilter=Name of new filter
NoContactWithCategoryFound=No contact/address with a category found
NoContactLinkedToThirdpartieWithCategoryFound=No contact/address with a category found
-OutGoingEmailSetup=Outgoing email setup
-InGoingEmailSetup=Incoming email setup
-OutGoingEmailSetupForEmailing=Outgoing email setup (for module %s)
-DefaultOutgoingEmailSetup=Default outgoing email setup
+OutGoingEmailSetup=Outgoing emails
+InGoingEmailSetup=Incoming emails
+OutGoingEmailSetupForEmailing=Outgoing emails (for module %s)
+DefaultOutgoingEmailSetup=Same configuration than the global Outgoing email setup
Information=Informacija
ContactsWithThirdpartyFilter=Contacts with third-party filter
Unanswered=Unanswered
Answered=Answered
IsNotAnAnswer=Is not answer (initial email)
IsAnAnswer=Is an answer of an initial email
+RecordCreatedByEmailCollector=Record created by the Email Collector %s from email %s
diff --git a/htdocs/langs/lt_LT/main.lang b/htdocs/langs/lt_LT/main.lang
index 5b05397b5d2..f19af3fea97 100644
--- a/htdocs/langs/lt_LT/main.lang
+++ b/htdocs/langs/lt_LT/main.lang
@@ -28,7 +28,9 @@ NoTemplateDefined=No template available for this email type
AvailableVariables=Available substitution variables
NoTranslation=Nėra vertimo
Translation=Vertimas
+CurrentTimeZone=Laiko juostos PHP (serveris)
EmptySearchString=Enter non empty search criterias
+EnterADateCriteria=Enter a date criteria
NoRecordFound=Įrašų nerasta
NoRecordDeleted=No record deleted
NotEnoughDataYet=Not enough data
@@ -85,6 +87,8 @@ FileWasNotUploaded=Failas prikabinimui pasirinktas, bet dar nebuvo įkeltas. Pas
NbOfEntries=No. of entries
GoToWikiHelpPage=Read online help (Internet access needed)
GoToHelpPage=Skaityti pagalbą
+DedicatedPageAvailable=There is a dedicated help page related to your current screen
+HomePage=Home Page
RecordSaved=Įrašas išsaugotas
RecordDeleted=Įrašas ištrintas
RecordGenerated=Record generated
@@ -433,6 +437,7 @@ RemainToPay=Remain to pay
Module=Module/Application
Modules=Modules/Applications
Option=Opcija
+Filters=Filters
List=Sąrašas
FullList=Pilnas sąrašas
FullConversation=Full conversation
@@ -671,7 +676,7 @@ SendMail=Siųsti e-laišką
Email=El. paštas
NoEMail=E-laiškų nėra
AlreadyRead=Already read
-NotRead=Not read
+NotRead=Unread
NoMobilePhone=Nėra mobilaus telefono
Owner=Savininkas
FollowingConstantsWillBeSubstituted=Šios konstantos bus pakeistos atitinkamomis reikšmėmis
@@ -1107,3 +1112,8 @@ UpToDate=Up-to-date
OutOfDate=Out-of-date
EventReminder=Event Reminder
UpdateForAllLines=Update for all lines
+OnHold=Laikomas
+AffectTag=Affect Tag
+ConfirmAffectTag=Bulk Tag Affect
+ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected record(s)?
+CategTypeNotFound=No tag type found for type of records
diff --git a/htdocs/langs/lt_LT/modulebuilder.lang b/htdocs/langs/lt_LT/modulebuilder.lang
index 460aef8103b..845dd12624d 100644
--- a/htdocs/langs/lt_LT/modulebuilder.lang
+++ b/htdocs/langs/lt_LT/modulebuilder.lang
@@ -40,6 +40,7 @@ PageForCreateEditView=PHP page to create/edit/view a record
PageForAgendaTab=PHP page for event tab
PageForDocumentTab=PHP page for document tab
PageForNoteTab=PHP page for note tab
+PageForContactTab=PHP page for contact tab
PathToModulePackage=Path to zip of module/application package
PathToModuleDocumentation=Path to file of module/application documentation (%s)
SpaceOrSpecialCharAreNotAllowed=Spaces or special characters are not allowed.
@@ -77,7 +78,7 @@ IsAMeasure=Is a measure
DirScanned=Directory scanned
NoTrigger=No trigger
NoWidget=No widget
-GoToApiExplorer=Go to API explorer
+GoToApiExplorer=API explorer
ListOfMenusEntries=List of menu entries
ListOfDictionariesEntries=List of dictionaries entries
ListOfPermissionsDefined=List of defined permissions
@@ -105,7 +106,7 @@ TryToUseTheModuleBuilder=If you have knowledge of SQL and PHP, you may use the n
SeeTopRightMenu=See on the top right menu
AddLanguageFile=Add language file
YouCanUseTranslationKey=You can use here a key that is the translation key found into language file (see tab "Languages")
-DropTableIfEmpty=(Delete table if empty)
+DropTableIfEmpty=(Destroy table if empty)
TableDoesNotExists=The table %s does not exists
TableDropped=Table %s deleted
InitStructureFromExistingTable=Build the structure array string of an existing table
@@ -126,7 +127,6 @@ UseSpecificEditorURL = Use a specific editor URL
UseSpecificFamily = Use a specific family
UseSpecificAuthor = Use a specific author
UseSpecificVersion = Use a specific initial version
-ModuleMustBeEnabled=The module/application must be enabled first
IncludeRefGeneration=The reference of object must be generated automatically
IncludeRefGenerationHelp=Check this if you want to include code to manage the generation automatically of the reference
IncludeDocGeneration=I want to generate some documents from the object
@@ -140,3 +140,4 @@ TypeOfFieldsHelp=Type of fields: varchar(99), double(24,8), real, text, html,
AsciiToHtmlConverter=Ascii to HTML converter
AsciiToPdfConverter=Ascii to PDF converter
TableNotEmptyDropCanceled=Table not empty. Drop has been canceled.
+ModuleBuilderNotAllowed=The module builder is available but not allowed to your user.
diff --git a/htdocs/langs/lt_LT/other.lang b/htdocs/langs/lt_LT/other.lang
index 7e6a654fefa..389c6a69571 100644
--- a/htdocs/langs/lt_LT/other.lang
+++ b/htdocs/langs/lt_LT/other.lang
@@ -5,8 +5,6 @@ Tools=Įrankiai
TMenuTools=Įrankiai
ToolsDesc=All tools not included in other menu entries are grouped here. All the tools can be accessed via the left menu.
Birthday=Gimimo diena
-BirthdayDate=Birthday date
-DateToBirth=Birth date
BirthdayAlertOn=Gimtadienio perspėjimas aktyvus
BirthdayAlertOff=Gimtadienio perspėjimas neaktyvus
TransKey=Translation of the key TransKey
@@ -16,6 +14,8 @@ PreviousMonthOfInvoice=Previous month (number 1-12) of invoice date
TextPreviousMonthOfInvoice=Previous month (text) of invoice date
NextMonthOfInvoice=Following month (number 1-12) of invoice date
TextNextMonthOfInvoice=Following month (text) of invoice date
+PreviousMonth=Previous month
+CurrentMonth=Current month
ZipFileGeneratedInto=Zip file generated into %s.
DocFileGeneratedInto=Doc file generated into %s.
JumpToLogin=Disconnected. Go to login page...
@@ -99,6 +99,7 @@ PredefinedMailContentSendShipping=__(Hello)__\n\nPlease find shipping __REF__ at
PredefinedMailContentSendFichInter=__(Hello)__\n\nPlease find intervention __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.\n\n%s\n\n
PredefinedMailContentGeneric=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
+PredefinedMailContentSendActionComm=Event reminder "__EVENT_LABEL__" on __EVENT_DATE__ at __EVENT_TIME__
This is an automatic message, please do not reply.
DemoDesc=Dolibarr is a compact ERP/CRM supporting several business modules. A demo showcasing all modules makes no sense as this scenario never occurs (several hundred available). So, several demo profiles are available.
ChooseYourDemoProfil=Choose the demo profile that best suits your needs...
ChooseYourDemoProfilMore=...or build your own profile (manual module selection)
@@ -137,7 +138,7 @@ Right=Dešinė
CalculatedWeight=Apskaičiuotas svoris
CalculatedVolume=Apskaičiuotas tūris
Weight=Svoris
-WeightUnitton=tonne
+WeightUnitton=ton
WeightUnitkg=kg
WeightUnitg=g
WeightUnitmg=mg
@@ -258,6 +259,7 @@ ContactCreatedByEmailCollector=Contact/address created by email collector from e
ProjectCreatedByEmailCollector=Project created by email collector from email MSGID %s
TicketCreatedByEmailCollector=Ticket created by email collector from email MSGID %s
OpeningHoursFormatDesc=Use a - to separate opening and closing hours. Use a space to enter different ranges. Example: 8-12 14-18
+PrefixSession=Prefix for session ID
##### Export #####
ExportsArea=Eksporto sritis
diff --git a/htdocs/langs/lt_LT/products.lang b/htdocs/langs/lt_LT/products.lang
index 31a8d69bc7d..180c6d30d4c 100644
--- a/htdocs/langs/lt_LT/products.lang
+++ b/htdocs/langs/lt_LT/products.lang
@@ -108,7 +108,8 @@ FillWithLastServiceDates=Fill with last service line dates
MultiPricesAbility=Multiple price segments per product/service (each customer is in one price segment)
MultiPricesNumPrices=Kainų skaičius
DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices
-AssociatedProductsAbility=Activate kits (virtual products)
+AssociatedProductsAbility=Enable Kits (set of other products)
+VariantsAbility=Enable Variants (variations of products, for example color, size)
AssociatedProducts=Kits
AssociatedProductsNumber=Number of products composing this kit
ParentProductsNumber=Number of parent packaging product
@@ -167,8 +168,10 @@ BuyingPrices=Buying prices
CustomerPrices=Customer prices
SuppliersPrices=Vendor prices
SuppliersPricesOfProductsOrServices=Vendor prices (of products or services)
-CustomCode=Customs / Commodity / HS code
+CustomCode=Customs|Commodity|HS code
CountryOrigin=Kilmės šalis
+RegionStateOrigin=Region origin
+StateOrigin=State|Province origin
Nature=Nature of product (material/finished)
NatureOfProductShort=Nature of product
NatureOfProductDesc=Raw material or finished product
@@ -239,7 +242,7 @@ AlwaysUseFixedPrice=Naudokite fiksuotą kainą
PriceByQuantity=Different prices by quantity
DisablePriceByQty=Disable prices by quantity
PriceByQuantityRange=Kiekio diapazonas
-MultipriceRules=Price segment rules
+MultipriceRules=Automatic prices for segment
UseMultipriceRules=Use price segment rules (defined into product module setup) to auto calculate prices of all other segments according to first segment
PercentVariationOver=%% variation over %s
PercentDiscountOver=%% discount over %s
diff --git a/htdocs/langs/lt_LT/recruitment.lang b/htdocs/langs/lt_LT/recruitment.lang
index 90e03cf6b72..c67390a9865 100644
--- a/htdocs/langs/lt_LT/recruitment.lang
+++ b/htdocs/langs/lt_LT/recruitment.lang
@@ -73,3 +73,4 @@ JobClosedTextCandidateFound=The job position is closed. The position has been fi
JobClosedTextCanceled=The job position is closed.
ExtrafieldsJobPosition=Complementary attributes (job positions)
ExtrafieldsCandidatures=Complementary attributes (job applications)
+MakeOffer=Make an offer
diff --git a/htdocs/langs/lt_LT/sendings.lang b/htdocs/langs/lt_LT/sendings.lang
index 74260916fb8..085e7a6c2db 100644
--- a/htdocs/langs/lt_LT/sendings.lang
+++ b/htdocs/langs/lt_LT/sendings.lang
@@ -30,6 +30,7 @@ OtherSendingsForSameOrder=Kiti vežimai, skirti šiam užsakymui
SendingsAndReceivingForSameOrder=Shipments and receipts for this order
SendingsToValidate=Vežimai patvirtinimui
StatusSendingCanceled=Atšauktas
+StatusSendingCanceledShort=Atšauktas
StatusSendingDraft=Projektas
StatusSendingValidated=Patvirtinta (produktai siuntimui arba jau išsiųsti)
StatusSendingProcessed=Apdorotas
@@ -65,6 +66,7 @@ ValidateOrderFirstBeforeShipment=You must first validate the order before being
# Sending methods
# ModelDocument
DocumentModelTyphon=Labiau išsamus dokumento modelis pristatymo kvitui (logo. ..)
+DocumentModelStorm=More complete document model for delivery receipts and extrafields compatibility (logo...)
Error_EXPEDITION_ADDON_NUMBER_NotDefined=Konstanta EXPEDITION_ADDON_NUMBER nėra apibrėžta
SumOfProductVolumes=Produkcijos apimties suma
SumOfProductWeights=Produktų svorių suma
diff --git a/htdocs/langs/lt_LT/stocks.lang b/htdocs/langs/lt_LT/stocks.lang
index 6956b3b8acd..69011ae1d62 100644
--- a/htdocs/langs/lt_LT/stocks.lang
+++ b/htdocs/langs/lt_LT/stocks.lang
@@ -240,3 +240,4 @@ InventoryRealQtyHelp=Set value to 0 to reset qty Keep field empty, or remove
UpdateByScaning=Update by scaning
UpdateByScaningProductBarcode=Update by scan (product barcode)
UpdateByScaningLot=Update by scan (lot|serial barcode)
+DisableStockChangeOfSubProduct=Deactivate the stock change for all the subproducts of this Kit during this movement.
diff --git a/htdocs/langs/lt_LT/ticket.lang b/htdocs/langs/lt_LT/ticket.lang
index 7f3e3f99310..0dbbd874bab 100644
--- a/htdocs/langs/lt_LT/ticket.lang
+++ b/htdocs/langs/lt_LT/ticket.lang
@@ -31,10 +31,8 @@ TicketDictType=Ticket - Types
TicketDictCategory=Ticket - Groupes
TicketDictSeverity=Ticket - Severities
TicketDictResolution=Ticket - Resolution
-TicketTypeShortBUGSOFT=Dysfonctionnement logiciel
-TicketTypeShortBUGHARD=Dysfonctionnement matériel
-TicketTypeShortCOM=Commercial question
+TicketTypeShortCOM=Commercial question
TicketTypeShortHELP=Request for functionnal help
TicketTypeShortISSUE=Issue, bug or problem
TicketTypeShortREQUEST=Change or enhancement request
@@ -44,7 +42,7 @@ TicketTypeShortOTHER=Kiti
TicketSeverityShortLOW=Žemas
TicketSeverityShortNORMAL=Normal
TicketSeverityShortHIGH=Aukštas
-TicketSeverityShortBLOCKING=Critical/Blocking
+TicketSeverityShortBLOCKING=Critical, Blocking
ErrorBadEmailAddress=Field '%s' incorrect
MenuTicketMyAssign=My tickets
@@ -60,7 +58,6 @@ OriginEmail=Email source
Notify_TICKET_SENTBYMAIL=Send ticket message by email
# Status
-NotRead=Not read
Read=Skaityti
Assigned=Assigned
InProgress=In progress
@@ -126,6 +123,7 @@ TicketsActivatePublicInterfaceHelp=Public interface allow any visitors to create
TicketsAutoAssignTicket=Automatically assign the user who created the ticket
TicketsAutoAssignTicketHelp=When creating a ticket, the user can be automatically assigned to the ticket.
TicketNumberingModules=Tickets numbering module
+TicketsModelModule=Document templates for tickets
TicketNotifyTiersAtCreation=Notify third party at creation
TicketsDisableCustomerEmail=Always disable emails when a ticket is created from public interface
TicketsPublicNotificationNewMessage=Send email(s) when a new message is added
@@ -233,7 +231,6 @@ TicketLogStatusChanged=Status changed: %s to %s
TicketNotNotifyTiersAtCreate=Not notify company at create
Unread=Unread
TicketNotCreatedFromPublicInterface=Not available. Ticket was not created from public interface.
-PublicInterfaceNotEnabled=Public interface was not enabled
ErrorTicketRefRequired=Ticket reference name is required
#
diff --git a/htdocs/langs/lt_LT/website.lang b/htdocs/langs/lt_LT/website.lang
index df77c21ae55..6a589a71fd8 100644
--- a/htdocs/langs/lt_LT/website.lang
+++ b/htdocs/langs/lt_LT/website.lang
@@ -30,7 +30,6 @@ EditInLine=Edit inline
AddWebsite=Add website
Webpage=Web page/container
AddPage=Add page/container
-HomePage=Home Page
PageContainer=Puslapis
PreviewOfSiteNotYetAvailable=Preview of your website %s not yet available. You must first 'Import a full website template' or just 'Add a page/container'.
RequestedPageHasNoContentYet=Requested page with id %s has no content yet, or cache file .tpl.php was removed. Edit content of the page to solve this.
@@ -101,7 +100,7 @@ EmptyPage=Empty page
ExternalURLMustStartWithHttp=External URL must start with http:// or https://
ZipOfWebsitePackageToImport=Upload the Zip file of the website template package
ZipOfWebsitePackageToLoad=or Choose an available embedded website template package
-ShowSubcontainers=Include dynamic content
+ShowSubcontainers=Show dynamic content
InternalURLOfPage=Internal URL of page
ThisPageIsTranslationOf=This page/container is a translation of
ThisPageHasTranslationPages=This page/container has translation
@@ -137,3 +136,4 @@ RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using
PagesRegenerated=%s page(s)/container(s) regenerated
RegenerateWebsiteContent=Regenerate web site cache files
AllowedInFrames=Allowed in Frames
+DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languages into web site properties.
diff --git a/htdocs/langs/lt_LT/withdrawals.lang b/htdocs/langs/lt_LT/withdrawals.lang
index 11ebeb3ab99..89d57f9bf90 100644
--- a/htdocs/langs/lt_LT/withdrawals.lang
+++ b/htdocs/langs/lt_LT/withdrawals.lang
@@ -42,6 +42,7 @@ LastWithdrawalReceipt=Latest %s direct debit receipts
MakeWithdrawRequest=Make a direct debit payment request
MakeBankTransferOrder=Make a credit transfer request
WithdrawRequestsDone=%s direct debit payment requests recorded
+BankTransferRequestsDone=%s credit transfer requests recorded
ThirdPartyBankCode=Third-party bank code
NoInvoiceCouldBeWithdrawed=No invoice debited successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s.
ClassCredited=Priskirti įskaitytas (credited)
@@ -131,7 +132,8 @@ SEPARCUR=SEPA CUR
SEPAFRST=SEPA FRST
ExecutionDate=Execution date
CreateForSepa=Create direct debit file
-ICS=Creditor Identifier CI
+ICS=Creditor Identifier CI for direct debit
+ICSTransfer=Creditor Identifier CI for bank transfer
END_TO_END="EndToEndId" SEPA XML tag - Unique id assigned per transaction
USTRD="Unstructured" SEPA XML tag
ADDDAYS=Add days to Execution Date
@@ -146,3 +148,4 @@ InfoRejectSubject=Direct debit payment order refused
InfoRejectMessage=Hello,
the direct debit payment order of invoice %s related to the company %s, with an amount of %s has been refused by the bank.
-- %s
ModeWarning=Opcija realiam režimui nebuvo nustatyta, sustabdyta po šios simuliacijos
ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know wich one to use.
+ErrorICSmissing=Missing ICS in Bank account %s
diff --git a/htdocs/langs/lv_LV/accountancy.lang b/htdocs/langs/lv_LV/accountancy.lang
index 9d43d7bcd9a..3f7a5711a93 100644
--- a/htdocs/langs/lv_LV/accountancy.lang
+++ b/htdocs/langs/lv_LV/accountancy.lang
@@ -48,6 +48,7 @@ CountriesExceptMe=Visas valstis, izņemot %s
AccountantFiles=Eksportēt pirmdokumentus
ExportAccountingSourceDocHelp=Izmantojot šo rīku, varat eksportēt avota notikumus (sarakstu un PDF failus), kas tika izmantoti grāmatvedības ģenerēšanai. Lai eksportētu žurnālus, izmantojiet izvēlnes ierakstu %s - %s.
VueByAccountAccounting=Skatīt pēc grāmatvedības konta
+VueBySubAccountAccounting=View by accounting subaccount
MainAccountForCustomersNotDefined=Galvenais grāmatvedības konts klientiem, kas nav definēti iestatījumos
MainAccountForSuppliersNotDefined=Galvenais grāmatvedības konts piegādātājiem, kas nav definēti iestatījumos
@@ -144,7 +145,7 @@ NotVentilatedinAccount=Nav saistošs grāmatvedības kontam
XLineSuccessfullyBinded=%s produkti/pakalpojumi, kas veiksmīgi piesaistīti grāmatvedības kontam
XLineFailedToBeBinded=%s produkti/pakalpojumi nav saistīti ar nevienu grāmatvedības kontu
-ACCOUNTING_LIMIT_LIST_VENTILATION=Saistīto elementu skaits, kas redzams lapā (maksimāli ieteicams: 50)
+ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50)
ACCOUNTING_LIST_SORT_VENTILATION_TODO=Sāciet lappuses "Saistīšanu darīt" šķirošanu ar jaunākajiem elementiem
ACCOUNTING_LIST_SORT_VENTILATION_DONE=Sāciet lappuses "Saistīšana pabeigta" šķirošanu ar jaunākajiem elementiem
@@ -198,7 +199,8 @@ Docdate=Datums
Docref=Atsauce
LabelAccount=Konta nosaukums
LabelOperation=Etiķetes darbība
-Sens=Sens
+Sens=Direction
+AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received For an accounting account of a supplier, use Debit to record a payment you make
LetteringCode=Burtu kods
Lettering=Burti
Codejournal=Žurnāls
@@ -206,7 +208,8 @@ JournalLabel=Žurnāla etiķete
NumPiece=Gabala numurs
TransactionNumShort=Num. darījums
AccountingCategory=Personalizētas grupas
-GroupByAccountAccounting=Grupēt pēc grāmatvedības konta
+GroupByAccountAccounting=Group by general ledger account
+GroupBySubAccountAccounting=Group by subledger account
AccountingAccountGroupsDesc=Šeit jūs varat definēt dažas grāmatvedības kontu grupas. Tie tiks izmantoti personificētiem grāmatvedības pārskatiem.
ByAccounts=Pēc kontiem
ByPredefinedAccountGroups=Iepriekš definētās grupas
@@ -248,7 +251,7 @@ PaymentsNotLinkedToProduct=Maksājums nav saistīts ar kādu produktu / pakalpoj
OpeningBalance=Sākuma bilance
ShowOpeningBalance=Rādīt sākuma atlikumu
HideOpeningBalance=Slēpt sākuma atlikumu
-ShowSubtotalByGroup=Rādīt starpsummu pa grupām
+ShowSubtotalByGroup=Show subtotal by level
Pcgtype=Kontu grupa
PcgtypeDesc=Kontu grupa tiek izmantota kā iepriekš definēti “filtra” un “grupēšanas” kritēriji dažiem grāmatvedības pārskatiem. Piemēram, “IENĀKUMS” vai “IZDEVUMI” tiek izmantoti kā produktu uzskaites kontu grupas, lai izveidotu izdevumu / ienākumu pārskatu.
@@ -271,11 +274,13 @@ DescVentilExpenseReport=Konsultējieties šeit ar izdevumu pārskatu rindiņu sa
DescVentilExpenseReportMore=Ja jūs izveidojat grāmatvedības kontu uz izdevumu pārskata rindiņu veida, programma varēs visu saistību starp jūsu rēķina pārskatu rindiņām un jūsu kontu diagrammas grāmatvedības kontu veikt tikai ar vienu klikšķi, izmantojot pogu "%s" . Ja kontam nav iestatīta maksu vārdnīca vai ja jums joprojām ir dažas rindiņas, kurām nav saistības ar kādu kontu, izvēlnē " %s strong>" būs jāveic manuāla piesaistīšana.
DescVentilDoneExpenseReport=Konsultējieties šeit ar izdevumu pārskatu rindu sarakstu un to maksu grāmatvedības kontu
+Closure=Annual closure
DescClosure=Šeit apskatiet neapstiprināto kustību skaitu mēnesī, un fiskālie gadi jau ir atvērti
OverviewOfMovementsNotValidated=1. solis / Nepārvērtēts kustību pārskats. (Nepieciešams, lai slēgtu fiskālo gadu)
+AllMovementsWereRecordedAsValidated=All movements were recorded as validated
+NotAllMovementsCouldBeRecordedAsValidated=Not all movements could be recorded as validated
ValidateMovements=Apstipriniet kustības
DescValidateMovements=Jebkādas rakstīšanas, burtu un izdzēsto tekstu izmaiņas vai dzēšana būs aizliegtas. Visi vingrinājumu ieraksti ir jāapstiprina, pretējā gadījumā aizvēršana nebūs iespējama
-SelectMonthAndValidate=Izvēlieties mēnesi un apstipriniet kustības
ValidateHistory=Piesaistiet automātiski
AutomaticBindingDone=Automātiskā piesaistīšana pabeigta
@@ -293,6 +298,7 @@ Accounted=Uzskaitīts virsgrāmatā
NotYetAccounted=Vēl nav uzskaitīti virsgrāmatā
ShowTutorial=Rādīt apmācību
NotReconciled=Nesaskaņots
+WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view
## Admin
BindingOptions=Iesiešanas iespējas
@@ -337,6 +343,7 @@ Modelcsv_LDCompta10=Eksports LD Compta (v10 un jaunākiem)
Modelcsv_openconcerto=Eksportēt OpenConcerto (tests)
Modelcsv_configurable=Eksportēt CSV konfigurējamu
Modelcsv_FEC=Eksporta FEC
+Modelcsv_FEC2=Export FEC (With dates generation writing / document reversed)
Modelcsv_Sage50_Swiss=Eksports uz Sage 50 Šveici
Modelcsv_winfic=Eksportēt Winfic - eWinfic - WinSis Compta
Modelcsv_Gestinumv3=Export for Gestinum (v3)
diff --git a/htdocs/langs/lv_LV/admin.lang b/htdocs/langs/lv_LV/admin.lang
index d4c3cc29788..afd8f75d9ff 100644
--- a/htdocs/langs/lv_LV/admin.lang
+++ b/htdocs/langs/lv_LV/admin.lang
@@ -56,6 +56,8 @@ GUISetup=Attēlojums
SetupArea=Iestatījumi
UploadNewTemplate=Augšupielādēt jaunu veidni (-es)
FormToTestFileUploadForm=Forma, lai pārbaudītu failu augšupielādi (pēc uiestatītajiem parametriem)
+ModuleMustBeEnabled=The module/application %s must be enabled
+ModuleIsEnabled=The module/application %s has been enabled
IfModuleEnabled=Piezīme: jā, ir efektīva tikai tad, ja modulis %s ir iespējots
RemoveLock=Ja ir, noņemiet/pārdēvējiet failu %s, lai varētu izmantot atjaunināšanas/instalēšanas rīku.
RestoreLock=Atjaunojiet failu %s tikai ar lasīšanas atļauju, lai atspējotu jebkādu turpmāku atjaunināšanas/instalēšanas rīka izmantošanu.
@@ -85,7 +87,6 @@ ShowPreview=Rādīt priekšskatījumu
ShowHideDetails=Rādīt - slēpt informāciju
PreviewNotAvailable=Priekšskatījums nav pieejams
ThemeCurrentlyActive=aktīvā tēma
-CurrentTimeZone=Laika josla PHP (servera)
MySQLTimeZone=Laika zona MySql (datubāze)
TZHasNoEffect=Datus uzglabā un nodod atpakaļ datubāzes serverim tā, it kā tie tiktu turēti kā iesniegtā virkne. Laika josla ir spēkā tikai tad, ja tiek izmantota funkcija UNIX_TIMESTAMP (kuru nedrīkst izmantot Dolibarr, tāpēc datubāzei TZ nedrīkst būt nekādas ietekmes, pat ja tas ir mainīts pēc datu ievadīšanas).
Space=Telpa
@@ -153,8 +154,8 @@ SystemToolsAreaDesc=Šī sadaļa nodrošina administrēšanas funkcijas. Izmanto
Purge=Tīrīt
PurgeAreaDesc=Šī lapa ļauj izdzēst visus Dolibarr ģenerētos vai glabātos failus (pagaidu faili vai visi faili %s direktorijā). Šīs funkcijas izmantošana parasti nav nepieciešama. Tas tiek nodrošināts kā risinājums lietotājiem, kuru Dolibarr uztur pakalpojumu sniedzējs, kas nepiedāvā atļaujas, lai dzēstu tīmekļa servera ģenerētos failus.
PurgeDeleteLogFile=Dzēsiet žurnāla failus, tostarp %s, kas definēti Syslog modulim (nav datu pazaudēšanas riska).
-PurgeDeleteTemporaryFiles=Dzēst visus pagaidu failus (nav datu zaudēšanas riska). Piezīme. Dzēšana tiek veikta tikai tad, ja pagaidu katalogs tika izveidots pirms 24 stundām.
-PurgeDeleteTemporaryFilesShort=Dzēst pagaidu failus
+PurgeDeleteTemporaryFiles=Delete all log and temporary files (no risk of losing data). Note: Deletion of temporary files is done only if the temp directory was created more than 24 hours ago.
+PurgeDeleteTemporaryFilesShort=Delete log and temporary files
PurgeDeleteAllFilesInDocumentsDir=Dzēsiet visus failus direktorijā: %s . Tas izdzēsīs visus radītos dokumentus, kas saistīti ar elementiem (trešajām personām, rēķiniem utt.), ECM modulī augšupielādētiem failiem, datu bāzes rezerves izgāztuvēm un pagaidu failus.
PurgeRunNow=Tīrīt tagad
PurgeNothingToDelete=Nav mapes vai failu, kurus jādzēš.
@@ -256,6 +257,7 @@ ReferencedPreferredPartners=Ieteicamie partneri
OtherResources=Citi resursi
ExternalResources=Ārējie resursi
SocialNetworks=Sociālie tīkli
+SocialNetworkId=Social Network ID
ForDocumentationSeeWiki=Par lietotāju vai attīstītājs dokumentācijas (Doc, FAQ ...), ieskatieties uz Dolibarr Wiki: %s
ForAnswersSeeForum=Par jebkuru citu jautājumu/palīdzību, jūs varat izmantot Dolibarr forumu: %s
HelpCenterDesc1=Šeit ir daži resursi, lai iegūtu Dolibarr palīdzību un atbalstu.
@@ -375,7 +377,7 @@ ExamplesWithCurrentSetup=Piemēri ar pašreizējo konfigurāciju
ListOfDirectories=Saraksts OpenDocument veidnes katalogi
ListOfDirectoriesForModelGenODT=Saraksts ar direktorijām, kurās ir veidnes faili ar OpenDocument formātu.
Ievietojiet šeit pilnu direktoriju ceļu. Pievienojiet karodziņu atpakaļ starp eah direktoriju. Lai pievienotu GED moduļa direktoriju, pievienojiet šeit DOL_DATA_ROOT / ecm / yourdirectoryname .
Faili šajos katalogos beidzas ar .odt vai .ods .
NumberOfModelFilesFound=ODT / ODS veidņu failu skaits, kas atrodams šajos katalogos
-ExampleOfDirectoriesForModelGen=Piemēri sintaksei: c:\\mydir /Home/ mydir DOL_DATA_ROOT/ECM/ecmdir
+ExampleOfDirectoriesForModelGen=Examples of syntax: c:\\myapp\\mydocumentdir\\mysubdir /home/myapp/mydocumentdir/mysubdir DOL_DATA_ROOT/ecm/ecmdir
FollowingSubstitutionKeysCanBeUsed= Lai uzzinātu, kā izveidot odt dokumentu veidnes, pirms saglabājot tos šajās mapēs, lasīt wiki dokumentāciju:
FullListOnOnlineDocumentation=http://wiki.dolibarr.org/index.php/Create_an_ODT_document_template
FirstnameNamePosition=Vārda/Uzvārda atrašanās vieta
@@ -406,7 +408,7 @@ UrlGenerationParameters=Parametri, lai nodrošinātu drošas saites
SecurityTokenIsUnique=Izmantojiet unikālu securekey parametru katram URL
EnterRefToBuildUrl=Ievadiet atsauci objektam %s
GetSecuredUrl=Saņemt aprēķināto URL
-ButtonHideUnauthorized=Slēpt pogas lietotājiem, kas nav administratori, par neatļautām darbībām, nevis rādīt pelēkas atspējotas pogas
+ButtonHideUnauthorized=Hide unauthorized action buttons also for internal users (just greyed otherwise)
OldVATRates=Vecā PVN likme
NewVATRates=Jaunā PVN likme
PriceBaseTypeToChange=Pārveidot par cenām ar bāzes atsauces vērtību, kas definēta tālāk
@@ -1689,7 +1691,7 @@ NotTopTreeMenuPersonalized=Personalizētas izvēlnes, kas nav saistītas ar augs
NewMenu=Jauna izvēlne
MenuHandler=Izvēlnes apstrādātājs
MenuModule=Avota modulis
-HideUnauthorizedMenu= Slēpt neatļautās izvēlnes (pelēkas)
+HideUnauthorizedMenu=Hide unauthorized menus also for internal users (just greyed otherwise)
DetailId=Id izvēlne
DetailMenuHandler=Izvēlne administrators, kur rādīt jaunu izvēlni
DetailMenuModule=Moduļa nosaukums, ja izvēlnes ierakstam nāk no moduļa
@@ -1983,11 +1985,12 @@ EMailHost=E-pasta IMAP serveris
MailboxSourceDirectory=Pastkastes avota katalogs
MailboxTargetDirectory=Pastkastes mērķa direktorija
EmailcollectorOperations=Darbi, ko veic savācējs
+EmailcollectorOperationsDesc=Operations are executed from top to bottom order
MaxEmailCollectPerCollect=Maksimālais savākto e-pasta ziņojumu skaits
CollectNow=Savākt tagad
ConfirmCloneEmailCollector=Vai tiešām vēlaties klonēt e-pasta kolekcionāru %s?
-DateLastCollectResult=Datums, kad saņemts pēdējais savākšanas mēģinājums
-DateLastcollectResultOk=Pēdējais datums savāc veiksmīgi
+DateLastCollectResult=Date of latest collect try
+DateLastcollectResultOk=Date of latest collect success
LastResult=Jaunākais rezultāts
EmailCollectorConfirmCollectTitle=E-pasts apkopo apstiprinājumu
EmailCollectorConfirmCollect=Vai vēlaties savākt šīs kolekcijas kolekciju tagad?
@@ -2005,7 +2008,7 @@ WithDolTrackingID=Ziņojums no sarunas, kuru aizsāka pirmais e-pasts, kas nosū
WithoutDolTrackingID=Ziņojums no sarunas, kuru aizsāka pirmais e-pasts, kuru NAV nosūtīts no Dolibarr
WithDolTrackingIDInMsgId=Ziņojums nosūtīts no Dolibarr
WithoutDolTrackingIDInMsgId=Ziņojums NAV nosūtīts no Dolibarr
-CreateCandidature=Izveidojiet kandidatūru
+CreateCandidature=Create job application
FormatZip=Pasta indekss
MainMenuCode=Izvēlnes ievades kods (mainmenu)
ECMAutoTree=Rādīt automātisko ECM koku
@@ -2083,3 +2086,7 @@ CountryIfSpecificToOneCountry=Valsts (ja tā ir konkrēta valsts)
YouMayFindSecurityAdviceHere=You may find security advisory here
ModuleActivatedMayExposeInformation=This module may expose sensitive data. If you don't need it, disable it.
ModuleActivatedDoNotUseInProduction=A module designed for the development has been enabled. Do not enable it on a production environment.
+CombinationsSeparator=Separator character for product combinations
+SeeLinkToOnlineDocumentation=See link to online documention on top menu for examples
+SHOW_SUBPRODUCT_REF_IN_PDF=If the feature "%s" of module %s is used, show details of subproducts of a kit on PDF.
+AskThisIDToYourBank=Contact your bank to get this ID
diff --git a/htdocs/langs/lv_LV/banks.lang b/htdocs/langs/lv_LV/banks.lang
index cf070821b46..0cd3a6e33e0 100644
--- a/htdocs/langs/lv_LV/banks.lang
+++ b/htdocs/langs/lv_LV/banks.lang
@@ -173,8 +173,8 @@ SEPAMandate=SEPA mandāts
YourSEPAMandate=Jūsu SEPA mandāts
FindYourSEPAMandate=Tas ir jūsu SEPA mandāts, lai pilnvarotu mūsu uzņēmumu veikt tiešā debeta pasūtījumu savai bankai. Atgriezt to parakstu (skenēt parakstīto dokumentu) vai nosūtīt pa pastu uz
AutoReportLastAccountStatement=Veicot saskaņošanu, automātiski aizpildiet lauka “bankas izraksta numurs” ar pēdējo izraksta numuru
-CashControl=POS naudas žogs
-NewCashFence=Jauns naudas žogs
+CashControl=POS cash desk control
+NewCashFence=New cash desk closing
BankColorizeMovement=Krāsojiet kustības
BankColorizeMovementDesc=Ja šī funkcija ir iespējota, jūs varat izvēlēties īpašu fona krāsu debeta vai kredīta pārvietošanai
BankColorizeMovementName1=Debeta kustības fona krāsa
diff --git a/htdocs/langs/lv_LV/blockedlog.lang b/htdocs/langs/lv_LV/blockedlog.lang
index 237dac224bc..3318d1d334c 100644
--- a/htdocs/langs/lv_LV/blockedlog.lang
+++ b/htdocs/langs/lv_LV/blockedlog.lang
@@ -8,7 +8,7 @@ BrowseBlockedLog=Nepārveidojami žurnāli
ShowAllFingerPrintsMightBeTooLong=Rādīt visus arhivētos žurnālus (var būt daudz)
ShowAllFingerPrintsErrorsMightBeTooLong=Rādīt visus nederīgos arhīva žurnālus (var būt garš)
DownloadBlockChain=Lejupielādējiet pirkstu nospiedumus
-KoCheckFingerprintValidity=Archived log entry is not valid. It means someone (a hacker?) has modified some data of this record after it was recorded, or has erased the previous archived record (check that line with previous # exists).
+KoCheckFingerprintValidity=Arhivēts žurnāla ieraksts nav derīgs. Tas nozīmē, ka kāds (hakeris?) Ir mainījis dažus šī ieraksta datus pēc tā ierakstīšanas vai ir izdzēsis iepriekšējo arhivēto ierakstu (pārbaudiet, vai pastāv līnija ar iepriekšējo #).
OkCheckFingerprintValidity=Arhivēts žurnāla ieraksts ir derīgs. Dati par šo līniju netika mainīti un ieraksts seko iepriekšējam.
OkCheckFingerprintValidityButChainIsKo=Arhivētais žurnāls šķiet derīgs salīdzinājumā ar iepriekšējo, bet ķēde agrāk tika bojāta.
AddedByAuthority=Uzglabāti tālvadības iestādē
@@ -35,7 +35,7 @@ logDON_DELETE=Ziedojuma loģiska dzēšana
logMEMBER_SUBSCRIPTION_CREATE=Dalībnieka abonements izveidots
logMEMBER_SUBSCRIPTION_MODIFY=Dalībnieku abonēšana ir labota
logMEMBER_SUBSCRIPTION_DELETE=Locekļu abonēšanas loģiskā dzēšana
-logCASHCONTROL_VALIDATE=Naudas žogu ierakstīšana
+logCASHCONTROL_VALIDATE=Cash desk closing recording
BlockedLogBillDownload=Klientu rēķinu lejupielāde
BlockedLogBillPreview=Klienta rēķina priekšskatījums
BlockedlogInfoDialog=Žurnāla detaļas
diff --git a/htdocs/langs/lv_LV/boxes.lang b/htdocs/langs/lv_LV/boxes.lang
index 88d7803c340..7fdf89cf74d 100644
--- a/htdocs/langs/lv_LV/boxes.lang
+++ b/htdocs/langs/lv_LV/boxes.lang
@@ -46,9 +46,12 @@ BoxTitleLastModifiedDonations=Jaunākie %s labotie ziedojumi
BoxTitleLastModifiedExpenses=Jaunākie %s modificētie izdevumu pārskati
BoxTitleLatestModifiedBoms=Jaunākās %s modificētās BOM
BoxTitleLatestModifiedMos=Jaunākie %s modificētie ražošanas pasūtījumi
+BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded
BoxGlobalActivity=Global darbība (pavadzīmes, priekšlikumi, rīkojumi)
BoxGoodCustomers=Labi klienti
BoxTitleGoodCustomers=%s Labi klienti
+BoxScheduledJobs=Plānoti darbi
+BoxTitleFunnelOfProspection=Lead funnel
FailedToRefreshDataInfoNotUpToDate=Neizdevās atsvaidzināt RSS plūsmu. Pēdējoreiz veiksmīgi atsvaidzināšanas datums: %s
LastRefreshDate=Jaunākais atsvaidzināšanas datums
NoRecordedBookmarks=Nav definētas grāmatzīmes.
@@ -102,5 +105,7 @@ SuspenseAccountNotDefined=Apturēšanas konts nav definēts
BoxLastCustomerShipments=Pēdējo klientu sūtījumi
BoxTitleLastCustomerShipments=Jaunākie %s klientu sūtījumi
NoRecordedShipments=Nav reģistrēts klienta sūtījums
+BoxCustomersOutstandingBillReached=Customers with oustanding limit reached
# Pages
AccountancyHome=Grāmatvedība
+ValidatedProjects=Apstiprināti projekti
diff --git a/htdocs/langs/lv_LV/cashdesk.lang b/htdocs/langs/lv_LV/cashdesk.lang
index 773bfdf4601..fddd50d2bac 100644
--- a/htdocs/langs/lv_LV/cashdesk.lang
+++ b/htdocs/langs/lv_LV/cashdesk.lang
@@ -49,8 +49,8 @@ Footer=Kājene
AmountAtEndOfPeriod=Summa perioda beigās (diena, mēnesis vai gads)
TheoricalAmount=Teorētiskā summa
RealAmount=Reālā summa
-CashFence=Naudas žogs
-CashFenceDone=Naudas žogs veikts par periodu
+CashFence=Cash desk closing
+CashFenceDone=Cash desk closing done for the period
NbOfInvoices=Rēķinu skaits
Paymentnumpad=Padeves veids maksājuma ievadīšanai
Numberspad=Numbers Pad
@@ -99,8 +99,9 @@ CashDeskRefNumberingModules=Numerācijas modulis tirdzniecības vietu tirdzniec
CashDeskGenericMaskCodes6 = {TN} tagu izmanto, lai pievienotu termināļa numuru
TakeposGroupSameProduct=Grupējiet tās pašas produktu līnijas
StartAParallelSale=Sāciet jaunu paralēlu izpārdošanu
-ControlCashOpening=Kontrolējiet kases atvēršanu kasē
-CloseCashFence=Aizveriet naudas žogu
+SaleStartedAt=Sale started at %s
+ControlCashOpening=Control cash popup at opening POS
+CloseCashFence=Close cash desk control
CashReport=Skaidras naudas pārskats
MainPrinterToUse=Galvenais izmantojamais printeris
OrderPrinterToUse=Pasūtiet printeri izmantošanai
@@ -121,4 +122,5 @@ GiftReceiptButton=Pievienojiet pogu Dāvanu kvīts
GiftReceipt=Dāvanu kvīts
ModuleReceiptPrinterMustBeEnabled=Vispirms jābūt iespējotam moduļa saņemšanas printerim
AllowDelayedPayment=Atļaut kavētu maksājumu
-PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts
+PrintPaymentMethodOnReceipts=Izdrukājiet maksājuma veidu uz biļetēm |
+WeighingScale=Svari
diff --git a/htdocs/langs/lv_LV/categories.lang b/htdocs/langs/lv_LV/categories.lang
index db3681c7335..bde3733eac6 100644
--- a/htdocs/langs/lv_LV/categories.lang
+++ b/htdocs/langs/lv_LV/categories.lang
@@ -19,6 +19,7 @@ ProjectsCategoriesArea=Projektu tagi / kategoriju apgabals
UsersCategoriesArea=Lietotāju tagu / kategoriju apgabals
SubCats=Apakšsadaļas
CatList=Atslēgvārdu/sadaļu saraksts
+CatListAll=List of tags/categories (all types)
NewCategory=Jauna etiķete/sadaļa
ModifCat=Labot etiķeti/sadaļu
CatCreated=Etiķete/sadaļa izveidota
@@ -65,16 +66,22 @@ UsersCategoriesShort=Lietotāju atzīmes / kategorijas
StockCategoriesShort=Noliktavas tagi / kategorijas
ThisCategoryHasNoItems=Šajā kategorijā nav nevienas preces.
CategId=Tag /sadaļas ID
-CatSupList=Piegādātāju tagu / kategoriju saraksts
-CatCusList=Klientu / perspektīvu tagu / kategoriju saraksts
+ParentCategory=Parent tag/category
+ParentCategoryLabel=Label of parent tag/category
+CatSupList=List of vendors tags/categories
+CatCusList=List of customers/prospects tags/categories
CatProdList=Produktu tagu / kategoriju saraksts
CatMemberList=Dalībnieku tagu / kategoriju saraksts
-CatContactList=List of contact tags/categories
-CatSupLinks=Saites starp piegādātājiem un tagiem / sadaļām
+CatContactList=List of contacts tags/categories
+CatProjectsList=List of projects tags/categories
+CatUsersList=List of users tags/categories
+CatSupLinks=Links between vendors and tags/categories
CatCusLinks=Saiknes starp klientiem / perspektīvām un tagiem / kategorijām
CatContactsLinks=Saiknes starp kontaktiem / adresēm un tagiem / kategorijām
CatProdLinks=Saiknes starp produktiem / pakalpojumiem un tagiem / kategorijām
-CatProJectLinks=Saiknes starp projektiem un tagiem / kategorijām
+CatMembersLinks=Links between members and tags/categories
+CatProjectsLinks=Links between projects and tags/categories
+CatUsersLinks=Links between users and tags/categories
DeleteFromCat=Noņemt no tagiem / kategorijas
ExtraFieldsCategories=Complementary attributes
CategoriesSetup=Tagu / kategoriju iestatīšana
diff --git a/htdocs/langs/lv_LV/companies.lang b/htdocs/langs/lv_LV/companies.lang
index 21c55893303..6790975f63a 100644
--- a/htdocs/langs/lv_LV/companies.lang
+++ b/htdocs/langs/lv_LV/companies.lang
@@ -358,7 +358,7 @@ VATIntraCheckableOnEUSite=Pārbaudiet Kopienas iekšējo PVN identifikācijas nu
VATIntraManualCheck=Jūs varat manuāli pārbaudīt arī Eiropas Komisijas vietnē %s
ErrorVATCheckMS_UNAVAILABLE=Pārbaude nav iespējams. Pārbaudes pakalpojums netiek nodrošināts no dalībvalsts (%s).
NorProspectNorCustomer=Nav izredzes, ne klients
-JuridicalStatus=Juridiskās personas veids
+JuridicalStatus=Business entity type
Workforce=Darbaspēks
Staff=Darbinieki
ProspectLevelShort=Potenciāls
diff --git a/htdocs/langs/lv_LV/compta.lang b/htdocs/langs/lv_LV/compta.lang
index a4add9768be..ad769c0e9d3 100644
--- a/htdocs/langs/lv_LV/compta.lang
+++ b/htdocs/langs/lv_LV/compta.lang
@@ -111,7 +111,7 @@ Refund=Atmaksa
SocialContributionsPayments=Sociālo/fiskālo nodokļu maksājumi
ShowVatPayment=Rādīt PVN maksājumu
TotalToPay=Summa
-BalanceVisibilityDependsOnSortAndFilters=Bilance ir redzama šajā sarakstā tikai tad, ja tabula ir sakārtota uz augšu %s un tiek filtrēta 1 bankas kontam.
+BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted on %s and filtered on 1 bank account (with no other filters)
CustomerAccountancyCode=Klienta grāmatvedības kods
SupplierAccountancyCode=Pārdevēja grāmatvedības kods
CustomerAccountancyCodeShort=Klienta. konta. kods
@@ -140,7 +140,7 @@ ConfirmDeleteSocialContribution=Vai tiešām vēlaties dzēst šo sociālo / fis
ExportDataset_tax_1=Sociālie un fiskālie nodokļi un maksājumi
CalcModeVATDebt=Mode %sVAT par saistību accounting%s.
CalcModeVATEngagement=Mode %sVAT par ienākumu-expense%sS.
-CalcModeDebt=Zināma reģistrēto rēķinu analīze, pat ja tie vēl nav uzskaitīti virsgrāmatā.
+CalcModeDebt=Analysis of known recorded documents even if they are not yet accounted in ledger.
CalcModeEngagement=Zināma reģistrēto maksājumu analīze, pat ja tie vēl nav uzskaitīti Ledger.
CalcModeBookkeeping=Grāmatvedības grāmatiņas žurnālā publicēto datu analīze.
CalcModeLT1= Mode %sRE on customer invoices - suppliers invoices%s
@@ -154,9 +154,9 @@ AnnualSummaryInputOutputMode=Ienākumu un izdevumu bilance, gada kopsavilkums
AnnualByCompanies=Ieņēmumu un izdevumu līdzsvars pēc iepriekš definētām kontu grupām
AnnualByCompaniesDueDebtMode=Ieņēmumu un izdevumu bilance, detalizēti pēc iepriekš definētām grupām, režīms %sClaims-Debts%s norādīja Saistību grāmatvedība .
AnnualByCompaniesInputOutputMode=Ieņēmumu un izdevumu līdzsvars, detalizēti pēc iepriekš definētām grupām, režīms %sIncomes-Expenses%s norādīja naudas līdzekļu uzskaiti .
-SeeReportInInputOutputMode=Skatīt %s maksājumu analīzi %s, lai aprēķinātu veiktos faktiskos maksājumus, pat ja tie vēl nav uzskaitīti Virsgrāmatā.
-SeeReportInDueDebtMode=Skatīt %srēķinu analīzi %s, lai aprēķiniem izmantotu zināmos reģistrētos rēķinus, pat ja tie vēl nav uzskaitīti Virsgrāmatā.
-SeeReportInBookkeepingMode=Lai skatītu Grāmatvedības grāmatvedības tabulu b>, skatiet %sBookBooking report%s b>
+SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation based on recorded payments made even if they are not yet accounted in Ledger
+SeeReportInDueDebtMode=See %sanalysis of recorded documents%s for a calculation based on known recorded documents even if they are not yet accounted in Ledger
+SeeReportInBookkeepingMode=See %sanalysis of bookeeping ledger table%s for a report based on Bookkeeping Ledger table
RulesAmountWithTaxIncluded=- Uzrādītas summas ir ar visiem ieskaitot nodokļus
RulesResultDue=- Tas ietver nesamaksātos rēķinus, izdevumus, PVN, ziedojumus neatkarīgi no tā, vai tie ir samaksāti. Ietver arī algas. - tas ir balstīts uz rēķinu izrakstīšanas datumu un izdevumu vai nodokļu samaksas termiņu. Algām, kas noteiktas ar Algas moduli, tiek izmantots maksājuma valutēšanas datums.
RulesResultInOut=- It includes the real payments made on invoices, expenses, VAT and salaries. - It is based on the payment dates of the invoices, expenses, VAT and salaries. The donation date for donation.
@@ -169,12 +169,15 @@ RulesResultBookkeepingPersonalized=Tas rāda jūsu grāmatvedībā ierakstu ar g
SeePageForSetup=Lai iestatītu, skatiet sadaļu %s
DepositsAreNotIncluded=- Sākuma rēķini nav iekļauti
DepositsAreIncluded=- Down payment invoices are included
+LT1ReportByMonth=2. nodokļu pārskats pa mēnešiem
+LT2ReportByMonth=Nodokļu 3 pārskats pa mēnešiem
LT1ReportByCustomers=Trešo personu nodokļu pārskats 2
LT2ReportByCustomers=Ziņojiet par trešās personas nodokli 3
LT1ReportByCustomersES=Report by third party RE
LT2ReportByCustomersES=Ziņojumā, ko trešās puses IRPF
VATReport=Pārdošanas nodokļa atskaite
VATReportByPeriods=Pārdošanas nodokļu pārskats pa periodiem
+VATReportByMonth=Pārdošanas nodokļa pārskats pa mēnešiem
VATReportByRates=Pārdošanas nodokļu pārskats pēc likmēm
VATReportByThirdParties=Trešo personu pārdošanas nodokļa pārskats
VATReportByCustomers=Pārdošanas nodokļa pārskats pēc klienta
diff --git a/htdocs/langs/lv_LV/cron.lang b/htdocs/langs/lv_LV/cron.lang
index 4cca272f272..864165259f3 100644
--- a/htdocs/langs/lv_LV/cron.lang
+++ b/htdocs/langs/lv_LV/cron.lang
@@ -7,8 +7,8 @@ Permission23103 = Dzēst plānoto darbu
Permission23104 = Izpildīt plānoto darbu
# Admin
CronSetup=Plānoto darbu iestatīšana
-URLToLaunchCronJobs=URL to check and launch qualified cron jobs
-OrToLaunchASpecificJob=Or to check and launch a specific job
+URLToLaunchCronJobs=URL to check and launch qualified cron jobs from a browser
+OrToLaunchASpecificJob=Or to check and launch a specific job from a browser
KeyForCronAccess=Drošības atslēga URL uzsākt cron darbavietas
FileToLaunchCronJobs=Command line to check and launch qualified cron jobs
CronExplainHowToRunUnix=On Unix environment you should use the following crontab entry to run the command line each 5 minutes
@@ -84,3 +84,8 @@ MakeLocalDatabaseDumpShort=Lokālās datu bāzes dublēšana
MakeLocalDatabaseDump=Izveidojiet vietējo datubāzes dump. Parametri ir: kompresija ("gz" vai "bz" vai "neviens"), dublēšanas veids ("mysql", "pgsql", "auto"), 1, "auto" vai faila nosaukums,
WarningCronDelayed=Attention, for performance purpose, whatever is next date of execution of enabled jobs, your jobs may be delayed to a maximum of %s hours, before being run.
DATAPOLICYJob=Datu tīrītājs un anonimizators
+JobXMustBeEnabled=Job %s must be enabled
+# Cron Boxes
+LastExecutedScheduledJob=Last executed scheduled job
+NextScheduledJobExecute=Next scheduled job to execute
+NumberScheduledJobError=Number of scheduled jobs in error
diff --git a/htdocs/langs/lv_LV/errors.lang b/htdocs/langs/lv_LV/errors.lang
index 033f9ff15e9..60299570880 100644
--- a/htdocs/langs/lv_LV/errors.lang
+++ b/htdocs/langs/lv_LV/errors.lang
@@ -8,6 +8,7 @@ ErrorBadEMail=E-pasts %s ir nepareizs
ErrorBadMXDomain=E-pasts %s nepareizs (domēnam nav derīga MX ieraksta)
ErrorBadUrl=Url %s ir nepareizs
ErrorBadValueForParamNotAString=Jūsu parametra nepareiza vērtība. Tas parasti parādās, ja trūkst tulkojuma.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorLoginAlreadyExists=Lietotājs %s jau pastāv.
ErrorGroupAlreadyExists=Grupa %s jau pastāv.
ErrorRecordNotFound=Ierakstīt nav atrasts.
@@ -49,6 +50,7 @@ ErrorFieldsRequired=Daži nepieciešamie lauki netika aizpildīti.
ErrorSubjectIsRequired=E-pasta tēma ir nepieciešama
ErrorFailedToCreateDir=Neizdevās izveidot direktoriju. Pārbaudiet, vai Web servera lietotājam ir tiesības rakstīt uz Dolibarr dokumentus direktorijā. Ja parametrs safe_mode ir iespējots uz šo PHP, pārbaudiet, Dolibarr php faili pieder web servera lietotājam (vai grupa).
ErrorNoMailDefinedForThisUser=Nav definēts e-pasts šim lietotājam
+ErrorSetupOfEmailsNotComplete=Setup of emails is not complete
ErrorFeatureNeedJavascript=Šai funkcijai ir nepieciešams aktivizēt javascript. Mainīt to var iestatījumi - attēlojums.
ErrorTopMenuMustHaveAParentWithId0=Tipa "Top" izvēlnē nevar būt mātes ēdienkarti. Put ar 0 mātes izvēlnes vai izvēlēties izvēlni tips "pa kreisi".
ErrorLeftMenuMustHaveAParentId=Tipa 'Kreiso' izvēlne jābūt vecākiem id.
@@ -76,7 +78,7 @@ ErrorExportDuplicateProfil=Šāds profila nosaukums jau eksistē šim eksportam.
ErrorLDAPSetupNotComplete=Dolibarr-LDAP saskaņošana nav pilnīga.
ErrorLDAPMakeManualTest=. LDIF fails ir radīts direktorija %s. Mēģināt ielādēt manuāli no komandrindas, lai būtu vairāk informācijas par kļūdām.
ErrorCantSaveADoneUserWithZeroPercentage=Nevar saglabāt darbību ar statusu, kas nav startēts, ja arī aizpildīts lauks "done by".
-ErrorRefAlreadyExists=Ref izmantot izveidot jau pastāv.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorPleaseTypeBankTransactionReportName=Lūdzu, ievadiet bankas izraksta nosaukumu, kurā ieraksts jāpaziņo (formāts GGGGMM vai GGGGMMDD).
ErrorRecordHasChildren=Neizdevās dzēst ierakstu, jo tajā ir daži bērnu ieraksti.
ErrorRecordHasAtLeastOneChildOfType=Objektam ir vismaz viens bērns no tipa %s
@@ -246,6 +248,14 @@ ErrorProductDoesNotNeedBatchNumber=Kļūda, produkts ' %s ' nepieņem par
ErrorFailedToReadObject=Kļūda, neizdevās nolasīt tipa objektu. %s
ErrorParameterMustBeEnabledToAllwoThisFeature=Kļūda, parametram %s jābūt iespējotam conf / conf.php , lai iekšējais darba plānotājs varētu izmantot komandrindas saskarni
ErrorLoginDateValidity=Kļūda, šī pieteikšanās ir ārpus derīguma datumu diapazona
+ErrorValueLength=Length of field '%s' must be higher than '%s'
+ErrorReservedKeyword=The word '%s' is a reserved keyword
+ErrorNotAvailableWithThisDistribution=Not available with this distribution
+ErrorPublicInterfaceNotEnabled=Public interface was not enabled
+ErrorLanguageRequiredIfPageIsTranslationOfAnother=The language of new page must be defined if it is set as a translation of another page
+ErrorLanguageMustNotBeSourceLanguageIfPageIsTranslationOfAnother=The language of new page must not be the source language if it is set as a translation of another page
+ErrorAParameterIsRequiredForThisOperation=A parameter is mandatory for this operation
+
# Warnings
WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Jūsu PHP parametrs upload_max_filesize (%s) ir augstāks nekā PHP parametrs post_max_size (%s). Šī nav konsekventa iestatīšana.
WarningPasswordSetWithNoAccount=A password was set for this member. However, no user account was created. So this password is stored but can't be used to login to Dolibarr. It may be used by an external module/interface but if you don't need to define any login nor password for a member, you can disable option "Manage a login for each member" from Member module setup. If you need to manage a login but don't need any password, you can keep this field empty to avoid this warning. Note: Email can also be used as a login if the member is linked to a user.
@@ -276,3 +286,4 @@ WarningSomeBankTransactionByChequeWereRemovedAfter=Daži bankas darījumi tika n
WarningFailedToAddFileIntoDatabaseIndex=Brīdinājums, neizdevās pievienot faila ierakstu ECM datu bāzes rādītāju tabulā
WarningTheHiddenOptionIsOn=Brīdinājums: slēpta opcija %s ir ieslēgta.
WarningCreateSubAccounts=Brīdinājums: jūs nevarat izveidot tieši apakškontu, jums ir jāizveido trešā puse vai lietotājs un jāpiešķir viņiem grāmatvedības kods, lai tos atrastu šajā sarakstā
+WarningAvailableOnlyForHTTPSServers=Available only if using HTTPS secured connection.
diff --git a/htdocs/langs/lv_LV/exports.lang b/htdocs/langs/lv_LV/exports.lang
index 8f3f62628ff..c7732d16a4b 100644
--- a/htdocs/langs/lv_LV/exports.lang
+++ b/htdocs/langs/lv_LV/exports.lang
@@ -133,3 +133,4 @@ KeysToUseForUpdates=Atslēga (sleja), ko izmantot esošo datu atjaunināšan
NbInsert=Ievietoto līniju skaits: %s
NbUpdate=Atjaunināto līniju skaits: %s
MultipleRecordFoundWithTheseFilters=Ar šiem filtriem tika atrasti vairāki ieraksti: %s
+StocksWithBatch=Stocks and location (warehouse) of products with batch/serial number
diff --git a/htdocs/langs/lv_LV/mails.lang b/htdocs/langs/lv_LV/mails.lang
index 24e05670a05..80a62c6eaf0 100644
--- a/htdocs/langs/lv_LV/mails.lang
+++ b/htdocs/langs/lv_LV/mails.lang
@@ -92,6 +92,7 @@ MailingModuleDescEmailsFromUser=Lietotāja ievadītie e-pasti
MailingModuleDescDolibarrUsers=Lietotāji ar e-pastu
MailingModuleDescThirdPartiesByCategories=Trešās personas (pēc sadaļām)
SendingFromWebInterfaceIsNotAllowed=Sūtīšana no tīmekļa saskarnes nav atļauta.
+EmailCollectorFilterDesc=All filters must match to have an email being collected
# Libelle des modules de liste de destinataires mailing
LineInFile=Līnija %s failā
@@ -129,8 +130,8 @@ NotificationsAuto=Paziņojumi Automātiski.
NoNotificationsWillBeSent=Šim notikuma veidam un uzņēmumam nav plānoti automātiski e-pasta paziņojumi
ANotificationsWillBeSent=1 automātisks paziņojums tiks nosūtīts pa e-pastu
SomeNotificationsWillBeSent=%s automātiskie paziņojumi tiks nosūtīti pa e-pastu
-AddNewNotification=Aktivizējiet jaunu automātisko e-pasta paziņojumu mērķi / notikumu
-ListOfActiveNotifications=Uzskaitiet visus aktīvos mērķus / notikumus automātiskai e-pasta paziņošanai
+AddNewNotification=Subscribe to a new automatic email notification (target/event)
+ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification
ListOfNotificationsDone=Uzskaitiet visus nosūtītos automātiskos e-pasta paziņojumus
MailSendSetupIs=Configuration of email sending has been setup to '%s'. This mode can't be used to send mass emailing.
MailSendSetupIs2=You must first go, with an admin account, into menu %sHome - Setup - EMails%s to change parameter '%s' to use mode '%s'. With this mode, you can enter setup of the SMTP server provided by your Internet Service Provider and use Mass emailing feature.
@@ -141,7 +142,7 @@ UseFormatFileEmailToTarget=Importētajam failam jābūt formatētam e-pa
UseFormatInputEmailToTarget=Ievadiet virkni ar formātu e-pasts;nosaukums;vārds;cits
MailAdvTargetRecipients=Saņēmēji (papildu izvēle)
AdvTgtTitle=Aizpildiet ievades laukus, lai iepriekš atlasītu mērķauditoriju trešajām personām vai kontaktpersonām / adresēm
-AdvTgtSearchTextHelp=Izmantojiet %% kā aizstājējzīmes. Piemēram, lai atrastu visu objektu, piemēram, jean, joe, jim b>, jūs varat ievadīt j%% b>, kuru varat arī izmantot; kā atdalītājs par vērtību, un izmantot! izņemot šo vērtību. Piemēram, jean; joe; jim%%;! Jimo;! Jima% b> tiks mērķētas uz visiem jean, joe, sākt ar jim, bet ne jimo, un ne visu, kas sākas ar jima
+AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima%% will target all jean, joe, start with jim but not jimo and not everything that starts with jima
AdvTgtSearchIntHelp=Izmantojiet intervālu, lai izvēlētos int vai float vērtību
AdvTgtMinVal=Minimālā vērtība
AdvTgtMaxVal=Maksimālā vērtība
diff --git a/htdocs/langs/lv_LV/main.lang b/htdocs/langs/lv_LV/main.lang
index 3f1950cb761..cabd7893370 100644
--- a/htdocs/langs/lv_LV/main.lang
+++ b/htdocs/langs/lv_LV/main.lang
@@ -28,7 +28,9 @@ NoTemplateDefined=Šim e-pasta veidam nav pieejamas veidnes
AvailableVariables=Pieejamie aizstāšanas mainīgie
NoTranslation=Nav iztulkots
Translation=Tulkošana
+CurrentTimeZone=Laika josla PHP (servera)
EmptySearchString=Ievadiet meklēšanas kritērijus
+EnterADateCriteria=Enter a date criteria
NoRecordFound=Nav atrasti ieraksti
NoRecordDeleted=Neviens ieraksts nav dzēsts
NotEnoughDataYet=Nepietiek datu
@@ -85,6 +87,8 @@ FileWasNotUploaded=Fails ir izvēlēts pielikumam, bet vēl nav augšupielādē
NbOfEntries=Ierakstu skaits
GoToWikiHelpPage=Lasīt tiešsaistes palīdzību (nepieciešams interneta piekļuve)
GoToHelpPage=Lasīt palīdzību
+DedicatedPageAvailable=There is a dedicated help page related to your current screen
+HomePage=Mājas lapa
RecordSaved=Ieraksts saglabāts
RecordDeleted=Ieraksts dzēsts
RecordGenerated=Ieraksts izveidots
@@ -433,6 +437,7 @@ RemainToPay=Vēl jāsamaksā
Module=Module/Application
Modules=Moduļi/lietojumprogrammas
Option=Iespējas
+Filters=Filters
List=Saraksts
FullList=Pilns saraksts
FullConversation=Pilna saruna
@@ -671,7 +676,7 @@ SendMail=Sūtīt e-pastu
Email=E-pasts
NoEMail=Nav e-pasta
AlreadyRead=Jau izlasīts
-NotRead=Nav lasīts
+NotRead=Nelasīts
NoMobilePhone=Nav mob. tel.
Owner=Īpašnieks
FollowingConstantsWillBeSubstituted=Šādas konstantes tiks aizstāts ar atbilstošo vērtību.
@@ -1107,3 +1112,8 @@ UpToDate=Aktuāls
OutOfDate=Novecojis
EventReminder=Atgādinājums par notikumu
UpdateForAllLines=Update for all lines
+OnHold=On hold
+AffectTag=Affect Tag
+ConfirmAffectTag=Bulk Tag Affect
+ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected record(s)?
+CategTypeNotFound=No tag type found for type of records
diff --git a/htdocs/langs/lv_LV/modulebuilder.lang b/htdocs/langs/lv_LV/modulebuilder.lang
index 4d3e949e746..04eba6b459c 100644
--- a/htdocs/langs/lv_LV/modulebuilder.lang
+++ b/htdocs/langs/lv_LV/modulebuilder.lang
@@ -40,6 +40,7 @@ PageForCreateEditView=PHP lapa, lai izveidotu / rediģētu / skatītu ierakstu
PageForAgendaTab=PHP lappuse notikumu cilnē
PageForDocumentTab=PHP lapas cilnei
PageForNoteTab=PHP lapa piezīmju cilnē
+PageForContactTab=PHP page for contact tab
PathToModulePackage=Ceļš uz moduļa / pieteikuma pakotnes rāvienu
PathToModuleDocumentation=Ceļš uz moduļa / lietojumprogrammas dokumentācijas failu (%s)
SpaceOrSpecialCharAreNotAllowed=Spaces vai speciālās rakstzīmes nav atļautas.
@@ -77,7 +78,7 @@ IsAMeasure=Vai pasākums
DirScanned=Direktorija skenēta
NoTrigger=Nav sprūda
NoWidget=Nav logrīku
-GoToApiExplorer=Iet uz API pētnieku
+GoToApiExplorer=API pētnieks
ListOfMenusEntries=Izvēlnes ierakstu saraksts
ListOfDictionariesEntries=Vārdnīcu ierakstu saraksts
ListOfPermissionsDefined=Noteikto atļauju saraksts
@@ -105,7 +106,7 @@ TryToUseTheModuleBuilder=Ja jums ir zināšanas par SQL un PHP, jūs varat izman
SeeTopRightMenu=Augšējā labajā izvēlnē skatiet
AddLanguageFile=Pievienot valodas failu
YouCanUseTranslationKey=Šeit varat izmantot atslēgu, kas ir tulkošanas atslēga, kas tiek atrasta valodas failā (sk. Cilni "Valodas").
-DropTableIfEmpty=(Dzēst tabulu, ja tukša)
+DropTableIfEmpty=(Destroy table if empty)
TableDoesNotExists=Tabula %s neeksistē
TableDropped=Tabula %s dzēsta
InitStructureFromExistingTable=Veidojiet esošās tabulas struktūras masīva virkni
@@ -126,7 +127,6 @@ UseSpecificEditorURL = Izmantojiet konkrētu redaktora URL
UseSpecificFamily = Izmantojiet noteiktu ģimeni
UseSpecificAuthor = Izmantojiet noteiktu autoru
UseSpecificVersion = Izmantojiet konkrētu sākotnējo versiju
-ModuleMustBeEnabled=Vispirms jāaktivizē modulis / programma
IncludeRefGeneration=Objekta atsauce jāģenerē automātiski
IncludeRefGenerationHelp=Atzīmējiet šo, ja vēlaties iekļaut kodu, lai automātiski pārvaldītu atsauces ģenerēšanu
IncludeDocGeneration=Es gribu no objekta ģenerēt dažus dokumentus
@@ -140,3 +140,4 @@ TypeOfFieldsHelp=Lauku tips: varchar (99), double (24,8), real, text, html,
AsciiToHtmlConverter=Ascii uz HTML pārveidotāju
AsciiToPdfConverter=Ascii uz PDF pārveidotāju
TableNotEmptyDropCanceled=Tabula nav tukša. Dzēšana tika atcelta.
+ModuleBuilderNotAllowed=The module builder is available but not allowed to your user.
diff --git a/htdocs/langs/lv_LV/other.lang b/htdocs/langs/lv_LV/other.lang
index 74075151ce5..71fbca02153 100644
--- a/htdocs/langs/lv_LV/other.lang
+++ b/htdocs/langs/lv_LV/other.lang
@@ -5,8 +5,6 @@ Tools=Darbarīki
TMenuTools=Rīki
ToolsDesc=Visi instrumenti, kas nav iekļauti citos izvēlnes ierakstos, tiek sagrupēti šeit. Visiem rīkiem var piekļūt, izmantojot kreiso izvēlni.
Birthday=Dzimšanas diena
-BirthdayDate=Dzimšanas diena
-DateToBirth=Dzimšanas datums
BirthdayAlertOn=dzimšanas dienas brīdinājums aktīvs
BirthdayAlertOff=dzimšanas dienas brīdinājums neaktīvs
TransKey=Translation of the key TransKey
@@ -16,6 +14,8 @@ PreviousMonthOfInvoice=Rēķina datuma iepriekšējais mēnesis (no 1-12)
TextPreviousMonthOfInvoice=Previous month (text) of invoice date
NextMonthOfInvoice=Pēc mēneša (no 1-12) rēķina datums
TextNextMonthOfInvoice=Pēc mēneša (teksts) rēķina datums
+PreviousMonth=Iepriekšējais mēnesis
+CurrentMonth=Tekošais mēnesis
ZipFileGeneratedInto=Zip fails, kas ģenerēts %s .
DocFileGeneratedInto=Doc fails ir izveidots %s .
JumpToLogin=Atvienots. Iet uz pieteikšanās lapu ...
@@ -99,6 +99,7 @@ PredefinedMailContentSendShipping=__(Labdien)__\n\nLūdzu, nosūtiet sūtījumu
PredefinedMailContentSendFichInter=__(Labdien)__\n\nLūdzu, skatiet interviju __REF__\n\n\n__ (Ar cieņu) __\n\n__USER_SIGNATURE__
PredefinedMailContentLink=Jūs varat noklikšķināt uz zemāk esošās saites, lai veiktu maksājumu, ja tas vēl nav izdarīts.\n\n%s\n\n
PredefinedMailContentGeneric=__(Labdien)__\n\n\n__ (Ar cieņu) __\n\n__USER_SIGNATURE__
+PredefinedMailContentSendActionComm=Notikuma atgādinājums "__EVENT_LABEL__" __EVENT_DATE__ plkst. __EVENT_TIME__
Šis ir automātisks ziņojums, lūdzu, neatbildiet.
DemoDesc=Dolibarr ir kompakts ERP / CRM, kas atbalsta vairākus biznesa moduļus. Demonstrācija, kas demonstrē visus moduļus, nav jēga, jo šis scenārijs nekad nenotiek (pieejami vairāki simti). Tātad, ir pieejami vairāki demo profili.
ChooseYourDemoProfil=Izvēlies demo profilu, kas vislabāk atbilst jūsu vajadzībām ...
ChooseYourDemoProfilMore=... vai izveidojiet savu profilu (manuālā moduļa izvēle)
@@ -258,6 +259,7 @@ ContactCreatedByEmailCollector=Kontaktpersona / adrese, ko izveidojis e-pasta ko
ProjectCreatedByEmailCollector=Projekts, ko izveidojis e-pasta savācējs no e-pasta MSGID %s
TicketCreatedByEmailCollector=Biļete, ko izveidojis e-pasta kolekcionārs no e-pasta MSGID %s
OpeningHoursFormatDesc=Izmantojiet taustiņu -, lai nodalītu darba un aizvēršanas stundas. Izmantojiet atstarpi, lai ievadītu dažādus diapazonus. Piemērs: 8.-12
+PrefixSession=Prefix for session ID
##### Export #####
ExportsArea=Eksportēšanas sadaļa
diff --git a/htdocs/langs/lv_LV/products.lang b/htdocs/langs/lv_LV/products.lang
index 80aa1c66905..536127ff619 100644
--- a/htdocs/langs/lv_LV/products.lang
+++ b/htdocs/langs/lv_LV/products.lang
@@ -108,7 +108,8 @@ FillWithLastServiceDates=Aizpildiet pēdējos pakalpojumu līnijas datumus
MultiPricesAbility=Vairāki cenu segmenti katram produktam / pakalpojumam (katrs klients atrodas vienā cenu segmentā)
MultiPricesNumPrices=Cenu skaits
DefaultPriceType=Cenu bāze par saistību neizpildi (ar nodokli bez nodokļa), pievienojot jaunas pārdošanas cenas
-AssociatedProductsAbility=Komplektu aktivizēšana (virtuālie produkti)
+AssociatedProductsAbility=Enable Kits (set of other products)
+VariantsAbility=Enable Variants (variations of products, for example color, size)
AssociatedProducts=Komplekti
AssociatedProductsNumber=Produktu skaits, kas veido šo komplektu
ParentProductsNumber=Number of parent packaging product
@@ -167,8 +168,10 @@ BuyingPrices=Iepirkšanas cenas
CustomerPrices=Klienta cenas
SuppliersPrices=Pārdevēja cenas
SuppliersPricesOfProductsOrServices=Pārdevēja cenas (produktiem vai pakalpojumiem)
-CustomCode=Muita / Prece / HS kods
+CustomCode=Customs|Commodity|HS code
CountryOrigin=Izcelsmes valsts
+RegionStateOrigin=Region origin
+StateOrigin=State|Province origin
Nature=Produkta veids (materiāls / gatavs)
NatureOfProductShort=Produkta veids
NatureOfProductDesc=Izejviela vai gatavais produkts
@@ -239,7 +242,7 @@ AlwaysUseFixedPrice=Izmantot fiksētu cenu
PriceByQuantity=Dažādas cenas apjomam
DisablePriceByQty=Atspējot cenas pēc daudzuma
PriceByQuantityRange=Daudzuma diapazons
-MultipriceRules=Cenu segmenta noteikumi
+MultipriceRules=Automatic prices for segment
UseMultipriceRules=Izmantojiet cenu segmenta noteikumus (definēti produktu moduļa iestatījumos), lai automātiski aprēķinātu visu pārējo segmentu cenas saskaņā ar pirmo segmentu
PercentVariationOver=%% variation over %s
PercentDiscountOver=%% discount over %s
diff --git a/htdocs/langs/lv_LV/recruitment.lang b/htdocs/langs/lv_LV/recruitment.lang
index a06859e2516..dc5848592fc 100644
--- a/htdocs/langs/lv_LV/recruitment.lang
+++ b/htdocs/langs/lv_LV/recruitment.lang
@@ -73,3 +73,4 @@ JobClosedTextCandidateFound=The job position is closed. The position has been fi
JobClosedTextCanceled=The job position is closed.
ExtrafieldsJobPosition=Complementary attributes (job positions)
ExtrafieldsCandidatures=Complementary attributes (job applications)
+MakeOffer=Make an offer
diff --git a/htdocs/langs/lv_LV/sendings.lang b/htdocs/langs/lv_LV/sendings.lang
index f43aacf6d6c..4822bca650a 100644
--- a/htdocs/langs/lv_LV/sendings.lang
+++ b/htdocs/langs/lv_LV/sendings.lang
@@ -30,6 +30,7 @@ OtherSendingsForSameOrder=Citas sūtījumiem uz šo rīkojumu
SendingsAndReceivingForSameOrder=Shipments and receipts for this order
SendingsToValidate=Sūtījumi apstiprināšanai,
StatusSendingCanceled=Atcelts
+StatusSendingCanceledShort=Atcelts
StatusSendingDraft=Uzmetums
StatusSendingValidated=Apstiprinātas (produkti, uz kuģi vai jau nosūtīti)
StatusSendingProcessed=Apstrādāts
@@ -65,6 +66,7 @@ ValidateOrderFirstBeforeShipment=Vispirms jums ir jāapstiprina pasūtījums, la
# Sending methods
# ModelDocument
DocumentModelTyphon=Vairāk pilnīgu dokumentu modelis piegādes ieņēmumiem (logo. ..)
+DocumentModelStorm=Pilnīgāks dokumentu paraugs piegādes kvīšu un ekstrahēto lauku saderībai (logotips ...)
Error_EXPEDITION_ADDON_NUMBER_NotDefined=Pastāvīga EXPEDITION_ADDON_NUMBER nav noteikts
SumOfProductVolumes=Produkta apjomu summa
SumOfProductWeights=Summēt produkta svaru
diff --git a/htdocs/langs/lv_LV/stocks.lang b/htdocs/langs/lv_LV/stocks.lang
index 6c2b008b488..d98816193f2 100644
--- a/htdocs/langs/lv_LV/stocks.lang
+++ b/htdocs/langs/lv_LV/stocks.lang
@@ -240,3 +240,4 @@ InventoryRealQtyHelp=Iestatiet vērtību 0, lai atiestatītu daudzumu . Sagl
UpdateByScaning=Atjauniniet, skenējot
UpdateByScaningProductBarcode=Atjaunināšana, skenējot (produkta svītrkods)
UpdateByScaningLot=Atjaunināt, skenējot (partija | sērijas svītrkods)
+DisableStockChangeOfSubProduct=Deactivate the stock change for all the subproducts of this Kit during this movement.
diff --git a/htdocs/langs/lv_LV/ticket.lang b/htdocs/langs/lv_LV/ticket.lang
index b1947dfcce0..43c18d15509 100644
--- a/htdocs/langs/lv_LV/ticket.lang
+++ b/htdocs/langs/lv_LV/ticket.lang
@@ -31,10 +31,8 @@ TicketDictType=Pieteikumu veids
TicketDictCategory=Pieteikumu - grupas
TicketDictSeverity=Pieteikuma svarīgums
TicketDictResolution=Biļete - izšķirtspēja
-TicketTypeShortBUGSOFT=Dysfontionnement logiciel
-TicketTypeShortBUGHARD=Dysfonctionnement matériel
-TicketTypeShortCOM=Tirdzniecības jautājums
+TicketTypeShortCOM=Tirdzniecības jautājums
TicketTypeShortHELP=Funkcionālās palīdzības pieprasījums
TicketTypeShortISSUE=Izdošana, kļūda vai problēma
TicketTypeShortREQUEST=Mainīt vai uzlabot pieprasījumu
@@ -44,7 +42,7 @@ TicketTypeShortOTHER=Cits
TicketSeverityShortLOW=Zems
TicketSeverityShortNORMAL=Normāls
TicketSeverityShortHIGH=Augsts
-TicketSeverityShortBLOCKING=Kritiski/bloķēšana
+TicketSeverityShortBLOCKING=Kritisks, bloķējošs
ErrorBadEmailAddress=Lauks "%s" ir nepareizs
MenuTicketMyAssign=Mani pieteikumi
@@ -60,7 +58,6 @@ OriginEmail=E-pasta avots
Notify_TICKET_SENTBYMAIL=Sūtīt biļeti pa e-pastu
# Status
-NotRead=Nav lasāms
Read=Lasīt
Assigned=Piešķirts
InProgress=Procesā
@@ -126,6 +123,7 @@ TicketsActivatePublicInterfaceHelp=Publiskā saskarne ļauj apmeklētājiem izve
TicketsAutoAssignTicket=Automātiski piešķirt lietotāju, kas izveidojis biļeti
TicketsAutoAssignTicketHelp=Veidojot biļeti, lietotājs var automātiski piešķirt biļeti.
TicketNumberingModules=Čeku numerācijas modulis
+TicketsModelModule=Document templates for tickets
TicketNotifyTiersAtCreation=Paziņot trešajai pusei radīšanas laikā
TicketsDisableCustomerEmail=Vienmēr atspējojiet e-pasta ziņojumus, ja biļete tiek veidota no publiskās saskarnes
TicketsPublicNotificationNewMessage=Sūtiet e-pastu (s), kad tiek pievienots jauns ziņojums
@@ -233,7 +231,6 @@ TicketLogStatusChanged=Statuss mainīts: %s līdz %s
TicketNotNotifyTiersAtCreate=Neinformēt uzņēmumu par radīšanu
Unread=Nelasīts
TicketNotCreatedFromPublicInterface=Nav pieejams. Biļete netika izveidota no publiskās saskarnes.
-PublicInterfaceNotEnabled=Publiskā saskarne nebija iespējota
ErrorTicketRefRequired=Nepieciešams biļetes atsauces nosaukums
#
diff --git a/htdocs/langs/lv_LV/website.lang b/htdocs/langs/lv_LV/website.lang
index 45c5b91487f..42971c9e293 100644
--- a/htdocs/langs/lv_LV/website.lang
+++ b/htdocs/langs/lv_LV/website.lang
@@ -30,7 +30,6 @@ EditInLine=Rediģēt inline
AddWebsite=Pievienot vietni
Webpage=Web lapa / konteiners
AddPage=Pievienot lapu / konteineru
-HomePage=Mājas lapa
PageContainer=Lappuse
PreviewOfSiteNotYetAvailable=Jūsu vietnes %s priekšskatījums vēl nav pieejams. Vispirms jums ir Jāimportē pilnu vietnes veidni vai vienkārši Pievienot lapu/konteineru".
RequestedPageHasNoContentYet=Pieprasītā lapa ar id %s vēl nav ievietota, vai kešatmiņas fails .tpl.php tika noņemts. Rediģējiet lapas saturu, lai to atrisinātu.
@@ -101,7 +100,7 @@ EmptyPage=Tukša lapa
ExternalURLMustStartWithHttp=Ārējam URL ir jāsākas ar http: // vai https: //
ZipOfWebsitePackageToImport=Augšupielādējiet vietnes veidņu pakotnes ZIP failu
ZipOfWebsitePackageToLoad=vai izvēlieties pieejamo iegultās vietnes veidņu paketi
-ShowSubcontainers=Iekļaut dinamisko saturu
+ShowSubcontainers=Show dynamic content
InternalURLOfPage=Lapas iekšējais URL
ThisPageIsTranslationOf=Šī lapa / konteiners ir tulkojums
ThisPageHasTranslationPages=Šajā lapā / konteinerā ir tulkojums
@@ -137,3 +136,4 @@ RSSFeedDesc=Izmantojot šo URL, varat iegūt RSS plūsmu no jaunākajiem rakstie
PagesRegenerated=reģenerēta %s lapa (s) / konteiners (-i)
RegenerateWebsiteContent=Atjaunojiet tīmekļa vietnes kešatmiņas failus
AllowedInFrames=Allowed in Frames
+DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languages into web site properties.
diff --git a/htdocs/langs/lv_LV/withdrawals.lang b/htdocs/langs/lv_LV/withdrawals.lang
index b041cca3eff..613a91e6d80 100644
--- a/htdocs/langs/lv_LV/withdrawals.lang
+++ b/htdocs/langs/lv_LV/withdrawals.lang
@@ -42,6 +42,7 @@ LastWithdrawalReceipt=Jaunākie %s tiešā debeta ieņēmumi
MakeWithdrawRequest=Izveidojiet tiešā debeta maksājumu pieprasījumu
MakeBankTransferOrder=Veiciet kredīta pārveduma pieprasījumu
WithdrawRequestsDone=%s reģistrēti tiešā debeta maksājumu pieprasījumi
+BankTransferRequestsDone=%s credit transfer requests recorded
ThirdPartyBankCode=Trešās puses bankas kods
NoInvoiceCouldBeWithdrawed=Netika veiksmīgi norakstīts rēķins. Pārbaudiet, vai rēķini ir norādīti uzĦēmumiem ar derīgu IBAN un IBAN ir UMR (unikālas pilnvaras atsauce) ar režīmu %s .
ClassCredited=Klasificēt kreditēts
@@ -131,7 +132,8 @@ SEPARCUR=SEPA CUR
SEPAFRST=SEPA vispirms
ExecutionDate=Izpildes datums
CreateForSepa=Izveidojiet tiešā debeta failu
-ICS=Kreditora identifikators CI
+ICS=Creditor Identifier CI for direct debit
+ICSTransfer=Creditor Identifier CI for bank transfer
END_TO_END="EndToEndId" SEPA XML tag - katram darījumam piešķirts unikāls ID
USTRD="Nestrukturēts" SEPA XML tag
ADDDAYS=Pievienojiet dienas izpildes datumam
@@ -146,3 +148,4 @@ InfoRejectSubject=Tiešais debeta maksājuma uzdevums ir noraidīts
InfoRejectMessage=Labdien,
banka noraidījusi rēķina %s tiešā debeta maksājuma uzdevumu saistībā ar uzņēmumu %s ar summu %s.
- %s
ModeWarning=Iespēja reālā režīmā nav noteikts, mēs pārtraucam pēc šīs simulācijas
ErrorCompanyHasDuplicateDefaultBAN=Uzņēmumam ar ID %s ir vairāk nekā viens noklusējuma bankas konts. Nevar uzzināt, kuru izmantot.
+ErrorICSmissing=Missing ICS in Bank account %s
diff --git a/htdocs/langs/mk_MK/accountancy.lang b/htdocs/langs/mk_MK/accountancy.lang
index 01016a2fb76..7ac73743109 100644
--- a/htdocs/langs/mk_MK/accountancy.lang
+++ b/htdocs/langs/mk_MK/accountancy.lang
@@ -48,6 +48,7 @@ CountriesExceptMe=Сите земји освен %s
AccountantFiles=Export source documents
ExportAccountingSourceDocHelp=With this tool, you can export the source events (list and PDFs) that were used to generate your accountancy. To export your journals, use the menu entry %s - %s.
VueByAccountAccounting=View by accounting account
+VueBySubAccountAccounting=View by accounting subaccount
MainAccountForCustomersNotDefined=Главна сметководствена сметка за клиенти што не се дефинирани во сетапот
MainAccountForSuppliersNotDefined=Главна сметководствена сметка за трговците кои не се дефинирани во сетапот
@@ -144,7 +145,7 @@ NotVentilatedinAccount=Not bound to the accounting account
XLineSuccessfullyBinded=%s products/services successfully bound to an accounting account
XLineFailedToBeBinded=%s products/services were not bound to any accounting account
-ACCOUNTING_LIMIT_LIST_VENTILATION=Number of elements to bind shown by page (maximum recommended: 50)
+ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50)
ACCOUNTING_LIST_SORT_VENTILATION_TODO=Begin the sorting of the page "Binding to do" by the most recent elements
ACCOUNTING_LIST_SORT_VENTILATION_DONE=Begin the sorting of the page "Binding done" by the most recent elements
@@ -198,7 +199,8 @@ Docdate=Date
Docref=Reference
LabelAccount=Label account
LabelOperation=Label operation
-Sens=Sens
+Sens=Direction
+AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received For an accounting account of a supplier, use Debit to record a payment you make
LetteringCode=Lettering code
Lettering=Lettering
Codejournal=Journal
@@ -206,7 +208,8 @@ JournalLabel=Journal label
NumPiece=Piece number
TransactionNumShort=Num. transaction
AccountingCategory=Personalized groups
-GroupByAccountAccounting=Group by accounting account
+GroupByAccountAccounting=Group by general ledger account
+GroupBySubAccountAccounting=Group by subledger account
AccountingAccountGroupsDesc=You can define here some groups of accounting account. They will be used for personalized accounting reports.
ByAccounts=By accounts
ByPredefinedAccountGroups=By predefined groups
@@ -248,7 +251,7 @@ PaymentsNotLinkedToProduct=Payment not linked to any product / service
OpeningBalance=Opening balance
ShowOpeningBalance=Show opening balance
HideOpeningBalance=Hide opening balance
-ShowSubtotalByGroup=Show subtotal by group
+ShowSubtotalByGroup=Show subtotal by level
Pcgtype=Group of account
PcgtypeDesc=Group of account are used as predefined 'filter' and 'grouping' criteria for some accounting reports. For example, 'INCOME' or 'EXPENSE' are used as groups for accounting accounts of products to build the expense/income report.
@@ -271,11 +274,13 @@ DescVentilExpenseReport=Consult here the list of expense report lines bound (or
DescVentilExpenseReportMore=If you setup accounting account on type of expense report lines, the application will be able to make all the binding between your expense report lines and the accounting account of your chart of accounts, just in one click with the button "%s". If account was not set on fees dictionary or if you still have some lines not bound to any account, you will have to make a manual binding from the menu "%s".
DescVentilDoneExpenseReport=Consult here the list of the lines of expenses reports and their fees accounting account
+Closure=Annual closure
DescClosure=Consult here the number of movements by month who are not validated & fiscal years already open
OverviewOfMovementsNotValidated=Step 1/ Overview of movements not validated. (Necessary to close a fiscal year)
+AllMovementsWereRecordedAsValidated=All movements were recorded as validated
+NotAllMovementsCouldBeRecordedAsValidated=Not all movements could be recorded as validated
ValidateMovements=Validate movements
DescValidateMovements=Any modification or deletion of writing, lettering and deletes will be prohibited. All entries for an exercise must be validated otherwise closing will not be possible
-SelectMonthAndValidate=Select month and validate movements
ValidateHistory=Bind Automatically
AutomaticBindingDone=Automatic binding done
@@ -293,6 +298,7 @@ Accounted=Accounted in ledger
NotYetAccounted=Not yet accounted in ledger
ShowTutorial=Show Tutorial
NotReconciled=Not reconciled
+WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view
## Admin
BindingOptions=Binding options
@@ -337,6 +343,7 @@ Modelcsv_LDCompta10=Export for LD Compta (v10 & higher)
Modelcsv_openconcerto=Export for OpenConcerto (Test)
Modelcsv_configurable=Export CSV Configurable
Modelcsv_FEC=Export FEC
+Modelcsv_FEC2=Export FEC (With dates generation writing / document reversed)
Modelcsv_Sage50_Swiss=Export for Sage 50 Switzerland
Modelcsv_winfic=Export Winfic - eWinfic - WinSis Compta
Modelcsv_Gestinumv3=Export for Gestinum (v3)
diff --git a/htdocs/langs/mk_MK/admin.lang b/htdocs/langs/mk_MK/admin.lang
index 04f993c0811..f338c69d71f 100644
--- a/htdocs/langs/mk_MK/admin.lang
+++ b/htdocs/langs/mk_MK/admin.lang
@@ -56,6 +56,8 @@ GUISetup=Display
SetupArea=Setup
UploadNewTemplate=Upload new template(s)
FormToTestFileUploadForm=Form to test file upload (according to setup)
+ModuleMustBeEnabled=The module/application %s must be enabled
+ModuleIsEnabled=The module/application %s has been enabled
IfModuleEnabled=Note: yes is effective only if module %s is enabled
RemoveLock=Remove/rename file %s if it exists, to allow usage of the Update/Install tool.
RestoreLock=Restore file %s, with read permission only, to disable any further use of the Update/Install tool.
@@ -85,7 +87,6 @@ ShowPreview=Show preview
ShowHideDetails=Show-Hide details
PreviewNotAvailable=Preview not available
ThemeCurrentlyActive=Theme currently active
-CurrentTimeZone=TimeZone PHP (server)
MySQLTimeZone=TimeZone MySql (database)
TZHasNoEffect=Dates are stored and returned by database server as if they were kept as submitted string. The timezone has effect only when using the UNIX_TIMESTAMP function (that should not be used by Dolibarr, so database TZ should have no effect, even if changed after data was entered).
Space=Space
@@ -153,8 +154,8 @@ SystemToolsAreaDesc=This area provides administration functions. Use the menu to
Purge=Purge
PurgeAreaDesc=This page allows you to delete all files generated or stored by Dolibarr (temporary files or all files in %s directory). Using this feature is not normally necessary. It is provided as a workaround for users whose Dolibarr is hosted by a provider that does not offer permissions to delete files generated by the web server.
PurgeDeleteLogFile=Delete log files, including %s defined for Syslog module (no risk of losing data)
-PurgeDeleteTemporaryFiles=Delete all temporary files (no risk of losing data). Note: Deletion is done only if the temp directory was created 24 hours ago.
-PurgeDeleteTemporaryFilesShort=Delete temporary files
+PurgeDeleteTemporaryFiles=Delete all log and temporary files (no risk of losing data). Note: Deletion of temporary files is done only if the temp directory was created more than 24 hours ago.
+PurgeDeleteTemporaryFilesShort=Delete log and temporary files
PurgeDeleteAllFilesInDocumentsDir=Delete all files in directory: %s. This will delete all generated documents related to elements (third parties, invoices etc...), files uploaded into the ECM module, database backup dumps and temporary files.
PurgeRunNow=Purge now
PurgeNothingToDelete=No directory or files to delete.
@@ -256,6 +257,7 @@ ReferencedPreferredPartners=Preferred Partners
OtherResources=Other resources
ExternalResources=External Resources
SocialNetworks=Social Networks
+SocialNetworkId=Social Network ID
ForDocumentationSeeWiki=For user or developer documentation (Doc, FAQs...), take a look at the Dolibarr Wiki: %s
ForAnswersSeeForum=For any other questions/help, you can use the Dolibarr forum: %s
HelpCenterDesc1=Here are some resources for getting help and support with Dolibarr.
@@ -375,7 +377,7 @@ ExamplesWithCurrentSetup=Examples with current configuration
ListOfDirectories=List of OpenDocument templates directories
ListOfDirectoriesForModelGenODT=List of directories containing templates files with OpenDocument format.
Put here full path of directories. Add a carriage return between eah directory. To add a directory of the GED module, add here DOL_DATA_ROOT/ecm/yourdirectoryname.
Files in those directories must end with .odt or .ods.
NumberOfModelFilesFound=Number of ODT/ODS template files found in these directories
-ExampleOfDirectoriesForModelGen=Examples of syntax: c:\\mydir /home/mydir DOL_DATA_ROOT/ecm/ecmdir
+ExampleOfDirectoriesForModelGen=Examples of syntax: c:\\myapp\\mydocumentdir\\mysubdir /home/myapp/mydocumentdir/mysubdir DOL_DATA_ROOT/ecm/ecmdir
FollowingSubstitutionKeysCanBeUsed= To know how to create your odt document templates, before storing them in those directories, read wiki documentation:
FullListOnOnlineDocumentation=http://wiki.dolibarr.org/index.php/Create_an_ODT_document_template
FirstnameNamePosition=Position of Name/Lastname
@@ -406,7 +408,7 @@ UrlGenerationParameters=Parameters to secure URLs
SecurityTokenIsUnique=Use a unique securekey parameter for each URL
EnterRefToBuildUrl=Enter reference for object %s
GetSecuredUrl=Get calculated URL
-ButtonHideUnauthorized=Hide buttons for non-admin users for unauthorized actions instead of showing greyed disabled buttons
+ButtonHideUnauthorized=Hide unauthorized action buttons also for internal users (just greyed otherwise)
OldVATRates=Old VAT rate
NewVATRates=New VAT rate
PriceBaseTypeToChange=Modify on prices with base reference value defined on
@@ -1689,7 +1691,7 @@ NotTopTreeMenuPersonalized=Personalized menus not linked to a top menu entry
NewMenu=New menu
MenuHandler=Menu handler
MenuModule=Source module
-HideUnauthorizedMenu= Hide unauthorized menus (gray)
+HideUnauthorizedMenu=Hide unauthorized menus also for internal users (just greyed otherwise)
DetailId=Id menu
DetailMenuHandler=Menu handler where to show new menu
DetailMenuModule=Module name if menu entry come from a module
@@ -1983,11 +1985,12 @@ EMailHost=Host of email IMAP server
MailboxSourceDirectory=Mailbox source directory
MailboxTargetDirectory=Mailbox target directory
EmailcollectorOperations=Operations to do by collector
+EmailcollectorOperationsDesc=Operations are executed from top to bottom order
MaxEmailCollectPerCollect=Max number of emails collected per collect
CollectNow=Collect now
ConfirmCloneEmailCollector=Are you sure you want to clone the Email collector %s ?
-DateLastCollectResult=Date latest collect tried
-DateLastcollectResultOk=Date latest collect successfull
+DateLastCollectResult=Date of latest collect try
+DateLastcollectResultOk=Date of latest collect success
LastResult=Latest result
EmailCollectorConfirmCollectTitle=Email collect confirmation
EmailCollectorConfirmCollect=Do you want to run the collection for this collector now ?
@@ -2005,7 +2008,7 @@ WithDolTrackingID=Message from a conversation initiated by a first email sent fr
WithoutDolTrackingID=Message from a conversation initiated by a first email NOT sent from Dolibarr
WithDolTrackingIDInMsgId=Message sent from Dolibarr
WithoutDolTrackingIDInMsgId=Message NOT sent from Dolibarr
-CreateCandidature=Create candidature
+CreateCandidature=Create job application
FormatZip=Zip
MainMenuCode=Menu entry code (mainmenu)
ECMAutoTree=Show automatic ECM tree
@@ -2083,3 +2086,7 @@ CountryIfSpecificToOneCountry=Country (if specific to a given country)
YouMayFindSecurityAdviceHere=You may find security advisory here
ModuleActivatedMayExposeInformation=This module may expose sensitive data. If you don't need it, disable it.
ModuleActivatedDoNotUseInProduction=A module designed for the development has been enabled. Do not enable it on a production environment.
+CombinationsSeparator=Separator character for product combinations
+SeeLinkToOnlineDocumentation=See link to online documention on top menu for examples
+SHOW_SUBPRODUCT_REF_IN_PDF=If the feature "%s" of module %s is used, show details of subproducts of a kit on PDF.
+AskThisIDToYourBank=Contact your bank to get this ID
diff --git a/htdocs/langs/mk_MK/banks.lang b/htdocs/langs/mk_MK/banks.lang
index 7ed471f3c64..e6623eea6d4 100644
--- a/htdocs/langs/mk_MK/banks.lang
+++ b/htdocs/langs/mk_MK/banks.lang
@@ -173,8 +173,8 @@ SEPAMandate=SEPA mandate
YourSEPAMandate=Your SEPA mandate
FindYourSEPAMandate=This is your SEPA mandate to authorize our company to make direct debit order to your bank. Return it signed (scan of the signed document) or send it by mail to
AutoReportLastAccountStatement=Automatically fill the field 'number of bank statement' with last statement number when making reconciliation
-CashControl=POS cash fence
-NewCashFence=New cash fence
+CashControl=POS cash desk control
+NewCashFence=New cash desk closing
BankColorizeMovement=Colorize movements
BankColorizeMovementDesc=If this function is enable, you can choose specific background color for debit or credit movements
BankColorizeMovementName1=Background color for debit movement
diff --git a/htdocs/langs/mk_MK/blockedlog.lang b/htdocs/langs/mk_MK/blockedlog.lang
index 5afae6e9e53..0bba5605d0f 100644
--- a/htdocs/langs/mk_MK/blockedlog.lang
+++ b/htdocs/langs/mk_MK/blockedlog.lang
@@ -35,7 +35,7 @@ logDON_DELETE=Donation logical deletion
logMEMBER_SUBSCRIPTION_CREATE=Member subscription created
logMEMBER_SUBSCRIPTION_MODIFY=Member subscription modified
logMEMBER_SUBSCRIPTION_DELETE=Member subscription logical deletion
-logCASHCONTROL_VALIDATE=Cash fence recording
+logCASHCONTROL_VALIDATE=Cash desk closing recording
BlockedLogBillDownload=Customer invoice download
BlockedLogBillPreview=Customer invoice preview
BlockedlogInfoDialog=Log Details
diff --git a/htdocs/langs/mk_MK/boxes.lang b/htdocs/langs/mk_MK/boxes.lang
index 98e75053287..ec9b773dcf9 100644
--- a/htdocs/langs/mk_MK/boxes.lang
+++ b/htdocs/langs/mk_MK/boxes.lang
@@ -46,9 +46,12 @@ BoxTitleLastModifiedDonations=Најнови %s изменети донации
BoxTitleLastModifiedExpenses=Најнови %s изменети извештаи за трошоци
BoxTitleLatestModifiedBoms=Latest %s modified BOMs
BoxTitleLatestModifiedMos=Latest %s modified Manufacturing Orders
+BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded
BoxGlobalActivity=Глобална активност (фактури, понуди, нарачки)
BoxGoodCustomers=Добри клиенти
BoxTitleGoodCustomers=%s Добри клиенти
+BoxScheduledJobs=Scheduled jobs
+BoxTitleFunnelOfProspection=Lead funnel
FailedToRefreshDataInfoNotUpToDate=Неуспешно RSS обновување. Последен успешен датум на обновување: %s
LastRefreshDate=Најнов датум на обновување
NoRecordedBookmarks=Нема дефинирани обележувачи.
@@ -102,5 +105,7 @@ SuspenseAccountNotDefined=Suspense account isn't defined
BoxLastCustomerShipments=Last customer shipments
BoxTitleLastCustomerShipments=Latest %s customer shipments
NoRecordedShipments=No recorded customer shipment
+BoxCustomersOutstandingBillReached=Customers with oustanding limit reached
# Pages
AccountancyHome=Сметководство
+ValidatedProjects=Validated projects
diff --git a/htdocs/langs/mk_MK/cashdesk.lang b/htdocs/langs/mk_MK/cashdesk.lang
index 498baa82200..3fef645d99d 100644
--- a/htdocs/langs/mk_MK/cashdesk.lang
+++ b/htdocs/langs/mk_MK/cashdesk.lang
@@ -49,8 +49,8 @@ Footer=Footer
AmountAtEndOfPeriod=Amount at end of period (day, month or year)
TheoricalAmount=Theorical amount
RealAmount=Real amount
-CashFence=Cash fence
-CashFenceDone=Cash fence done for the period
+CashFence=Cash desk closing
+CashFenceDone=Cash desk closing done for the period
NbOfInvoices=Nb of invoices
Paymentnumpad=Type of Pad to enter payment
Numberspad=Numbers Pad
@@ -99,8 +99,9 @@ CashDeskRefNumberingModules=Numbering module for POS sales
CashDeskGenericMaskCodes6 = {TN} tag is used to add the terminal number
TakeposGroupSameProduct=Group same products lines
StartAParallelSale=Start a new parallel sale
-ControlCashOpening=Control cash box at opening POS
-CloseCashFence=Close cash fence
+SaleStartedAt=Sale started at %s
+ControlCashOpening=Control cash popup at opening POS
+CloseCashFence=Close cash desk control
CashReport=Cash report
MainPrinterToUse=Main printer to use
OrderPrinterToUse=Order printer to use
@@ -122,3 +123,4 @@ GiftReceipt=Gift receipt
ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled first
AllowDelayedPayment=Allow delayed payment
PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts
+WeighingScale=Weighing scale
diff --git a/htdocs/langs/mk_MK/categories.lang b/htdocs/langs/mk_MK/categories.lang
index 84e5796763e..52327db3510 100644
--- a/htdocs/langs/mk_MK/categories.lang
+++ b/htdocs/langs/mk_MK/categories.lang
@@ -19,6 +19,7 @@ ProjectsCategoriesArea=Projects tags/categories area
UsersCategoriesArea=Users tags/categories area
SubCats=Sub-categories
CatList=List of tags/categories
+CatListAll=List of tags/categories (all types)
NewCategory=New tag/category
ModifCat=Modify tag/category
CatCreated=Tag/category created
@@ -65,16 +66,22 @@ UsersCategoriesShort=Users tags/categories
StockCategoriesShort=Warehouse tags/categories
ThisCategoryHasNoItems=This category does not contain any items.
CategId=Tag/category id
-CatSupList=List of vendor tags/categories
-CatCusList=List of customer/prospect tags/categories
+ParentCategory=Parent tag/category
+ParentCategoryLabel=Label of parent tag/category
+CatSupList=List of vendors tags/categories
+CatCusList=List of customers/prospects tags/categories
CatProdList=List of products tags/categories
CatMemberList=List of members tags/categories
-CatContactList=List of contact tags/categories
-CatSupLinks=Links between suppliers and tags/categories
+CatContactList=List of contacts tags/categories
+CatProjectsList=List of projects tags/categories
+CatUsersList=List of users tags/categories
+CatSupLinks=Links between vendors and tags/categories
CatCusLinks=Links between customers/prospects and tags/categories
CatContactsLinks=Links between contacts/addresses and tags/categories
CatProdLinks=Links between products/services and tags/categories
-CatProJectLinks=Links between projects and tags/categories
+CatMembersLinks=Links between members and tags/categories
+CatProjectsLinks=Links between projects and tags/categories
+CatUsersLinks=Links between users and tags/categories
DeleteFromCat=Remove from tags/category
ExtraFieldsCategories=Complementary attributes
CategoriesSetup=Tags/categories setup
diff --git a/htdocs/langs/mk_MK/companies.lang b/htdocs/langs/mk_MK/companies.lang
index ca5cbff55f1..2d27d1b69a4 100644
--- a/htdocs/langs/mk_MK/companies.lang
+++ b/htdocs/langs/mk_MK/companies.lang
@@ -358,7 +358,7 @@ VATIntraCheckableOnEUSite=Check the intra-Community VAT ID on the European Commi
VATIntraManualCheck=You can also check manually on the European Commission website %s
ErrorVATCheckMS_UNAVAILABLE=Check not possible. Check service is not provided by the member state (%s).
NorProspectNorCustomer=Not prospect, nor customer
-JuridicalStatus=Legal Entity Type
+JuridicalStatus=Business entity type
Workforce=Workforce
Staff=Вработените
ProspectLevelShort=Potential
diff --git a/htdocs/langs/mk_MK/compta.lang b/htdocs/langs/mk_MK/compta.lang
index 8f4f058bb87..1afeb6e3727 100644
--- a/htdocs/langs/mk_MK/compta.lang
+++ b/htdocs/langs/mk_MK/compta.lang
@@ -111,7 +111,7 @@ Refund=Refund
SocialContributionsPayments=Social/fiscal taxes payments
ShowVatPayment=Show VAT payment
TotalToPay=Total to pay
-BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted ascending on %s and filtered for 1 bank account
+BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted on %s and filtered on 1 bank account (with no other filters)
CustomerAccountancyCode=Customer accounting code
SupplierAccountancyCode=Vendor accounting code
CustomerAccountancyCodeShort=Cust. account. code
@@ -140,7 +140,7 @@ ConfirmDeleteSocialContribution=Are you sure you want to delete this social/fisc
ExportDataset_tax_1=Social and fiscal taxes and payments
CalcModeVATDebt=Mode %sVAT on commitment accounting%s.
CalcModeVATEngagement=Mode %sVAT on incomes-expenses%s.
-CalcModeDebt=Analysis of known recorded invoices even if they are not yet accounted in ledger.
+CalcModeDebt=Analysis of known recorded documents even if they are not yet accounted in ledger.
CalcModeEngagement=Analysis of known recorded payments, even if they are not yet accounted in Ledger.
CalcModeBookkeeping=Analysis of data journalized in Bookkeeping Ledger table.
CalcModeLT1= Mode %sRE on customer invoices - suppliers invoices%s
@@ -154,9 +154,9 @@ AnnualSummaryInputOutputMode=Balance of income and expenses, annual summary
AnnualByCompanies=Balance of income and expenses, by predefined groups of account
AnnualByCompaniesDueDebtMode=Balance of income and expenses, detail by predefined groups, mode %sClaims-Debts%s said Commitment accounting.
AnnualByCompaniesInputOutputMode=Balance of income and expenses, detail by predefined groups, mode %sIncomes-Expenses%s said cash accounting.
-SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation on actual payments made even if they are not yet accounted in Ledger.
-SeeReportInDueDebtMode=See %sanalysis of invoices%s for a calculation based on known recorded invoices even if they are not yet accounted in Ledger.
-SeeReportInBookkeepingMode=See %sBookeeping report%s for a calculation on Bookkeeping Ledger table
+SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation based on recorded payments made even if they are not yet accounted in Ledger
+SeeReportInDueDebtMode=See %sanalysis of recorded documents%s for a calculation based on known recorded documents even if they are not yet accounted in Ledger
+SeeReportInBookkeepingMode=See %sanalysis of bookeeping ledger table%s for a report based on Bookkeeping Ledger table
RulesAmountWithTaxIncluded=- Amounts shown are with all taxes included
RulesResultDue=- It includes outstanding invoices, expenses, VAT, donations whether they are paid or not. Is also includes paid salaries. - It is based on the billing date of invoices and on the due date for expenses or tax payments. For salaries defined with Salary module, the value date of payment is used.
RulesResultInOut=- It includes the real payments made on invoices, expenses, VAT and salaries. - It is based on the payment dates of the invoices, expenses, VAT and salaries. The donation date for donation.
@@ -169,12 +169,15 @@ RulesResultBookkeepingPersonalized=It show record in your Ledger with accounting
SeePageForSetup=See menu %s for setup
DepositsAreNotIncluded=- Down payment invoices are not included
DepositsAreIncluded=- Down payment invoices are included
+LT1ReportByMonth=Tax 2 report by month
+LT2ReportByMonth=Tax 3 report by month
LT1ReportByCustomers=Report tax 2 by third party
LT2ReportByCustomers=Report tax 3 by third party
LT1ReportByCustomersES=Report by third party RE
LT2ReportByCustomersES=Report by third party IRPF
VATReport=Sale tax report
VATReportByPeriods=Sale tax report by period
+VATReportByMonth=Sale tax report by month
VATReportByRates=Sale tax report by rates
VATReportByThirdParties=Sale tax report by third parties
VATReportByCustomers=Sale tax report by customer
diff --git a/htdocs/langs/mk_MK/cron.lang b/htdocs/langs/mk_MK/cron.lang
index a4c2e9ca7de..016dca81e7a 100644
--- a/htdocs/langs/mk_MK/cron.lang
+++ b/htdocs/langs/mk_MK/cron.lang
@@ -6,14 +6,15 @@ Permission23102 = Create/update Scheduled job
Permission23103 = Delete Scheduled job
Permission23104 = Execute Scheduled job
# Admin
-CronSetup= Scheduled job management setup
-URLToLaunchCronJobs=URL to check and launch qualified cron jobs
-OrToLaunchASpecificJob=Or to check and launch a specific job
+CronSetup=Scheduled job management setup
+URLToLaunchCronJobs=URL to check and launch qualified cron jobs from a browser
+OrToLaunchASpecificJob=Or to check and launch a specific job from a browser
KeyForCronAccess=Security key for URL to launch cron jobs
FileToLaunchCronJobs=Command line to check and launch qualified cron jobs
CronExplainHowToRunUnix=On Unix environment you should use the following crontab entry to run the command line each 5 minutes
-CronExplainHowToRunWin=On Microsoft(tm) Windows environement you can use Scheduled task tools to run the command line each 5 minutes
+CronExplainHowToRunWin=On Microsoft(tm) Windows environment you can use Scheduled Task tools to run the command line each 5 minutes
CronMethodDoesNotExists=Class %s does not contains any method %s
+CronMethodNotAllowed=Method %s of class %s is in blacklist of forbidden methods
CronJobDefDesc=Cron job profiles are defined into the module descriptor file. When module is activated, they are loaded and available so you can administer the jobs from the admin tools menu %s.
CronJobProfiles=List of predefined cron job profiles
# Menu
@@ -42,10 +43,11 @@ CronModule=Module
CronNoJobs=No jobs registered
CronPriority=Priority
CronLabel=Label
-CronNbRun=Nb. launch
-CronMaxRun=Max number launch
+CronNbRun=Number of launches
+CronMaxRun=Maximum number of launches
CronEach=Every
JobFinished=Job launched and finished
+Scheduled=Scheduled
#Page card
CronAdd= Add jobs
CronEvery=Execute job each
@@ -56,16 +58,16 @@ CronNote=Comment
CronFieldMandatory=Fields %s is mandatory
CronErrEndDateStartDt=End date cannot be before start date
StatusAtInstall=Status at module installation
-CronStatusActiveBtn=Enable
+CronStatusActiveBtn=Schedule
CronStatusInactiveBtn=Disable
CronTaskInactive=This job is disabled
CronId=Id
CronClassFile=Filename with class
-CronModuleHelp=Name of Dolibarr module directory (also work with external Dolibarr module). For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for module is product
-CronClassFileHelp=The relative path and file name to load (path is relative to web server root directory). For exemple to call the fetch method of Dolibarr Product object htdocs/product/class/product.class.php, the value for class file name is product/class/product.class.php
-CronObjectHelp=The object name to load. For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for class file name is Product
-CronMethodHelp=The object method to launch. For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for method is fetch
-CronArgsHelp=The method arguments. For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for paramters can be 0, ProductRef
+CronModuleHelp=Name of Dolibarr module directory (also work with external Dolibarr module). For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for module is product
+CronClassFileHelp=The relative path and file name to load (path is relative to web server root directory). For example to call the fetch method of Dolibarr Product object htdocs/product/class/product.class.php, the value for class file name is product/class/product.class.php
+CronObjectHelp=The object name to load. For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for class file name is Product
+CronMethodHelp=The object method to launch. For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for method is fetch
+CronArgsHelp=The method arguments. For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for paramters can be 0, ProductRef
CronCommandHelp=The system command line to execute.
CronCreateJob=Create new Scheduled Job
CronFrom=From
@@ -76,8 +78,14 @@ CronType_method=Call method of a PHP Class
CronType_command=Shell command
CronCannotLoadClass=Cannot load class file %s (to use class %s)
CronCannotLoadObject=Class file %s was loaded, but object %s was not found into it
-UseMenuModuleToolsToAddCronJobs=Go into menu "Home - Admin tools - Scheduled jobs" to see and edit scheduled jobs.
+UseMenuModuleToolsToAddCronJobs=Go into menu "Home - Admin tools - Scheduled jobs" to see and edit scheduled jobs.
JobDisabled=Job disabled
MakeLocalDatabaseDumpShort=Local database backup
-MakeLocalDatabaseDump=Create a local database dump. Parameters are: compression ('gz' or 'bz' or 'none'), backup type ('mysql' or 'pgsql'), 1, 'auto' or filename to build, number of backup files to keep
+MakeLocalDatabaseDump=Create a local database dump. Parameters are: compression ('gz' or 'bz' or 'none'), backup type ('mysql', 'pgsql', 'auto'), 1, 'auto' or filename to build, number of backup files to keep
WarningCronDelayed=Attention, for performance purpose, whatever is next date of execution of enabled jobs, your jobs may be delayed to a maximum of %s hours, before being run.
+DATAPOLICYJob=Data cleaner and anonymizer
+JobXMustBeEnabled=Job %s must be enabled
+# Cron Boxes
+LastExecutedScheduledJob=Last executed scheduled job
+NextScheduledJobExecute=Next scheduled job to execute
+NumberScheduledJobError=Number of scheduled jobs in error
diff --git a/htdocs/langs/mk_MK/errors.lang b/htdocs/langs/mk_MK/errors.lang
index 893f4a35b65..5b26be724d9 100644
--- a/htdocs/langs/mk_MK/errors.lang
+++ b/htdocs/langs/mk_MK/errors.lang
@@ -5,8 +5,10 @@ NoErrorCommitIsDone=No error, we commit
# Errors
ErrorButCommitIsDone=Errors found but we validate despite this
ErrorBadEMail=Email %s is wrong
+ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record)
ErrorBadUrl=Url %s is wrong
ErrorBadValueForParamNotAString=Bad value for your parameter. It appends generally when translation is missing.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorLoginAlreadyExists=Login %s already exists.
ErrorGroupAlreadyExists=Group %s already exists.
ErrorRecordNotFound=Record not found.
@@ -48,6 +50,7 @@ ErrorFieldsRequired=Some required fields were not filled.
ErrorSubjectIsRequired=The email topic is required
ErrorFailedToCreateDir=Failed to create a directory. Check that Web server user has permissions to write into Dolibarr documents directory. If parameter safe_mode is enabled on this PHP, check that Dolibarr php files owns to web server user (or group).
ErrorNoMailDefinedForThisUser=No mail defined for this user
+ErrorSetupOfEmailsNotComplete=Setup of emails is not complete
ErrorFeatureNeedJavascript=This feature need javascript to be activated to work. Change this in setup - display.
ErrorTopMenuMustHaveAParentWithId0=A menu of type 'Top' can't have a parent menu. Put 0 in parent menu or choose a menu of type 'Left'.
ErrorLeftMenuMustHaveAParentId=A menu of type 'Left' must have a parent id.
@@ -75,7 +78,7 @@ ErrorExportDuplicateProfil=This profile name already exists for this export set.
ErrorLDAPSetupNotComplete=Dolibarr-LDAP matching is not complete.
ErrorLDAPMakeManualTest=A .ldif file has been generated in directory %s. Try to load it manually from command line to have more information on errors.
ErrorCantSaveADoneUserWithZeroPercentage=Can't save an action with "status not started" if field "done by" is also filled.
-ErrorRefAlreadyExists=Ref used for creation already exists.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorPleaseTypeBankTransactionReportName=Please enter the bank statement name where the entry has to be reported (Format YYYYMM or YYYYMMDD)
ErrorRecordHasChildren=Failed to delete record since it has some child records.
ErrorRecordHasAtLeastOneChildOfType=Object has at least one child of type %s
@@ -216,7 +219,7 @@ ErrorChooseBetweenFreeEntryOrPredefinedProduct=You must choose if article is a p
ErrorDiscountLargerThanRemainToPaySplitItBefore=The discount you try to apply is larger than remain to pay. Split the discount in 2 smaller discounts before.
ErrorFileNotFoundWithSharedLink=File was not found. May be the share key was modified or file was removed recently.
ErrorProductBarCodeAlreadyExists=The product barcode %s already exists on another product reference.
-ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using virtual product to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number.
+ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using kits to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number.
ErrorDescRequiredForFreeProductLines=Description is mandatory for lines with free product
ErrorAPageWithThisNameOrAliasAlreadyExists=The page/container %s has the same name or alternative alias that the one your try to use
ErrorDuringChartLoad=Error when loading chart of accounts. If few accounts were not loaded, you can still enter them manually.
@@ -243,6 +246,16 @@ ErrorReplaceStringEmpty=Error, the string to replace into is empty
ErrorProductNeedBatchNumber=Error, product '%s' need a lot/serial number
ErrorProductDoesNotNeedBatchNumber=Error, product '%s' does not accept a lot/serial number
ErrorFailedToReadObject=Error, failed to read object of type %s
+ErrorParameterMustBeEnabledToAllwoThisFeature=Error, parameter %s must be enabled into conf/conf.php to allow use of Command Line Interface by the internal job scheduler
+ErrorLoginDateValidity=Error, this login is outside the validity date range
+ErrorValueLength=Length of field '%s' must be higher than '%s'
+ErrorReservedKeyword=The word '%s' is a reserved keyword
+ErrorNotAvailableWithThisDistribution=Not available with this distribution
+ErrorPublicInterfaceNotEnabled=Public interface was not enabled
+ErrorLanguageRequiredIfPageIsTranslationOfAnother=The language of new page must be defined if it is set as a translation of another page
+ErrorLanguageMustNotBeSourceLanguageIfPageIsTranslationOfAnother=The language of new page must not be the source language if it is set as a translation of another page
+ErrorAParameterIsRequiredForThisOperation=A parameter is mandatory for this operation
+
# Warnings
WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup.
WarningPasswordSetWithNoAccount=A password was set for this member. However, no user account was created. So this password is stored but can't be used to login to Dolibarr. It may be used by an external module/interface but if you don't need to define any login nor password for a member, you can disable option "Manage a login for each member" from Member module setup. If you need to manage a login but don't need any password, you can keep this field empty to avoid this warning. Note: Email can also be used as a login if the member is linked to a user.
@@ -267,6 +280,10 @@ WarningYourLoginWasModifiedPleaseLogin=Your login was modified. For security pur
WarningAnEntryAlreadyExistForTransKey=An entry already exists for the translation key for this language
WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different recipient is limited to %s when using the mass actions on lists
WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report
+WarningProjectDraft=Project is still in draft mode. Don't forget to validate it if you plan to use tasks.
WarningProjectClosed=Project is closed. You must re-open it first.
WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list.
-WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table
+WarningFailedToAddFileIntoDatabaseIndex=Warning, failed to add file entry into ECM database index table
+WarningTheHiddenOptionIsOn=Warning, the hidden option %s is on.
+WarningCreateSubAccounts=Warning, you can't create directly a sub account, you must create a third party or an user and assign them an accounting code to find them in this list
+WarningAvailableOnlyForHTTPSServers=Available only if using HTTPS secured connection.
diff --git a/htdocs/langs/mk_MK/exports.lang b/htdocs/langs/mk_MK/exports.lang
index 2dcf4317e00..a0eb7161ef2 100644
--- a/htdocs/langs/mk_MK/exports.lang
+++ b/htdocs/langs/mk_MK/exports.lang
@@ -26,6 +26,8 @@ FieldTitle=Field title
NowClickToGenerateToBuildExportFile=Now, select the file format in the combo box and click on "Generate" to build the export file...
AvailableFormats=Available Formats
LibraryShort=Library
+ExportCsvSeparator=Csv caracter separator
+ImportCsvSeparator=Csv caracter separator
Step=Step
FormatedImport=Import Assistant
FormatedImportDesc1=This module allows you to update existing data or add new objects into the database from a file without technical knowledge, using an assistant.
@@ -131,3 +133,4 @@ KeysToUseForUpdates=Key (column) to use for updating existing data
NbInsert=Number of inserted lines: %s
NbUpdate=Number of updated lines: %s
MultipleRecordFoundWithTheseFilters=Multiple records have been found with these filters: %s
+StocksWithBatch=Stocks and location (warehouse) of products with batch/serial number
diff --git a/htdocs/langs/mk_MK/mails.lang b/htdocs/langs/mk_MK/mails.lang
index 4d668952b76..0837df31830 100644
--- a/htdocs/langs/mk_MK/mails.lang
+++ b/htdocs/langs/mk_MK/mails.lang
@@ -92,6 +92,7 @@ MailingModuleDescEmailsFromUser=Emails input by user
MailingModuleDescDolibarrUsers=Users with Emails
MailingModuleDescThirdPartiesByCategories=Third parties (by categories)
SendingFromWebInterfaceIsNotAllowed=Sending from web interface is not allowed.
+EmailCollectorFilterDesc=All filters must match to have an email being collected
# Libelle des modules de liste de destinataires mailing
LineInFile=Line %s in file
@@ -125,12 +126,13 @@ TagMailtoEmail=Recipient Email (including html "mailto:" link)
NoEmailSentBadSenderOrRecipientEmail=No email sent. Bad sender or recipient email. Verify user profile.
# Module Notifications
Notifications=Notifications
-NoNotificationsWillBeSent=No email notifications are planned for this event and company
-ANotificationsWillBeSent=1 notification will be sent by email
-SomeNotificationsWillBeSent=%s notifications will be sent by email
-AddNewNotification=Activate a new email notification target/event
-ListOfActiveNotifications=List all active targets/events for email notification
-ListOfNotificationsDone=List all email notifications sent
+NotificationsAuto=Notifications Auto.
+NoNotificationsWillBeSent=No automatic email notifications are planned for this event type and company
+ANotificationsWillBeSent=1 automatic notification will be sent by email
+SomeNotificationsWillBeSent=%s automatic notifications will be sent by email
+AddNewNotification=Subscribe to a new automatic email notification (target/event)
+ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification
+ListOfNotificationsDone=List all automatic email notifications sent
MailSendSetupIs=Configuration of email sending has been setup to '%s'. This mode can't be used to send mass emailing.
MailSendSetupIs2=You must first go, with an admin account, into menu %sHome - Setup - EMails%s to change parameter '%s' to use mode '%s'. With this mode, you can enter setup of the SMTP server provided by your Internet Service Provider and use Mass emailing feature.
MailSendSetupIs3=If you have any questions on how to setup your SMTP server, you can ask to %s.
@@ -140,7 +142,7 @@ UseFormatFileEmailToTarget=Imported file must have format email;name;fir
UseFormatInputEmailToTarget=Enter a string with format email;name;firstname;other
MailAdvTargetRecipients=Recipients (advanced selection)
AdvTgtTitle=Fill input fields to preselect the third parties or contacts/addresses to target
-AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima% will target all jean, joe, start with jim but not jimo and not everything that starts with jima
+AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima%% will target all jean, joe, start with jim but not jimo and not everything that starts with jima
AdvTgtSearchIntHelp=Use interval to select int or float value
AdvTgtMinVal=Minimum value
AdvTgtMaxVal=Maximum value
@@ -162,13 +164,14 @@ AdvTgtCreateFilter=Create filter
AdvTgtOrCreateNewFilter=Name of new filter
NoContactWithCategoryFound=No contact/address with a category found
NoContactLinkedToThirdpartieWithCategoryFound=No contact/address with a category found
-OutGoingEmailSetup=Outgoing email setup
-InGoingEmailSetup=Incoming email setup
-OutGoingEmailSetupForEmailing=Outgoing email setup (for module %s)
-DefaultOutgoingEmailSetup=Default outgoing email setup
+OutGoingEmailSetup=Outgoing emails
+InGoingEmailSetup=Incoming emails
+OutGoingEmailSetupForEmailing=Outgoing emails (for module %s)
+DefaultOutgoingEmailSetup=Same configuration than the global Outgoing email setup
Information=Information
ContactsWithThirdpartyFilter=Contacts with third-party filter
Unanswered=Unanswered
Answered=Answered
IsNotAnAnswer=Is not answer (initial email)
IsAnAnswer=Is an answer of an initial email
+RecordCreatedByEmailCollector=Record created by the Email Collector %s from email %s
diff --git a/htdocs/langs/mk_MK/main.lang b/htdocs/langs/mk_MK/main.lang
index 12eb210b51c..b8dd26ca1e1 100644
--- a/htdocs/langs/mk_MK/main.lang
+++ b/htdocs/langs/mk_MK/main.lang
@@ -28,7 +28,9 @@ NoTemplateDefined=No template available for this email type
AvailableVariables=Available substitution variables
NoTranslation=No translation
Translation=Translation
+CurrentTimeZone=TimeZone PHP (server)
EmptySearchString=Enter non empty search criterias
+EnterADateCriteria=Enter a date criteria
NoRecordFound=No record found
NoRecordDeleted=No record deleted
NotEnoughDataYet=Not enough data
@@ -85,6 +87,8 @@ FileWasNotUploaded=A file is selected for attachment but was not yet uploaded. C
NbOfEntries=No. of entries
GoToWikiHelpPage=Read online help (Internet access needed)
GoToHelpPage=Read help
+DedicatedPageAvailable=There is a dedicated help page related to your current screen
+HomePage=Home Page
RecordSaved=Record saved
RecordDeleted=Record deleted
RecordGenerated=Record generated
@@ -433,6 +437,7 @@ RemainToPay=Remain to pay
Module=Module/Application
Modules=Modules/Applications
Option=Option
+Filters=Filters
List=List
FullList=Full list
FullConversation=Full conversation
@@ -671,7 +676,7 @@ SendMail=Send email
Email=Email
NoEMail=No email
AlreadyRead=Already read
-NotRead=Not read
+NotRead=Unread
NoMobilePhone=No mobile phone
Owner=Сопственик
FollowingConstantsWillBeSubstituted=The following constants will be replaced with the corresponding value.
@@ -1107,3 +1112,8 @@ UpToDate=Up-to-date
OutOfDate=Out-of-date
EventReminder=Event Reminder
UpdateForAllLines=Update for all lines
+OnHold=On hold
+AffectTag=Affect Tag
+ConfirmAffectTag=Bulk Tag Affect
+ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected record(s)?
+CategTypeNotFound=No tag type found for type of records
diff --git a/htdocs/langs/mk_MK/modulebuilder.lang b/htdocs/langs/mk_MK/modulebuilder.lang
index 460aef8103b..845dd12624d 100644
--- a/htdocs/langs/mk_MK/modulebuilder.lang
+++ b/htdocs/langs/mk_MK/modulebuilder.lang
@@ -40,6 +40,7 @@ PageForCreateEditView=PHP page to create/edit/view a record
PageForAgendaTab=PHP page for event tab
PageForDocumentTab=PHP page for document tab
PageForNoteTab=PHP page for note tab
+PageForContactTab=PHP page for contact tab
PathToModulePackage=Path to zip of module/application package
PathToModuleDocumentation=Path to file of module/application documentation (%s)
SpaceOrSpecialCharAreNotAllowed=Spaces or special characters are not allowed.
@@ -77,7 +78,7 @@ IsAMeasure=Is a measure
DirScanned=Directory scanned
NoTrigger=No trigger
NoWidget=No widget
-GoToApiExplorer=Go to API explorer
+GoToApiExplorer=API explorer
ListOfMenusEntries=List of menu entries
ListOfDictionariesEntries=List of dictionaries entries
ListOfPermissionsDefined=List of defined permissions
@@ -105,7 +106,7 @@ TryToUseTheModuleBuilder=If you have knowledge of SQL and PHP, you may use the n
SeeTopRightMenu=See on the top right menu
AddLanguageFile=Add language file
YouCanUseTranslationKey=You can use here a key that is the translation key found into language file (see tab "Languages")
-DropTableIfEmpty=(Delete table if empty)
+DropTableIfEmpty=(Destroy table if empty)
TableDoesNotExists=The table %s does not exists
TableDropped=Table %s deleted
InitStructureFromExistingTable=Build the structure array string of an existing table
@@ -126,7 +127,6 @@ UseSpecificEditorURL = Use a specific editor URL
UseSpecificFamily = Use a specific family
UseSpecificAuthor = Use a specific author
UseSpecificVersion = Use a specific initial version
-ModuleMustBeEnabled=The module/application must be enabled first
IncludeRefGeneration=The reference of object must be generated automatically
IncludeRefGenerationHelp=Check this if you want to include code to manage the generation automatically of the reference
IncludeDocGeneration=I want to generate some documents from the object
@@ -140,3 +140,4 @@ TypeOfFieldsHelp=Type of fields: varchar(99), double(24,8), real, text, html,
AsciiToHtmlConverter=Ascii to HTML converter
AsciiToPdfConverter=Ascii to PDF converter
TableNotEmptyDropCanceled=Table not empty. Drop has been canceled.
+ModuleBuilderNotAllowed=The module builder is available but not allowed to your user.
diff --git a/htdocs/langs/mk_MK/other.lang b/htdocs/langs/mk_MK/other.lang
index 54c0572d453..0a7b3723ab1 100644
--- a/htdocs/langs/mk_MK/other.lang
+++ b/htdocs/langs/mk_MK/other.lang
@@ -5,8 +5,6 @@ Tools=Tools
TMenuTools=Tools
ToolsDesc=All tools not included in other menu entries are grouped here. All the tools can be accessed via the left menu.
Birthday=Birthday
-BirthdayDate=Birthday date
-DateToBirth=Birth date
BirthdayAlertOn=birthday alert active
BirthdayAlertOff=birthday alert inactive
TransKey=Translation of the key TransKey
@@ -16,6 +14,8 @@ PreviousMonthOfInvoice=Previous month (number 1-12) of invoice date
TextPreviousMonthOfInvoice=Previous month (text) of invoice date
NextMonthOfInvoice=Following month (number 1-12) of invoice date
TextNextMonthOfInvoice=Following month (text) of invoice date
+PreviousMonth=Previous month
+CurrentMonth=Current month
ZipFileGeneratedInto=Zip file generated into %s.
DocFileGeneratedInto=Doc file generated into %s.
JumpToLogin=Disconnected. Go to login page...
@@ -99,6 +99,7 @@ PredefinedMailContentSendShipping=__(Hello)__\n\nPlease find shipping __REF__ at
PredefinedMailContentSendFichInter=__(Hello)__\n\nPlease find intervention __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.\n\n%s\n\n
PredefinedMailContentGeneric=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
+PredefinedMailContentSendActionComm=Event reminder "__EVENT_LABEL__" on __EVENT_DATE__ at __EVENT_TIME__
This is an automatic message, please do not reply.
DemoDesc=Dolibarr is a compact ERP/CRM supporting several business modules. A demo showcasing all modules makes no sense as this scenario never occurs (several hundred available). So, several demo profiles are available.
ChooseYourDemoProfil=Choose the demo profile that best suits your needs...
ChooseYourDemoProfilMore=...or build your own profile (manual module selection)
@@ -137,7 +138,7 @@ Right=Right
CalculatedWeight=Calculated weight
CalculatedVolume=Calculated volume
Weight=Weight
-WeightUnitton=tonne
+WeightUnitton=ton
WeightUnitkg=kg
WeightUnitg=g
WeightUnitmg=mg
@@ -258,6 +259,7 @@ ContactCreatedByEmailCollector=Contact/address created by email collector from e
ProjectCreatedByEmailCollector=Project created by email collector from email MSGID %s
TicketCreatedByEmailCollector=Ticket created by email collector from email MSGID %s
OpeningHoursFormatDesc=Use a - to separate opening and closing hours. Use a space to enter different ranges. Example: 8-12 14-18
+PrefixSession=Prefix for session ID
##### Export #####
ExportsArea=Exports area
diff --git a/htdocs/langs/mk_MK/products.lang b/htdocs/langs/mk_MK/products.lang
index bf555405861..d2cfb308e8f 100644
--- a/htdocs/langs/mk_MK/products.lang
+++ b/htdocs/langs/mk_MK/products.lang
@@ -108,7 +108,8 @@ FillWithLastServiceDates=Fill with last service line dates
MultiPricesAbility=Multiple price segments per product/service (each customer is in one price segment)
MultiPricesNumPrices=Number of prices
DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices
-AssociatedProductsAbility=Activate kits (virtual products)
+AssociatedProductsAbility=Enable Kits (set of other products)
+VariantsAbility=Enable Variants (variations of products, for example color, size)
AssociatedProducts=Kits
AssociatedProductsNumber=Number of products composing this kit
ParentProductsNumber=Number of parent packaging product
@@ -167,8 +168,10 @@ BuyingPrices=Buying prices
CustomerPrices=Customer prices
SuppliersPrices=Vendor prices
SuppliersPricesOfProductsOrServices=Vendor prices (of products or services)
-CustomCode=Customs / Commodity / HS code
+CustomCode=Customs|Commodity|HS code
CountryOrigin=Origin country
+RegionStateOrigin=Region origin
+StateOrigin=State|Province origin
Nature=Nature of product (material/finished)
NatureOfProductShort=Nature of product
NatureOfProductDesc=Raw material or finished product
@@ -239,7 +242,7 @@ AlwaysUseFixedPrice=Use the fixed price
PriceByQuantity=Different prices by quantity
DisablePriceByQty=Disable prices by quantity
PriceByQuantityRange=Quantity range
-MultipriceRules=Price segment rules
+MultipriceRules=Automatic prices for segment
UseMultipriceRules=Use price segment rules (defined into product module setup) to auto calculate prices of all other segments according to first segment
PercentVariationOver=%% variation over %s
PercentDiscountOver=%% discount over %s
diff --git a/htdocs/langs/mk_MK/recruitment.lang b/htdocs/langs/mk_MK/recruitment.lang
index 85e1d55300b..c8838fc60b3 100644
--- a/htdocs/langs/mk_MK/recruitment.lang
+++ b/htdocs/langs/mk_MK/recruitment.lang
@@ -73,3 +73,4 @@ JobClosedTextCandidateFound=The job position is closed. The position has been fi
JobClosedTextCanceled=The job position is closed.
ExtrafieldsJobPosition=Complementary attributes (job positions)
ExtrafieldsCandidatures=Complementary attributes (job applications)
+MakeOffer=Make an offer
diff --git a/htdocs/langs/mk_MK/sendings.lang b/htdocs/langs/mk_MK/sendings.lang
index 4f7e1453e7f..e21b52f73f1 100644
--- a/htdocs/langs/mk_MK/sendings.lang
+++ b/htdocs/langs/mk_MK/sendings.lang
@@ -30,6 +30,7 @@ OtherSendingsForSameOrder=Other shipments for this order
SendingsAndReceivingForSameOrder=Shipments and receipts for this order
SendingsToValidate=Shipments to validate
StatusSendingCanceled=Canceled
+StatusSendingCanceledShort=Canceled
StatusSendingDraft=Draft
StatusSendingValidated=Validated (products to ship or already shipped)
StatusSendingProcessed=Processed
@@ -65,6 +66,7 @@ ValidateOrderFirstBeforeShipment=You must first validate the order before being
# Sending methods
# ModelDocument
DocumentModelTyphon=More complete document model for delivery receipts (logo...)
+DocumentModelStorm=More complete document model for delivery receipts and extrafields compatibility (logo...)
Error_EXPEDITION_ADDON_NUMBER_NotDefined=Constant EXPEDITION_ADDON_NUMBER not defined
SumOfProductVolumes=Sum of product volumes
SumOfProductWeights=Sum of product weights
diff --git a/htdocs/langs/mk_MK/stocks.lang b/htdocs/langs/mk_MK/stocks.lang
index 1de1066fb67..d709d74ae88 100644
--- a/htdocs/langs/mk_MK/stocks.lang
+++ b/htdocs/langs/mk_MK/stocks.lang
@@ -240,3 +240,4 @@ InventoryRealQtyHelp=Set value to 0 to reset qty Keep field empty, or remove
UpdateByScaning=Update by scaning
UpdateByScaningProductBarcode=Update by scan (product barcode)
UpdateByScaningLot=Update by scan (lot|serial barcode)
+DisableStockChangeOfSubProduct=Deactivate the stock change for all the subproducts of this Kit during this movement.
diff --git a/htdocs/langs/mk_MK/ticket.lang b/htdocs/langs/mk_MK/ticket.lang
index 1353f492ef1..8b74414e186 100644
--- a/htdocs/langs/mk_MK/ticket.lang
+++ b/htdocs/langs/mk_MK/ticket.lang
@@ -31,10 +31,8 @@ TicketDictType=Ticket - Types
TicketDictCategory=Ticket - Groupes
TicketDictSeverity=Ticket - Severities
TicketDictResolution=Ticket - Resolution
-TicketTypeShortBUGSOFT=Dysfonctionnement logiciel
-TicketTypeShortBUGHARD=Dysfonctionnement matériel
-TicketTypeShortCOM=Commercial question
+TicketTypeShortCOM=Commercial question
TicketTypeShortHELP=Request for functionnal help
TicketTypeShortISSUE=Issue, bug or problem
TicketTypeShortREQUEST=Change or enhancement request
@@ -44,7 +42,7 @@ TicketTypeShortOTHER=Other
TicketSeverityShortLOW=Low
TicketSeverityShortNORMAL=Normal
TicketSeverityShortHIGH=High
-TicketSeverityShortBLOCKING=Critical/Blocking
+TicketSeverityShortBLOCKING=Critical, Blocking
ErrorBadEmailAddress=Field '%s' incorrect
MenuTicketMyAssign=My tickets
@@ -60,7 +58,6 @@ OriginEmail=Email source
Notify_TICKET_SENTBYMAIL=Send ticket message by email
# Status
-NotRead=Not read
Read=Read
Assigned=Assigned
InProgress=In progress
@@ -126,6 +123,7 @@ TicketsActivatePublicInterfaceHelp=Public interface allow any visitors to create
TicketsAutoAssignTicket=Automatically assign the user who created the ticket
TicketsAutoAssignTicketHelp=When creating a ticket, the user can be automatically assigned to the ticket.
TicketNumberingModules=Tickets numbering module
+TicketsModelModule=Document templates for tickets
TicketNotifyTiersAtCreation=Notify third party at creation
TicketsDisableCustomerEmail=Always disable emails when a ticket is created from public interface
TicketsPublicNotificationNewMessage=Send email(s) when a new message is added
@@ -233,7 +231,6 @@ TicketLogStatusChanged=Status changed: %s to %s
TicketNotNotifyTiersAtCreate=Not notify company at create
Unread=Unread
TicketNotCreatedFromPublicInterface=Not available. Ticket was not created from public interface.
-PublicInterfaceNotEnabled=Public interface was not enabled
ErrorTicketRefRequired=Ticket reference name is required
#
diff --git a/htdocs/langs/mk_MK/website.lang b/htdocs/langs/mk_MK/website.lang
index 03e042e4be6..f17def114b8 100644
--- a/htdocs/langs/mk_MK/website.lang
+++ b/htdocs/langs/mk_MK/website.lang
@@ -30,7 +30,6 @@ EditInLine=Edit inline
AddWebsite=Add website
Webpage=Web page/container
AddPage=Add page/container
-HomePage=Home Page
PageContainer=Page
PreviewOfSiteNotYetAvailable=Preview of your website %s not yet available. You must first 'Import a full website template' or just 'Add a page/container'.
RequestedPageHasNoContentYet=Requested page with id %s has no content yet, or cache file .tpl.php was removed. Edit content of the page to solve this.
@@ -101,7 +100,7 @@ EmptyPage=Empty page
ExternalURLMustStartWithHttp=External URL must start with http:// or https://
ZipOfWebsitePackageToImport=Upload the Zip file of the website template package
ZipOfWebsitePackageToLoad=or Choose an available embedded website template package
-ShowSubcontainers=Include dynamic content
+ShowSubcontainers=Show dynamic content
InternalURLOfPage=Internal URL of page
ThisPageIsTranslationOf=This page/container is a translation of
ThisPageHasTranslationPages=This page/container has translation
@@ -137,3 +136,4 @@ RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using
PagesRegenerated=%s page(s)/container(s) regenerated
RegenerateWebsiteContent=Regenerate web site cache files
AllowedInFrames=Allowed in Frames
+DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languages into web site properties.
diff --git a/htdocs/langs/mk_MK/withdrawals.lang b/htdocs/langs/mk_MK/withdrawals.lang
index 114a8d9dd6c..e3bec6f9cb8 100644
--- a/htdocs/langs/mk_MK/withdrawals.lang
+++ b/htdocs/langs/mk_MK/withdrawals.lang
@@ -42,6 +42,7 @@ LastWithdrawalReceipt=Latest %s direct debit receipts
MakeWithdrawRequest=Make a direct debit payment request
MakeBankTransferOrder=Make a credit transfer request
WithdrawRequestsDone=%s direct debit payment requests recorded
+BankTransferRequestsDone=%s credit transfer requests recorded
ThirdPartyBankCode=Third-party bank code
NoInvoiceCouldBeWithdrawed=No invoice debited successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s.
ClassCredited=Classify credited
@@ -131,7 +132,8 @@ SEPARCUR=SEPA CUR
SEPAFRST=SEPA FRST
ExecutionDate=Execution date
CreateForSepa=Create direct debit file
-ICS=Creditor Identifier CI
+ICS=Creditor Identifier CI for direct debit
+ICSTransfer=Creditor Identifier CI for bank transfer
END_TO_END="EndToEndId" SEPA XML tag - Unique id assigned per transaction
USTRD="Unstructured" SEPA XML tag
ADDDAYS=Add days to Execution Date
@@ -146,3 +148,4 @@ InfoRejectSubject=Direct debit payment order refused
InfoRejectMessage=Hello,
the direct debit payment order of invoice %s related to the company %s, with an amount of %s has been refused by the bank.
-- %s
ModeWarning=Option for real mode was not set, we stop after this simulation
ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know wich one to use.
+ErrorICSmissing=Missing ICS in Bank account %s
diff --git a/htdocs/langs/mn_MN/accountancy.lang b/htdocs/langs/mn_MN/accountancy.lang
index 3211a0b62df..33ba4d9fea7 100644
--- a/htdocs/langs/mn_MN/accountancy.lang
+++ b/htdocs/langs/mn_MN/accountancy.lang
@@ -48,6 +48,7 @@ CountriesExceptMe=All countries except %s
AccountantFiles=Export source documents
ExportAccountingSourceDocHelp=With this tool, you can export the source events (list and PDFs) that were used to generate your accountancy. To export your journals, use the menu entry %s - %s.
VueByAccountAccounting=View by accounting account
+VueBySubAccountAccounting=View by accounting subaccount
MainAccountForCustomersNotDefined=Main accounting account for customers not defined in setup
MainAccountForSuppliersNotDefined=Main accounting account for vendors not defined in setup
@@ -144,7 +145,7 @@ NotVentilatedinAccount=Not bound to the accounting account
XLineSuccessfullyBinded=%s products/services successfully bound to an accounting account
XLineFailedToBeBinded=%s products/services were not bound to any accounting account
-ACCOUNTING_LIMIT_LIST_VENTILATION=Number of elements to bind shown by page (maximum recommended: 50)
+ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50)
ACCOUNTING_LIST_SORT_VENTILATION_TODO=Begin the sorting of the page "Binding to do" by the most recent elements
ACCOUNTING_LIST_SORT_VENTILATION_DONE=Begin the sorting of the page "Binding done" by the most recent elements
@@ -198,7 +199,8 @@ Docdate=Date
Docref=Reference
LabelAccount=Label account
LabelOperation=Label operation
-Sens=Sens
+Sens=Direction
+AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received For an accounting account of a supplier, use Debit to record a payment you make
LetteringCode=Lettering code
Lettering=Lettering
Codejournal=Journal
@@ -206,7 +208,8 @@ JournalLabel=Journal label
NumPiece=Piece number
TransactionNumShort=Num. transaction
AccountingCategory=Personalized groups
-GroupByAccountAccounting=Group by accounting account
+GroupByAccountAccounting=Group by general ledger account
+GroupBySubAccountAccounting=Group by subledger account
AccountingAccountGroupsDesc=You can define here some groups of accounting account. They will be used for personalized accounting reports.
ByAccounts=By accounts
ByPredefinedAccountGroups=By predefined groups
@@ -248,7 +251,7 @@ PaymentsNotLinkedToProduct=Payment not linked to any product / service
OpeningBalance=Opening balance
ShowOpeningBalance=Show opening balance
HideOpeningBalance=Hide opening balance
-ShowSubtotalByGroup=Show subtotal by group
+ShowSubtotalByGroup=Show subtotal by level
Pcgtype=Group of account
PcgtypeDesc=Group of account are used as predefined 'filter' and 'grouping' criteria for some accounting reports. For example, 'INCOME' or 'EXPENSE' are used as groups for accounting accounts of products to build the expense/income report.
@@ -271,11 +274,13 @@ DescVentilExpenseReport=Consult here the list of expense report lines bound (or
DescVentilExpenseReportMore=If you setup accounting account on type of expense report lines, the application will be able to make all the binding between your expense report lines and the accounting account of your chart of accounts, just in one click with the button "%s". If account was not set on fees dictionary or if you still have some lines not bound to any account, you will have to make a manual binding from the menu "%s".
DescVentilDoneExpenseReport=Consult here the list of the lines of expenses reports and their fees accounting account
+Closure=Annual closure
DescClosure=Consult here the number of movements by month who are not validated & fiscal years already open
OverviewOfMovementsNotValidated=Step 1/ Overview of movements not validated. (Necessary to close a fiscal year)
+AllMovementsWereRecordedAsValidated=All movements were recorded as validated
+NotAllMovementsCouldBeRecordedAsValidated=Not all movements could be recorded as validated
ValidateMovements=Validate movements
DescValidateMovements=Any modification or deletion of writing, lettering and deletes will be prohibited. All entries for an exercise must be validated otherwise closing will not be possible
-SelectMonthAndValidate=Select month and validate movements
ValidateHistory=Bind Automatically
AutomaticBindingDone=Automatic binding done
@@ -293,6 +298,7 @@ Accounted=Accounted in ledger
NotYetAccounted=Not yet accounted in ledger
ShowTutorial=Show Tutorial
NotReconciled=Not reconciled
+WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view
## Admin
BindingOptions=Binding options
@@ -337,6 +343,7 @@ Modelcsv_LDCompta10=Export for LD Compta (v10 & higher)
Modelcsv_openconcerto=Export for OpenConcerto (Test)
Modelcsv_configurable=Export CSV Configurable
Modelcsv_FEC=Export FEC
+Modelcsv_FEC2=Export FEC (With dates generation writing / document reversed)
Modelcsv_Sage50_Swiss=Export for Sage 50 Switzerland
Modelcsv_winfic=Export Winfic - eWinfic - WinSis Compta
Modelcsv_Gestinumv3=Export for Gestinum (v3)
diff --git a/htdocs/langs/mn_MN/admin.lang b/htdocs/langs/mn_MN/admin.lang
index f1c41a3b62b..189b0b5186a 100644
--- a/htdocs/langs/mn_MN/admin.lang
+++ b/htdocs/langs/mn_MN/admin.lang
@@ -56,6 +56,8 @@ GUISetup=Display
SetupArea=Setup
UploadNewTemplate=Upload new template(s)
FormToTestFileUploadForm=Form to test file upload (according to setup)
+ModuleMustBeEnabled=The module/application %s must be enabled
+ModuleIsEnabled=The module/application %s has been enabled
IfModuleEnabled=Note: yes is effective only if module %s is enabled
RemoveLock=Remove/rename file %s if it exists, to allow usage of the Update/Install tool.
RestoreLock=Restore file %s, with read permission only, to disable any further use of the Update/Install tool.
@@ -85,7 +87,6 @@ ShowPreview=Show preview
ShowHideDetails=Show-Hide details
PreviewNotAvailable=Preview not available
ThemeCurrentlyActive=Theme currently active
-CurrentTimeZone=TimeZone PHP (server)
MySQLTimeZone=TimeZone MySql (database)
TZHasNoEffect=Dates are stored and returned by database server as if they were kept as submitted string. The timezone has effect only when using the UNIX_TIMESTAMP function (that should not be used by Dolibarr, so database TZ should have no effect, even if changed after data was entered).
Space=Space
@@ -153,8 +154,8 @@ SystemToolsAreaDesc=This area provides administration functions. Use the menu to
Purge=Purge
PurgeAreaDesc=This page allows you to delete all files generated or stored by Dolibarr (temporary files or all files in %s directory). Using this feature is not normally necessary. It is provided as a workaround for users whose Dolibarr is hosted by a provider that does not offer permissions to delete files generated by the web server.
PurgeDeleteLogFile=Delete log files, including %s defined for Syslog module (no risk of losing data)
-PurgeDeleteTemporaryFiles=Delete all temporary files (no risk of losing data). Note: Deletion is done only if the temp directory was created 24 hours ago.
-PurgeDeleteTemporaryFilesShort=Delete temporary files
+PurgeDeleteTemporaryFiles=Delete all log and temporary files (no risk of losing data). Note: Deletion of temporary files is done only if the temp directory was created more than 24 hours ago.
+PurgeDeleteTemporaryFilesShort=Delete log and temporary files
PurgeDeleteAllFilesInDocumentsDir=Delete all files in directory: %s. This will delete all generated documents related to elements (third parties, invoices etc...), files uploaded into the ECM module, database backup dumps and temporary files.
PurgeRunNow=Purge now
PurgeNothingToDelete=No directory or files to delete.
@@ -256,6 +257,7 @@ ReferencedPreferredPartners=Preferred Partners
OtherResources=Other resources
ExternalResources=External Resources
SocialNetworks=Social Networks
+SocialNetworkId=Social Network ID
ForDocumentationSeeWiki=For user or developer documentation (Doc, FAQs...), take a look at the Dolibarr Wiki: %s
ForAnswersSeeForum=For any other questions/help, you can use the Dolibarr forum: %s
HelpCenterDesc1=Here are some resources for getting help and support with Dolibarr.
@@ -375,7 +377,7 @@ ExamplesWithCurrentSetup=Examples with current configuration
ListOfDirectories=List of OpenDocument templates directories
ListOfDirectoriesForModelGenODT=List of directories containing templates files with OpenDocument format.
Put here full path of directories. Add a carriage return between eah directory. To add a directory of the GED module, add here DOL_DATA_ROOT/ecm/yourdirectoryname.
Files in those directories must end with .odt or .ods.
NumberOfModelFilesFound=Number of ODT/ODS template files found in these directories
-ExampleOfDirectoriesForModelGen=Examples of syntax: c:\\mydir /home/mydir DOL_DATA_ROOT/ecm/ecmdir
+ExampleOfDirectoriesForModelGen=Examples of syntax: c:\\myapp\\mydocumentdir\\mysubdir /home/myapp/mydocumentdir/mysubdir DOL_DATA_ROOT/ecm/ecmdir
FollowingSubstitutionKeysCanBeUsed= To know how to create your odt document templates, before storing them in those directories, read wiki documentation:
FullListOnOnlineDocumentation=http://wiki.dolibarr.org/index.php/Create_an_ODT_document_template
FirstnameNamePosition=Position of Name/Lastname
@@ -406,7 +408,7 @@ UrlGenerationParameters=Parameters to secure URLs
SecurityTokenIsUnique=Use a unique securekey parameter for each URL
EnterRefToBuildUrl=Enter reference for object %s
GetSecuredUrl=Get calculated URL
-ButtonHideUnauthorized=Hide buttons for non-admin users for unauthorized actions instead of showing greyed disabled buttons
+ButtonHideUnauthorized=Hide unauthorized action buttons also for internal users (just greyed otherwise)
OldVATRates=Old VAT rate
NewVATRates=New VAT rate
PriceBaseTypeToChange=Modify on prices with base reference value defined on
@@ -1689,7 +1691,7 @@ NotTopTreeMenuPersonalized=Personalized menus not linked to a top menu entry
NewMenu=New menu
MenuHandler=Menu handler
MenuModule=Source module
-HideUnauthorizedMenu= Hide unauthorized menus (gray)
+HideUnauthorizedMenu=Hide unauthorized menus also for internal users (just greyed otherwise)
DetailId=Id menu
DetailMenuHandler=Menu handler where to show new menu
DetailMenuModule=Module name if menu entry come from a module
@@ -1983,11 +1985,12 @@ EMailHost=Host of email IMAP server
MailboxSourceDirectory=Mailbox source directory
MailboxTargetDirectory=Mailbox target directory
EmailcollectorOperations=Operations to do by collector
+EmailcollectorOperationsDesc=Operations are executed from top to bottom order
MaxEmailCollectPerCollect=Max number of emails collected per collect
CollectNow=Collect now
ConfirmCloneEmailCollector=Are you sure you want to clone the Email collector %s ?
-DateLastCollectResult=Date latest collect tried
-DateLastcollectResultOk=Date latest collect successfull
+DateLastCollectResult=Date of latest collect try
+DateLastcollectResultOk=Date of latest collect success
LastResult=Latest result
EmailCollectorConfirmCollectTitle=Email collect confirmation
EmailCollectorConfirmCollect=Do you want to run the collection for this collector now ?
@@ -2005,7 +2008,7 @@ WithDolTrackingID=Message from a conversation initiated by a first email sent fr
WithoutDolTrackingID=Message from a conversation initiated by a first email NOT sent from Dolibarr
WithDolTrackingIDInMsgId=Message sent from Dolibarr
WithoutDolTrackingIDInMsgId=Message NOT sent from Dolibarr
-CreateCandidature=Create candidature
+CreateCandidature=Create job application
FormatZip=Zip
MainMenuCode=Menu entry code (mainmenu)
ECMAutoTree=Show automatic ECM tree
@@ -2083,3 +2086,7 @@ CountryIfSpecificToOneCountry=Country (if specific to a given country)
YouMayFindSecurityAdviceHere=You may find security advisory here
ModuleActivatedMayExposeInformation=This module may expose sensitive data. If you don't need it, disable it.
ModuleActivatedDoNotUseInProduction=A module designed for the development has been enabled. Do not enable it on a production environment.
+CombinationsSeparator=Separator character for product combinations
+SeeLinkToOnlineDocumentation=See link to online documention on top menu for examples
+SHOW_SUBPRODUCT_REF_IN_PDF=If the feature "%s" of module %s is used, show details of subproducts of a kit on PDF.
+AskThisIDToYourBank=Contact your bank to get this ID
diff --git a/htdocs/langs/mn_MN/banks.lang b/htdocs/langs/mn_MN/banks.lang
index 9500a5b8b2e..a0dc27f86c4 100644
--- a/htdocs/langs/mn_MN/banks.lang
+++ b/htdocs/langs/mn_MN/banks.lang
@@ -173,8 +173,8 @@ SEPAMandate=SEPA mandate
YourSEPAMandate=Your SEPA mandate
FindYourSEPAMandate=This is your SEPA mandate to authorize our company to make direct debit order to your bank. Return it signed (scan of the signed document) or send it by mail to
AutoReportLastAccountStatement=Automatically fill the field 'number of bank statement' with last statement number when making reconciliation
-CashControl=POS cash fence
-NewCashFence=New cash fence
+CashControl=POS cash desk control
+NewCashFence=New cash desk closing
BankColorizeMovement=Colorize movements
BankColorizeMovementDesc=If this function is enable, you can choose specific background color for debit or credit movements
BankColorizeMovementName1=Background color for debit movement
diff --git a/htdocs/langs/mn_MN/blockedlog.lang b/htdocs/langs/mn_MN/blockedlog.lang
index 5afae6e9e53..0bba5605d0f 100644
--- a/htdocs/langs/mn_MN/blockedlog.lang
+++ b/htdocs/langs/mn_MN/blockedlog.lang
@@ -35,7 +35,7 @@ logDON_DELETE=Donation logical deletion
logMEMBER_SUBSCRIPTION_CREATE=Member subscription created
logMEMBER_SUBSCRIPTION_MODIFY=Member subscription modified
logMEMBER_SUBSCRIPTION_DELETE=Member subscription logical deletion
-logCASHCONTROL_VALIDATE=Cash fence recording
+logCASHCONTROL_VALIDATE=Cash desk closing recording
BlockedLogBillDownload=Customer invoice download
BlockedLogBillPreview=Customer invoice preview
BlockedlogInfoDialog=Log Details
diff --git a/htdocs/langs/mn_MN/boxes.lang b/htdocs/langs/mn_MN/boxes.lang
index d6fd298a3a7..7db4ea8aa17 100644
--- a/htdocs/langs/mn_MN/boxes.lang
+++ b/htdocs/langs/mn_MN/boxes.lang
@@ -46,9 +46,12 @@ BoxTitleLastModifiedDonations=Latest %s modified donations
BoxTitleLastModifiedExpenses=Latest %s modified expense reports
BoxTitleLatestModifiedBoms=Latest %s modified BOMs
BoxTitleLatestModifiedMos=Latest %s modified Manufacturing Orders
+BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded
BoxGlobalActivity=Global activity (invoices, proposals, orders)
BoxGoodCustomers=Good customers
BoxTitleGoodCustomers=%s Good customers
+BoxScheduledJobs=Scheduled jobs
+BoxTitleFunnelOfProspection=Lead funnel
FailedToRefreshDataInfoNotUpToDate=Failed to refresh RSS flux. Latest successful refresh date: %s
LastRefreshDate=Latest refresh date
NoRecordedBookmarks=No bookmarks defined.
@@ -102,5 +105,7 @@ SuspenseAccountNotDefined=Suspense account isn't defined
BoxLastCustomerShipments=Last customer shipments
BoxTitleLastCustomerShipments=Latest %s customer shipments
NoRecordedShipments=No recorded customer shipment
+BoxCustomersOutstandingBillReached=Customers with oustanding limit reached
# Pages
AccountancyHome=Accountancy
+ValidatedProjects=Validated projects
diff --git a/htdocs/langs/mn_MN/cashdesk.lang b/htdocs/langs/mn_MN/cashdesk.lang
index 498baa82200..3fef645d99d 100644
--- a/htdocs/langs/mn_MN/cashdesk.lang
+++ b/htdocs/langs/mn_MN/cashdesk.lang
@@ -49,8 +49,8 @@ Footer=Footer
AmountAtEndOfPeriod=Amount at end of period (day, month or year)
TheoricalAmount=Theorical amount
RealAmount=Real amount
-CashFence=Cash fence
-CashFenceDone=Cash fence done for the period
+CashFence=Cash desk closing
+CashFenceDone=Cash desk closing done for the period
NbOfInvoices=Nb of invoices
Paymentnumpad=Type of Pad to enter payment
Numberspad=Numbers Pad
@@ -99,8 +99,9 @@ CashDeskRefNumberingModules=Numbering module for POS sales
CashDeskGenericMaskCodes6 = {TN} tag is used to add the terminal number
TakeposGroupSameProduct=Group same products lines
StartAParallelSale=Start a new parallel sale
-ControlCashOpening=Control cash box at opening POS
-CloseCashFence=Close cash fence
+SaleStartedAt=Sale started at %s
+ControlCashOpening=Control cash popup at opening POS
+CloseCashFence=Close cash desk control
CashReport=Cash report
MainPrinterToUse=Main printer to use
OrderPrinterToUse=Order printer to use
@@ -122,3 +123,4 @@ GiftReceipt=Gift receipt
ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled first
AllowDelayedPayment=Allow delayed payment
PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts
+WeighingScale=Weighing scale
diff --git a/htdocs/langs/mn_MN/categories.lang b/htdocs/langs/mn_MN/categories.lang
index ba37a43b4ec..4ddf0d6093f 100644
--- a/htdocs/langs/mn_MN/categories.lang
+++ b/htdocs/langs/mn_MN/categories.lang
@@ -19,6 +19,7 @@ ProjectsCategoriesArea=Projects tags/categories area
UsersCategoriesArea=Users tags/categories area
SubCats=Sub-categories
CatList=List of tags/categories
+CatListAll=List of tags/categories (all types)
NewCategory=New tag/category
ModifCat=Modify tag/category
CatCreated=Tag/category created
@@ -65,16 +66,22 @@ UsersCategoriesShort=Users tags/categories
StockCategoriesShort=Warehouse tags/categories
ThisCategoryHasNoItems=This category does not contain any items.
CategId=Tag/category id
-CatSupList=List of vendor tags/categories
-CatCusList=List of customer/prospect tags/categories
+ParentCategory=Parent tag/category
+ParentCategoryLabel=Label of parent tag/category
+CatSupList=List of vendors tags/categories
+CatCusList=List of customers/prospects tags/categories
CatProdList=List of products tags/categories
CatMemberList=List of members tags/categories
-CatContactList=List of contact tags/categories
-CatSupLinks=Links between suppliers and tags/categories
+CatContactList=List of contacts tags/categories
+CatProjectsList=List of projects tags/categories
+CatUsersList=List of users tags/categories
+CatSupLinks=Links between vendors and tags/categories
CatCusLinks=Links between customers/prospects and tags/categories
CatContactsLinks=Links between contacts/addresses and tags/categories
CatProdLinks=Links between products/services and tags/categories
-CatProJectLinks=Links between projects and tags/categories
+CatMembersLinks=Links between members and tags/categories
+CatProjectsLinks=Links between projects and tags/categories
+CatUsersLinks=Links between users and tags/categories
DeleteFromCat=Remove from tags/category
ExtraFieldsCategories=Complementary attributes
CategoriesSetup=Tags/categories setup
diff --git a/htdocs/langs/mn_MN/companies.lang b/htdocs/langs/mn_MN/companies.lang
index dadff6a7894..8dc815b522e 100644
--- a/htdocs/langs/mn_MN/companies.lang
+++ b/htdocs/langs/mn_MN/companies.lang
@@ -358,7 +358,7 @@ VATIntraCheckableOnEUSite=Check the intra-Community VAT ID on the European Commi
VATIntraManualCheck=You can also check manually on the European Commission website %s
ErrorVATCheckMS_UNAVAILABLE=Check not possible. Check service is not provided by the member state (%s).
NorProspectNorCustomer=Not prospect, nor customer
-JuridicalStatus=Legal Entity Type
+JuridicalStatus=Business entity type
Workforce=Workforce
Staff=Employees
ProspectLevelShort=Potential
diff --git a/htdocs/langs/mn_MN/compta.lang b/htdocs/langs/mn_MN/compta.lang
index 8f4f058bb87..1afeb6e3727 100644
--- a/htdocs/langs/mn_MN/compta.lang
+++ b/htdocs/langs/mn_MN/compta.lang
@@ -111,7 +111,7 @@ Refund=Refund
SocialContributionsPayments=Social/fiscal taxes payments
ShowVatPayment=Show VAT payment
TotalToPay=Total to pay
-BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted ascending on %s and filtered for 1 bank account
+BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted on %s and filtered on 1 bank account (with no other filters)
CustomerAccountancyCode=Customer accounting code
SupplierAccountancyCode=Vendor accounting code
CustomerAccountancyCodeShort=Cust. account. code
@@ -140,7 +140,7 @@ ConfirmDeleteSocialContribution=Are you sure you want to delete this social/fisc
ExportDataset_tax_1=Social and fiscal taxes and payments
CalcModeVATDebt=Mode %sVAT on commitment accounting%s.
CalcModeVATEngagement=Mode %sVAT on incomes-expenses%s.
-CalcModeDebt=Analysis of known recorded invoices even if they are not yet accounted in ledger.
+CalcModeDebt=Analysis of known recorded documents even if they are not yet accounted in ledger.
CalcModeEngagement=Analysis of known recorded payments, even if they are not yet accounted in Ledger.
CalcModeBookkeeping=Analysis of data journalized in Bookkeeping Ledger table.
CalcModeLT1= Mode %sRE on customer invoices - suppliers invoices%s
@@ -154,9 +154,9 @@ AnnualSummaryInputOutputMode=Balance of income and expenses, annual summary
AnnualByCompanies=Balance of income and expenses, by predefined groups of account
AnnualByCompaniesDueDebtMode=Balance of income and expenses, detail by predefined groups, mode %sClaims-Debts%s said Commitment accounting.
AnnualByCompaniesInputOutputMode=Balance of income and expenses, detail by predefined groups, mode %sIncomes-Expenses%s said cash accounting.
-SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation on actual payments made even if they are not yet accounted in Ledger.
-SeeReportInDueDebtMode=See %sanalysis of invoices%s for a calculation based on known recorded invoices even if they are not yet accounted in Ledger.
-SeeReportInBookkeepingMode=See %sBookeeping report%s for a calculation on Bookkeeping Ledger table
+SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation based on recorded payments made even if they are not yet accounted in Ledger
+SeeReportInDueDebtMode=See %sanalysis of recorded documents%s for a calculation based on known recorded documents even if they are not yet accounted in Ledger
+SeeReportInBookkeepingMode=See %sanalysis of bookeeping ledger table%s for a report based on Bookkeeping Ledger table
RulesAmountWithTaxIncluded=- Amounts shown are with all taxes included
RulesResultDue=- It includes outstanding invoices, expenses, VAT, donations whether they are paid or not. Is also includes paid salaries. - It is based on the billing date of invoices and on the due date for expenses or tax payments. For salaries defined with Salary module, the value date of payment is used.
RulesResultInOut=- It includes the real payments made on invoices, expenses, VAT and salaries. - It is based on the payment dates of the invoices, expenses, VAT and salaries. The donation date for donation.
@@ -169,12 +169,15 @@ RulesResultBookkeepingPersonalized=It show record in your Ledger with accounting
SeePageForSetup=See menu %s for setup
DepositsAreNotIncluded=- Down payment invoices are not included
DepositsAreIncluded=- Down payment invoices are included
+LT1ReportByMonth=Tax 2 report by month
+LT2ReportByMonth=Tax 3 report by month
LT1ReportByCustomers=Report tax 2 by third party
LT2ReportByCustomers=Report tax 3 by third party
LT1ReportByCustomersES=Report by third party RE
LT2ReportByCustomersES=Report by third party IRPF
VATReport=Sale tax report
VATReportByPeriods=Sale tax report by period
+VATReportByMonth=Sale tax report by month
VATReportByRates=Sale tax report by rates
VATReportByThirdParties=Sale tax report by third parties
VATReportByCustomers=Sale tax report by customer
diff --git a/htdocs/langs/mn_MN/cron.lang b/htdocs/langs/mn_MN/cron.lang
index d2da7ded67e..2ebdda1e685 100644
--- a/htdocs/langs/mn_MN/cron.lang
+++ b/htdocs/langs/mn_MN/cron.lang
@@ -6,14 +6,15 @@ Permission23102 = Create/update Scheduled job
Permission23103 = Delete Scheduled job
Permission23104 = Execute Scheduled job
# Admin
-CronSetup= Scheduled job management setup
-URLToLaunchCronJobs=URL to check and launch qualified cron jobs
-OrToLaunchASpecificJob=Or to check and launch a specific job
+CronSetup=Scheduled job management setup
+URLToLaunchCronJobs=URL to check and launch qualified cron jobs from a browser
+OrToLaunchASpecificJob=Or to check and launch a specific job from a browser
KeyForCronAccess=Security key for URL to launch cron jobs
FileToLaunchCronJobs=Command line to check and launch qualified cron jobs
CronExplainHowToRunUnix=On Unix environment you should use the following crontab entry to run the command line each 5 minutes
-CronExplainHowToRunWin=On Microsoft(tm) Windows environement you can use Scheduled task tools to run the command line each 5 minutes
+CronExplainHowToRunWin=On Microsoft(tm) Windows environment you can use Scheduled Task tools to run the command line each 5 minutes
CronMethodDoesNotExists=Class %s does not contains any method %s
+CronMethodNotAllowed=Method %s of class %s is in blacklist of forbidden methods
CronJobDefDesc=Cron job profiles are defined into the module descriptor file. When module is activated, they are loaded and available so you can administer the jobs from the admin tools menu %s.
CronJobProfiles=List of predefined cron job profiles
# Menu
@@ -42,10 +43,11 @@ CronModule=Module
CronNoJobs=No jobs registered
CronPriority=Priority
CronLabel=Label
-CronNbRun=Nb. launch
-CronMaxRun=Max number launch
+CronNbRun=Number of launches
+CronMaxRun=Maximum number of launches
CronEach=Every
JobFinished=Job launched and finished
+Scheduled=Scheduled
#Page card
CronAdd= Add jobs
CronEvery=Execute job each
@@ -56,16 +58,16 @@ CronNote=Comment
CronFieldMandatory=Fields %s is mandatory
CronErrEndDateStartDt=End date cannot be before start date
StatusAtInstall=Status at module installation
-CronStatusActiveBtn=Enable
+CronStatusActiveBtn=Schedule
CronStatusInactiveBtn=Disable
CronTaskInactive=This job is disabled
CronId=Id
CronClassFile=Filename with class
-CronModuleHelp=Name of Dolibarr module directory (also work with external Dolibarr module). For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for module is product
-CronClassFileHelp=The relative path and file name to load (path is relative to web server root directory). For exemple to call the fetch method of Dolibarr Product object htdocs/product/class/product.class.php, the value for class file name is product/class/product.class.php
-CronObjectHelp=The object name to load. For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for class file name is Product
-CronMethodHelp=The object method to launch. For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for method is fetch
-CronArgsHelp=The method arguments. For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for paramters can be 0, ProductRef
+CronModuleHelp=Name of Dolibarr module directory (also work with external Dolibarr module). For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for module is product
+CronClassFileHelp=The relative path and file name to load (path is relative to web server root directory). For example to call the fetch method of Dolibarr Product object htdocs/product/class/product.class.php, the value for class file name is product/class/product.class.php
+CronObjectHelp=The object name to load. For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for class file name is Product
+CronMethodHelp=The object method to launch. For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for method is fetch
+CronArgsHelp=The method arguments. For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for paramters can be 0, ProductRef
CronCommandHelp=The system command line to execute.
CronCreateJob=Create new Scheduled Job
CronFrom=From
@@ -76,8 +78,14 @@ CronType_method=Call method of a PHP Class
CronType_command=Shell command
CronCannotLoadClass=Cannot load class file %s (to use class %s)
CronCannotLoadObject=Class file %s was loaded, but object %s was not found into it
-UseMenuModuleToolsToAddCronJobs=Go into menu "Home - Admin tools - Scheduled jobs" to see and edit scheduled jobs.
+UseMenuModuleToolsToAddCronJobs=Go into menu "Home - Admin tools - Scheduled jobs" to see and edit scheduled jobs.
JobDisabled=Job disabled
MakeLocalDatabaseDumpShort=Local database backup
-MakeLocalDatabaseDump=Create a local database dump. Parameters are: compression ('gz' or 'bz' or 'none'), backup type ('mysql' or 'pgsql'), 1, 'auto' or filename to build, number of backup files to keep
+MakeLocalDatabaseDump=Create a local database dump. Parameters are: compression ('gz' or 'bz' or 'none'), backup type ('mysql', 'pgsql', 'auto'), 1, 'auto' or filename to build, number of backup files to keep
WarningCronDelayed=Attention, for performance purpose, whatever is next date of execution of enabled jobs, your jobs may be delayed to a maximum of %s hours, before being run.
+DATAPOLICYJob=Data cleaner and anonymizer
+JobXMustBeEnabled=Job %s must be enabled
+# Cron Boxes
+LastExecutedScheduledJob=Last executed scheduled job
+NextScheduledJobExecute=Next scheduled job to execute
+NumberScheduledJobError=Number of scheduled jobs in error
diff --git a/htdocs/langs/mn_MN/errors.lang b/htdocs/langs/mn_MN/errors.lang
index 893f4a35b65..5b26be724d9 100644
--- a/htdocs/langs/mn_MN/errors.lang
+++ b/htdocs/langs/mn_MN/errors.lang
@@ -5,8 +5,10 @@ NoErrorCommitIsDone=No error, we commit
# Errors
ErrorButCommitIsDone=Errors found but we validate despite this
ErrorBadEMail=Email %s is wrong
+ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record)
ErrorBadUrl=Url %s is wrong
ErrorBadValueForParamNotAString=Bad value for your parameter. It appends generally when translation is missing.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorLoginAlreadyExists=Login %s already exists.
ErrorGroupAlreadyExists=Group %s already exists.
ErrorRecordNotFound=Record not found.
@@ -48,6 +50,7 @@ ErrorFieldsRequired=Some required fields were not filled.
ErrorSubjectIsRequired=The email topic is required
ErrorFailedToCreateDir=Failed to create a directory. Check that Web server user has permissions to write into Dolibarr documents directory. If parameter safe_mode is enabled on this PHP, check that Dolibarr php files owns to web server user (or group).
ErrorNoMailDefinedForThisUser=No mail defined for this user
+ErrorSetupOfEmailsNotComplete=Setup of emails is not complete
ErrorFeatureNeedJavascript=This feature need javascript to be activated to work. Change this in setup - display.
ErrorTopMenuMustHaveAParentWithId0=A menu of type 'Top' can't have a parent menu. Put 0 in parent menu or choose a menu of type 'Left'.
ErrorLeftMenuMustHaveAParentId=A menu of type 'Left' must have a parent id.
@@ -75,7 +78,7 @@ ErrorExportDuplicateProfil=This profile name already exists for this export set.
ErrorLDAPSetupNotComplete=Dolibarr-LDAP matching is not complete.
ErrorLDAPMakeManualTest=A .ldif file has been generated in directory %s. Try to load it manually from command line to have more information on errors.
ErrorCantSaveADoneUserWithZeroPercentage=Can't save an action with "status not started" if field "done by" is also filled.
-ErrorRefAlreadyExists=Ref used for creation already exists.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorPleaseTypeBankTransactionReportName=Please enter the bank statement name where the entry has to be reported (Format YYYYMM or YYYYMMDD)
ErrorRecordHasChildren=Failed to delete record since it has some child records.
ErrorRecordHasAtLeastOneChildOfType=Object has at least one child of type %s
@@ -216,7 +219,7 @@ ErrorChooseBetweenFreeEntryOrPredefinedProduct=You must choose if article is a p
ErrorDiscountLargerThanRemainToPaySplitItBefore=The discount you try to apply is larger than remain to pay. Split the discount in 2 smaller discounts before.
ErrorFileNotFoundWithSharedLink=File was not found. May be the share key was modified or file was removed recently.
ErrorProductBarCodeAlreadyExists=The product barcode %s already exists on another product reference.
-ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using virtual product to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number.
+ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using kits to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number.
ErrorDescRequiredForFreeProductLines=Description is mandatory for lines with free product
ErrorAPageWithThisNameOrAliasAlreadyExists=The page/container %s has the same name or alternative alias that the one your try to use
ErrorDuringChartLoad=Error when loading chart of accounts. If few accounts were not loaded, you can still enter them manually.
@@ -243,6 +246,16 @@ ErrorReplaceStringEmpty=Error, the string to replace into is empty
ErrorProductNeedBatchNumber=Error, product '%s' need a lot/serial number
ErrorProductDoesNotNeedBatchNumber=Error, product '%s' does not accept a lot/serial number
ErrorFailedToReadObject=Error, failed to read object of type %s
+ErrorParameterMustBeEnabledToAllwoThisFeature=Error, parameter %s must be enabled into conf/conf.php to allow use of Command Line Interface by the internal job scheduler
+ErrorLoginDateValidity=Error, this login is outside the validity date range
+ErrorValueLength=Length of field '%s' must be higher than '%s'
+ErrorReservedKeyword=The word '%s' is a reserved keyword
+ErrorNotAvailableWithThisDistribution=Not available with this distribution
+ErrorPublicInterfaceNotEnabled=Public interface was not enabled
+ErrorLanguageRequiredIfPageIsTranslationOfAnother=The language of new page must be defined if it is set as a translation of another page
+ErrorLanguageMustNotBeSourceLanguageIfPageIsTranslationOfAnother=The language of new page must not be the source language if it is set as a translation of another page
+ErrorAParameterIsRequiredForThisOperation=A parameter is mandatory for this operation
+
# Warnings
WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup.
WarningPasswordSetWithNoAccount=A password was set for this member. However, no user account was created. So this password is stored but can't be used to login to Dolibarr. It may be used by an external module/interface but if you don't need to define any login nor password for a member, you can disable option "Manage a login for each member" from Member module setup. If you need to manage a login but don't need any password, you can keep this field empty to avoid this warning. Note: Email can also be used as a login if the member is linked to a user.
@@ -267,6 +280,10 @@ WarningYourLoginWasModifiedPleaseLogin=Your login was modified. For security pur
WarningAnEntryAlreadyExistForTransKey=An entry already exists for the translation key for this language
WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different recipient is limited to %s when using the mass actions on lists
WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report
+WarningProjectDraft=Project is still in draft mode. Don't forget to validate it if you plan to use tasks.
WarningProjectClosed=Project is closed. You must re-open it first.
WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list.
-WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table
+WarningFailedToAddFileIntoDatabaseIndex=Warning, failed to add file entry into ECM database index table
+WarningTheHiddenOptionIsOn=Warning, the hidden option %s is on.
+WarningCreateSubAccounts=Warning, you can't create directly a sub account, you must create a third party or an user and assign them an accounting code to find them in this list
+WarningAvailableOnlyForHTTPSServers=Available only if using HTTPS secured connection.
diff --git a/htdocs/langs/mn_MN/exports.lang b/htdocs/langs/mn_MN/exports.lang
index 2dcf4317e00..a0eb7161ef2 100644
--- a/htdocs/langs/mn_MN/exports.lang
+++ b/htdocs/langs/mn_MN/exports.lang
@@ -26,6 +26,8 @@ FieldTitle=Field title
NowClickToGenerateToBuildExportFile=Now, select the file format in the combo box and click on "Generate" to build the export file...
AvailableFormats=Available Formats
LibraryShort=Library
+ExportCsvSeparator=Csv caracter separator
+ImportCsvSeparator=Csv caracter separator
Step=Step
FormatedImport=Import Assistant
FormatedImportDesc1=This module allows you to update existing data or add new objects into the database from a file without technical knowledge, using an assistant.
@@ -131,3 +133,4 @@ KeysToUseForUpdates=Key (column) to use for updating existing data
NbInsert=Number of inserted lines: %s
NbUpdate=Number of updated lines: %s
MultipleRecordFoundWithTheseFilters=Multiple records have been found with these filters: %s
+StocksWithBatch=Stocks and location (warehouse) of products with batch/serial number
diff --git a/htdocs/langs/mn_MN/mails.lang b/htdocs/langs/mn_MN/mails.lang
index 1235eef3b27..7fd93be7b71 100644
--- a/htdocs/langs/mn_MN/mails.lang
+++ b/htdocs/langs/mn_MN/mails.lang
@@ -92,6 +92,7 @@ MailingModuleDescEmailsFromUser=Emails input by user
MailingModuleDescDolibarrUsers=Users with Emails
MailingModuleDescThirdPartiesByCategories=Third parties (by categories)
SendingFromWebInterfaceIsNotAllowed=Sending from web interface is not allowed.
+EmailCollectorFilterDesc=All filters must match to have an email being collected
# Libelle des modules de liste de destinataires mailing
LineInFile=Line %s in file
@@ -125,12 +126,13 @@ TagMailtoEmail=Recipient Email (including html "mailto:" link)
NoEmailSentBadSenderOrRecipientEmail=No email sent. Bad sender or recipient email. Verify user profile.
# Module Notifications
Notifications=Notifications
-NoNotificationsWillBeSent=No email notifications are planned for this event and company
-ANotificationsWillBeSent=1 notification will be sent by email
-SomeNotificationsWillBeSent=%s notifications will be sent by email
-AddNewNotification=Activate a new email notification target/event
-ListOfActiveNotifications=List all active targets/events for email notification
-ListOfNotificationsDone=List all email notifications sent
+NotificationsAuto=Notifications Auto.
+NoNotificationsWillBeSent=No automatic email notifications are planned for this event type and company
+ANotificationsWillBeSent=1 automatic notification will be sent by email
+SomeNotificationsWillBeSent=%s automatic notifications will be sent by email
+AddNewNotification=Subscribe to a new automatic email notification (target/event)
+ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification
+ListOfNotificationsDone=List all automatic email notifications sent
MailSendSetupIs=Configuration of email sending has been setup to '%s'. This mode can't be used to send mass emailing.
MailSendSetupIs2=You must first go, with an admin account, into menu %sHome - Setup - EMails%s to change parameter '%s' to use mode '%s'. With this mode, you can enter setup of the SMTP server provided by your Internet Service Provider and use Mass emailing feature.
MailSendSetupIs3=If you have any questions on how to setup your SMTP server, you can ask to %s.
@@ -140,7 +142,7 @@ UseFormatFileEmailToTarget=Imported file must have format email;name;fir
UseFormatInputEmailToTarget=Enter a string with format email;name;firstname;other
MailAdvTargetRecipients=Recipients (advanced selection)
AdvTgtTitle=Fill input fields to preselect the third parties or contacts/addresses to target
-AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima% will target all jean, joe, start with jim but not jimo and not everything that starts with jima
+AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima%% will target all jean, joe, start with jim but not jimo and not everything that starts with jima
AdvTgtSearchIntHelp=Use interval to select int or float value
AdvTgtMinVal=Minimum value
AdvTgtMaxVal=Maximum value
@@ -162,13 +164,14 @@ AdvTgtCreateFilter=Create filter
AdvTgtOrCreateNewFilter=Name of new filter
NoContactWithCategoryFound=No contact/address with a category found
NoContactLinkedToThirdpartieWithCategoryFound=No contact/address with a category found
-OutGoingEmailSetup=Outgoing email setup
-InGoingEmailSetup=Incoming email setup
-OutGoingEmailSetupForEmailing=Outgoing email setup (for module %s)
-DefaultOutgoingEmailSetup=Default outgoing email setup
+OutGoingEmailSetup=Outgoing emails
+InGoingEmailSetup=Incoming emails
+OutGoingEmailSetupForEmailing=Outgoing emails (for module %s)
+DefaultOutgoingEmailSetup=Same configuration than the global Outgoing email setup
Information=Information
ContactsWithThirdpartyFilter=Contacts with third-party filter
Unanswered=Unanswered
Answered=Answered
IsNotAnAnswer=Is not answer (initial email)
IsAnAnswer=Is an answer of an initial email
+RecordCreatedByEmailCollector=Record created by the Email Collector %s from email %s
diff --git a/htdocs/langs/mn_MN/main.lang b/htdocs/langs/mn_MN/main.lang
index e22785650ad..20913010d4d 100644
--- a/htdocs/langs/mn_MN/main.lang
+++ b/htdocs/langs/mn_MN/main.lang
@@ -28,7 +28,9 @@ NoTemplateDefined=No template available for this email type
AvailableVariables=Available substitution variables
NoTranslation=No translation
Translation=Translation
+CurrentTimeZone=TimeZone PHP (server)
EmptySearchString=Enter non empty search criterias
+EnterADateCriteria=Enter a date criteria
NoRecordFound=No record found
NoRecordDeleted=No record deleted
NotEnoughDataYet=Not enough data
@@ -85,6 +87,8 @@ FileWasNotUploaded=A file is selected for attachment but was not yet uploaded. C
NbOfEntries=No. of entries
GoToWikiHelpPage=Read online help (Internet access needed)
GoToHelpPage=Read help
+DedicatedPageAvailable=There is a dedicated help page related to your current screen
+HomePage=Home Page
RecordSaved=Record saved
RecordDeleted=Record deleted
RecordGenerated=Record generated
@@ -433,6 +437,7 @@ RemainToPay=Remain to pay
Module=Module/Application
Modules=Modules/Applications
Option=Option
+Filters=Filters
List=List
FullList=Full list
FullConversation=Full conversation
@@ -671,7 +676,7 @@ SendMail=Send email
Email=Email
NoEMail=No email
AlreadyRead=Already read
-NotRead=Not read
+NotRead=Unread
NoMobilePhone=No mobile phone
Owner=Owner
FollowingConstantsWillBeSubstituted=The following constants will be replaced with the corresponding value.
@@ -1107,3 +1112,8 @@ UpToDate=Up-to-date
OutOfDate=Out-of-date
EventReminder=Event Reminder
UpdateForAllLines=Update for all lines
+OnHold=On hold
+AffectTag=Affect Tag
+ConfirmAffectTag=Bulk Tag Affect
+ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected record(s)?
+CategTypeNotFound=No tag type found for type of records
diff --git a/htdocs/langs/mn_MN/modulebuilder.lang b/htdocs/langs/mn_MN/modulebuilder.lang
index 460aef8103b..845dd12624d 100644
--- a/htdocs/langs/mn_MN/modulebuilder.lang
+++ b/htdocs/langs/mn_MN/modulebuilder.lang
@@ -40,6 +40,7 @@ PageForCreateEditView=PHP page to create/edit/view a record
PageForAgendaTab=PHP page for event tab
PageForDocumentTab=PHP page for document tab
PageForNoteTab=PHP page for note tab
+PageForContactTab=PHP page for contact tab
PathToModulePackage=Path to zip of module/application package
PathToModuleDocumentation=Path to file of module/application documentation (%s)
SpaceOrSpecialCharAreNotAllowed=Spaces or special characters are not allowed.
@@ -77,7 +78,7 @@ IsAMeasure=Is a measure
DirScanned=Directory scanned
NoTrigger=No trigger
NoWidget=No widget
-GoToApiExplorer=Go to API explorer
+GoToApiExplorer=API explorer
ListOfMenusEntries=List of menu entries
ListOfDictionariesEntries=List of dictionaries entries
ListOfPermissionsDefined=List of defined permissions
@@ -105,7 +106,7 @@ TryToUseTheModuleBuilder=If you have knowledge of SQL and PHP, you may use the n
SeeTopRightMenu=See on the top right menu
AddLanguageFile=Add language file
YouCanUseTranslationKey=You can use here a key that is the translation key found into language file (see tab "Languages")
-DropTableIfEmpty=(Delete table if empty)
+DropTableIfEmpty=(Destroy table if empty)
TableDoesNotExists=The table %s does not exists
TableDropped=Table %s deleted
InitStructureFromExistingTable=Build the structure array string of an existing table
@@ -126,7 +127,6 @@ UseSpecificEditorURL = Use a specific editor URL
UseSpecificFamily = Use a specific family
UseSpecificAuthor = Use a specific author
UseSpecificVersion = Use a specific initial version
-ModuleMustBeEnabled=The module/application must be enabled first
IncludeRefGeneration=The reference of object must be generated automatically
IncludeRefGenerationHelp=Check this if you want to include code to manage the generation automatically of the reference
IncludeDocGeneration=I want to generate some documents from the object
@@ -140,3 +140,4 @@ TypeOfFieldsHelp=Type of fields: varchar(99), double(24,8), real, text, html,
AsciiToHtmlConverter=Ascii to HTML converter
AsciiToPdfConverter=Ascii to PDF converter
TableNotEmptyDropCanceled=Table not empty. Drop has been canceled.
+ModuleBuilderNotAllowed=The module builder is available but not allowed to your user.
diff --git a/htdocs/langs/mn_MN/other.lang b/htdocs/langs/mn_MN/other.lang
index 54c0572d453..0a7b3723ab1 100644
--- a/htdocs/langs/mn_MN/other.lang
+++ b/htdocs/langs/mn_MN/other.lang
@@ -5,8 +5,6 @@ Tools=Tools
TMenuTools=Tools
ToolsDesc=All tools not included in other menu entries are grouped here. All the tools can be accessed via the left menu.
Birthday=Birthday
-BirthdayDate=Birthday date
-DateToBirth=Birth date
BirthdayAlertOn=birthday alert active
BirthdayAlertOff=birthday alert inactive
TransKey=Translation of the key TransKey
@@ -16,6 +14,8 @@ PreviousMonthOfInvoice=Previous month (number 1-12) of invoice date
TextPreviousMonthOfInvoice=Previous month (text) of invoice date
NextMonthOfInvoice=Following month (number 1-12) of invoice date
TextNextMonthOfInvoice=Following month (text) of invoice date
+PreviousMonth=Previous month
+CurrentMonth=Current month
ZipFileGeneratedInto=Zip file generated into %s.
DocFileGeneratedInto=Doc file generated into %s.
JumpToLogin=Disconnected. Go to login page...
@@ -99,6 +99,7 @@ PredefinedMailContentSendShipping=__(Hello)__\n\nPlease find shipping __REF__ at
PredefinedMailContentSendFichInter=__(Hello)__\n\nPlease find intervention __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.\n\n%s\n\n
PredefinedMailContentGeneric=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
+PredefinedMailContentSendActionComm=Event reminder "__EVENT_LABEL__" on __EVENT_DATE__ at __EVENT_TIME__
This is an automatic message, please do not reply.
DemoDesc=Dolibarr is a compact ERP/CRM supporting several business modules. A demo showcasing all modules makes no sense as this scenario never occurs (several hundred available). So, several demo profiles are available.
ChooseYourDemoProfil=Choose the demo profile that best suits your needs...
ChooseYourDemoProfilMore=...or build your own profile (manual module selection)
@@ -137,7 +138,7 @@ Right=Right
CalculatedWeight=Calculated weight
CalculatedVolume=Calculated volume
Weight=Weight
-WeightUnitton=tonne
+WeightUnitton=ton
WeightUnitkg=kg
WeightUnitg=g
WeightUnitmg=mg
@@ -258,6 +259,7 @@ ContactCreatedByEmailCollector=Contact/address created by email collector from e
ProjectCreatedByEmailCollector=Project created by email collector from email MSGID %s
TicketCreatedByEmailCollector=Ticket created by email collector from email MSGID %s
OpeningHoursFormatDesc=Use a - to separate opening and closing hours. Use a space to enter different ranges. Example: 8-12 14-18
+PrefixSession=Prefix for session ID
##### Export #####
ExportsArea=Exports area
diff --git a/htdocs/langs/mn_MN/products.lang b/htdocs/langs/mn_MN/products.lang
index 97db059594f..f0c4a5362b8 100644
--- a/htdocs/langs/mn_MN/products.lang
+++ b/htdocs/langs/mn_MN/products.lang
@@ -108,7 +108,8 @@ FillWithLastServiceDates=Fill with last service line dates
MultiPricesAbility=Multiple price segments per product/service (each customer is in one price segment)
MultiPricesNumPrices=Number of prices
DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices
-AssociatedProductsAbility=Activate kits (virtual products)
+AssociatedProductsAbility=Enable Kits (set of other products)
+VariantsAbility=Enable Variants (variations of products, for example color, size)
AssociatedProducts=Kits
AssociatedProductsNumber=Number of products composing this kit
ParentProductsNumber=Number of parent packaging product
@@ -167,8 +168,10 @@ BuyingPrices=Buying prices
CustomerPrices=Customer prices
SuppliersPrices=Vendor prices
SuppliersPricesOfProductsOrServices=Vendor prices (of products or services)
-CustomCode=Customs / Commodity / HS code
+CustomCode=Customs|Commodity|HS code
CountryOrigin=Origin country
+RegionStateOrigin=Region origin
+StateOrigin=State|Province origin
Nature=Nature of product (material/finished)
NatureOfProductShort=Nature of product
NatureOfProductDesc=Raw material or finished product
@@ -239,7 +242,7 @@ AlwaysUseFixedPrice=Use the fixed price
PriceByQuantity=Different prices by quantity
DisablePriceByQty=Disable prices by quantity
PriceByQuantityRange=Quantity range
-MultipriceRules=Price segment rules
+MultipriceRules=Automatic prices for segment
UseMultipriceRules=Use price segment rules (defined into product module setup) to auto calculate prices of all other segments according to first segment
PercentVariationOver=%% variation over %s
PercentDiscountOver=%% discount over %s
diff --git a/htdocs/langs/mn_MN/recruitment.lang b/htdocs/langs/mn_MN/recruitment.lang
index b775e78552e..437445f25dc 100644
--- a/htdocs/langs/mn_MN/recruitment.lang
+++ b/htdocs/langs/mn_MN/recruitment.lang
@@ -73,3 +73,4 @@ JobClosedTextCandidateFound=The job position is closed. The position has been fi
JobClosedTextCanceled=The job position is closed.
ExtrafieldsJobPosition=Complementary attributes (job positions)
ExtrafieldsCandidatures=Complementary attributes (job applications)
+MakeOffer=Make an offer
diff --git a/htdocs/langs/mn_MN/sendings.lang b/htdocs/langs/mn_MN/sendings.lang
index 5ce3b7f67e9..73bd9aebd42 100644
--- a/htdocs/langs/mn_MN/sendings.lang
+++ b/htdocs/langs/mn_MN/sendings.lang
@@ -30,6 +30,7 @@ OtherSendingsForSameOrder=Other shipments for this order
SendingsAndReceivingForSameOrder=Shipments and receipts for this order
SendingsToValidate=Shipments to validate
StatusSendingCanceled=Canceled
+StatusSendingCanceledShort=Canceled
StatusSendingDraft=Draft
StatusSendingValidated=Validated (products to ship or already shipped)
StatusSendingProcessed=Processed
@@ -65,6 +66,7 @@ ValidateOrderFirstBeforeShipment=You must first validate the order before being
# Sending methods
# ModelDocument
DocumentModelTyphon=More complete document model for delivery receipts (logo...)
+DocumentModelStorm=More complete document model for delivery receipts and extrafields compatibility (logo...)
Error_EXPEDITION_ADDON_NUMBER_NotDefined=Constant EXPEDITION_ADDON_NUMBER not defined
SumOfProductVolumes=Sum of product volumes
SumOfProductWeights=Sum of product weights
diff --git a/htdocs/langs/mn_MN/stocks.lang b/htdocs/langs/mn_MN/stocks.lang
index 660443bcded..6cf089096dd 100644
--- a/htdocs/langs/mn_MN/stocks.lang
+++ b/htdocs/langs/mn_MN/stocks.lang
@@ -240,3 +240,4 @@ InventoryRealQtyHelp=Set value to 0 to reset qty Keep field empty, or remove
UpdateByScaning=Update by scaning
UpdateByScaningProductBarcode=Update by scan (product barcode)
UpdateByScaningLot=Update by scan (lot|serial barcode)
+DisableStockChangeOfSubProduct=Deactivate the stock change for all the subproducts of this Kit during this movement.
diff --git a/htdocs/langs/mn_MN/ticket.lang b/htdocs/langs/mn_MN/ticket.lang
index 59519282c80..982fff90ffa 100644
--- a/htdocs/langs/mn_MN/ticket.lang
+++ b/htdocs/langs/mn_MN/ticket.lang
@@ -31,10 +31,8 @@ TicketDictType=Ticket - Types
TicketDictCategory=Ticket - Groupes
TicketDictSeverity=Ticket - Severities
TicketDictResolution=Ticket - Resolution
-TicketTypeShortBUGSOFT=Dysfonctionnement logiciel
-TicketTypeShortBUGHARD=Dysfonctionnement matériel
-TicketTypeShortCOM=Commercial question
+TicketTypeShortCOM=Commercial question
TicketTypeShortHELP=Request for functionnal help
TicketTypeShortISSUE=Issue, bug or problem
TicketTypeShortREQUEST=Change or enhancement request
@@ -44,7 +42,7 @@ TicketTypeShortOTHER=Other
TicketSeverityShortLOW=Low
TicketSeverityShortNORMAL=Normal
TicketSeverityShortHIGH=High
-TicketSeverityShortBLOCKING=Critical/Blocking
+TicketSeverityShortBLOCKING=Critical, Blocking
ErrorBadEmailAddress=Field '%s' incorrect
MenuTicketMyAssign=My tickets
@@ -60,7 +58,6 @@ OriginEmail=Email source
Notify_TICKET_SENTBYMAIL=Send ticket message by email
# Status
-NotRead=Not read
Read=Read
Assigned=Assigned
InProgress=In progress
@@ -126,6 +123,7 @@ TicketsActivatePublicInterfaceHelp=Public interface allow any visitors to create
TicketsAutoAssignTicket=Automatically assign the user who created the ticket
TicketsAutoAssignTicketHelp=When creating a ticket, the user can be automatically assigned to the ticket.
TicketNumberingModules=Tickets numbering module
+TicketsModelModule=Document templates for tickets
TicketNotifyTiersAtCreation=Notify third party at creation
TicketsDisableCustomerEmail=Always disable emails when a ticket is created from public interface
TicketsPublicNotificationNewMessage=Send email(s) when a new message is added
@@ -233,7 +231,6 @@ TicketLogStatusChanged=Status changed: %s to %s
TicketNotNotifyTiersAtCreate=Not notify company at create
Unread=Unread
TicketNotCreatedFromPublicInterface=Not available. Ticket was not created from public interface.
-PublicInterfaceNotEnabled=Public interface was not enabled
ErrorTicketRefRequired=Ticket reference name is required
#
diff --git a/htdocs/langs/mn_MN/website.lang b/htdocs/langs/mn_MN/website.lang
index 03e042e4be6..f17def114b8 100644
--- a/htdocs/langs/mn_MN/website.lang
+++ b/htdocs/langs/mn_MN/website.lang
@@ -30,7 +30,6 @@ EditInLine=Edit inline
AddWebsite=Add website
Webpage=Web page/container
AddPage=Add page/container
-HomePage=Home Page
PageContainer=Page
PreviewOfSiteNotYetAvailable=Preview of your website %s not yet available. You must first 'Import a full website template' or just 'Add a page/container'.
RequestedPageHasNoContentYet=Requested page with id %s has no content yet, or cache file .tpl.php was removed. Edit content of the page to solve this.
@@ -101,7 +100,7 @@ EmptyPage=Empty page
ExternalURLMustStartWithHttp=External URL must start with http:// or https://
ZipOfWebsitePackageToImport=Upload the Zip file of the website template package
ZipOfWebsitePackageToLoad=or Choose an available embedded website template package
-ShowSubcontainers=Include dynamic content
+ShowSubcontainers=Show dynamic content
InternalURLOfPage=Internal URL of page
ThisPageIsTranslationOf=This page/container is a translation of
ThisPageHasTranslationPages=This page/container has translation
@@ -137,3 +136,4 @@ RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using
PagesRegenerated=%s page(s)/container(s) regenerated
RegenerateWebsiteContent=Regenerate web site cache files
AllowedInFrames=Allowed in Frames
+DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languages into web site properties.
diff --git a/htdocs/langs/mn_MN/withdrawals.lang b/htdocs/langs/mn_MN/withdrawals.lang
index 114a8d9dd6c..e3bec6f9cb8 100644
--- a/htdocs/langs/mn_MN/withdrawals.lang
+++ b/htdocs/langs/mn_MN/withdrawals.lang
@@ -42,6 +42,7 @@ LastWithdrawalReceipt=Latest %s direct debit receipts
MakeWithdrawRequest=Make a direct debit payment request
MakeBankTransferOrder=Make a credit transfer request
WithdrawRequestsDone=%s direct debit payment requests recorded
+BankTransferRequestsDone=%s credit transfer requests recorded
ThirdPartyBankCode=Third-party bank code
NoInvoiceCouldBeWithdrawed=No invoice debited successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s.
ClassCredited=Classify credited
@@ -131,7 +132,8 @@ SEPARCUR=SEPA CUR
SEPAFRST=SEPA FRST
ExecutionDate=Execution date
CreateForSepa=Create direct debit file
-ICS=Creditor Identifier CI
+ICS=Creditor Identifier CI for direct debit
+ICSTransfer=Creditor Identifier CI for bank transfer
END_TO_END="EndToEndId" SEPA XML tag - Unique id assigned per transaction
USTRD="Unstructured" SEPA XML tag
ADDDAYS=Add days to Execution Date
@@ -146,3 +148,4 @@ InfoRejectSubject=Direct debit payment order refused
InfoRejectMessage=Hello,
the direct debit payment order of invoice %s related to the company %s, with an amount of %s has been refused by the bank.
-- %s
ModeWarning=Option for real mode was not set, we stop after this simulation
ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know wich one to use.
+ErrorICSmissing=Missing ICS in Bank account %s
diff --git a/htdocs/langs/nb_NO/accountancy.lang b/htdocs/langs/nb_NO/accountancy.lang
index cdf26c85c07..50b7a4ce1c6 100644
--- a/htdocs/langs/nb_NO/accountancy.lang
+++ b/htdocs/langs/nb_NO/accountancy.lang
@@ -25,7 +25,7 @@ JournalFinancial=Finasielle journaler
BackToChartofaccounts=Returner kontotabell
Chartofaccounts=Diagram over kontoer
ChartOfSubaccounts=Oversikt over individuelle kontoer
-ChartOfIndividualAccountsOfSubsidiaryLedger=Chart of individual accounts of the subsidiary ledger
+ChartOfIndividualAccountsOfSubsidiaryLedger=Diagram over individuelle kontoer til sub-hovedboken
CurrentDedicatedAccountingAccount=Nåværende dedikert konto
AssignDedicatedAccountingAccount=Ny konto å tildele
InvoiceLabel=Fakturaetikett
@@ -46,8 +46,9 @@ CountriesNotInEEC=Land ikke i EEC
CountriesInEECExceptMe=Land i EEC unntatt %s
CountriesExceptMe=Alle land unntatt %s
AccountantFiles=Eksporter kildedokumenter
-ExportAccountingSourceDocHelp=With this tool, you can export the source events (list and PDFs) that were used to generate your accountancy. To export your journals, use the menu entry %s - %s.
-VueByAccountAccounting=View by accounting account
+ExportAccountingSourceDocHelp=Med dette verktøyet kan du eksportere kildehendelsene (liste og PDF-filer) som ble brukt til å generere regnskapet. For å eksportere journalene, bruk menyoppføringen %s - %s.
+VueByAccountAccounting=Vis etter regnskapskonto
+VueBySubAccountAccounting=Vis etter regnskaps-subkonto
MainAccountForCustomersNotDefined=Hoved regnskapskonto for kunder som ikke er definert i oppsettet
MainAccountForSuppliersNotDefined=Hovedregnskapskonto for leverandører som ikke er definert i oppsettet
@@ -93,8 +94,8 @@ SubledgerAccount=Konto i sub-hovedbok
SubledgerAccountLabel=Kontoetikett i sub-hovedbok
ShowAccountingAccount=Vis regnskapskonto
ShowAccountingJournal=Vis regnskapsjournal
-ShowAccountingAccountInLedger=Show accounting account in ledger
-ShowAccountingAccountInJournals=Show accounting account in journals
+ShowAccountingAccountInLedger=Vis regnskapskonto i hovedbok
+ShowAccountingAccountInJournals=Vis regnskapskonto i journaler
AccountAccountingSuggest=Foreslått regnskapskonto
MenuDefaultAccounts=Standard kontoer
MenuBankAccounts=Bankkonti
@@ -118,7 +119,7 @@ UpdateMvts=Endre en transaksjon
ValidTransaction=Valider transaksjonen
WriteBookKeeping=Registrer transaksjoner i regnskap
Bookkeeping=Hovedbok
-BookkeepingSubAccount=Subledger
+BookkeepingSubAccount=Sub-Hovedbok
AccountBalance=Kontobalanse
ObjectsRef=Kildeobjekt ref
CAHTF=Samlet leverandørkjøp før skatt
@@ -144,7 +145,7 @@ NotVentilatedinAccount=Ikke bundet til regnskapskontoen
XLineSuccessfullyBinded=%s varer/tjenester bundet til en regnskapskonto
XLineFailedToBeBinded=%s varer/tjenester ble ikke bundet til en regnskapskonto
-ACCOUNTING_LIMIT_LIST_VENTILATION=Antall elementer å binde vist pr. side (maksimum anbefalt er 50)
+ACCOUNTING_LIMIT_LIST_VENTILATION=Maksimalt antall linjer på listen og bindingsiden (anbefalt: 50)
ACCOUNTING_LIST_SORT_VENTILATION_TODO=Begynn sortering av siden "Bindinger å utføre" etter de nyeste først
ACCOUNTING_LIST_SORT_VENTILATION_DONE=Begynn sortering av siden "Bindinger utført" etter de nyeste først
@@ -156,8 +157,8 @@ ACCOUNTING_MANAGE_ZERO=Tillat å administrere forskjellig antall nuller på slut
BANK_DISABLE_DIRECT_INPUT=Deaktiver direkteregistrering av transaksjoner på bankkonto
ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Aktiver eksportutkast i journal
ACCOUNTANCY_COMBO_FOR_AUX=Aktiver kombinasjonsliste for datterkonto (kan være treg hvis du har mange tredjeparter)
-ACCOUNTING_DATE_START_BINDING=Define a date to start binding & transfer in accountancy. Below this date, the transactions will not be transferred to accounting.
-ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=On accountancy transfer, select period show by default
+ACCOUNTING_DATE_START_BINDING=Definer en dato for å starte binding og overføring i regnskap. Etter denne datoen vil ikke transaksjonene bli overført til regnskap.
+ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=Velg regnskapsvisning som standard ved overføring av regnskap
ACCOUNTING_SELL_JOURNAL=Salgsjournal
ACCOUNTING_PURCHASE_JOURNAL=Innkjøpsjournal
@@ -177,7 +178,7 @@ ACCOUNTING_ACCOUNT_SUSPENSE=Regnskapskonto for vent
DONATION_ACCOUNTINGACCOUNT=Regnskapskonto for registrering av donasjoner
ADHERENT_SUBSCRIPTION_ACCOUNTINGACCOUNT=Regnskapskonto for å registrere abonnementer
-ACCOUNTING_ACCOUNT_CUSTOMER_DEPOSIT=Accounting account by default to register customer deposit
+ACCOUNTING_ACCOUNT_CUSTOMER_DEPOSIT=Regnskapskonto som standard for å registrere kundeinnskudd
ACCOUNTING_PRODUCT_BUY_ACCOUNT=Regnskapskonto som standard for de kjøpte varene (brukt hvis ikke definert i produktarket)
ACCOUNTING_PRODUCT_BUY_INTRA_ACCOUNT=Regnskapskonto som standard for kjøpte produkter i EU (brukt hvis ikke definert i produktarket)
@@ -198,7 +199,8 @@ Docdate=Dato
Docref=Referanse
LabelAccount=Kontoetikett
LabelOperation=Etikettoperasjon
-Sens=som betyr
+Sens=Retning
+AccountingDirectionHelp=For en regnskapskonto til en kunde, bruk Kreditt for å registrere en betaling du mottok For en regnskapskonto for en leverandør, bruk Debet for å registrere en betaling du foretar
LetteringCode=Korrespondansekode
Lettering=Korrespondanse
Codejournal=Journal
@@ -206,23 +208,24 @@ JournalLabel=Journaletikett
NumPiece=Del nummer
TransactionNumShort=Transaksjonsnummer
AccountingCategory=Personlige grupper
-GroupByAccountAccounting=Grupper etter regnskapskonto
+GroupByAccountAccounting=Gruppere etter hovedbokskonto
+GroupBySubAccountAccounting=Gruppere etter sub-hovedbokskonto
AccountingAccountGroupsDesc=Her kan du definere noen grupper regnskapskonti. De vil bli brukt til personlige regnskapsrapporter.
ByAccounts=Etter kontoer
ByPredefinedAccountGroups=Etter forhåndsdefinerte grupper
ByPersonalizedAccountGroups=Etter personlige grupper
ByYear=Etter år
NotMatch=Ikke valgt
-DeleteMvt=Delete some operation lines from accounting
+DeleteMvt=Slett noen operasjonslinjer fra regnskapet
DelMonth=Måned å slette
DelYear=År som skal slettes
DelJournal=Journal som skal slettes
-ConfirmDeleteMvt=This will delete all operation lines of the accounting for the year/month and/or for a specific journal (At least one criterion is required). You will have to reuse the feature '%s' to have the deleted record back in the ledger.
-ConfirmDeleteMvtPartial=This will delete the transaction from the accounting (all operation lines related to the same transaction will be deleted)
+ConfirmDeleteMvt=Dette vil slette alle operasjonslinjene i regnskapet for året/måneden og/eller for en bestemt journal (minst ett kriterium kreves). Du må bruke funksjonen '%s' for å hente den slettede posten tilbake til hovedboken.
+ConfirmDeleteMvtPartial=Dette vil slette transaksjonen fra regnskapet (alle operasjonslinjer relatert til den samme transaksjonen vil bli slettet)
FinanceJournal=Finansjournal
ExpenseReportsJournal=Journal for utgiftsrapporter
DescFinanceJournal=Finansjournal med alle typer betalinger etter bankkonto
-DescJournalOnlyBindedVisible=This is a view of record that are bound to an accounting account and can be recorded into the Journals and Ledger.
+DescJournalOnlyBindedVisible=Dette er en oversikt over poster som er bundet til en regnskapskonto og kan registreres i journaler og hovedbok.
VATAccountNotDefined=MVA-konto er ikke definert
ThirdpartyAccountNotDefined=Konto for tredjepart er ikke definert
ProductAccountNotDefined=Konto for vare er ikke definert
@@ -248,7 +251,7 @@ PaymentsNotLinkedToProduct=Betaling ikke knyttet til noen vare/tjeneste
OpeningBalance=Inngående balanse
ShowOpeningBalance=Vis åpningsbalanse
HideOpeningBalance=Skjul åpningsbalansen
-ShowSubtotalByGroup=Vis subtotal etter gruppe
+ShowSubtotalByGroup=Vis subtotal etter nivå
Pcgtype=Kontogruppe
PcgtypeDesc=Kontogruppe brukes som forhåndsdefinerte 'filter' og 'gruppering' kriterier for noen regnskapsrapporter. For eksempel blir 'INNTEKT' eller 'UTGIFT' brukt som grupper for regnskapsføring av varer for å lage utgifts-/inntektsrapporten.
@@ -271,11 +274,13 @@ DescVentilExpenseReport=Liste over utgiftsrapport-linjer bundet (eller ikke) til
DescVentilExpenseReportMore=Hvis du setter opp regnskapskonto med type utgiftsrapport-linjer, vil programmet være i stand til å gjøre alle bindinger mellom utgiftsrapport-linjer og regnskapskontoer med et klikk på knappen "%s". Hvis du fortsatt har noen linjer som ikke er bundet til en konto, må du foreta en manuell binding fra menyen "%s".
DescVentilDoneExpenseReport=Liste over utgiftsrapport-linjer og tilhørende gebyr-regnskapskonto
+Closure=Årsavslutning
DescClosure=Kontroller antall bevegelser per måned som ikke er validert og regnskapsår som allerede er åpne
OverviewOfMovementsNotValidated=Trinn 1 / Oversikt over bevegelser som ikke er validert. (Nødvendig for å avslutte et regnskapsår)
+AllMovementsWereRecordedAsValidated=Alle bevegelser ble registrert som validert
+NotAllMovementsCouldBeRecordedAsValidated=Ikke alle bevegelser kunne registreres som validert
ValidateMovements=Valider bevegelser
DescValidateMovements=Enhver modifisering eller fjerning av skriving, bokstaver og sletting vil være forbudt. Alle påmeldinger for en oppgave må valideres, ellers er det ikke mulig å lukke
-SelectMonthAndValidate=Velg måned og valider bevegelser
ValidateHistory=Bind automatisk
AutomaticBindingDone=Automatisk binding utført
@@ -293,9 +298,10 @@ Accounted=Regnskapsført i hovedbok
NotYetAccounted=Ikke regnskapsført i hovedboken enda
ShowTutorial=Vis veiledning
NotReconciled=Ikke sammenslått
+WarningRecordWithoutSubledgerAreExcluded=Advarsel, alle operasjoner uten definert sub-hovedbokskonto er filtrert og ekskludert fra denne visningen
## Admin
-BindingOptions=Binding options
+BindingOptions=Bindingsalternativer
ApplyMassCategories=Masseinnlegging av kategorier
AddAccountFromBookKeepingWithNoCategories=Tilgjengelig konto er ennå ikke i en personlig gruppe
CategoryDeleted=Kategori for regnskapskontoen er blitt slettet
@@ -315,9 +321,9 @@ ErrorAccountingJournalIsAlreadyUse=Denne journalen er allerede i bruk
AccountingAccountForSalesTaxAreDefinedInto=Merk: Regnskapskonto for MVA er definert i menyen %s - %s
NumberOfAccountancyEntries=Antall oppføringer
NumberOfAccountancyMovements=Antall bevegelser
-ACCOUNTING_DISABLE_BINDING_ON_SALES=Disable binding & transfer in accountancy on sales (customer invoices will not be taken into account in accounting)
-ACCOUNTING_DISABLE_BINDING_ON_PURCHASES=Disable binding & transfer in accountancy on purchases (vendor invoices will not be taken into account in accounting)
-ACCOUNTING_DISABLE_BINDING_ON_EXPENSEREPORTS=Disable binding & transfer in accountancy on expense reports (expense reports will not be taken into account in accounting)
+ACCOUNTING_DISABLE_BINDING_ON_SALES=Deaktiver binding og overføring til regnskap ved salg (kundefakturaer blir ikke tatt med i regnskapet)
+ACCOUNTING_DISABLE_BINDING_ON_PURCHASES=Deaktiver binding og overføring til regnskap ved kjøp (leverandørfakturaer blir ikke tatt med i regnskapet)
+ACCOUNTING_DISABLE_BINDING_ON_EXPENSEREPORTS=Deaktiver binding og overføring til regnskap på utgiftsrapporter (utgiftsrapporter blir ikke tatt med i regnskapet)
## Export
ExportDraftJournal=Eksporter utkastjournal
@@ -337,9 +343,10 @@ Modelcsv_LDCompta10=Eksporter for LD Compta (v10 og høyere)
Modelcsv_openconcerto=Eksport for OpenConcerto (Test)
Modelcsv_configurable=Eksport CSV Konfigurerbar
Modelcsv_FEC=Eksporter FEC
+Modelcsv_FEC2=Eksporter FEC (med datogenerering/dokument omvendt)
Modelcsv_Sage50_Swiss=Eksport for Sage 50 Switzerland
Modelcsv_winfic=Eksporter Winfic - eWinfic - WinSis Compta
-Modelcsv_Gestinumv3=Export for Gestinum (v3)
+Modelcsv_Gestinumv3=Eksport for Gestinum (v3)
Modelcsv_Gestinumv5Export for Gestinum (v5)
ChartofaccountsId=Kontoplan ID
diff --git a/htdocs/langs/nb_NO/admin.lang b/htdocs/langs/nb_NO/admin.lang
index 9f6a787ed34..16bb89a5d31 100644
--- a/htdocs/langs/nb_NO/admin.lang
+++ b/htdocs/langs/nb_NO/admin.lang
@@ -37,8 +37,8 @@ UnlockNewSessions=Fjern forbindelseslås
YourSession=Din økt
Sessions=Brukers økter
WebUserGroup=Webserver bruker/gruppe
-PermissionsOnFilesInWebRoot=Permissions on files in web root directory
-PermissionsOnFile=Permissions on file %s
+PermissionsOnFilesInWebRoot=Tillatelser for filer i rotkatalogen på web
+PermissionsOnFile=Tillatelser på fil %s
NoSessionFound=Din PHP-konfigurasjon ser ut til å ikke tillate oppføring av aktive økter. Mappen som brukes til å lagre økter ( %s ) kan være beskyttet (for eksempel av operativsystemer eller ved hjelp av PHP-direktivet open_basedir).
DBStoringCharset=Databasetegnsett for lagring av data
DBSortingCharset=Databasetegnsett for sortering av data
@@ -56,6 +56,8 @@ GUISetup=Visning
SetupArea=Oppsett
UploadNewTemplate=Last opp ny mal(er)
FormToTestFileUploadForm=Skjema for å teste opplasting (i henhold til oppsett)
+ModuleMustBeEnabled=Modulen/applikasjonen %s må være aktivert
+ModuleIsEnabled=Modulen/applikasjonen %s er aktivert
IfModuleEnabled=Merk: Ja er bare effektiv hvis modulen %s er aktivert
RemoveLock=Fjern/endre navn på filen %s hvis den eksisterer, for å tillate bruk av oppdaterings-/installeringsverktøyet.
RestoreLock=Gjenopprett filen %s med kun leserettigheter, for å deaktivere bruk av oppdateringsverktøyet.
@@ -73,7 +75,7 @@ DisableJavascriptNote=Merk: For test eller feilsøking. For optimalisering for b
UseSearchToSelectCompanyTooltip=Hvis du har et stort antall tredjeparter (> 100 000), kan du øke hastigheten ved å sette konstant COMPANY_DONOTSEARCH_ANYWHERE til 1 i Oppsett-> Annet. Søket vil da være begrenset til starten av strengen.
UseSearchToSelectContactTooltip=Hvis du har et stort antall tredjeparter (> 100 000), kan du øke hastigheten ved å sette konstant CONTACT_DONOTSEARCH_ANYWHERE til 1 i Oppsett-> Annet. Søket vil da være begrenset til starten av strengen.
DelaiedFullListToSelectCompany=Vent med å trykke på en tast før innholdet av tredjepart-kombinasjonslisten er lastet. Dette kan øke ytelsen hvis du har mange tredjeparter
-DelaiedFullListToSelectContact=Wait until a key is pressed before loading content of Contact combo list. This may increase performance if you have a large number of contacts, but it is less convenient.
+DelaiedFullListToSelectContact=Vent til en tast er trykket før innholdet i kontaktlisten lastes. Dette kan øke ytelsen hvis du har et stort antall kontakter, men det er mindre praktisk.
NumberOfKeyToSearch=Antall tegn for å starte søk: %s
NumberOfBytes=Antall bytes
SearchString=Søkestreng
@@ -82,10 +84,9 @@ AllowToSelectProjectFromOtherCompany=På elementer av en tredjepart, kan du velg
JavascriptDisabled=JavaScript er deaktivert
UsePreviewTabs=Bruk faner for forhåndsvisning
ShowPreview=Forhåndsvisning
-ShowHideDetails=Show-Hide details
+ShowHideDetails=Vis-skjul detaljer
PreviewNotAvailable=Forhåndsvisning ikke tilgjengelig
ThemeCurrentlyActive=Gjeldende tema
-CurrentTimeZone=Tidssone for PHP (server)
MySQLTimeZone=Tidssone MySql (database)
TZHasNoEffect=Datoer lagres og returneres av databaseserver som innsendt streng. Tidssonen har kun effekt ved bruk av UNIX_TIMESTAMP funksjon (som ikke bør brukes av Dolibarr, slik database TZ ikke skal ha noen effekt, selv om den ble endret etter at data ble lagt inn).
Space=Mellomrom
@@ -153,8 +154,8 @@ SystemToolsAreaDesc=Dette området viser administrasjonsfunksjoner. Bruk menyen
Purge=Utrenskning
PurgeAreaDesc=Denne siden lar deg slette alle filer som er generert eller lagret av Dolibarr (midlertidige filer eller alle filer i katalogen %s ). Bruk av denne funksjonen er normalt ikke nødvendig. Den leveres som en løsning for brukere hvis Dolibarr er vert for en leverandør som ikke tilbyr tillatelser for å slette filer generert av webserveren.
PurgeDeleteLogFile=Slett loggfiler, inkludert %s definert for Syslog-modulen (ingen risiko for å miste data)
-PurgeDeleteTemporaryFiles=Slett alle midlertidige filer (ingen risiko for å miste data). Merk: Slettingen gjøres bare hvis temp-katalogen ble opprettet for over 24 timer siden.
-PurgeDeleteTemporaryFilesShort=Slett temporære filer
+PurgeDeleteTemporaryFiles=Slett alle loggfiler og midlertidige filer (ingen risiko for å miste data). Merk: Sletting av midlertidige filer gjøres bare hvis temp-katalogen ble opprettet for mer enn 24 timer siden.
+PurgeDeleteTemporaryFilesShort=Slett loggfiler og midlertidige filer
PurgeDeleteAllFilesInDocumentsDir=Slett alle filer i katalogen: %s . Dette vil slette alle genererte dokumenter relatert til elementer (tredjeparter, fakturaer etc ...), filer lastet opp i ECM-modulen, database backup dumper og midlertidig filer.
PurgeRunNow=Start utrenskning
PurgeNothingToDelete=Ingen mapper eller filer å slette.
@@ -222,7 +223,7 @@ Nouveauté=Nyhet
AchatTelechargement=Kjøp/Last ned
GoModuleSetupArea=For å distribuere/installere en ny modul, gå til området for Moduloppsett på %s.
DoliStoreDesc=DoliStore, den offisielle markedsplassen for eksterne moduler til Dolibarr ERP/CRM
-DoliPartnersDesc=List of companies providing custom-developed modules or features. Note: since Dolibarr is an open source application, anyone experienced in PHP programming should be able to develop a module.
+DoliPartnersDesc=Liste over selskaper som tilbyr spesialutviklede moduler eller funksjoner. Merk: Siden Dolibarr er et program med åpen kildekode, bør alle med erfaring i PHP-programmering kunne utvikle en modul.
WebSiteDesc=Eksterne nettsteder for flere tilleggs- (ikke-kjerne) moduler ...
DevelopYourModuleDesc=Noen løsninger for å utvikle din egen modul...
URL=URL
@@ -256,6 +257,7 @@ ReferencedPreferredPartners=Foretrukne Partnere
OtherResources=Andre ressurser
ExternalResources=Eksterne ressurser
SocialNetworks=Sosiale nettverk
+SocialNetworkId=Sosialt nettverk ID
ForDocumentationSeeWiki=For bruker- eller utviklerdokumentasjon (Doc, FAQs ...), ta en titt på Dolibarr Wiki: %s
ForAnswersSeeForum=For andre spørsmål/hjelp, kan du bruke Dolibarr forumet: %s
HelpCenterDesc1=Her er noen ressurser for å få hjelp og støtte med Dolibarr.
@@ -292,7 +294,7 @@ MAIN_MAIL_SMTPS_ID=SMTP-ID (hvis sending av server krever godkjenning)
MAIN_MAIL_SMTPS_PW=SMTP-passord (hvis sending av server krever godkjenning)
MAIN_MAIL_EMAIL_TLS=Bruk TLS (SSL) kryptering
MAIN_MAIL_EMAIL_STARTTLS=Bruk TLS (STARTTL) kryptering
-MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Authorise les certificats auto-signés
+MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Autoriser selvsignerte sertifikater
MAIN_MAIL_EMAIL_DKIM_ENABLED=Bruk DKIM til å generere epostsignatur
MAIN_MAIL_EMAIL_DKIM_DOMAIN=Email Domain for bruk med DKIM
MAIN_MAIL_EMAIL_DKIM_SELECTOR=Navn på DKIM-velger
@@ -304,9 +306,9 @@ MAIN_MAIL_DEFAULT_FROMTYPE=Standard avsender-epost for manuell sending (Bruker-e
UserEmail=Bruker-epost
CompanyEmail=Firma epost
FeatureNotAvailableOnLinux=Funksjonen er ikke tilgjengelig på Unix/Linux. Test sendmail lokalt.
-FixOnTransifex=Fix the translation on the online translation platform of project
+FixOnTransifex=Rett oversettelsen på prosjektets online oversettelsesplattform
SubmitTranslation=Hvis oversettelsen for dette språket ikke er fullført, eller du finner feil, kan du rette opp dette ved å redigere filer i katalogen langs/%s og sende inn endringen til www.transifex.com/dolibarr-association/dolibarr/
-SubmitTranslationENUS=If translation for this language is not complete or you find errors, you can correct this by editing files into directory langs/%s and submit modified files on dolibarr.org/forum or, if you are a developer, with a PR on github.com/Dolibarr/dolibarr
+SubmitTranslationENUS=Hvis oversettelsen for dette språket ikke er komplett eller du finner feil, kan du rette dette ved å redigere filer i katalogen langs/%s og sende endrede filer til dolibarr.org/forum, eller, hvis du er en utvikler, med en PR på github .com / Dolibarr / dolibarr
ModuleSetup=Modulinnstillinger
ModulesSetup=Moduler/Applikasjonsoppsett
ModuleFamilyBase=System
@@ -375,7 +377,7 @@ ExamplesWithCurrentSetup=Eksempler med gjeldende konfigurasjon
ListOfDirectories=Liste over OpenDocument-mapper med maler
ListOfDirectoriesForModelGenODT=Liste over kataloger som inneholder mal-filer med Opendocument format.
Sett inn hele banen til kataloger her. Legg til et linjeskift mellom hver katalog. For å legge til en katalog av GED modulen, legg til DOL_DATA_ROOT/ECM/dittkatalognavn her.
Filer i disse katalogene må slutte med .odt eller .ods.
NumberOfModelFilesFound=Antall ODT/ODS-malfiler som finnes i disse katalogene
-ExampleOfDirectoriesForModelGen=Eksempler på syntaks: c:\\mydir /Home/mydir DOL_DATA_ROOT/ECM/ecmdir
+ExampleOfDirectoriesForModelGen=Eksempler på syntaks: c:\\myapp\\mydocumentdir\\mysubdir /home/myapp/mydocumentdir/mysubdir DOL_DATA_ROOT/ecm/ecmdir
FollowingSubstitutionKeysCanBeUsed= For å lære hvordan du oppretter ODT dokumentmaler, og før du lagrer dem, les wiki-dokumentasjon:
FullListOnOnlineDocumentation=http://wiki.dolibarr.org/index.php/Create_an_ODT_document_template
FirstnameNamePosition=Plassering av fornavn/etternavn
@@ -406,7 +408,7 @@ UrlGenerationParameters=Parametre for å sikre nettadresser
SecurityTokenIsUnique=Bruk en unik securekey parameter for hver webadresse
EnterRefToBuildUrl=Oppgi referanse for objekt %s
GetSecuredUrl=Få beregnet URL
-ButtonHideUnauthorized=Skjul knapper for brukere uten administratorrettigheter i stedet for å vise dem som grå
+ButtonHideUnauthorized=Skjul uautoriserte handlingsknapper også for interne brukere (bare gråaktig ellers)
OldVATRates=Gammel MVA-sats
NewVATRates=Ny MVA-sats
PriceBaseTypeToChange=Endre på prisene med base referanseverdi definert på
@@ -435,14 +437,14 @@ ExtrafieldCheckBox=Sjekkbokser
ExtrafieldCheckBoxFromList=Avkrysningsbokser fra tabell
ExtrafieldLink=Lenke til et objekt
ComputedFormula=Beregnet felt
-ComputedFormulaDesc=You can enter here a formula using other properties of object or any PHP coding to get a dynamic computed value. You can use any PHP compatible formulas including the "?" condition operator, and following global object: $db, $conf, $langs, $mysoc, $user, $object. WARNING: Only some properties of $object may be available. If you need a properties not loaded, just fetch yourself the object into your formula like in the second example. Using a computed field means you can't enter yourself any value from interface. Also, if there is a syntax error, the formula may return nothing.
Example to reload object (($reloadedobj = new Societe($db)) && ($reloadedobj->fetchNoCompute($obj->id ? $obj->id: ($obj->rowid ? $obj->rowid: $object->id)) > 0)) ? $reloadedobj->array_options['options_extrafieldkey'] * $reloadedobj->capital / 5: '-1'
Other example of formula to force load of object and its parent object: (($reloadedobj = new Task($db)) && ($reloadedobj->fetchNoCompute($object->id) > 0) && ($secondloadedobj = new Project($db)) && ($secondloadedobj->fetchNoCompute($reloadedobj->fk_project) > 0)) ? $secondloadedobj->ref: 'Parent project not found'
+ComputedFormulaDesc=Du kan legge inn en formel her ved hjelp av andre egenskaper for objekt eller hvilken som helst PHP-koding for å få en dynamisk beregnet verdi. Du kan bruke alle PHP-kompatible formler, inkludert "?" tilstandsoperatør, og følgende globale objekt: $db, $conf, $langs, $mysoc, $user, $object . ADVARSEL : Bare noen egenskaper for $-objekt kan være tilgjengelige. Hvis du trenger egenskaper som ikke er lastet, er det bare å hente objektet i formelen som i det andre eksemplet. Ved å bruke et beregnet felt betyr det at du ikke kan skrive inn noen verdi fra grensesnittet. Og, hvis det er en syntaksfeil, kan det hende formelen ikke returnerer noe.
Eksempel på formel: $object-> id < 10 ? round($object->id / 2, 2): ($object-> id + 2 * $user-> id) * (int) substr($mysoc-> zip, 1, 2 )
Eksempel på å laste inn objekt (($reloadedobj = new Societe($db)) && ($reloadedobj->fetchNoCompute($obj->id ? $obj->id: ($obj->rowid ? $obj->rowid: $object->id)) > 0)) ? $reloadedobj->array_options['options_extrafieldkey'] * $reloadedobj->capital / 5: '-1'
Et annet eksempel på formel for å tvinge objektets belastning og dets overordnede objekt: (($reloadedobj = new Task($db)) && ($reloadedobj->fetchNoCompute($object->id) > 0) && ($secondloadedobj = new Project($db)) && ($secondloadedobj->fetchNoCompute($reloadedobj->fk_project) > 0)) ? $secondloadedobj->ref: 'Overordnet prosjekt ikke funnet'
Computedpersistent=Lagre beregnede felt
ComputedpersistentDesc=Beregnede ekstrafelt vil bli lagret i databasen, men verdien blir bare omregnet når objektet til dette feltet endres. Hvis det beregnede feltet avhenger av andre objekter eller globale data, kan denne verdien være feil!
ExtrafieldParamHelpPassword=Hvis dette feltet er tomt, vil denne verdien bli lagret uten kryptering (feltet må bare skjules med stjerne på skjermen). Angi 'auto' for å bruke standard krypteringsregel for å lagre passordet i databasen (da vil verdiavlesning være bare hash, uten noen måte å hente opprinnelig verdi på)
ExtrafieldParamHelpselect=Liste over verdier må være linjer med formatet nøkkel,verdi (hvor nøkkelen ikke kan være '0')
for eksempel: 1,verdi1 2,verdi2 kode3,verdi3 ...
For å få listen avhengig av en annen komplementær attributtliste: 1,verdi1|options_parent_list_code:parent_key 2,value2|options_parent_list_code: parent_key
For å få listen avhengig av en annen liste: 1,verdi1|parent_list_code:parent_key 2,value2|parent_list_code : parent_key
ExtrafieldParamHelpcheckbox=Liste over verdier må være linjer med formatet nøkkel,verdi (hvor nøkkelen ikke kan være '0')
for eksempel: 1,verdi1 2,verdi2 3,verdi3 ...
ExtrafieldParamHelpradio=Liste over verdier må være linjer med formatet nøkkel,verdi (hvor nøkkelen ikke kan være '0')
for eksempel: 1,verdi1 2,verdi2 3,verdi3 ...
-ExtrafieldParamHelpsellist=List of values comes from a table Syntax: table_name:label_field:id_field::filter Example: c_typent:libelle:id::filter
- id_field is necessarly a primary int key - filter can be a simple test (eg active=1) to display only active value You can also use $ID$ in filter which is the current id of current object To use a SELECT into the filter use the keyword $SEL$ to bypass anti-injection protection. if you want to filter on extrafields use syntax extra.fieldcode=... (where field code is the code of extrafield)
In order to have the list depending on another complementary attribute list: c_typent:libelle:id:options_parent_list_code|parent_column:filter
In order to have the list depending on another list: c_typent:libelle:id:parent_list_code|parent_column:filter
+ExtrafieldParamHelpsellist=Liste over verdier kommer fra en tabell Syntaks: table_name:label_field:id_field::filter Eksempel: c_typent:libelle:id::filter
- id_field er nødvendigvis en primær nøkkel Filter kan være en enkel test (f.eks active=1) for å vise bare aktiv verdi Du kan også bruke $ID$ i filteret som er gjeldende id for gjeldende objekt For å bruke en SELECT i filteret, bruk nøkkelordet $SEL$ for å omgå anti-injeksjonsbeskyttelse. Hvis du vil filtrere på ekstrafelt, bruk syntaks ekstra.fieldcode=... (hvor feltkode er koden til extrafield)
For å ha listen avhengig av en annen utfyllende attributtliste: c_typent:libelle:id:options_12 parent_list_code |parent_column:filter
For å ha listen avhengig av en annen liste: c_typent:libelle:id: parent_list_code |parent_column:filter\n
ExtrafieldParamHelpchkbxlst=Liste over verdier kommer fra en tabell Syntaks: table_name:label_field:id_field::filter Eksempel: c_typent:libelle:id::filter
filter kan være en enkel test (f.eks. Aktiv=1 ) for å vise bare aktiv verdi Du kan også bruke $ID$ i filter, som er gjeldende ID for nåværende objekt For å utføre en SELECT i filter, bruk $SEL$ Hvis du vil filtrere på ekstrafeltbruk bruk syntaks extra.fieldcode=... (der feltkoden er koden til ekstrafelt)
For å få listen avhengig av en annen komplementær attributtliste: c_typent:libelle:id:options_parent_list_code |parent_column:filter
For å få listen avhengig av en annen liste: c_typent:libelle:id:parent_list_code |parent_column:filter
ExtrafieldParamHelplink=Parametere må være ObjectName:Classpath Syntaks: ObjectName:Classpath
ExtrafieldParamHelpSeparator=Hold tomt for en enkel separator Sett dette til 1 for en kollaps-separator (åpnes som standard for ny økt, da beholdes status for hver brukerøkt) Sett dette til 2 for en kollaps-separator (kollapset som standard for ny økt, da holdes status foran hver brukerøkt)
@@ -482,13 +484,13 @@ ModuleCompanyCodeCustomerDigitaria=%s etterfulgt av det avkortede kundenavnet me
ModuleCompanyCodeSupplierDigitaria=%s etterfulgt av det avkortede leverandørnavnet med antall tegn: %s for leverandørens regnskapskode.
Use3StepsApproval=Som standard må innkjøpsordrer opprettes og godkjennes av 2 forskjellige brukere (ett trinn/bruker for å opprette og ett trinn/bruker for å godkjenne. Merk at hvis brukeren har både tillatelse til å opprette og godkjenne, vil ett trinn/ bruker vil være nok). Du kan bruke dette alternativet for å innføre et tredje trinn/bruker godkjenning, hvis beløpet er høyere enn en spesifisert verdi (så vil 3 trinn være nødvendig: 1=validering, 2=første godkjenning og 3=andre godkjenning dersom beløpet er høyt nok). Sett denne tom en godkjenning (2 trinn) er nok, sett den til en svært lav verdi (0,1) hvis det alltid kreves en andre godkjenning (3 trinn).
UseDoubleApproval=Bruk 3-trinns godkjennelse når beløpet (eks. MVA) er høyere enn...
-WarningPHPMail=WARNING: The setup to send emails from the application is using the default generic setup. It is often better to setup outgoing emails to use the email server of your Email Service Provider instead of the default setup for several reasons:
-WarningPHPMailA=- Using the server of the Email Service Provider increases the trustability of your email, so it increases the deliverablity without being flagged as SPAM
-WarningPHPMailB=- Some Email Service Providers (like Yahoo) do not allow you to send an email from another server than their own server. Your current setup uses the server of the application to send email and not the server of your email provider, so some recipients (the one compatible with the restrictive DMARC protocol), will ask your email provider if they can accept your email and some email providers (like Yahoo) may respond "no" because the server is not theirs, so few of your sent Emails may not be accepted for delivery (be careful also of your email provider's sending quota).
-WarningPHPMailC=- Using the SMTP server of your own Email Service Provider to send emails is also interesting so all emails sent from application will also be saved into your "Sent" directory of your mailbox.
-WarningPHPMailD=If the method 'PHP Mail' is really the method you would like to use, you can remove this warning by adding the constant MAIN_HIDE_WARNING_TO_ENCOURAGE_SMTP_SETUP to 1 in Home - Setup - Other.
+WarningPHPMail=ADVARSEL: Oppsettet for å sende e-post fra applikasjonen bruker standard generisk oppsett. Det er ofte bedre å konfigurere utgående epost for å bruke epostserveren til tjenesteleverandøren i stedet for standardoppsettet av flere grunner:
+WarningPHPMailA=- Å bruke serveren til epostleverandøren øker påliteligheten til eposten din, slik at den øker leveringsevnen uten å bli markert som spam
+WarningPHPMailB=- Noen e-posttjenesteleverandører (som Yahoo) tillater ikke at du sender en e-post fra en annen server enn deres egen server. Det nåværende oppsettet ditt bruker serveren til applikasjonen til å sende e-post og ikke serveren til e-postleverandøren din, så noen mottakere (den som er kompatibel med den begrensende DMARC-protokollen) vil spørre e-postleverandøren din om de kan godta e-posten din og noen e-postleverandører (som Yahoo) kan svare "nei" fordi serveren ikke er deres. Noen av de sendte e-postene dine blir kanskje ikke akseptert for levering (vær også oppmerksom på e-postleverandørens sendekvote).
+WarningPHPMailC=- Ved å bruke SMTP-serveren til din egen e-posttjenesteleverandør for å sende e-post vil alle e-postmeldinger som sendes fra applikasjonen bli lagret i "Sendt"-katalogen i postkassen din.
+WarningPHPMailD=Hvis metoden 'PHP Mail' virkelig er metoden du vil bruke, kan du fjerne denne advarselen ved å legge til konstanten MAIN_HIDE_WARNING_TO_ENCOURAGE_SMTP_SETUP til 1 i Hjem - Oppsett - Annet.
WarningPHPMail2=Hvis din epost-SMTP-leverandør må begrense epostklienten til noen IP-adresser (svært sjelden), er dette IP-adressen til epost-brukeragenten (MUA) for ERP CRM-programmet: %s .
-WarningPHPMailSPF=If the domain name in your sender email address is protected by a SPF record (ask you domain name registar), you must add the following IPs in the SPF record of the DNS of your domain: %s.
+WarningPHPMailSPF=Hvis domenenavnet i avsenderens epostadresse er beskyttet av en SPF-post (spør deg om domenenavnet registrert), må du legge til følgende IP-er i SPF-posten for DNS for domenet ditt: %s .
ClickToShowDescription=Klikk for å vise beskrivelse
DependsOn=Denne modulen trenger modulen(ene)
RequiredBy=Denne modulen er påkrevd av modul(ene)
@@ -554,9 +556,9 @@ Module54Desc=Forvaltning av kontrakter (tjenester eller tilbakevendende abonneme
Module55Name=Strekkoder
Module55Desc=Behandling av strekkoder
Module56Name=Betaling med kredittoverføring
-Module56Desc=Management of payment of suppliers by Credit Transfer orders. It includes generation of SEPA file for European countries.
+Module56Desc=Håndtering av betaling til leverandører ved Credit Transfer-ordrer. Den inkluderer generering av SEPA-filer for europeiske land.
Module57Name=Betalinger med dirketedebet
-Module57Desc=Management of Direct Debit orders. It includes generation of SEPA file for European countries.
+Module57Desc=Håndtering av ordrer med direktedebet. Den inkluderer generering av SEPA-filer for europeiske land.
Module58Name=ClickToDial
Module58Desc=ClickToDial integrasjon
Module60Name=Klistremerker
@@ -662,7 +664,7 @@ Module50200Desc=Gi kunderne en PayPal-betalingssideside (PayPal-konto eller kred
Module50300Name=Stripe
Module50300Desc=Tilbyr kunder en Stripe online betalingsside (kreditt/debetkort). Dette kan brukes til å la kundene dine foreta ad-hoc-betalinger eller betalinger knyttet til et bestemt Dolibarr-objekt (faktura, bestilling osv.)
Module50400Name=Regnskap (dobbeltoppføring)
-Module50400Desc=Accounting management (double entries, support General and Subsidiary Ledgers). Export the ledger in several other accounting software formats.
+Module50400Desc=Regnskapsadministrasjon (dobbeltoppføringer, støtter hovedbok - og sub-hovedbøker). Eksporter hovedboken til flere andre regnskapsprogrammer.
Module54000Name=PrintIPP
Module54000Desc=Direkteutskrift (uten å åpne dokumentet)ved hjelp av CUPS IPP inteface (Skriveren må være synlig for serveren, og CUPS må være installert på serveren)
Module55000Name=Meningsmåling, undersøkelse eller avstemming
@@ -703,9 +705,9 @@ Permission61=Vis intervensjoner
Permission62=Opprett/endre intervensjoner
Permission64=Slett intervensjoner
Permission67=Eksporter intervensjoner
-Permission68=Send interventions by email
+Permission68=Send intervensjoner på e-post
Permission69=Valider intervensjoner
-Permission70=Invalidate interventions
+Permission70=Ugyldiggjør intervensjoner
Permission71=Vis medlemmer
Permission72=Opprett/endre medlemmer
Permission74=Slett medlemmer
@@ -728,7 +730,7 @@ Permission95=Les rapporter
Permission101=Vis forsendelser
Permission102=Opprett/endre forsendelser
Permission104=Valider forsendelser
-Permission105=Send sendings by email
+Permission105=Send forsendelser på e-post
Permission106=Eksporter forsendelser
Permission109=Slett forsendelser
Permission111=Vis kontoutdrag
@@ -836,10 +838,10 @@ Permission402=Opprett/endre rabatter
Permission403=Valider rabatter
Permission404=Slett rabatter
Permission430=Bruk Debug Bar
-Permission511=Read payments of salaries (yours and subordinates)
+Permission511=Les lønnsutbetalinger (dine og underordnedes)
Permission512=Opprett/endre betaling av lønn
Permission514=Slett utbetalinger av lønn
-Permission517=Read payments of salaries of everybody
+Permission517=Les alles lønnsutbetalinger
Permission519=Eksporter lønn
Permission520=Les lån
Permission522=Opprett/endre lån
@@ -851,19 +853,19 @@ Permission532=Opprett/endre tjenester
Permission534=Slett tjenester
Permission536=Administrer skjulte tjenester
Permission538=Eksporter tjenester
-Permission561=Read payment orders by credit transfer
-Permission562=Create/modify payment order by credit transfer
-Permission563=Send/Transmit payment order by credit transfer
-Permission564=Record Debits/Rejections of credit transfer
-Permission601=Read stickers
-Permission602=Create/modify stickers
-Permission609=Delete stickers
+Permission561=Les betalingsordrer ved kredittoverføring
+Permission562=Opprett/endre betalingsordre ved kredittoverføring
+Permission563=Send/overfør betalingsordre ved kredittoverføring
+Permission564=Registrer debet/avvisning av kredittoverføring
+Permission601=Les klistremerker
+Permission602=Opprett/modifiser klistremerker
+Permission609=Slett klistremerker
Permission650=Les BOM (Bills of Materials)
Permission651=Opprett/oppdater BOM
Permission652=Slett BOM
-Permission660=Read Manufacturing Order (MO)
-Permission661=Create/Update Manufacturing Order (MO)
-Permission662=Delete Manufacturing Order (MO)
+Permission660=Les produksjonsordre (MO)
+Permission661=Opprett/endreproduksjonsordre (MO)
+Permission662=Slett produksjonsordre (MO)
Permission701=Vis donasjoner
Permission702=Opprett/endre donasjoner
Permission703=Slett donasjoner
@@ -873,8 +875,8 @@ Permission773=Slett utgiftsrapport
Permission774=Les alle utgiftsrapporter (alle brukere)
Permission775=Godkjenn utgiftsrapport
Permission776=Betal utgift
-Permission777=Read expense reports of everybody
-Permission778=Create/modify expense reports of everybody
+Permission777=Les utgiftsrapporter fra alle
+Permission778=Lag/endre utgiftsrapporter for alle
Permission779=Eksporter utgiftsrapporter
Permission1001=Vis beholdning
Permission1002=Opprett/endre lager
@@ -899,9 +901,9 @@ Permission1185=Godkjen innkjøpsordre
Permission1186=Utfør innkjøpsordre
Permission1187=Bekreft mottak av innkjøpsordre
Permission1188=Slett innkjøpsordre
-Permission1189=Check/Uncheck a purchase order reception
+Permission1189=Merk av/fjern merket for mottak av innkjøpsordre
Permission1190=Godkjenn (andre godkjenning) innkjøpsordre
-Permission1191=Export supplier orders and their attributes
+Permission1191=Eksporter leverandørordre og deres attributter
Permission1201=Resultat av en eksport
Permission1202=Opprett/endre eksport
Permission1231=Les leverandørfakturaer
@@ -915,8 +917,8 @@ Permission1251=Kjør masseimport av eksterne data til database (datalast)
Permission1321=Eksportere kundefakturaer, attributter og betalinger
Permission1322=Gjenåpne en betalt regning
Permission1421=Eksporter salgsordre og attributter
-Permission1521=Read documents
-Permission1522=Delete documents
+Permission1521=Les dokumenter
+Permission1522=Slett dokumenter
Permission2401=Les handlinger (hendelser eller oppgaver) knyttet til brukerkonto (hvis eier av en hendelse eller bare er tilordnet)
Permission2402=Opprette/endre handlinger (hendelser eller oppgaver) knyttet til brukerkontoen (hvis eier av hendelsen)
Permission2403=Slett handlinger (hendelser eller oppgaver) knyttet til brukerkontoen (hvis eier av hendelsen)
@@ -931,7 +933,7 @@ Permission2515=Oppsett av dokumentmapper
Permission2801=Bruk FTP-klient i lesemodus (bla gjennom og laste ned)
Permission2802=Bruk FTP-klient i skrivemodus (slette eller laste opp filer)
Permission3200=Les arkiverte hendelser og fingeravtrykk
-Permission3301=Generate new modules
+Permission3301=Generer nye moduler
Permission4001=Se ansatte
Permission4002=Opprett ansatte
Permission4003=Slett ansatte
@@ -952,12 +954,12 @@ Permission23002=Opprett/endre planlagt oppgave
Permission23003=Slett planlagt oppgave
Permission23004=Utfør planlagt oppgave
Permission50101=Bruk salgssted (SimplePOS)
-Permission50151=Use Point of Sale (TakePOS)
+Permission50151=Bruk salgssted (TakePOS)
Permission50201=Les transaksjoner
Permission50202=Importer transaksjoner
-Permission50330=Read objects of Zapier
-Permission50331=Create/Update objects of Zapier
-Permission50332=Delete objects of Zapier
+Permission50330=Les Zapier-objekter
+Permission50331=Opprett/oppdater Zapier-objekter
+Permission50332=Slett Zapier-objekter
Permission50401=Tilknytt varer og fakturaer til regnskapskontoer
Permission50411=Les operasjoner i hovedbok
Permission50412=Skriv/rediger operasjoner i hovedbok
@@ -991,11 +993,11 @@ Permission941602=Opprett og endre kvitteringer
Permission941603=Valider kvitteringer
Permission941604=Send kvitteringer på e-post
Permission941605=Eksporter kvitteringer
-Permission941606=Delete receipts
+Permission941606=Slett kvitteringer
DictionaryCompanyType=Tredjepartstyper
DictionaryCompanyJuridicalType=Tredjeparts juridiske enheter
-DictionaryProspectLevel=Prospect potential level for companies
-DictionaryProspectContactLevel=Prospect potential level for contacts
+DictionaryProspectLevel=Prospekt potensialnivå for selskaper
+DictionaryProspectContactLevel=Prospekt potensialnivå for kontakter
DictionaryCanton=Stater/provinser
DictionaryRegion=Region
DictionaryCountry=Land
@@ -1026,12 +1028,12 @@ DictionaryUnits=Enheter
DictionaryMeasuringUnits=Måleenheter
DictionarySocialNetworks=Sosiale nettverk
DictionaryProspectStatus=Prospektstatus for selskaper
-DictionaryProspectContactStatus=Prospect status for contacts
+DictionaryProspectContactStatus=Prospektstatus for kontakter
DictionaryHolidayTypes=Typer permisjon
DictionaryOpportunityStatus=Lead status for prosjekt/lead
DictionaryExpenseTaxCat=Utgiftsrapport - Transportkategorier
DictionaryExpenseTaxRange=Utgiftsrapport - Rangert etter transportkategori
-DictionaryTransportMode=Intracomm report - Transport mode
+DictionaryTransportMode=Intracomm rapport - Transportmodus
TypeOfUnit=Type enhet
SetupSaved=Innstillinger lagret
SetupNotSaved=Oppsettet er ikke lagret
@@ -1068,9 +1070,9 @@ LocalTax2IsUsedDescES=Standard RE-sats når du oppretter prospekter, fakturaer,
LocalTax2IsNotUsedDescES=Som standard er den foreslåtte IRPF er 0. Slutt på regelen.
LocalTax2IsUsedExampleES=I Spania, for frilansere og selvstendige som leverer tjenester, og bedrifter som har valgt moduler for skattesystem.
LocalTax2IsNotUsedExampleES=I Spania er de bedrifter som ikke er ikke skattepliktige
-RevenueStampDesc=The "tax stamp" or "revenue stamp" is a fixed tax you per invoice (It does not depend on amount of invoice). It can also be a percent tax but using the second or third type of tax is better for percent taxes as tax stamps does not provide any reporting. Only few countries uses this type of tax.
+RevenueStampDesc="Avgiftsstempelet" eller "inntektsstempelet" er en fast avgift du betaler per faktura (det avhenger ikke av fakturabeløpet). Det kan også være en prosentskatt, men å bruke den andre eller tredje typen skatt er bedre for prosentskatt, ettersom avgiftsstempler ikke gir noen rapportering. Bare få land bruker denne typen avgifter.
UseRevenueStamp=Bruk et avgiftsstempel
-UseRevenueStampExample=The value of tax stamp is defined by default into the setup of dictionaries (%s - %s - %s)
+UseRevenueStampExample=Verdien av avgiftstempelet er definert som standard i oppsettet av ordbøker (%s - %s - %s)
CalcLocaltax=Rapport over lokale avgifter
CalcLocaltax1=Salg - Innkjøp
CalcLocaltax1Desc=Lokale skatter-rapporter kalkuleres med forskjellen mellom kjøp og salg
@@ -1078,12 +1080,12 @@ CalcLocaltax2=Innkjøp
CalcLocaltax2Desc=Lokale skatter-rapportene viser totalt kjøp
CalcLocaltax3=Salg
CalcLocaltax3Desc=Lokale skatter-rapportene viser totalt salg
-NoLocalTaxXForThisCountry=According to the setup of taxes (See %s - %s - %s), your country does not need to use such type of tax
+NoLocalTaxXForThisCountry=I henhold til avgiftsoppsettet (Se %s - %s - %s), trenger ikke landet ditt å bruke en slik type skatt
LabelUsedByDefault=Etiketten som brukes som standard hvis ingen oversettelse kan bli funnet for kode
LabelOnDocuments=Etiketten på dokumenter
LabelOrTranslationKey=Etikett eller oversettelsessnøkkel
ValueOfConstantKey=Verdien av en konfigurasjonskonstant
-ConstantIsOn=Option %s is on
+ConstantIsOn=Alternativ %s er på
NbOfDays=Antall dager
AtEndOfMonth=Ved månedsslutt
CurrentNext=Nåværende/Neste
@@ -1170,8 +1172,8 @@ Delays_MAIN_DELAY_EXPENSEREPORTS=Utgiftsrapporter for godkjenning
Delays_MAIN_DELAY_HOLIDAYS=Legg igjen forespørsler for godkjenning
SetupDescription1=Før du begynner å bruke Dolibarr, må noen innledende parametere defineres og moduler aktiveres/konfigureres.
SetupDescription2=Følgende to seksjoner er obligatoriske (de to første oppføringene i oppsettmenyen):
-SetupDescription3=%s -> %s
Basic parameters used to customize the default behavior of your application (e.g for country-related features).
-SetupDescription4=%s -> %s
This software is a suite of many modules/applications. The modules related to your needs must be enabled and configured. Menu entries will appears with the activation of these modules.
+SetupDescription3= %s -> %s
Grunnleggende parametere som brukes til å tilpasse standardoppførselen til applikasjonen din (for eksempel landrelaterte funksjoner).
+SetupDescription4=%s -> %s
Denne programvaren er en serie med mange moduler/applikasjoner. Modulene relatert til dine behov må være aktivert og konfigurert. Menyoppføringer vises ved aktivering av disse modulene.
SetupDescription5=Annet oppsett menyoppføringer styrer valgfrie parametere.
LogEvents=Hendelser relatert til sikkerhet
Audit=Revisjon
@@ -1182,7 +1184,7 @@ InfoWebServer=Om Webserver
InfoDatabase=Om Database
InfoPHP=Om PHP
InfoPerf=Om ytelse
-InfoSecurity=About Security
+InfoSecurity=Om sikkerhet
BrowserName=Navn på nettleser
BrowserOS=Nettleserens operativsystem
ListOfSecurityEvents=Oversikt over sikkerhetshendelser i Dolibarr
@@ -1191,7 +1193,7 @@ LogEventDesc=Aktiver logging av bestemte sikkerhetshendelser. Administratorer n
AreaForAdminOnly=Oppsettparametere kan bare angis av administratorbrukere .
SystemInfoDesc=Systeminformasjon er diverse teknisk informasjon som kun vises i skrivebeskyttet modus, og som kun er synlig for administratorer.
SystemAreaForAdminOnly=Dette området er kun tilgjengelig for administratorbrukere. Dolibarr brukerrettigheter kan ikke endre denne begrensningen.
-CompanyFundationDesc=Edit the information of your company/organization. Click on "%s" button at the bottom of the page when done.
+CompanyFundationDesc=Rediger informasjonen til din bedrift/organisasjon. Klikk på "%s" -knappen nederst på siden når du er ferdig.
AccountantDesc=Hvis du har en ekstern revisor/regnskapsholder, kan du endre dennes informasjon her.
AccountantFileNumber=Regnskapsførerkode
DisplayDesc=Parametre som påvirker utseende og oppførsel av Dolibarr kan endres her.
@@ -1199,7 +1201,7 @@ AvailableModules=Tilgjengelige apper/moduler
ToActivateModule=Gå til innstillinger for å aktivere moduler.
SessionTimeOut=Tidsgrense for økter
SessionExplanation=Dette tallet garanterer at økten aldri utløper før denne forsinkelsen, hvis økten kjøres med intern PHP-session cleaner (og ingenting annet). Intern PHP session cleaner garanterer ikke at økten utløper like etter denne forsinkelsen. Det utløper etter denne forsinkelsen, og når session cleaner er ferdig, hver %s/%s tilgang, men bare under tilgang fra andre økter . Merk: på noen servere med en ekstern session cleaner(cron under debian, ubuntu ...), kan øktene bli ødelagt etter en periode definert av et eksternt oppsett, uansett verdien som er angitt her.
-SessionsPurgedByExternalSystem=Sessions on this server seems to be cleaned by an external mechanism (cron under debian, ubuntu ...), probably every %s seconds (= value of parameter session.gc_maxlifetime), so changing the value here has no effect. You must ask the server administrator to change session delay.
+SessionsPurgedByExternalSystem=Økter på denne serveren ser ut til å bli renset av en ekstern mekanisme (cron under debian, ubuntu ...), sannsynligvis hvert %s sekund (= verdien av parameteren session.gc_maxlifetime . Du må be serveradministratoren om å endre øktforsinkelse.
TriggersAvailable=Tilgjengelige utløsere
TriggersDesc=Utløsere (triggers) er filer som vil påvirke Dolibarrs virkemåte og arbeidsflyt når de kopieres inn i mappen htdocs/core/triggers. De aktiverer nye handlinger, aktivert av Dolibarrhendelser (ny tredjepart, opprette faktura ...).
TriggerDisabledByName=Utløserne i denne filen er slått av med endelsen -NORUN i navnet.
@@ -1233,7 +1235,7 @@ RestoreDesc2=Gjenopprett sikkerhetskopifilen (f.eks. Zip-fil) i mappen "dokument
RestoreDesc3=Gjenopprett databasestrukturen og dataene fra en sikkerhetskopierings-dumpfil i databasen til den nye Dolibarr-installasjonen eller i databasen til nåværende installasjonen ( %s ). Advarsel, når gjenopprettingen er fullført, må du bruke et login/passord, som eksisterte fra backup tid/installasjon for å koble til igjen. For å gjenopprette en sikkerhetskopiert database til gjeldende installasjon, kan du følge denne assistenten.
RestoreMySQL=MySQL import
ForcedToByAModule=Denne regelen er tvunget til å %s av en aktivert modul
-ValueIsForcedBySystem=This value is forced by the system. You can't change it.
+ValueIsForcedBySystem=Denne verdien bestemmes av systemet. Du kan ikke endre det.
PreviousDumpFiles=Eksisterende sikkerhetskopier
PreviousArchiveFiles=Eksisterende arkivfiler
WeekStartOnDay=Første dag i uken
@@ -1294,8 +1296,8 @@ WarningAtLeastKeyOrTranslationRequired=Et søkekriterie er nødvendig for nøkke
NewTranslationStringToShow=Ny oversettelsesstreng som skal vises
OriginalValueWas=Den originale oversettelsen er overskrevet. Original verdi var:
%s
TransKeyWithoutOriginalValue=Du tvang en ny oversettelse for oversettelsesnøkkelen ' %s' som ikke finnes i noen språkfiler
-TitleNumberOfActivatedModules=Activated modules
-TotalNumberOfActivatedModules=Activated modules: %s / %s
+TitleNumberOfActivatedModules=Aktiverte moduler
+TotalNumberOfActivatedModules=Aktiverte moduler: %s / %s
YouMustEnableOneModule=Du må minst aktivere en modul
ClassNotFoundIntoPathWarning=Klasse %s ikke funnet i PHP banen
YesInSummer=Ja i sommer
@@ -1314,7 +1316,7 @@ PHPModuleLoaded=PHP-komponent %s lastet
PreloadOPCode=Forhåndslastet OPCode brukes
AddRefInList=Vis kunde/leverandør-ref i liste (velg liste eller kombinasjonsboks), og det meste av hyperkobling. Tredjepart vil vises med navnet "CC12345 - SC45678 - Stort selskap", i stedet for "Stort selskap".
AddAdressInList=Vis liste over kunde-/leverandøradresseinfo (velg liste eller kombinasjonsboks) Tredjeparter vil vises med et navnformat av "The Big Company Corp." - 21 Jump Street 123456 Big Town - USA "i stedet for" The Big Company Corp ".
-AddEmailPhoneTownInContactList=Display Contact email (or phones if not defined) and town info list (select list or combobox) Contacts will appear with a name format of "Dupond Durand - dupond.durand@email.com - Paris" or "Dupond Durand - 06 07 59 65 66 - Paris" instead of "Dupond Durand".
+AddEmailPhoneTownInContactList=Vis kontakt-epost (eller telefoner hvis ikke definert) og poststed (velg liste eller kombinasjonsfelt) Kontakter vises med navneformatet "Ola Nordmann - ola.nordmann@email.com - Bergen" eller "Ola Nordmann - 55 55 55 55 - Bergen "i stedet for"Ola Nordmann".
AskForPreferredShippingMethod=Spør etter foretrukket sendingsmetode for tredjeparter
FieldEdition=Endre felt %s
FillThisOnlyIfRequired=Eksempel: +2 (brukes kun hvis du opplever problemer med tidssone offset)
@@ -1322,7 +1324,7 @@ GetBarCode=Hent strekkode
NumberingModules=Nummereringsmodeller
DocumentModules=Dokumentmodeller
##### Module password generation
-PasswordGenerationStandard=Return a password generated according to internal Dolibarr algorithm: %s characters containing shared numbers and characters in lowercase.
+PasswordGenerationStandard=Returner et passord generert i henhold til intern Dolibarr-algoritme: %s tegn som inneholder både tall og små bokstaver.
PasswordGenerationNone=Ikke foreslå å generere passord. Passord må legges inn manuelt.
PasswordGenerationPerso=Returner et passord i følge din personlige konfigurasjon
SetupPerso=I følge din konfigurasjon
@@ -1332,7 +1334,7 @@ RuleForGeneratedPasswords=Regler for å generere og validere passord
DisableForgetPasswordLinkOnLogonPage=Ikke vis koblingen "Glemt passord" på innloggingssiden
UsersSetup=Oppsett av brukermodulen
UserMailRequired=E-postadresse kreves for å opprette en ny bruker
-UserHideInactive=Hide inactive users from all combo lists of users (Not recommended: this may means you won't be able to filter or search on old users on some pages)
+UserHideInactive=Skjul inaktive brukere fra alle kombinasjonslister over brukere (anbefales ikke: dette kan bety at du ikke vil kunne filtrere eller søke på gamle brukere på enkelte sider)
UsersDocModules=Dokumentmaler for dokumenter generert fra brukerpost
GroupsDocModules=Dokumentmaler for dokumenter generert fra en gruppeoppføring
##### HRM setup #####
@@ -1393,7 +1395,7 @@ WAREHOUSE_ASK_WAREHOUSE_DURING_ORDER=Spør om Lagerkilde for ordre
##### Suppliers Orders #####
BANK_ASK_PAYMENT_BANK_DURING_SUPPLIER_ORDER=Be om bankkonto destinasjon for innkjøpsordre
##### Orders #####
-SuggestedPaymentModesIfNotDefinedInOrder=Suggested payments mode on sale order by default if not defined on the order
+SuggestedPaymentModesIfNotDefinedInOrder=Foreslått betalingsmodus på salgsordre som standard hvis ikke definert i ordren
OrdersSetup=Salgsordreoppsett
OrdersNumberingModules=Nummereringsmodul for ordre
OrdersModelModule=Ordremaler
@@ -1421,7 +1423,7 @@ AdherentMailRequired=E-post kreves for å lage et nytt medlem
MemberSendInformationByMailByDefault=Valg for å sende e-postbekreftelse til medlemmer (validering eller nytt abonnement) er krysset av som standard
VisitorCanChooseItsPaymentMode=Besøkende kan velge blant tilgjengelige betalingsmåter
MEMBER_REMINDER_EMAIL=Aktiver automatisk påminnelse via e-post av utløpte abonnementer. Merk: Modul %s må være aktivert og riktig oppsatt for å sende påminnelser.
-MembersDocModules=Document templates for documents generated from member record
+MembersDocModules=Dokumentmaler for dokumenter generert fra medlemsregister
##### LDAP setup #####
LDAPSetup=LDAP Setup
LDAPGlobalParameters=Globale parametre
@@ -1564,9 +1566,9 @@ LDAPDescValues=Eksempelverdier er designet for OpenLDAP med følgende las
ForANonAnonymousAccess=For autentisert tilgang (f.eks skrivetilgang)
PerfDolibarr=Ytelse oppsett/optimaliseringsrapport
YouMayFindPerfAdviceHere=Denne siden gir noen kontroller eller råd relatert til ytelse.
-NotInstalled=Not installed.
-NotSlowedDownByThis=Not slowed down by this.
-NotRiskOfLeakWithThis=Not risk of leak with this.
+NotInstalled=Ikke installert.
+NotSlowedDownByThis=Ikke bremset av dette.
+NotRiskOfLeakWithThis=Ikke fare for lekkasje med dette.
ApplicativeCache=Applikasjons-cache
MemcachedNotAvailable=Ingen applikativ cache funnet. Du kan forbedre ytelsen ved å installere en cache-server Memcached og en modul som kan bruke denne cache-serveren. Mer informasjon her http://wiki.dolibarr.org/index.php/Module_MemCached_EN. Merk: Mange webhosting-leverandører har ikke en slik cache-server.
MemcachedModuleAvailableButNotSetup=Modulen memcache er funnet, men oppsett er ikke komplett
@@ -1614,7 +1616,7 @@ SyslogLevel=Nivå
SyslogFilename=Filnavn og bane
YouCanUseDOL_DATA_ROOT=Du kan bruke DOL_DATA_ROOT / dolibarr.log som loggfil i Dolibarr "dokumenter"-mappen. Du kan angi en annen bane for å lagre denne filen.
ErrorUnknownSyslogConstant=Konstant %s er ikke en kjent syslog-konstant
-OnlyWindowsLOG_USER=On Windows, only the LOG_USER facility will be supported
+OnlyWindowsLOG_USER=I Windows støttes bare LOG_USER-funksjonen
CompressSyslogs=Komprimering og sikkerhetskopiering av feilsøkingsloggfiler (generert av modulen Log for debug)
SyslogFileNumberOfSaves=Antall sikkerhetskopilogger som skal beholdes
ConfigureCleaningCronjobToSetFrequencyOfSaves=Konfigurer planlagt jobb for å angi logg backupfrekvens
@@ -1672,7 +1674,7 @@ AdvancedEditor=Avansert editor
ActivateFCKeditor=Aktiver avansert editor for:
FCKeditorForCompany=WYSIWIG opprettelse/endring av elementbeskrivelse og notater (untatt varer og tjenester)
FCKeditorForProduct=WYSIWIG opprettelse/endring av vare-/tjenestebeskrivelse og notater
-FCKeditorForProductDetails=WYSIWIG creation/edition of products details lines for all entities (proposals, orders, invoices, etc...). Warning: Using this option for this case is seriously not recommended as it can create problems with special characters and page formatting when building PDF files.
+FCKeditorForProductDetails=WYSIWIG oppretting/endring av varedetaljer for alle enheter (tilbud, ordre, fakturaer, etc ...). Advarsel: Det er ikke anbefalt å bruke dette alternativet i dette tilfellet, da det kan skape problemer med spesialtegn og sideformatering når du bygger PDF-filer.
FCKeditorForMailing= WYSIWIG opprettelse/endring av masse-e-postutsendelser (Verktøy->E-post)
FCKeditorForUserSignature=WYSIWIG-opprettelse av signatur
FCKeditorForMail=WYSIWIG opprettelse/redigering for all post (unntatt Verktøy ->eMailing)
@@ -1689,7 +1691,7 @@ NotTopTreeMenuPersonalized=Personlige menyer som ikke er lenket til en toppmeny
NewMenu=Ny meny
MenuHandler=Menybehandler
MenuModule=Kildemodul
-HideUnauthorizedMenu= Skjul uautoriserte menyer (grå)
+HideUnauthorizedMenu=Skjul uautoriserte menyer også for interne brukere (bare gråtonet ellers)
DetailId=Meny-ID
DetailMenuHandler=Menyhåndterer skulle vise en ny meny
DetailMenuModule=Modulnavn hvis menyoppføringen kom fra en modul
@@ -1737,16 +1739,16 @@ AGENDA_USE_EVENT_TYPE=Bruk hendelsestyper (administrert i menyoppsett -> Ordbøk
AGENDA_USE_EVENT_TYPE_DEFAULT=Angi denne standardverdien automatisk for type hendelse i skjema for hendelsesoppretting
AGENDA_DEFAULT_FILTER_TYPE=Still inn denne typen hendelse automatisk i søkefilter i agendavisning
AGENDA_DEFAULT_FILTER_STATUS=Angi denne status automatisk for hendelser i søkefilter i agendavisning
-AGENDA_DEFAULT_VIEW=Which view do you want to open by default when selecting menu Agenda
-AGENDA_REMINDER_BROWSER=Enable event reminder on user's browser (When remind date is reached, a popup is shown by the browser. Each user can disable such notifications from its browser notification setup).
+AGENDA_DEFAULT_VIEW=Hvilken visning vil du åpne som standard når du velger menyen Agenda
+AGENDA_REMINDER_BROWSER=Aktiver påminnelse om hendelse i brukerens nettleser (Når påminnelsesdato er nådd, vises en popup i nettleseren. Hver bruker kan deaktivere slike varsler i nettleseren).
AGENDA_REMINDER_BROWSER_SOUND=Aktiver lydvarsler
-AGENDA_REMINDER_EMAIL=Enable event reminder by emails (remind option/delay can be defined on each event).
-AGENDA_REMINDER_EMAIL_NOTE=Note: The frequency of the task %s must be enough to be sure that the remind are sent at the correct moment.
+AGENDA_REMINDER_EMAIL=Aktiver påminnelse om hendelse via epost (påminnelsesalternativ/forsinkelse kan defineres for hver hendelse).
+AGENDA_REMINDER_EMAIL_NOTE=Merk: Frekvensen av oppgaven %s må være nok til å være sikker på at påminnelsen sendes i riktig øyeblikk.
AGENDA_SHOW_LINKED_OBJECT=Vis koblet objekt i agendavisning
##### Clicktodial #####
ClickToDialSetup='Click To Dial' modul
ClickToDialUrlDesc=Url som kalles når man klikker på telefonpiktogrammet. I URL kan du bruke koder __ PHONETO __ som blir erstattet med telefonnummeret til personen som skal ringes __ PHONEFROM __ som blir erstattet med telefonnummeret til den som ringer(din) __ LOGIN __ som vil bli erstattet med clicktodial login (definert på brukerkort) __ PASS __ som vil bli erstattet med clicktodial passord (definert på brukerkort).
-ClickToDialDesc=This module change phone numbers, when using a desktop computer, into clickable links. A click will call the number. This can be used to start the phone call when using a soft phone on your desktop or when using a CTI system based on SIP protocol for example. Note: When using a smartphone, phone numbers are always clickable.
+ClickToDialDesc=Denne modulen endrer telefonnumre, når du bruker en datamaskin, til klikkbare lenker. Et klikk vil ringe nummeret. Dette kan brukes til å starte telefonsamtalen når du har en telefon på skrivebordet eller når du for eksempel bruker et CTI-system basert på SIP-protokoll. Merk: Når du bruker en smarttelefon, er telefonnumre alltid klikkbare.
ClickToDialUseTelLink=Bruk kun en lenke "tlf:" for telefonnumre
ClickToDialUseTelLinkDesc=Bruk denne metoden hvis brukerne har en softphone eller et programvaregrensesnitt installert på samme datamaskin som nettleseren, og kalles når du klikker på en link i nettleseren din som starter med "tel:". Hvis du trenger en full server-løsning (uten behov for lokal installasjon av programvare), må du sette denne på "Nei" og fylle neste felt.
##### Point Of Sale (CashDesk) #####
@@ -1867,7 +1869,7 @@ TopMenuDisableImages=Skjul bilder i toppmeny
LeftMenuBackgroundColor=Bakgrunnsfarge for venstre meny
BackgroundTableTitleColor=Bakgrunnsfarge for tittellinje i tabellen
BackgroundTableTitleTextColor=Tekstfarge for tabellens tittellinje
-BackgroundTableTitleTextlinkColor=Text color for Table title link line
+BackgroundTableTitleTextlinkColor=Tekstfarge for tabellens tittellink
BackgroundTableLineOddColor=Bakgrunnsfarge for oddetalls-tabellinjer
BackgroundTableLineEvenColor=Bakgrunnsfarge for partalls-tabellinjer
MinimumNoticePeriod=Frist for beskjed (Feriesøknaden må sendes inn før denne fristen)
@@ -1876,7 +1878,7 @@ EnterAnyCode=Dette feltet inneholder en referanse til identifikasjon av linje. B
Enter0or1=Skriv inn 0 eller 1
UnicodeCurrency=Her legger du inn en liste med Ascii-verdier, som representerer et valutasymbol. For eksempel: $ = [36], Brasilsk real R$ = [82,36], € = [8364]
ColorFormat=RGB-fargen er i HEX-format, for eksempel: FF0000
-PictoHelp=Icon name in dolibarr format ('image.png' if into the current theme directory, 'image.png@nom_du_module' if into the directory /img/ of a module)
+PictoHelp=Ikonnavn i dolibarr-format ('image.png' hvis det er i den aktuelle temakatalogen, 'image.png@nom_du_module' hvis det er i katalogen /img/ til en modul)
PositionIntoComboList=Plassering av linje i kombinasjonslister
SellTaxRate=Salgs-skattesats
RecuperableOnly=Ja for MVA"Ikke oppfattet, men gjenopprettelig" dedikert til noen steder i Frankrike. Hold verdien til "Nei" i alle andre tilfeller.
@@ -1917,7 +1919,7 @@ ExampleOfNewsMessageForMajorRelease=Dolibarr ERP & CRM %s er tilgjengelig. Versj
ExampleOfNewsMessageForMaintenanceRelease=Dolibarr ERP & CRM %s er tilgjengelig. Versjon %s er en vedlikeholdsversjon, så den inneholder bare feilrettinger. Vi anbefaler alle brukere å oppgradere til denne versjonen. En vedlikeholdsløsning introduserer ikke nye funksjoner eller endringer i databasen. Du kan laste den ned fra nedlastingsområdet på https://www.dolibarr.org portal (underkatalog Stable versions). Du kan lese ChangeLog for fullstendig liste over endringer.
MultiPriceRuleDesc=Når alternativet "Flere prisnivået pr. vare/tjeneste" er på, kan du definere forskjellige priser (ett pr prisnivå) for hvert produkt. For å spare tid, kan du lage en regel som gir pris for hvert nivå autokalkulert i forhold til prisen på første nivå, slik at du bare legger inn en pris for hvert produkt. Denne siden er laget for å spare tid og kan være nyttig hvis prisene for hvert nivå står i forhold til første nivå. Du kan ignorere denne siden i de fleste tilfeller.
ModelModulesProduct=Maler for produkt-dokumenter
-WarehouseModelModules=Templates for documents of warehouses
+WarehouseModelModules=Maler for varehusdokumenter
ToGenerateCodeDefineAutomaticRuleFirst=For å kunne generere koder automatisk, må du først definere et program for å automatisk definere strekkodenummeret.
SeeSubstitutionVars=Relaterte gjentakende fakturaer
SeeChangeLog=Se Endringslogg-fil (kun på engelsk)
@@ -1983,10 +1985,11 @@ EMailHost=Vert for e-post IMAP-server
MailboxSourceDirectory=Postkasse kildemappe
MailboxTargetDirectory=Postkasse målmappe
EmailcollectorOperations=Operasjoner som skal utføres av samler
+EmailcollectorOperationsDesc=Operasjoner utføres i rekkefølge fra topp til bunn
MaxEmailCollectPerCollect=Maks antall e-postmeldinger pr. innsamling
CollectNow=Samle nå
ConfirmCloneEmailCollector=Er du sikker på at du vil klone e-postsamleren %s?
-DateLastCollectResult=Dato for sist forsøk på samling
+DateLastCollectResult=Dato for siste forsøk på samling
DateLastcollectResultOk=Dato for siste vellykkede samling
LastResult=Siste resultat
EmailCollectorConfirmCollectTitle=E-post-samling bekreftelse
@@ -1996,20 +1999,20 @@ NothingProcessed=Ingenting gjort
XEmailsDoneYActionsDone=%s e-postmeldinger kvalifiserte, %s e-postmeldinger som er vellykket behandlet (for %s-post/handlinger utført)
RecordEvent=Registrer e-posthendelse
CreateLeadAndThirdParty=Opprett lead (og tredjepart om nødvendig)
-CreateTicketAndThirdParty=Create ticket (and link to third party if it was loaded by a previous operation)
+CreateTicketAndThirdParty=Opprett billett (og lenke til tredjepart hvis den ble lastet inn av en tidligere operasjon)
CodeLastResult=Siste resultatkode
NbOfEmailsInInbox=Antall e-poster i kildemappen
LoadThirdPartyFromName=Legg inn tredjepartsøk på %s (bare innlasting)
LoadThirdPartyFromNameOrCreate=Legg inn tredjepartsøk på %s (opprett hvis ikke funnet)
WithDolTrackingID=Melding fra en samtale initiert av en første e-post sendt fra Dolibarr
WithoutDolTrackingID=Melding fra en samtale initiert av en første e-post IKKE sendt fra Dolibarr
-WithDolTrackingIDInMsgId=Message sent from Dolibarr
-WithoutDolTrackingIDInMsgId=Message NOT sent from Dolibarr
-CreateCandidature=Opprett kandidatur
+WithDolTrackingIDInMsgId=Melding sendt fra Dolibarr
+WithoutDolTrackingIDInMsgId=Melding IKKE sendt fra Dolibarr
+CreateCandidature=Opprett jobbsøknad
FormatZip=Postnummer
MainMenuCode=Meny-oppføringskode (hovedmeny)
ECMAutoTree=Vis ECM-tre automatisk
-OperationParamDesc=Define the values to use for the object of the action, or how to extract values. For example: objproperty1=SET:the value to set objproperty2=SET:a value with replacement of __objproperty1__ objproperty3=SETIFEMPTY:value used if objproperty3 is not already defined objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*) options_myextrafield1=EXTRACT:SUBJECT:([^\n]*) object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)
Use a ; char as separator to extract or set several properties.
+OperationParamDesc=Definer verdiene som skal brukes til objektet for handlingen, eller hvordan du trekker ut verdier. For eksempel: objproperty1=SET: verdien som skal settes objproperty2=SET: en verdi med erstatning av __objproperty1__ objproperty3=SETIFEMPTY: verdi brukt hvis objproperty3b ikke allerede er definert objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*) options_myextrafield1=EXTRACT:SUBJECT:([^\n]*) object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)
Bruk semikolon som separator for å trekke ut eller angi flere egenskaper.
OpeningHours=Åpningstider
OpeningHoursDesc=Skriv inn de vanlige åpningstidene for bedriften din.
ResourceSetup=Konfigurasjon av ressursmodulen
@@ -2041,17 +2044,17 @@ UseDebugBar=Bruk feilsøkingsfeltet
DEBUGBAR_LOGS_LINES_NUMBER=Nummer på siste logglinjer å beholde i konsollen
WarningValueHigherSlowsDramaticalyOutput=Advarsel, høyere verdier reduserer resultatet dramatisk
ModuleActivated=Modul %s er aktivert og bremser grensesnittet
-IfYouAreOnAProductionSetThis=If you are on a production environment, you should set this property to %s.
-AntivirusEnabledOnUpload=Antivirus enabled on uploaded files
+IfYouAreOnAProductionSetThis=Hvis du er i et produksjonsmiljø, bør du sette denne egenskapen til %s.
+AntivirusEnabledOnUpload=Antivirus aktivert på opplastede filer
EXPORTS_SHARE_MODELS=Eksportmodellene er delt med alle
ExportSetup=Oppsett av modul Eksport
ImportSetup=Oppsett av importmodul
InstanceUniqueID=Unik ID for forekomsten
SmallerThan=Mindre enn
LargerThan=Større enn
-IfTrackingIDFoundEventWillBeLinked=Note that If a tracking ID of an object is found into email, or if the email is an answer of an email aready collected and linked to an object, the created event will be automatically linked to the known related object.
+IfTrackingIDFoundEventWillBeLinked=Merk at hvis en sporings-ID for et objekt blir funnet i epost, eller hvis eposten er et svar på en epostadresse som er samlet og koblet til et objekt, blir den opprettede hendelsen automatisk knyttet til det kjente relaterte objektet.
WithGMailYouCanCreateADedicatedPassword=Med en Gmail-konto, hvis du aktiverte 2-trinns validering, anbefales det å opprette et dedikert annet passord for applikasjonen, i stedet for å bruke ditt eget kontopassord fra https://myaccount.google.com/.
-EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set name of directory here to use this feature (Do NOT use special characters in name). Note that you must also use a read/write login account.
+EmailCollectorTargetDir=Det kan være en ønsket oppførsel å flytte eposten til en annet merke/katalog når den er behandlet. Bare sett navnet på katalogen her for å bruke denne funksjonen (IKKE bruk spesialtegn i navnet). Vær oppmerksom på at du også må bruke en konto med lese-/skrivetillatelse .
EmailCollectorLoadThirdPartyHelp=Du kan bruke denne handlingen til å bruke e-postinnholdet til å finne og laste inn en eksisterende tredjepart i databasen din. Den funnet (eller opprettede) tredjeparten vil bli brukt til å følge handlinger som trenger det. I parameterfeltet kan du bruke for eksempel 'EXTRACT:BODY:Name:\\s([^\\s]*)' hvis du vil trekke ut navnet på tredjeparten fra en streng 'Name: name to find' funnet i teksten.
EndPointFor=Sluttpunkt for %s: %s
DeleteEmailCollector=Slett e-postsamler
@@ -2066,20 +2069,24 @@ MakeAnonymousPing=Utfør et anonymt Ping '+1' til Dolibarr foundation-serveren (
FeatureNotAvailableWithReceptionModule=Funksjonen er ikke tilgjengelig når modulen Mottak er aktivert
EmailTemplate=Mal for e-post
EMailsWillHaveMessageID=E-postmeldinger vil være merket 'Referanser' som samsvarer med denne syntaksen
-PDF_USE_ALSO_LANGUAGE_CODE=If you want to have some texts in your PDF duplicated in 2 different languages in the same generated PDF, you must set here this second language so generated PDF will contains 2 different languages in same page, the one chosen when generating PDF and this one (only few PDF templates support this). Keep empty for 1 language per PDF.
+PDF_USE_ALSO_LANGUAGE_CODE=Hvis du vil at tekst i PDF-en din skal dupliseres på 2 forskjellige språk i samme genererte PDF, må du angi dette andre språket, slik at generert PDF vil inneholde 2 forskjellige språk på samme side, det som er valgt når du genererer PDF og dette ( bare få PDF-maler støtter dette). Hold tom for ett språk per PDF.
FafaIconSocialNetworksDesc=Skriv inn koden til et FontAwesome-ikon. Hvis du ikke vet hva som er FontAwesome, kan du bruke den generelle verdien fa-adresseboken.
FeatureNotAvailableWithReceptionModule=Funksjonen er ikke tilgjengelig når modulen Mottak er aktivert
-RssNote=Note: Each RSS feed definition provides a widget that you must enable to have it available in dashboard
+RssNote=Merk: Hver definisjon av RSS-feed gir en widget som du må aktivere for å ha den tilgjengelig i dashbordet
JumpToBoxes=Gå til Setup -> Widgets
MeasuringUnitTypeDesc=Bruk en verdi som "størrelse", "overflate", "volum", "vekt", "tid"
MeasuringScaleDesc=Skalaen er antall steder du må flytte kommaet for å samsvare med standard referansenhet. For enhetstypen "tid" er det antall sekunder. Verdier mellom 80 og 99 er reserverte verdier.
TemplateAdded=Mal lagt til
TemplateUpdated=Mal oppdatert
TemplateDeleted=Mal slettet
-MailToSendEventPush=Event reminder email
-SwitchThisForABetterSecurity=Switching this value to %s is recommended for more security
+MailToSendEventPush=Epospåminnelse om hendelse
+SwitchThisForABetterSecurity=Det anbefales å bytte denne verdien til %s for mer sikkerhet
DictionaryProductNature= Varens art
CountryIfSpecificToOneCountry=Land (hvis spesifikt for et gitt land)
-YouMayFindSecurityAdviceHere=You may find security advisory here
-ModuleActivatedMayExposeInformation=This module may expose sensitive data. If you don't need it, disable it.
-ModuleActivatedDoNotUseInProduction=A module designed for the development has been enabled. Do not enable it on a production environment.
+YouMayFindSecurityAdviceHere=Du kan finne sikkerhetsrådgivning her
+ModuleActivatedMayExposeInformation=Denne modulen kan avsløre sensitive data. Hvis du ikke trenger det, deaktiver det.
+ModuleActivatedDoNotUseInProduction=En modul designet for utvikling er aktivert. Ikke aktiver det i et produksjonsmiljø.
+CombinationsSeparator=Skilletegn for varekombinasjoner
+SeeLinkToOnlineDocumentation=Se lenke til online dokumentasjon i toppmenyen for eksempler
+SHOW_SUBPRODUCT_REF_IN_PDF=Hvis funksjonen "%s" til modul %s brukes, kan du vise detaljer om undervarer av et sett på PDF.
+AskThisIDToYourBank=Kontakt banken din for å få denne ID-en
diff --git a/htdocs/langs/nb_NO/agenda.lang b/htdocs/langs/nb_NO/agenda.lang
index 755d782a5e0..6cbce1b00b5 100644
--- a/htdocs/langs/nb_NO/agenda.lang
+++ b/htdocs/langs/nb_NO/agenda.lang
@@ -14,7 +14,7 @@ EventsNb=Antall hendelser
ListOfActions=Oversikt over hendelser
EventReports=Hendelsesrapporter
Location=Lokasjon
-ToUserOfGroup=Event assigned to any user in group
+ToUserOfGroup=Arrangement tildelt en eller flere brukere i gruppen
EventOnFullDay=Hendelse over hele dagen(e)
MenuToDoActions=Alle åpne handlinger
MenuDoneActions=Alle avsluttede handlinger
@@ -86,8 +86,8 @@ ProposalDeleted=Tilbud slettet
OrderDeleted=Ordre slettet
InvoiceDeleted=Faktura slettet
DraftInvoiceDeleted=Fakturautkast slettet
-CONTACT_CREATEInDolibarr=Contact %s created
-CONTACT_DELETEInDolibarr=Contact %s deleted
+CONTACT_CREATEInDolibarr=Kontakt %s opprettet
+CONTACT_DELETEInDolibarr=Kontakt %s slettet
PRODUCT_CREATEInDolibarr=Vare%s opprettet
PRODUCT_MODIFYInDolibarr=Vare %s endret
PRODUCT_DELETEInDolibarr=Vare %s slettet
@@ -152,6 +152,7 @@ ActionType=Hendelsestype
DateActionBegin=Startdato for hendelse
ConfirmCloneEvent=Er du sikker på at du vil klone hendelsen %s?
RepeatEvent=Gjenta hendelse
+OnceOnly=Kun en gang
EveryWeek=Hver uke
EveryMonth=Hver måned
DayOfMonth=Dag i måned
@@ -160,9 +161,9 @@ DateStartPlusOne=Startdato + 1 time
SetAllEventsToTodo=Sett alle hendelser til ToDo
SetAllEventsToInProgress=Sett alle begivenheter til Pågår
SetAllEventsToFinished=Sett alle hendelser til Ferdig
-ReminderTime=Reminder period before the event
-TimeType=Duration type
-ReminderType=Callback type
-AddReminder=Create an automatic reminder notification for this event
-ErrorReminderActionCommCreation=Error creating the reminder notification for this event
-BrowserPush=Browser Notification
+ReminderTime=Varslingsperiode før hendelsen
+TimeType=Varighetstype
+ReminderType=Tilbakekallingstype
+AddReminder=Opprett et automatisk varsel for denne hendelsen
+ErrorReminderActionCommCreation=Feil ved oppretting av varselet for denne hendelsen
+BrowserPush=Varsling om nettleser-popup
diff --git a/htdocs/langs/nb_NO/banks.lang b/htdocs/langs/nb_NO/banks.lang
index 4717bd50c69..447ebb7eff7 100644
--- a/htdocs/langs/nb_NO/banks.lang
+++ b/htdocs/langs/nb_NO/banks.lang
@@ -173,10 +173,10 @@ SEPAMandate=SEPA mandat
YourSEPAMandate=Ditt SEPA-mandat
FindYourSEPAMandate=Dette er ditt SEPA-mandat for å autorisere vårt firma til å utføre direktedebitering til din bank. Send det i retur signert (skanning av det signerte dokumentet) eller send det via post til
AutoReportLastAccountStatement=Fyll feltet 'Antall bankoppgaver' automatisk med siste setningsnummer når du avstemmer
-CashControl=POS cash fence
-NewCashFence=Ny cash fence
+CashControl=POS kassekontroll
+NewCashFence=Ny kasseavslutning
BankColorizeMovement=Fargelegg bevegelser
BankColorizeMovementDesc=Hvis denne funksjonen er aktivert, kan du velge spesifikk bakgrunnsfarge for debet- eller kredittbevegelser
BankColorizeMovementName1=Bakgrunnsfarge for debetbevegelse
BankColorizeMovementName2=Bakgrunnsfarge for kredittbevegelse
-IfYouDontReconcileDisableProperty=If you don't make the bank reconciliations on some bank accounts, disable the property "%s" on them to remove this warning.
+IfYouDontReconcileDisableProperty=Hvis du ikke foretar bankavstemninger på noen bankkontoer, deaktiverer du egenskapen"%s" for å fjerne denne advarselen.
diff --git a/htdocs/langs/nb_NO/bills.lang b/htdocs/langs/nb_NO/bills.lang
index 140ab547c4d..4e1c65ac58f 100644
--- a/htdocs/langs/nb_NO/bills.lang
+++ b/htdocs/langs/nb_NO/bills.lang
@@ -212,10 +212,10 @@ AmountOfBillsByMonthHT=Sum fakturaer pr. mnd (eks. MVA)
UseSituationInvoices=Tillat delfaktura
UseSituationInvoicesCreditNote=Tillat delfaktura kreditnota
Retainedwarranty=Tilbakehold
-AllowedInvoiceForRetainedWarranty=Retained warranty usable on the following types of invoices
+AllowedInvoiceForRetainedWarranty=Garantibeløp kan brukes på følgende typer fakturaer
RetainedwarrantyDefaultPercent=Tilbakehold standardprosent
-RetainedwarrantyOnlyForSituation=Make "retained warranty" available only for situation invoices
-RetainedwarrantyOnlyForSituationFinal=On situation invoices the global "retained warranty" deduction is applied only on the final situation
+RetainedwarrantyOnlyForSituation=Gjør "garantibeløp" tilgjengelig kun for delfakturaer
+RetainedwarrantyOnlyForSituationFinal=På delfakturaer brukes det globale "garantibeløpet" bare på den avsluttende fakturaen
ToPayOn=Å betale på %s
toPayOn=å betale på %s
RetainedWarranty=Tilbakehold
@@ -578,5 +578,5 @@ CustomersInvoicesArea=Kunde-faktureringsområde
SupplierInvoicesArea=Leverandør faktureringsområde
FacParentLine=Faktura forelderlinje
SituationTotalRayToRest=Rest å betale eks. mva
-PDFSituationTitle=Situation n° %d
+PDFSituationTitle=Delfaktura nr. %d
SituationTotalProgress=Total progresjon%d %%
diff --git a/htdocs/langs/nb_NO/blockedlog.lang b/htdocs/langs/nb_NO/blockedlog.lang
index 1f7280e6ab8..554c86e4f39 100644
--- a/htdocs/langs/nb_NO/blockedlog.lang
+++ b/htdocs/langs/nb_NO/blockedlog.lang
@@ -8,7 +8,7 @@ BrowseBlockedLog=Uforanderlige logger
ShowAllFingerPrintsMightBeTooLong=Vis alle arkiverte logger (kan være lang)
ShowAllFingerPrintsErrorsMightBeTooLong=Vis alle ikke-gyldige arkivlogger (kan være lang)
DownloadBlockChain=Last ned fingeravtrykk
-KoCheckFingerprintValidity=Archived log entry is not valid. It means someone (a hacker?) has modified some data of this record after it was recorded, or has erased the previous archived record (check that line with previous # exists).
+KoCheckFingerprintValidity=Arkiverte loggoppføringer er ikke gyldige. Det betyr at noen (en hacker?) Har endret noen data fra denne posten etter at den ble spilt inn, eller har slettet den forrige arkiverte posten (sjekk at linjen med forrige # eksisterer).
OkCheckFingerprintValidity=Arkivert logg er gyldig. Det betyr at ingen data på denne linjen ble endret og posten følger den forrige.
OkCheckFingerprintValidityButChainIsKo=Arkivert logg ser ut til å være gyldig i forhold til den forrige, men kjeden var ødelagt tidligere.
AddedByAuthority=Lagret hos ekstern myndighet
@@ -35,7 +35,7 @@ logDON_DELETE=Donasjon logisk sletting
logMEMBER_SUBSCRIPTION_CREATE=Medlemskap opprettet
logMEMBER_SUBSCRIPTION_MODIFY=Medlemsskap endret
logMEMBER_SUBSCRIPTION_DELETE=Medlemskap logisk sletting
-logCASHCONTROL_VALIDATE=Cash fence recording
+logCASHCONTROL_VALIDATE=Loggfør for kassaavslutning
BlockedLogBillDownload=Kundefaktura nedlasting
BlockedLogBillPreview=Kundefaktura forhåndsvisning
BlockedlogInfoDialog=Loggdetaljer
diff --git a/htdocs/langs/nb_NO/boxes.lang b/htdocs/langs/nb_NO/boxes.lang
index 494febc0a2f..4e5b200dd3e 100644
--- a/htdocs/langs/nb_NO/boxes.lang
+++ b/htdocs/langs/nb_NO/boxes.lang
@@ -46,9 +46,12 @@ BoxTitleLastModifiedDonations=Siste %s endrede donasjoner
BoxTitleLastModifiedExpenses=Siste %s endrede utgiftsrapporter
BoxTitleLatestModifiedBoms=Siste %s modifiserte BOM-er
BoxTitleLatestModifiedMos=Siste %s endrede produksjonsordre
+BoxTitleLastOutstandingBillReached=Kunder med maksimalt utestående overskredet
BoxGlobalActivity=Global aktivitet (fakturaer, tilbud, ordrer)
BoxGoodCustomers=Gode kunder
BoxTitleGoodCustomers=%s gode kunder
+BoxScheduledJobs=Planlagte jobber
+BoxTitleFunnelOfProspection=Lead funnel
FailedToRefreshDataInfoNotUpToDate=Kunne ikke oppdatere RSS-flux. Siste vellykkede oppdateringsdato: %s
LastRefreshDate=Siste oppdateringsdato
NoRecordedBookmarks=Ingen bokmerker definert. Trykk her for å legge til bokmerker.
@@ -83,8 +86,8 @@ BoxTitleLatestModifiedSupplierOrders=Leverandørordre: siste %s endret
BoxTitleLastModifiedCustomerBills=Kundefakturaer: siste %s endret
BoxTitleLastModifiedCustomerOrders=Salgsordre: siste %s endret
BoxTitleLastModifiedPropals=Siste %s endrede tilbud
-BoxTitleLatestModifiedJobPositions=Latest %s modified jobs
-BoxTitleLatestModifiedCandidatures=Latest %s modified candidatures
+BoxTitleLatestModifiedJobPositions=Siste %s endrede jobber
+BoxTitleLatestModifiedCandidatures=Siste %s endrede kandidaturer
ForCustomersInvoices=Kundefakturaer
ForCustomersOrders=Kundeordrer
ForProposals=Tilbud
@@ -102,5 +105,7 @@ SuspenseAccountNotDefined=Spenningskonto er ikke definert
BoxLastCustomerShipments=Siste kundeforsendelser
BoxTitleLastCustomerShipments=Siste %s kundeforsendelser
NoRecordedShipments=Ingen registrert kundesending
+BoxCustomersOutstandingBillReached=Kunder med utestående grense nådd
# Pages
AccountancyHome=Regnskap
+ValidatedProjects=Validerte prosjekter
diff --git a/htdocs/langs/nb_NO/cashdesk.lang b/htdocs/langs/nb_NO/cashdesk.lang
index de0728f2754..3ec944ed126 100644
--- a/htdocs/langs/nb_NO/cashdesk.lang
+++ b/htdocs/langs/nb_NO/cashdesk.lang
@@ -49,8 +49,8 @@ Footer=Bunntekst
AmountAtEndOfPeriod=Beløp ved periodens slutt (dag, måned eller år)
TheoricalAmount=Teoretisk beløp
RealAmount=Virkelig beløp
-CashFence=Cash fence
-CashFenceDone=Kontantoppgjør ferdig for perioden
+CashFence=Kasseavslutning
+CashFenceDone=Kasseavslutning utført for perioden
NbOfInvoices=Ant. fakturaer
Paymentnumpad=Tastaturtype for å legge inn betaling
Numberspad=Nummertastatur
@@ -77,7 +77,7 @@ POSModule=POS-modul
BasicPhoneLayout=Bruk grunnleggende oppsett for telefoner
SetupOfTerminalNotComplete=Installasjonen av terminal %s er ikke fullført
DirectPayment=Direktebetaling
-DirectPaymentButton=Add a "Direct cash payment" button
+DirectPaymentButton=Legg til en "Direkte kontantbetaling" -knapp
InvoiceIsAlreadyValidated=Faktura er allerede validert
NoLinesToBill=Ingen linjer å fakturere
CustomReceipt=Tilpasset kvittering
@@ -94,31 +94,33 @@ TakeposConnectorMethodDescription=Ekstern modul med ekstra funksjoner. Mulighet
PrintMethod=Utskriftsmetode
ReceiptPrinterMethodDescription=Metode med mange parametere. Full tilpassbar med maler. Kan ikke skrive ut fra skyen.
ByTerminal=Med terminal
-TakeposNumpadUsePaymentIcon=Use icon instead of text on payment buttons of numpad
-CashDeskRefNumberingModules=Numbering module for POS sales
+TakeposNumpadUsePaymentIcon=Bruk ikon i stedet for tekst på betalingsknappene på nummertastaturet
+CashDeskRefNumberingModules=Nummereringsmodul for POS-salg
CashDeskGenericMaskCodes6 = {TN}-tag brukes til å legge til terminalnummeret
TakeposGroupSameProduct=Grupper samme produktlinjer
StartAParallelSale=Start et nytt parallellsalg
-ControlCashOpening=Control cash box at opening POS
-CloseCashFence=Close cash fence
+SaleStartedAt=Salget startet %s
+ControlCashOpening=Kassekontroll popup når du åpner POS
+CloseCashFence=Lukk kassekontroll
CashReport=Kontantrapport
MainPrinterToUse=Hovedskriver som skal brukes
OrderPrinterToUse=Odreskriver som skal brukes
MainTemplateToUse=Hovedmal som skal brukes
OrderTemplateToUse=Ordremal som skal brukes
BarRestaurant=Bar Restaurant
-AutoOrder=Order by the customer himself
+AutoOrder=Bestilling av kunden selv
RestaurantMenu=Meny
CustomerMenu=Kundemeny
ScanToMenu=Skann QR-koden for å se menyen
ScanToOrder=Skann QR-koden for å bestille
-Appearance=Appearance
-HideCategoryImages=Hide Category Images
-HideProductImages=Hide Product Images
-NumberOfLinesToShow=Number of lines of images to show
-DefineTablePlan=Define tables plan
-GiftReceiptButton=Add a "Gift receipt" button
-GiftReceipt=Gift receipt
-ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled first
-AllowDelayedPayment=Allow delayed payment
-PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts
+Appearance=Utseende
+HideCategoryImages=Skjul kategoribilder
+HideProductImages=Skjul varebilder
+NumberOfLinesToShow=Antall linjer med bilder som skal vises
+DefineTablePlan=Definer tabellplan
+GiftReceiptButton=Legg til en "Gavekvittering" -knapp
+GiftReceipt=Gavekvittering
+ModuleReceiptPrinterMustBeEnabled=Modulen Kvitteringsskriver må ha blitt aktivert først
+AllowDelayedPayment=Tillat forsinket betaling
+PrintPaymentMethodOnReceipts=Skriv ut betalingsmåte på billetter/kvitteringer
+WeighingScale=Vektskala
diff --git a/htdocs/langs/nb_NO/categories.lang b/htdocs/langs/nb_NO/categories.lang
index b5d42ea3eba..fcce83f42ff 100644
--- a/htdocs/langs/nb_NO/categories.lang
+++ b/htdocs/langs/nb_NO/categories.lang
@@ -19,6 +19,7 @@ ProjectsCategoriesArea=Prosjekters merker/kategori-område
UsersCategoriesArea=Område for brukertagger/-kategorier
SubCats=Underkategorier
CatList=Liste over merker/kategorier
+CatListAll=Liste over etiketter/kategorier (alle typer)
NewCategory=Nytt merke/kategori
ModifCat=Endre merke/kategori
CatCreated=Merke/kategori opprettet
@@ -65,24 +66,30 @@ UsersCategoriesShort=Brukere tagger/kategorier
StockCategoriesShort=Lager etiketter/kategorier
ThisCategoryHasNoItems=Denne kategorien inneholder ingen artikler.
CategId=Merke/kategori-ID
-CatSupList=Liste over selgerkoder/-kategorier
-CatCusList=Liste over kunde/prospekt merker/kategorier
+ParentCategory=Overordnet etikett/kategori
+ParentCategoryLabel=Merke for overordnet etikett/kategori
+CatSupList=Liste over leverandøretiketter/kategorier
+CatCusList=Liste over kunders/prospekters etiketter/kategorier
CatProdList=Liste over vare-merker/kategorier
CatMemberList=Liste over medlems-merker/kategorier
-CatContactList=Liste over kontakt-merker/kategorier
-CatSupLinks=Lenker mellom leverandører og merker/kategorier
+CatContactList=Liste over kontaktersr etiketter/kategorier
+CatProjectsList=Liste over prosjekters etiketter/kategorier
+CatUsersList=Liste over brukeres etiketter/kategorier
+CatSupLinks=Koblinger mellom leverandører og etiketter/kategorier
CatCusLinks=Lenker mellom kunder/prospekter og merker/kategorier
CatContactsLinks=Koblinger mellom kontakter/adresser og koder/kategorier
CatProdLinks=Lenker mellom varer/tjenester og merker/kategorier
-CatProJectLinks=Lenker mellom prosjekter og merker/kategorier
+CatMembersLinks=Lenker mellom medlemmer og merker/kategorier
+CatProjectsLinks=Lenker mellom prosjekter og merker/kategorier
+CatUsersLinks=Koblinger mellom brukere og etiketter/kategorier
DeleteFromCat=Fjern fra merker/kategorier
ExtraFieldsCategories=Komplementære attributter
CategoriesSetup=Oppsett av merker/kategorier
CategorieRecursiv=Automatisk lenke til overordnet merke/kategori
CategorieRecursivHelp=Hvis alternativet er på, når du legger til et produkt i en underkategori, vil produktet også bli lagt til i overordnet kategori.
AddProductServiceIntoCategory=Legg til følgende vare/tjeneste
-AddCustomerIntoCategory=Assign category to customer
-AddSupplierIntoCategory=Assign category to supplier
+AddCustomerIntoCategory=Tilordne kategori til kunde
+AddSupplierIntoCategory=Tilordne kategori til leverandør
ShowCategory=Vis merke/kategori
ByDefaultInList=Som standard i liste
ChooseCategory=Velg kategori
diff --git a/htdocs/langs/nb_NO/companies.lang b/htdocs/langs/nb_NO/companies.lang
index 8a54b565605..d3302eb55c9 100644
--- a/htdocs/langs/nb_NO/companies.lang
+++ b/htdocs/langs/nb_NO/companies.lang
@@ -124,7 +124,7 @@ ProfId1AT=Prof Id 1 (USt.-IdNr)
ProfId2AT=Prof Id 2 (USt.-IdNr)
ProfId3AT=Prof Id 3 (Handelsregister-Nr.)
ProfId4AT=-
-ProfId5AT=EORI number
+ProfId5AT=EORI-nummer
ProfId6AT=-
ProfId1AU=Prof ID 1 (ABN)
ProfId2AU=-
@@ -136,7 +136,7 @@ ProfId1BE=Prof ID 1 (Profesjonelt nummer)
ProfId2BE=-
ProfId3BE=-
ProfId4BE=-
-ProfId5BE=EORI number
+ProfId5BE=EORI-nummer
ProfId6BE=-
ProfId1BR=-
ProfId2BR=IE (Inscricao Estadual)
@@ -148,7 +148,7 @@ ProfId1CH=UID-Nummer
ProfId2CH=-
ProfId3CH=Prof ID 1 (Føderalt nummer)
ProfId4CH=Prof ID 2 (Commercial Record number)
-ProfId5CH=EORI number
+ProfId5CH=EORI-nummer
ProfId6CH=-
ProfId1CL=Prof ID 1 (RUT)
ProfId2CL=-
@@ -166,19 +166,19 @@ ProfId1DE=Prof ID 1 (USt.-IdNr)
ProfId2DE=Prof ID 2 (USt.-Nr)
ProfId3DE=Prof ID 3 (Handelsregister-Nr.)
ProfId4DE=-
-ProfId5DE=EORI number
+ProfId5DE=EORI-nummer
ProfId6DE=-
ProfId1ES=Prof ID 1 (CIF / NIF)
ProfId2ES=Prof ID 2 (personnummer)
ProfId3ES=Prof ID 3 (CNAE)
ProfId4ES=Prof ID 4 (Collegiate nummer)
-ProfId5ES=EORI number
+ProfId5ES=EORI-nummer
ProfId6ES=-
ProfId1FR=Prof ID 1 (SIREN)
ProfId2FR=Prof ID 2 (SIRET)
ProfId3FR=Prof ID 3 (NAF, gammel APE)
ProfId4FR=Prof ID 4 (RCS/RM)
-ProfId5FR=EORI number
+ProfId5FR=EORI-nummer
ProfId6FR=-
ProfId1GB=Prof Id 1 (Registreringsnummer)
ProfId2GB=-
@@ -202,18 +202,18 @@ ProfId1IT=-
ProfId2IT=-
ProfId3IT=-
ProfId4IT=-
-ProfId5IT=EORI number
+ProfId5IT=EORI-nummer
ProfId1LU=Prof. ID 1 (R.C.S Luxembourg)
ProfId2LU=Prof. ID (Forretningslisens)
ProfId3LU=-
ProfId4LU=-
-ProfId5LU=EORI number
+ProfId5LU=EORI-nummer
ProfId6LU=-
ProfId1MA=Prof ID 1 (RC)
ProfId2MA=Prof ID 2 (patent)
ProfId3MA=Prof ID 3 (IF)
ProfId4MA=Prof ID 4 (CNSS)
-ProfId5MA=Id prof. 5 (I.C.E.)
+ProfId5MA=Profesjonell ID 5 (I.C.E.)
ProfId6MA=-
ProfId1MX=Prof ID 1 (RFC).
ProfId2MX=Prof ID 2 (R.. P. IMSS)
@@ -225,13 +225,13 @@ ProfId1NL=KVK nummer
ProfId2NL=-
ProfId3NL=-
ProfId4NL=Burgerservicenummer (BSN)
-ProfId5NL=EORI number
+ProfId5NL=EORI-nummer
ProfId6NL=-
ProfId1PT=Prof ID 1 (NIPC)
ProfId2PT=Prof ID 2 (Personnummer)
ProfId3PT=Prof ID 3 (Commercial Record number)
ProfId4PT=Prof ID 4 (Conservatory)
-ProfId5PT=EORI number
+ProfId5PT=EORI-nummer
ProfId6PT=-
ProfId1SN=RC
ProfId2SN=NINEA
@@ -255,7 +255,7 @@ ProfId1RO=Prof Id 1 (CUI)
ProfId2RO=Prof Id 2 (Nr. Înmatriculare)
ProfId3RO=Prof Id 3 (CAEN)
ProfId4RO=Prof Id 5 (EUID)
-ProfId5RO=EORI number
+ProfId5RO=EORI-nummer
ProfId6RO=-
ProfId1RU=Prof ID 1 (OGRN)
ProfId2RU=Prof ID 2 (INN)
@@ -358,7 +358,7 @@ VATIntraCheckableOnEUSite=Sjekk internasjonal MVA-ID på EU-kommisjonens nettste
VATIntraManualCheck=Du kan også sjekke manuelt på den Europeiske kommisjonens nettside %s
ErrorVATCheckMS_UNAVAILABLE=Sjekk er ikke tilgjengelig. Tjenesten er ikke tilgjengelig for landet (%s).
NorProspectNorCustomer=Ikke prospekt, eller kunde
-JuridicalStatus=Juridisk enhetstype
+JuridicalStatus=Forretningsenhetstype
Workforce=Arbeidsstyrke
Staff=Ansatte
ProspectLevelShort=Potensiell
diff --git a/htdocs/langs/nb_NO/compta.lang b/htdocs/langs/nb_NO/compta.lang
index 41a36d6b33f..81f72a4f4d7 100644
--- a/htdocs/langs/nb_NO/compta.lang
+++ b/htdocs/langs/nb_NO/compta.lang
@@ -111,7 +111,7 @@ Refund=Refusjon
SocialContributionsPayments=Skatter- og avgiftsbetalinger
ShowVatPayment=Vis MVA betaling
TotalToPay=Sum å betale
-BalanceVisibilityDependsOnSortAndFilters=Balanse er synlig i denne listen bare hvis tabellen er sortert stigende etter %s og filtrert for en bankkonto
+BalanceVisibilityDependsOnSortAndFilters=Balanse er bare synlig i denne listen hvis tabellen er sortert på %s og filtrert på 1 bankkonto (uten andre filtre)
CustomerAccountancyCode=Kunde-regnskapskode
SupplierAccountancyCode=Leverandørens regnskapskode
CustomerAccountancyCodeShort=Kundens regnskapskode
@@ -140,7 +140,7 @@ ConfirmDeleteSocialContribution=Er du sikker på at du vil slette denne skatten/
ExportDataset_tax_1=Skatte- og avgiftsbetalinger
CalcModeVATDebt=Modus %sMVA ved commitment regnskap%s.
CalcModeVATEngagement=Modus %sMVA på inntekt-utgifter%s.
-CalcModeDebt=Analyse av kjente registrerte fakturaer selv om de ennå ikke er regnskapsført i hovedbok.
+CalcModeDebt=Analyse av kjente dokumenter, selv om de ennå ikke er regnskapsført i hovedbok.
CalcModeEngagement=Analyse av kjente registrerte innbetalinger, selv om de ennå ikke er regnskapsført i Lhovedbokenedger.
CalcModeBookkeeping=Analyse av data journalisert i hovedbokens tabell
CalcModeLT1= Modus %sRE på kundefakturaer - leverandørfakturaer%s
@@ -154,9 +154,9 @@ AnnualSummaryInputOutputMode=Inn/ut balanse. Årlig oppsummering
AnnualByCompanies=Inntekts - og utgiftsbalanse, etter forhåndsdefinerte grupper av kontoer
AnnualByCompaniesDueDebtMode=Balanse over inntekt og utgifter, detalj av forhåndsdefinerte grupper, modus%sKredit-Debet%s viserForpliktelsesregnskap .
AnnualByCompaniesInputOutputMode=Inntekts- og utgiftsbalanse, detalj ved forhåndsdefinerte grupper, modus %sInntekter-Utgifter%s viserkontantregnskap.
-SeeReportInInputOutputMode=Se %sanalyse av betalinger%s for en beregning av faktiske utbetalinger gjort selv om de ennå ikke er regnskapsført i hovedboken.
-SeeReportInDueDebtMode=Se %sanalyse av fakturaer%s for en beregning basert på kjente registrerte fakturaer, selv om de ennå ikke er regnskapsført i hovedboken.
-SeeReportInBookkeepingMode=Se %sRegnskapsrapport%s for en beregning på Hovedbokstabell
+SeeReportInInputOutputMode=Se %sanalyse av betalinger%s for en beregning basert på registrerte betalinger gjort selv om de ennå ikke er bokført i hovedbok
+SeeReportInDueDebtMode=Se %sanalyse av registrerte dokumenter%s for en beregning basert på kjente registrerte dokumenter selv om de ennå ikke er regnskapsført
+SeeReportInBookkeepingMode=Se %sanalyse av hovedboktabell%s for en rapport basert på hovedboktabel
RulesAmountWithTaxIncluded=- Viste beløp er inkludert alle avgifter
RulesResultDue=- Inkluderer utestående fakturaer, utgifter, mva, donasjoner enten de er betalt eller ikke. Inkluderer også innbetalt lønn. - Basert på faktureringsdato for fakturaer og på forfallsdato for utgifter eller skattebetalinger. For lønn definert med Lønnsmodul brukes valuteringsdato.
RulesResultInOut=- Inkluderer betalinger gjort mot fakturaer, utgifter, MVA og lønn. Basert på betalingsdato. Donasjonsdato for donasjoner
diff --git a/htdocs/langs/nb_NO/cron.lang b/htdocs/langs/nb_NO/cron.lang
index 22d6c9ff273..74ea3057151 100644
--- a/htdocs/langs/nb_NO/cron.lang
+++ b/htdocs/langs/nb_NO/cron.lang
@@ -6,14 +6,15 @@ Permission23102 = Opprett/endre planlagt jobb
Permission23103 = Slett planlagt jobb
Permission23104 = Utfør planlagt jobb
# Admin
-CronSetup= Administrasjon av planlagte oppgaver
-URLToLaunchCronJobs=URL for å sjekke og kjøre kvalifiserte cron-jobber
-OrToLaunchASpecificJob=eller for å sjekke og kjøre en spesifikk jobb
+CronSetup=Administrasjon av planlagte oppgaver
+URLToLaunchCronJobs=URL for å sjekke og starte kvalifiserte cron-jobber fra en nettleser
+OrToLaunchASpecificJob=Eller for å sjekke og starte en bestemt jobb fra en nettleser
KeyForCronAccess=Sikkerhetsnøkkel for URL for å starte cronjobber
FileToLaunchCronJobs=Kommandolinje for å sjekke og starte kvalifiserte cron-jobber
CronExplainHowToRunUnix=I Unix-miljøer bør du bruke følgende crontab-oppføring for å kjøre kommandolinje hvert 5. minutt
-CronExplainHowToRunWin=I Microsoft(tm) Windows-miljø kan du bruke planlagte oppgaver-verktøyet for å kjøre kommandolinje hvert 5. minutt
+CronExplainHowToRunWin=I Microsoft Windows-miljø kan du bruke Planlagt oppgaveverktøy til å kjøre kommandolinjen hvert 5. minutt
CronMethodDoesNotExists=Klasse %s inneholder ingen metode %s
+CronMethodNotAllowed=Metode %s av klasse %s er i svartelisten over forbudte metoder
CronJobDefDesc=Cronjobbprofiler er definert i modulbeskrivelsesfilen. Når modulen er aktivert, er de lastet og tilgjengelig slik at du kan administrere jobbene fra administrasjonsmenyen %s.
CronJobProfiles=Liste over forhåndsdefinerte cronjobbprofiler
# Menu
@@ -42,10 +43,11 @@ CronModule=Modul
CronNoJobs=Ingen registrerte jobber
CronPriority=Prioritet
CronLabel=Etikett
-CronNbRun=Antall starter
-CronMaxRun=Max number launch
+CronNbRun=Antall kjøringer
+CronMaxRun=Maksimum antall kjøringer
CronEach=Alle
JobFinished=Jobb startet og fullført
+Scheduled=Planlagt
#Page card
CronAdd= Legg til jobber
CronEvery=Kjør jobb hver
@@ -56,16 +58,16 @@ CronNote=Kommentar
CronFieldMandatory=Feltene %s er obligatoriske
CronErrEndDateStartDt=Sluttdato kan ikke være før startdato
StatusAtInstall=Status for modulinstallasjon
-CronStatusActiveBtn=Aktiver
+CronStatusActiveBtn=Tidsplan
CronStatusInactiveBtn=Deaktiver
CronTaskInactive=Denne jobben er deaktivert
CronId=ID
CronClassFile=Filnavn med klasse
-CronModuleHelp=Navn på Dolibarr-modulkatalogen (virker også med ekstern Dolibarr-modul). For eksempel å anrope hente-metoden for Dolibarr Product objektet/htdocs/product/class/product.class.php, er verdien for modulen produkt
-CronClassFileHelp=Den relative banen og filnavnet som skal lastes (banen er i forhold til webserverens rotkatalog). For eksempel å anrope hente-metoden for Dolibarr Product objekt htdocs/product/class/ product.class.php, er verdien for klassefilnavnet produkt/class/product.class.php
-CronObjectHelp=Objektnavnet som skal lastes inn. For eksempel å anrope hente-metoden for Dolibarr Produkt-objektet /htdocs/product/class/product.class.php, er verdien for klassefilnavnet Product
-CronMethodHelp=Objektmetoden som skal kjøres. For eksempel å anrope hente-metoden for Dolibarr Product objektet /htdocs/product/class/product.class.php, er verdien for metoden hent
-CronArgsHelp=Metodeargumenter. For eksempel å anrope hente-metoden for Dolibarr Product objektet /htdocs/product/class/product.class.php, kan verdien for parametre være 0, ProductRef
+CronModuleHelp=Navn på Dolibarr-modulkatalog (også arbeid med ekstern Dolibarr-modul). For eksempel å kalle hentmetoden for Dolibarr Produkt objektet /htdocs/product/class/product.class.php, er verdien for modulen produkt
+CronClassFileHelp=Den relative banen og filnavnet som skal lastes (banen er i forhold til webserverens rotkatalog). For eksempel for å kalle hentmetoden for Dolibarr Produkt-objekt htdocs/product/class/ product.class.php , er verdien for klassen filnavn produkt/klasse/product.class.php
+CronObjectHelp=Objektnavnet som skal lastes inn. For eksempel for å kalle hentmetoden for Dolibarr Product-objektet /htdocs/product/class/product.class.php, er verdien for klassefilenavnet Produkt
+CronMethodHelp=Objektmetoden å kjøre. For eksempel å kalle hentmetoden for Dolibarr Product-objektet /htdocs/product/class/product.class.php, er verdien for metoden hent
+CronArgsHelp=Metoden argumenter. For eksempel for å kalle hentemetoden for Dolibarr Product-objektet /htdocs/product/class/product.class.php, kan verdien for paramters være 0, ProductRef
CronCommandHelp=System kommandolinje som skal kjøres
CronCreateJob=Opprett ny planlagt jobb
CronFrom=Fra
@@ -76,8 +78,14 @@ CronType_method=Anropsmetode for en PHP-klasse
CronType_command=Shell kommando
CronCannotLoadClass=Kan ikke laste klassefil %s (for å bruke klasse %s)
CronCannotLoadObject=Klassefil %s ble lastet, men objektet %s ble ikke funnet i den
-UseMenuModuleToolsToAddCronJobs=Gå til menyen "Hjem - Administrative verktøy - Planlagte jobber" for å se og endre planlagte jobber
+UseMenuModuleToolsToAddCronJobs=Gå til menyen " Hjem - Administratorverktøy - Planlagte jobber" for å se og redigere planlagte jobber.
JobDisabled=Jobb deaktivert
MakeLocalDatabaseDumpShort=Backup av lokal database
-MakeLocalDatabaseDump=Create a local database dump. Parameters are: compression ('gz' or 'bz' or 'none'), backup type ('mysql' or 'pgsql'), 1, 'auto' or filename to build, number of backup files to keep
+MakeLocalDatabaseDump=Opprett en lokal database dump. Parametrene er: komprimering ('gz' eller 'bz' eller 'ingen'), backup type ('mysql', 'pgsql', 'auto'), 1, 'auto' eller filnavn for å bygge, antall backupfiler som skal beholdes
WarningCronDelayed=NB, for ytelsesformål, uansett neste utførelsesdato for aktiverte jobber, kan jobbene dine forsinkes til maksimalt %s timer før de kjøres.
+DATAPOLICYJob=Datarenser og anonymiserer
+JobXMustBeEnabled=Jobb %s må være aktivert
+# Cron Boxes
+LastExecutedScheduledJob=Sist utførte planlagte jobb
+NextScheduledJobExecute=Neste planlagte jobb som skal utføres
+NumberScheduledJobError=Antall planlagte jobber med feil
diff --git a/htdocs/langs/nb_NO/deliveries.lang b/htdocs/langs/nb_NO/deliveries.lang
index a6d522cecfc..97f8ad9cdac 100644
--- a/htdocs/langs/nb_NO/deliveries.lang
+++ b/htdocs/langs/nb_NO/deliveries.lang
@@ -2,7 +2,7 @@
Delivery=Levering
DeliveryRef=Leveranse ref.
DeliveryCard=Kvitteringskort
-DeliveryOrder=Delivery receipt
+DeliveryOrder=Leveringsbekreftelse
DeliveryDate=Leveringsdato
CreateDeliveryOrder=Generer leveringskvittering
DeliveryStateSaved=Leveringsstatus lagret
@@ -27,5 +27,6 @@ Recipient=Mottaker
ErrorStockIsNotEnough=Ikke nok på lager
Shippable=Kan sendes
NonShippable=Kan ikke sendes
+ShowShippableStatus=Vis status sendingsklar
ShowReceiving=Vis leveringskvittering
NonExistentOrder=Ikkeeksisterende ordre
diff --git a/htdocs/langs/nb_NO/ecm.lang b/htdocs/langs/nb_NO/ecm.lang
index 90e2fb21512..4e037c091f6 100644
--- a/htdocs/langs/nb_NO/ecm.lang
+++ b/htdocs/langs/nb_NO/ecm.lang
@@ -23,7 +23,7 @@ ECMSearchByKeywords=Søk på nøkkelord
ECMSearchByEntity=Søk på objekt
ECMSectionOfDocuments=Mapper med dokumenter
ECMTypeAuto=Automatisk
-ECMDocsBy=Documents linked to %s
+ECMDocsBy=Dokumenter knyttet til %s
ECMNoDirectoryYet=Ingen mapper opprettet
ShowECMSection=Vis mappe
DeleteSection=Fjern mappe
diff --git a/htdocs/langs/nb_NO/errors.lang b/htdocs/langs/nb_NO/errors.lang
index 38fa5f550a7..798e6598202 100644
--- a/htdocs/langs/nb_NO/errors.lang
+++ b/htdocs/langs/nb_NO/errors.lang
@@ -8,6 +8,7 @@ ErrorBadEMail=E-post %s er feil
ErrorBadMXDomain=E-post %s virker feil (domenet har ingen gyldig MX-post)
ErrorBadUrl=Url %s er feil
ErrorBadValueForParamNotAString=Feil parameterverdi. Dette skjer vanligvis når en oversettelse mangler.
+ErrorRefAlreadyExists=Referanse %s eksisterer allerede.
ErrorLoginAlreadyExists=brukernavnet %s eksisterer allerede.
ErrorGroupAlreadyExists=Gruppen %s eksisterer allerede.
ErrorRecordNotFound=Posten ble ikke funnet.
@@ -49,6 +50,7 @@ ErrorFieldsRequired=Noen påkrevde felt er ikke fylt ut.
ErrorSubjectIsRequired=Epost-emnet er påkrevd
ErrorFailedToCreateDir=Kunne ikke opprette mappen. Kontroller at webserverbrukeren har skriverettigheter i dokumentmappen i Dolibarr. Hvis safe_mode er akivert i PHP, sjekk at webserveren eier eller er med i gruppen(eller bruker) for Dolibarr php-filer.
ErrorNoMailDefinedForThisUser=Ingen e-post angitt for denne brukeren.
+ErrorSetupOfEmailsNotComplete=Installasjonen av e-post er ikke fullført
ErrorFeatureNeedJavascript=Denne funksjonen krever javascript for å virke. Endre dette i Oppsett - Visning.
ErrorTopMenuMustHaveAParentWithId0=En meny av typen 'Topp' kan ikke ha noen foreldremeny. Skriv 0 i foreldremeny eller velg menytypen 'Venstre'.
ErrorLeftMenuMustHaveAParentId=En meny av typen 'Venstre' må ha foreldre-ID.
@@ -76,7 +78,7 @@ ErrorExportDuplicateProfil=Profilnavnet til dette eksport-oppsettet finnes aller
ErrorLDAPSetupNotComplete=Dolibarr-LDAP oppsett er ikke komplett.
ErrorLDAPMakeManualTest=En .ldif fil er opprettet i mappen %s. Prøv å lese den manuelt for å se mer informasjon om feil.
ErrorCantSaveADoneUserWithZeroPercentage=Kan ikke lagre en handling med "status ikke startet" hvis feltet "ferdig innen" også er fylt ut.
-ErrorRefAlreadyExists=Ref bruket til oppretting finnes allerede.
+ErrorRefAlreadyExists=Referanse %s eksisterer allerede.
ErrorPleaseTypeBankTransactionReportName=Vennligst skriv inn kontoutskriftsnavnet der oppføringen skal rapporteres (Format YYYYMM eller YYYYMMDD)
ErrorRecordHasChildren=Kunne ikke slette posten fordi den har noen under-oppføringer.
ErrorRecordHasAtLeastOneChildOfType=Objektet har minst under-objekt av typen %s
@@ -246,6 +248,14 @@ ErrorProductDoesNotNeedBatchNumber=Feil, vare' %s ' godtar ikke lot/serie
ErrorFailedToReadObject=Feil, kunne ikke lese objektet av typen %s
ErrorParameterMustBeEnabledToAllwoThisFeature=Feil, parameter %s må være aktivert i conf/conf.php for å tillate bruk av kommandolinjegrensesnitt av den interne jobbplanleggeren
ErrorLoginDateValidity=Feil, denne påloggingen er utenfor gyldig datoområde
+ErrorValueLength=Lengden på feltet ' %s ' må være høyere enn ' %s '
+ErrorReservedKeyword=Ordet ' %s ' er et reservert nøkkelord
+ErrorNotAvailableWithThisDistribution=Ikke tilgjengelig i denne distribusjonen
+ErrorPublicInterfaceNotEnabled=Offentlig grensesnitt var ikke aktivert
+ErrorLanguageRequiredIfPageIsTranslationOfAnother=Språket til den nye siden må defineres hvis den er angitt som oversettelse av en annen side
+ErrorLanguageMustNotBeSourceLanguageIfPageIsTranslationOfAnother=Språket på den nye siden må ikke være kildespråket hvis det er angitt som oversettelse av en annen side
+ErrorAParameterIsRequiredForThisOperation=En parameter er obligatorisk for denne operasjonen
+
# Warnings
WarningParamUploadMaxFileSizeHigherThanPostMaxSize=PHP-parameteren upload_max_filesize (%s) er høyere enn PHP-parameteren post_max_size (%s). Dette er ikke et konsistent oppsett.
WarningPasswordSetWithNoAccount=Et passord ble satt for dette medlemmet, men ingen brukerkonto ble opprettet. Det fører til at passordet ikke kan benyttes for å logge inn på Dolibarr. Det kan brukes av en ekstern modul/grensesnitt, men hvis du ikke trenger å definere noen innlogging eller passord for et medlem, kan du deaktivere alternativet "opprett en pålogging for hvert medlem" fra medlemsmodul-oppsettet. Hvis du trenger å administrere en pålogging, men ikke trenger noe passord, kan du holde dette feltet tomt for å unngå denne advarselen. Merk: E-post kan også brukes som en pålogging dersom medlemmet er knyttet til en bruker.
@@ -276,3 +286,4 @@ WarningSomeBankTransactionByChequeWereRemovedAfter=Noen banktransaksjoner ble fj
WarningFailedToAddFileIntoDatabaseIndex=Advarsel, kunne ikke legge til filoppføring i ECM-databasens indekstabell
WarningTheHiddenOptionIsOn=Advarsel, det skjulte alternativet %s er på.
WarningCreateSubAccounts=Advarsel, du kan ikke opprette en underkonto direkte, du må opprette en tredjepart eller en bruker og tildele dem en regnskapskode for å finne dem i denne listen
+WarningAvailableOnlyForHTTPSServers=Bare tilgjengelig hvis du bruker HTTPS-sikret tilkobling.
diff --git a/htdocs/langs/nb_NO/exports.lang b/htdocs/langs/nb_NO/exports.lang
index 3bf7bff58ef..e4e5740d9ee 100644
--- a/htdocs/langs/nb_NO/exports.lang
+++ b/htdocs/langs/nb_NO/exports.lang
@@ -26,6 +26,8 @@ FieldTitle=Felt tittel
NowClickToGenerateToBuildExportFile=Velg filformatet i kombinasjonsboksen og klikk på "Generer" for å bygge eksportfilen ...
AvailableFormats=Tilgjengelige formater
LibraryShort=Bibliotek
+ExportCsvSeparator=Csv-karakterseparator
+ImportCsvSeparator=Csv-karakterseparator
Step=Trinn
FormatedImport=Importassistent
FormatedImportDesc1=Denne modulen lar deg oppdatere eksisterende data eller legge til nye objekter i databasen fra en fil, ved hjelp av en assistent.
@@ -131,3 +133,4 @@ KeysToUseForUpdates=Nøkkel (kolonne) som skal brukes til oppdatering av '%s' for å bruke '%s' modus. I denne modusen for du tilgang til oppsett av SMTP-server og muligheten til å bruke masseutsendelser.
@@ -141,7 +142,7 @@ UseFormatFileEmailToTarget=Importert fil må følge formatet epost;navn;
UseFormatInputEmailToTarget=Tast inn en streng med format epost;navn;fornavn;annet
MailAdvTargetRecipients=Mottakere (avansert utvalg)
AdvTgtTitle=Fyll inn felt for å forhåndsvelge tredjeparter eller kontakter/adresser som skal velges
-AdvTgtSearchTextHelp=Bruk %% som jokertegn. For eksempel for å finne alle element som jan, jon, jimmy , kan du skrive inn j%% . Du kan også bruke; som separator for verdi, og bruk ! for unntatt denne verdien. For eksempel vil jan; jon; jim%%;! Jimo;! Jima% målrette alle jan, jon, starter med jim men ikke jimo og ikke alt som starter med jima
+AdvTgtSearchTextHelp=Bruk %% som jokertegn. For eksempel for å finne alt som jean, joe, jim , kan du legge inn j%% , du kan også bruke ; som skilletegn for verdi, og bruk ! for å ekskludere denne verdien. For eksempel jean; joe; jim%%;!Jimo;!Jima%% vil målrette mot alle jean, joe, starter med jim, men ikke jimo og ikke alt som starter med jima
AdvTgtSearchIntHelp=Bruk intervall for å velge heltall eller desimaltall
AdvTgtMinVal=Minimumsverdi
AdvTgtMaxVal=Maksimumsverdi
diff --git a/htdocs/langs/nb_NO/main.lang b/htdocs/langs/nb_NO/main.lang
index 8def7e71e28..d807171680c 100644
--- a/htdocs/langs/nb_NO/main.lang
+++ b/htdocs/langs/nb_NO/main.lang
@@ -28,7 +28,9 @@ NoTemplateDefined=Ingen mal tilgjengelig for denne e-posttypen
AvailableVariables=Tilgjengelige erstatningsverdier
NoTranslation=Ingen oversettelse
Translation=Oversettelse
+CurrentTimeZone=Tidssone for PHP (server)
EmptySearchString=Angi ikke-tomme søkekriterier
+EnterADateCriteria=Skriv inn datokriterier
NoRecordFound=Ingen post funnet
NoRecordDeleted=Ingen poster slettet
NotEnoughDataYet=Ikke nok data
@@ -85,6 +87,8 @@ FileWasNotUploaded=En fil er valgt som vedlegg, men er ennå ikke lastet opp. Kl
NbOfEntries=Antall oppføringer
GoToWikiHelpPage=Les online-hjelp (Du må være tilknyttet internett)
GoToHelpPage=Les hjelp
+DedicatedPageAvailable=Det finnes en dedikert hjelpeside relatert til din nåværende side
+HomePage=Hjemmeside
RecordSaved=Posten er lagret
RecordDeleted=Oppføring slettet
RecordGenerated=Post generert
@@ -197,7 +201,7 @@ ReOpen=Gjenåpne
Upload=Last opp
ToLink=Lenke
Select=Velg
-SelectAll=Select all
+SelectAll=Velg alt
Choose=Velg
Resize=Endre størrelse
ResizeOrCrop=Endre størrelse eller beskjær
@@ -258,7 +262,7 @@ Cards=Kort
Card=Kort
Now=Nå
HourStart=Start time
-Deadline=Deadline
+Deadline=Frist
Date=Dato
DateAndHour=Dato og tid
DateToday=Dagens dato
@@ -267,10 +271,10 @@ DateStart=Startdato
DateEnd=Sluttdato
DateCreation=Opprettet den
DateCreationShort=Oppr. dato
-IPCreation=Creation IP
+IPCreation=Opprettelses-IP
DateModification=Endret den
DateModificationShort=Mod. dato
-IPModification=Modification IP
+IPModification=Modifikasjons-IP
DateLastModification=Siste endringsdato
DateValidation=Validert den
DateClosing=Lukket den
@@ -433,6 +437,7 @@ RemainToPay=Gjenstår å betale
Module=Modul/Applikasjon
Modules=Moduler/Applikasjoner
Option=Opsjon
+Filters=Filtre
List=Liste
FullList=Full liste
FullConversation=Full samtale
@@ -671,7 +676,7 @@ SendMail=Send e-post
Email=E-post
NoEMail=Ingen e-post
AlreadyRead=Allerede lest
-NotRead=Ikke lest
+NotRead=Ulest
NoMobilePhone=Ingen mobiltelefon
Owner=Eier
FollowingConstantsWillBeSubstituted=Følgende konstanter vil bli erstattet med korresponderende verdi.
@@ -1106,4 +1111,9 @@ SecurityTokenHasExpiredSoActionHasBeenCanceledPleaseRetry=Sikkerhetstoken har ut
UpToDate=Oppdatert
OutOfDate=Utdatert
EventReminder=Påminnelse om hendelse
-UpdateForAllLines=Update for all lines
+UpdateForAllLines=Oppdatering for alle linjer
+OnHold=Venter
+AffectTag=Påvirk merke
+ConfirmAffectTag=Påvirk bulkmerke
+ConfirmAffectTagQuestion=Er du sikker på at du vil påvirke merker til valgte %s post(er)?
+CategTypeNotFound=Ingen merketype funnet for denne post-typen
diff --git a/htdocs/langs/nb_NO/members.lang b/htdocs/langs/nb_NO/members.lang
index 8cebd358f8a..38f06382279 100644
--- a/htdocs/langs/nb_NO/members.lang
+++ b/htdocs/langs/nb_NO/members.lang
@@ -80,7 +80,7 @@ DeleteType=Slett
VoteAllowed=Stemming tillatt
Physical=Fysisk
Moral=Moralsk
-MorAndPhy=Moral and Physical
+MorAndPhy=Moralsk og fysisk
Reenable=Reaktiverer
ResiliateMember=Terminer et medlem
ConfirmResiliateMember=Er du sikker på at du vil terminere dette medlemmet?
@@ -177,7 +177,7 @@ MenuMembersStats=Statistikk
LastMemberDate=Siste medlemsdato
LatestSubscriptionDate=Siste abonnementsdato
MemberNature=Medlemskapets art
-MembersNature=Nature of members
+MembersNature=Medlemmenes art
Public=Informasjon er offentlig
NewMemberbyWeb=Nytt medlem lagt til. Venter på godkjenning
NewMemberForm=Skjema for nytt medlem
diff --git a/htdocs/langs/nb_NO/modulebuilder.lang b/htdocs/langs/nb_NO/modulebuilder.lang
index d68c5733f57..24ffaf2f737 100644
--- a/htdocs/langs/nb_NO/modulebuilder.lang
+++ b/htdocs/langs/nb_NO/modulebuilder.lang
@@ -40,6 +40,7 @@ PageForCreateEditView=PHP-side for å lage/redigere/vise en post
PageForAgendaTab=PHP-side for hendelsesfanen
PageForDocumentTab=PHP-side for dokumentfan
PageForNoteTab=PHP-side for notatfane
+PageForContactTab=PHP-side for kontaktfanen
PathToModulePackage=Sti til zip-fil av modul/applikasjonspakke
PathToModuleDocumentation=Sti til fil med modul/applikasjonsdokumentasjon (%s)
SpaceOrSpecialCharAreNotAllowed=Mellomrom eller spesialtegn er ikke tillatt.
@@ -105,7 +106,7 @@ TryToUseTheModuleBuilder=Hvis du har kunnskap i SQL og PHP, kan du prøve å bru
SeeTopRightMenu=Se i øverste høyre meny
AddLanguageFile=Legg til språkfil
YouCanUseTranslationKey=Her kan du bruke en nøkkel som er oversettelsesnøkkelen funnet i språkfilen (se kategorien "Språk")
-DropTableIfEmpty=(Slett tabell hvis tom)
+DropTableIfEmpty=(Fjern tabellen hvis den er tom)
TableDoesNotExists=Tabellen %s finnes ikke
TableDropped=Tabell %s slettet
InitStructureFromExistingTable=Bygg struktur-matrisestrengen fra en eksisterende tabell
@@ -126,7 +127,6 @@ UseSpecificEditorURL = Bruk en bestemt editor-URL
UseSpecificFamily = Bruk en bestemt familie
UseSpecificAuthor = Bruk en bestemt forfatter
UseSpecificVersion = Bruk en bestemt innledende versjon
-ModuleMustBeEnabled=Modulen/applikasjonen må først aktiveres
IncludeRefGeneration=Referansen til objektet må genereres automatisk
IncludeRefGenerationHelp=Merk av for dette hvis du vil inkludere kode for å administrere genereringen av referansen automatisk
IncludeDocGeneration=Jeg vil generere noen dokumenter fra objektet
@@ -140,3 +140,4 @@ TypeOfFieldsHelp=Type felt: varchar (99), dobbel (24,8), ekte, tekst, html,
AsciiToHtmlConverter=Ascii til HTML konverter
AsciiToPdfConverter=Ascii til PDF konverter
TableNotEmptyDropCanceled=Tabellen er ikke tom. Drop har blitt kansellert.
+ModuleBuilderNotAllowed=Modulbyggeren er tilgjengelig, men ikke tillatt for brukeren din.
diff --git a/htdocs/langs/nb_NO/mrp.lang b/htdocs/langs/nb_NO/mrp.lang
index b3a5a2c1cd2..62c13051340 100644
--- a/htdocs/langs/nb_NO/mrp.lang
+++ b/htdocs/langs/nb_NO/mrp.lang
@@ -77,4 +77,4 @@ UnitCost=Enhetskostnad
TotalCost=Totalkostnad
BOMTotalCost=Kostnaden for å produsere denne stykklisten basert på kostnadene for hver mengde og vare som skal konsumeres (bruk kostpris hvis definert, ellers gjennomsnittlig vektet pris hvis definert, ellers den beste kjøpesummen)
GoOnTabProductionToProduceFirst=Du må først ha startet produksjonen for å lukke en produksjonsordre (se fanen '%s'). Men du kan kansellere den.
-ErrorAVirtualProductCantBeUsedIntoABomOrMo=A kit can't be used into a BOM or a MO
+ErrorAVirtualProductCantBeUsedIntoABomOrMo=Et sett kan ikke brukes i en BOM eller en MO
diff --git a/htdocs/langs/nb_NO/other.lang b/htdocs/langs/nb_NO/other.lang
index 975342e63b0..d04755eab4a 100644
--- a/htdocs/langs/nb_NO/other.lang
+++ b/htdocs/langs/nb_NO/other.lang
@@ -259,6 +259,7 @@ ContactCreatedByEmailCollector=Kontakt/adresse opprettet av e-post samler fra e-
ProjectCreatedByEmailCollector=Prosjekt opprettet av e-post samler fra e-post MSGID %s
TicketCreatedByEmailCollector=Supportseddel opprettet av e-post samler fra e-post MSGID %s
OpeningHoursFormatDesc=Bruk en bindestrek for å skille åpning og stengetid. Bruk et mellomrom for å angi forskjellige områder. Eksempel: 8-12 14-18
+PrefixSession=Prefiks for økt-ID
##### Export #####
ExportsArea=Eksportområde
diff --git a/htdocs/langs/nb_NO/products.lang b/htdocs/langs/nb_NO/products.lang
index f4a0610c847..0751b4c561d 100644
--- a/htdocs/langs/nb_NO/products.lang
+++ b/htdocs/langs/nb_NO/products.lang
@@ -104,11 +104,12 @@ SetDefaultBarcodeType=Angi strekkodetype
BarcodeValue=Strekkodeverdi
NoteNotVisibleOnBill=Notat (vises ikke på fakturaer, tilbud...)
ServiceLimitedDuration=Hvis varen er en tjeneste med begrenset varighet:
-FillWithLastServiceDates=Fill with last service line dates
+FillWithLastServiceDates=Fyll ut med siste tjenestelinjedatoer
MultiPricesAbility=Flere prissegmenter for hver vare/tjeneste (hver kunde er i et segment)
MultiPricesNumPrices=Pris antall
DefaultPriceType=Basis av priser per standard (med versus uten avgift) når nye salgspriser legges til
-AssociatedProductsAbility=Aktiver sett (virtuelle varer)
+AssociatedProductsAbility=Aktiver Sett (sett bestående av andre produkter)
+VariantsAbility=Aktiver Varianter (varianter av produkter, for eksempel farge, størrelse)
AssociatedProducts=Sett
AssociatedProductsNumber=Antall produkter som består av dette settet
ParentProductsNumber=Antall foreldre-komponentvarer
@@ -167,8 +168,10 @@ BuyingPrices=Innkjøpspris
CustomerPrices=Kundepriser
SuppliersPrices=Leverandørpriser
SuppliersPricesOfProductsOrServices=Leverandørpriser (av varer eller tjenester)
-CustomCode=Toll / vare / HS-kode
+CustomCode=Toll | Råvare | HS-kode
CountryOrigin=Opprinnelsesland
+RegionStateOrigin=Region opprinnelse
+StateOrigin=Stat | Provins opprinnelse
Nature=Produktets art (materiale/ferdig)
NatureOfProductShort=Varens art
NatureOfProductDesc=Råvare eller ferdig vare
@@ -239,7 +242,7 @@ AlwaysUseFixedPrice=Bruk den faste prisen
PriceByQuantity=Prisen varierer med mengde
DisablePriceByQty=Deaktiver mengderabatt
PriceByQuantityRange=Kvantumssatser
-MultipriceRules=Prissegment-regler
+MultipriceRules=Automatiske priser for segment
UseMultipriceRules=Bruk prissegmentregler (definert i varemoduloppsett) for å automatisk beregne priser på alle andre segmenter i henhold til første segment
PercentVariationOver=%% variasjon over %s
PercentDiscountOver=%% rabatt på %s
@@ -287,7 +290,7 @@ PriceExpressionEditorHelp5=Tilgjengelige globale verdier:
PriceMode=Prismodus
PriceNumeric=Nummer
DefaultPrice=Standardpris
-DefaultPriceLog=Log of previous default prices
+DefaultPriceLog=Logg over tidligere standardpriser
ComposedProductIncDecStock=Øk/minsk beholdning ved overordnet endring
ComposedProduct=Sub-varer
MinSupplierPrice=Laveste innkjøpspris
diff --git a/htdocs/langs/nb_NO/projects.lang b/htdocs/langs/nb_NO/projects.lang
index 962ec3ea1b5..e6320de5bc7 100644
--- a/htdocs/langs/nb_NO/projects.lang
+++ b/htdocs/langs/nb_NO/projects.lang
@@ -213,7 +213,7 @@ ProjectOppAmountOfProjectsByMonth=Beløp i leads pr. måned
ProjectWeightedOppAmountOfProjectsByMonth=Vektet beløp i leads pr. måned
ProjectOpenedProjectByOppStatus=Åpne prosjekt|potensielle kunder etter status
ProjectsStatistics=Statistikk over prosjekter eller potensielle kunder
-TasksStatistics=Statistics on tasks of projects or leads
+TasksStatistics=Statistikk over oppgaver til prosjekter eller potensielle kunder
TaskAssignedToEnterTime=Oppgave tildelt. Tidsbruk kan legges til
IdTaskTime=Oppgave-tid ID
YouCanCompleteRef=Hvis du vil fullføre referansen med en suffiks, anbefales det å legge til et tegn for å skille det, slik at den automatiske nummereringen fortsatt fungerer riktig for neste prosjekt. For eksempel %s-MYSUFFIX
diff --git a/htdocs/langs/nb_NO/recruitment.lang b/htdocs/langs/nb_NO/recruitment.lang
index 4171ab7a120..a74389d13ff 100644
--- a/htdocs/langs/nb_NO/recruitment.lang
+++ b/htdocs/langs/nb_NO/recruitment.lang
@@ -47,29 +47,30 @@ ResponsibleOfRecruitement=Ansvarlig for rekruttering
IfJobIsLocatedAtAPartner=Hvis jobben ligger på et partnersted
PositionToBeFilled=Stilling
PositionsToBeFilled=Stillinger
-ListOfPositionsToBeFilled=List of job positions
-NewPositionToBeFilled=New job positions
+ListOfPositionsToBeFilled=Liste over stillinger
+NewPositionToBeFilled=Nye stillinger
-JobOfferToBeFilled=Job position to be filled
+JobOfferToBeFilled=Jobbstilling som skal besettes
ThisIsInformationOnJobPosition=Informasjon om stillingen som skal besettes
ContactForRecruitment=Kontakt for rekruttering
EmailRecruiter=E-postrekruttering
ToUseAGenericEmail=For å bruke en generisk e-post. Hvis ikke definert, vil e-posten til rekrutteringsansvarlig bli brukt
-NewCandidature=New application
-ListOfCandidatures=List of applications
+NewCandidature=Ny applikasjon
+ListOfCandidatures=Liste over applikasjoner
RequestedRemuneration=Ønsket godtgjørelse
ProposedRemuneration=Tilbudt godtgjørelse
ContractProposed=Kontraktforslag
ContractSigned=Kontrakt signert
-ContractRefused=Contract refused
-RecruitmentCandidature=Application
+ContractRefused=Kontrakten avvist
+RecruitmentCandidature=Applikasjon
JobPositions=Stillinger
-RecruitmentCandidatures=Applications
+RecruitmentCandidatures=Applikasjoner
InterviewToDo=Intervju som skal gjennomføres
-AnswerCandidature=Application answer
-YourCandidature=Your application
-YourCandidatureAnswerMessage=Thanks you for your application. ...
-JobClosedTextCandidateFound=The job position is closed. The position has been filled.
-JobClosedTextCanceled=The job position is closed.
-ExtrafieldsJobPosition=Complementary attributes (job positions)
-ExtrafieldsCandidatures=Complementary attributes (job applications)
+AnswerCandidature=Søknadssvar
+YourCandidature=Din søknad
+YourCandidatureAnswerMessage=Takk for søknaden. ...
+JobClosedTextCandidateFound=Stillingen er stengt. Stillingen er besatt.
+JobClosedTextCanceled=Stillingen er stengt.
+ExtrafieldsJobPosition=Utfyllende attributter (stillinger)
+ExtrafieldsCandidatures=Utfyllende attributter (jobbsøknader)
+MakeOffer=Gi et tilbud
diff --git a/htdocs/langs/nb_NO/sendings.lang b/htdocs/langs/nb_NO/sendings.lang
index 714838ddeac..166b31d739a 100644
--- a/htdocs/langs/nb_NO/sendings.lang
+++ b/htdocs/langs/nb_NO/sendings.lang
@@ -30,6 +30,7 @@ OtherSendingsForSameOrder=Andre leveringer på denne ordren
SendingsAndReceivingForSameOrder=Forsendelser og kvitteringer for denne ordren
SendingsToValidate=Leveringer til validering
StatusSendingCanceled=Kansellert
+StatusSendingCanceledShort=Kansellert
StatusSendingDraft=Kladd
StatusSendingValidated=Validert (klar til levering eller allerede levert)
StatusSendingProcessed=Behandlet
@@ -65,6 +66,7 @@ ValidateOrderFirstBeforeShipment=Du må validere ordren før du kan utføre fors
# Sending methods
# ModelDocument
DocumentModelTyphon=Mer fullstendig dokumentmodell for leveringskvitteringer (logo. ..)
+DocumentModelStorm=Mer komplett dokumentmodell for leveringskvitteringer og ekstrafeltkompatibilitet (logo ...)
Error_EXPEDITION_ADDON_NUMBER_NotDefined=Konstant EXPEDITION_ADDON_NUMBER ikke definert
SumOfProductVolumes=Sum varevolum
SumOfProductWeights=Sum varevekt
diff --git a/htdocs/langs/nb_NO/stocks.lang b/htdocs/langs/nb_NO/stocks.lang
index 58d833ada6c..b8ad0e2471a 100644
--- a/htdocs/langs/nb_NO/stocks.lang
+++ b/htdocs/langs/nb_NO/stocks.lang
@@ -17,10 +17,10 @@ CancelSending=Avbryt levering
DeleteSending=Slett levering
Stock=Lagerbeholdning
Stocks=Lagerbeholdning
-MissingStocks=Missing stocks
-StockAtDate=Stocks at date
-StockAtDateInPast=Date in past
-StockAtDateInFuture=Date in future
+MissingStocks=Manglende varer
+StockAtDate=Varebeholdning på dato
+StockAtDateInPast=Tidligere dato
+StockAtDateInFuture=Senere dato
StocksByLotSerial=Lager etter LOT/serienummer
LotSerial=Lot/serienummer
LotSerialList=Liste over lot/serienummer
@@ -34,7 +34,7 @@ StockMovementForId=Bevegelse ID %d
ListMouvementStockProject=Liste over varebevegelser tilknyttet prosjekt
StocksArea=Område for lager
AllWarehouses=Alle lager
-IncludeEmptyDesiredStock=Include also negative stock with undefined desired stock
+IncludeEmptyDesiredStock=Inkluder også negativ beholdning med udefinert ønsket beholdning
IncludeAlsoDraftOrders=Inkluder også ordrekladd
Location=Lokasjon
LocationSummary=Kort navn på lokasjon
@@ -95,16 +95,16 @@ RealStock=Virkelig beholdning
RealStockDesc=Fysisk/reelt lager er beholdningen du for øyeblikket har i dine interne lagre.
RealStockWillAutomaticallyWhen=Virkelig beholdning vil bli endret i henhold til denne regelen (som definert i Lager-modulen):
VirtualStock=Virtuell beholdning
-VirtualStockAtDate=Virtual stock at date
-VirtualStockAtDateDesc=Virtual stock once all pending orders that are planned to be done before the date will be finished
-VirtualStockDesc=Virtual stock is the calculated stock available once all open/pending actions (that affect stocks) are closed (purchase orders received, sales orders shipped, manufacturing orders produced, etc)
+VirtualStockAtDate=Virtuell beholdning på dato
+VirtualStockAtDateDesc=Virtuell beholdning når alle planlagte ordrer før datoen, er fullført
+VirtualStockDesc=Virtuell lagerbeholdning er den beregnede beholdningen som er tilgjengelig når alle åpne/ventende handlinger (som påvirker varer) er lukket (mottatte innkjøpsordrer, leverte salgsordrer, utførte produksjonsordrer osv.)
IdWarehouse=Lager-ID
DescWareHouse=Beskrivelse av lager
LieuWareHouse=Lagerlokasjon
WarehousesAndProducts=Lager og varer
WarehousesAndProductsBatchDetail=Lager og varer (med detaljer pr. lot/serienummer)
AverageUnitPricePMPShort=Vektet gjennomsnittspris
-AverageUnitPricePMPDesc=The input average unit price we had to pay to suppliers to get the product into our stock.
+AverageUnitPricePMPDesc=Gjennomsnittlig enhetspris betalt til leverandører for å få varen på lager.
SellPriceMin=Utsalgspris
EstimatedStockValueSellShort=Verdi å selge
EstimatedStockValueSell=Verdi å selge
@@ -122,9 +122,9 @@ DesiredStockDesc=Denne lagerbeholdningen vil være den verdien som brukes til å
StockToBuy=For bestilling
Replenishment=Påfylling av varer
ReplenishmentOrders=Påfyllingsordre
-VirtualDiffersFromPhysical=According to increase/decrease stock options, physical stock and virtual stock (physical stock + open orders) may differ
-UseRealStockByDefault=Use real stock, instead of virtual stock, for replenishment feature
-ReplenishmentCalculation=Amount to order will be (desired quantity - real stock) instead of (desired quantity - virtual stock)
+VirtualDiffersFromPhysical=I henhold til økning/reduksjon av varer, kan fysisk vare og virtuell vare (fysisk vare + åpne ordrer) variere
+UseRealStockByDefault=Bruk reell varebeholdning i stedet for virtuell, for påfyllingsfunksjon
+ReplenishmentCalculation=Beløpet på ordren vil være (ønsket mengde - reelt lager) i stedet for (ønsket antall - virtuelt lager)
UseVirtualStock=Bruk teoretisk lagerbeholdning
UsePhysicalStock=Bruk fysisk varebeholdning
CurentSelectionMode=Gjeldende valgmodus
@@ -133,7 +133,7 @@ CurentlyUsingPhysicalStock=Fysisk varebeholdning
RuleForStockReplenishment=Regler for lågerpåfylling
SelectProductWithNotNullQty=Velg minst en vare med et antall, ikke null, og en leverandør
AlertOnly= Kun varsler
-IncludeProductWithUndefinedAlerts = Include also negative stock for products with no desired quantity defined, to restore them to 0
+IncludeProductWithUndefinedAlerts = Inkluder også negativ beholdning for varer uten ønsket mengde definert, for å gjenopprette dem til 0
WarehouseForStockDecrease=Lageret %s vil bli brukt til reduksjon av varebeholdning
WarehouseForStockIncrease=Lageret %s vil bli brukt til økning av varebeholdning
ForThisWarehouse=For dette lageret
@@ -144,7 +144,7 @@ Replenishments=Lagerpåfyllinger
NbOfProductBeforePeriod=Beholdning av varen %s før valgte periode (< %s)
NbOfProductAfterPeriod=Beholdning av varen %s før etter periode (< %s)
MassMovement=Massebevegelse
-SelectProductInAndOutWareHouse=Select a source warehouse and a target warehouse, a product and a quantity then click "%s". Once this is done for all required movements, click onto "%s".
+SelectProductInAndOutWareHouse=Velg et kilde-varehus og et mål-varehus, en vare og et antall, og klikk deretter "%s". Når dette er gjort for alle nødvendige bevegelser, klikker du på "%s".
RecordMovement=Postoverføring
ReceivingForSameOrder=Kvitteringer for denne ordren
StockMovementRecorded=Registrerte varebevegelser
@@ -233,10 +233,11 @@ InventoryForASpecificProduct=Varetelling for en spesifikk vare
StockIsRequiredToChooseWhichLotToUse=Det kreves lagerbeholdning for å velge hvilken lot du vil bruke
ForceTo=Tving til
AlwaysShowFullArbo=Vis hele lagertreet med popup av lagerkoblinger (Advarsel: Dette kan redusere ytelsen dramatisk)
-StockAtDatePastDesc=You can view here the stock (real stock) at a given date in the past
-StockAtDateFutureDesc=You can view here the stock (virtual stock) at a given date in future
-CurrentStock=Current stock
-InventoryRealQtyHelp=Set value to 0 to reset qty Keep field empty, or remove line, to keep unchanged
-UpdateByScaning=Update by scaning
-UpdateByScaningProductBarcode=Update by scan (product barcode)
-UpdateByScaningLot=Update by scan (lot|serial barcode)
+StockAtDatePastDesc=Her kan du se varen (reell beholdning) på en tidligere dato
+StockAtDateFutureDesc=Her kan du se varen (virtuell beholdning) på en gitt dato i fremtiden
+CurrentStock=Nåværende varebeholdning
+InventoryRealQtyHelp=Sett verdi til 0 for å tilbakestille antall Hold feltet tomt, eller fjern linjen, for å holde uendret
+UpdateByScaning=Oppdater ved å skanne
+UpdateByScaningProductBarcode=Oppdater ved skanning (varestrekkode)
+UpdateByScaningLot=Oppdater ved skanning (LOT/seriell strekkode)
+DisableStockChangeOfSubProduct=Deaktiver lagerendringen for alle delvaren til dette settet under denne bevegelsen.
diff --git a/htdocs/langs/nb_NO/suppliers.lang b/htdocs/langs/nb_NO/suppliers.lang
index 6dc0db586bf..c7ade0f65bb 100644
--- a/htdocs/langs/nb_NO/suppliers.lang
+++ b/htdocs/langs/nb_NO/suppliers.lang
@@ -38,7 +38,7 @@ MenuOrdersSupplierToBill=Innkjøpsordre til faktura
NbDaysToDelivery=Leveringsforsinkelse (dager)
DescNbDaysToDelivery=Den lengste leveringsforsinkelsen til produktene i denne ordre
SupplierReputation=Leverandørens rykte
-ReferenceReputation=Reference reputation
+ReferenceReputation=Referanse omdømme
DoNotOrderThisProductToThisSupplier=Ikke bestill
NotTheGoodQualitySupplier=Lav kvalitet
ReputationForThisProduct=Rykte
diff --git a/htdocs/langs/nb_NO/ticket.lang b/htdocs/langs/nb_NO/ticket.lang
index ed590491d7c..63f1717d97e 100644
--- a/htdocs/langs/nb_NO/ticket.lang
+++ b/htdocs/langs/nb_NO/ticket.lang
@@ -58,7 +58,6 @@ OriginEmail=Epostkilde
Notify_TICKET_SENTBYMAIL=Send billettmelding via e-post
# Status
-NotRead=Ikke lest
Read=Les
Assigned=Tildelt
InProgress=Pågår
@@ -124,12 +123,13 @@ TicketsActivatePublicInterfaceHelp=Offentlig grensesnitt gjør det mulig for all
TicketsAutoAssignTicket=Tilordne automatisk brukeren som opprettet supportseddelen
TicketsAutoAssignTicketHelp=Når du lager en supportseddel, kan brukeren automatisk tildeles billetten.
TicketNumberingModules=Supportseddel nummereringsmodul
+TicketsModelModule=Dokumentmaler for billetter
TicketNotifyTiersAtCreation=Varsle tredjepart ved opprettelse
TicketsDisableCustomerEmail=Slå alltid av e-post når en billett er opprettet fra det offentlige grensesnittet
TicketsPublicNotificationNewMessage=Send e-post(er) når en ny melding legges til
-TicketsPublicNotificationNewMessageHelp=Send email(s) when a new message is added from public interface (to assigned user or the notifications email to (update) and/or the notifications email to)
+TicketsPublicNotificationNewMessageHelp=Send epost(er) når en ny melding legges til fra det offentlige grensesnittet (til tildelt bruker eller varslings-eposten til (oppdatering) og/eller varslings-eposten til)
TicketPublicNotificationNewMessageDefaultEmail=E-postvarsler til (oppdatere)
-TicketPublicNotificationNewMessageDefaultEmailHelp=Send email new message notifications to this address if the ticket don't have a user assigned or the user don't have a email.
+TicketPublicNotificationNewMessageDefaultEmailHelp=Send epost med ny melding til denne adressen hvis billetten ikke er tildelt en bruker eller brukeren ikke har epost.
#
# Index & list page
#
@@ -202,7 +202,7 @@ TicketMessageMailIntroText=Hei, Et nytt svar ble sendt på en billett som d
TicketMessageMailIntroHelpAdmin=Denne teksten blir satt inn før teksten til svaret på en supportseddel.
TicketMessageMailSignature=Signatur
TicketMessageMailSignatureHelp=Denne teksten er bare lagt til i slutten av eposten og vil ikke bli lagret.
-TicketMessageMailSignatureText=
Med vennlig hilsen
-
+TicketMessageMailSignatureText=
Med vennlig hilsen
-
TicketMessageMailSignatureLabelAdmin=Signatur på svar-epost
TicketMessageMailSignatureHelpAdmin=Denne teksten vil bli satt inn etter svarmeldingen.
TicketMessageHelp=Kun denne teksten blir lagret i meldingslisten på supportseddelen.
@@ -231,7 +231,6 @@ TicketLogStatusChanged=Status endret: %s til %s
TicketNotNotifyTiersAtCreate=Ikke gi beskjed til firmaet ved opprettelse
Unread=Ulest
TicketNotCreatedFromPublicInterface=Ikke tilgjengelig. Billett ble ikke opprettet fra offentlig grensesnitt.
-PublicInterfaceNotEnabled=Offentlig grensesnitt var ikke aktivert
ErrorTicketRefRequired=Billettreferansenavn kreves
#
diff --git a/htdocs/langs/nb_NO/website.lang b/htdocs/langs/nb_NO/website.lang
index a80a383be93..9cdf3dc0695 100644
--- a/htdocs/langs/nb_NO/website.lang
+++ b/htdocs/langs/nb_NO/website.lang
@@ -30,7 +30,6 @@ EditInLine=Rediger inline
AddWebsite=Legg til nettside
Webpage=Nettsted/container
AddPage=Legg til side/container
-HomePage=Hjemmeside
PageContainer=Side
PreviewOfSiteNotYetAvailable=Forhåndsvisning av nettstedet ditt %s ennå ikke tilgjengelig. Du må først ' Importer en full nettsidemal ' eller bare ' Legg til en side/container '.
RequestedPageHasNoContentYet=Forespurt side med id %s har ikke noe innhold enda, eller cachefilen .tpl.php ble fjernet. Rediger innhold på siden for å løse dette.
@@ -58,7 +57,7 @@ NoPageYet=Ingen sider ennå
YouCanCreatePageOrImportTemplate=Du kan opprette en ny side eller importere en full nettsidemal
SyntaxHelp=Hjelp med spesifikke syntakstips
YouCanEditHtmlSourceckeditor=Du kan redigere HTML kildekode ved hjelp av "Kilde" -knappen i redigeringsprogrammet.
-YouCanEditHtmlSource= You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.
You can also include content of another Page/Container with the following syntax: <?php includeContainer('alias_of_container_to_include'); ?>
You can make a redirect to another Page/Container with the following syntax (Note: do not output any content before a redirect): <?php redirectToContainer('alias_of_container_to_redirect_to'); ?>
To add a link to another page, use the syntax: <a href="alias_of_page_to_link_to.php">mylink<a>
To include a link to download a file stored into the documents directory, use the document.php wrapper: Example, for a file into documents/ecm (need to be logged), syntax is: <a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext"> For a file into documents/medias (open directory for public access), syntax is: <a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext"> For a file shared with a share link (open access using the sharing hash key of file), syntax is: <a href="/document.php?hashp=publicsharekeyoffile">
To include an image stored into the documents directory, use the viewimage.php wrapper: Example, for an image into documents/medias (open directory for public access), syntax is: <img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">
+YouCanEditHtmlSource= Du kan inkludere PHP kode i denne kilden ved hjelp av tags <?php ?>. Følgende globale variabler er tilgjengelige: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs, $pagelangs.
Du kan også inkludere innhold fra en annen side/container med følgende syntaks: <?php includeContainer('alias_of_container_to_include'); ?>
Du kan omdirigere til en annen side/container med følgende syntaks (NB: ikke legg ut noe innhold før en omdirigering): <?php redirectToContainer('alias_of_container_to_redirect_to'); ?>
For å opprette en kobling til en annen side, bruk syntaksen: <a href="alias_of_page_to_link_to.php">mylink<a>
For å inkludere en nedlastningslink til en fil i dokumenter mappen, bruk document.php pakkeren: Eksempel, for en fil i documents/ecm (need to be loggedmå logges, er syntaksen: <a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext"> For en fil i documents/medias (åpen mappe for offentlig tilgang), er syntaksen: <a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext"> For en fil delt via en delingskobling (åpen tilgang ved bruk av deling av filens hash-nøkkel), er syntaksen: <a href="/document.php?hashp=publicsharekeyoffile">
For å inkludere et bilde lagret i dokumenter mappen, bruk viewimage.php pakkeren: Eksempel, for et bilde i documents/medias (åpen mappe for offentlig tilgang), er syntaksen: <img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">
#YouCanEditHtmlSource2= To include a image shared publicaly, use the viewimage.php wrapper: Example with a shared key 123456789, syntax is: <img src="/viewimage.php?hashp=12345679012...">
YouCanEditHtmlSource2=For et bilde som deles med en delekobling (åpen tilgang ved hjelp av delings-hash-nøkkelen til filen), er syntaksen: <img src="/viewimage.php?hashp=12345679012...">
YouCanEditHtmlSourceMore= Flere eksempler på HTML eller dynamisk kode tilgjengelig på wiki-dokumentasjonen .
@@ -101,7 +100,7 @@ EmptyPage=Tom side
ExternalURLMustStartWithHttp=Ekstern nettadresse må starte med http:// eller https://
ZipOfWebsitePackageToImport=Last opp zip-filen til malpakken til nettstedet
ZipOfWebsitePackageToLoad=eller velg en tilgjengelig innebygd nettsted-malpakke
-ShowSubcontainers=Inkluder dynamisk innhold
+ShowSubcontainers=Vis dynamisk innhold
InternalURLOfPage=Intern URL til siden
ThisPageIsTranslationOf=Denne siden/containeren er en oversettelse av
ThisPageHasTranslationPages=Denne siden/containeren har oversettelse
@@ -136,4 +135,5 @@ RSSFeed=RSS nyhetsstrøm
RSSFeedDesc=Du kan få en RSS-feed med de nyeste artiklene med typen 'blogpost' ved hjelp av denne URL-en
PagesRegenerated=%s side(r)/container(e) regenerert
RegenerateWebsiteContent=Regenerer cache-filer på nettstedet
-AllowedInFrames=Allowed in Frames
+AllowedInFrames=Tillatt i frames
+DefineListOfAltLanguagesInWebsiteProperties=Definer liste over alle tilgjengelige språk i nettstedsegenskaper.
diff --git a/htdocs/langs/nb_NO/withdrawals.lang b/htdocs/langs/nb_NO/withdrawals.lang
index 50f65e74855..4e88dd8bf0b 100644
--- a/htdocs/langs/nb_NO/withdrawals.lang
+++ b/htdocs/langs/nb_NO/withdrawals.lang
@@ -1,36 +1,36 @@
# Dolibarr language file - Source file is en_US - withdrawals
-CustomersStandingOrdersArea=Payments by Direct debit orders
+CustomersStandingOrdersArea=Betalinger med direktedebetsordrer
SuppliersStandingOrdersArea=Betalinger med kredittoverføring
StandingOrdersPayment=Direktedebet betalingsordre
StandingOrderPayment=Direktedebet betalingsordre
NewStandingOrder=Ny direktedebetsordre
-NewPaymentByBankTransfer=New payment by credit transfer
+NewPaymentByBankTransfer=Ny betaling med kreditoverføring
StandingOrderToProcess=Til behandling
-PaymentByBankTransferReceipts=Credit transfer orders
-PaymentByBankTransferLines=Credit transfer order lines
+PaymentByBankTransferReceipts=Kredittoverføringsordrer
+PaymentByBankTransferLines=Kredittoverføring ordrelinjer
WithdrawalsReceipts=Direktedebetsordre
WithdrawalReceipt=Direktedebiter ordre
-BankTransferReceipts=Credit transfer orders
+BankTransferReceipts=Kredittoverføringsordrer
BankTransferReceipt=Kredittoverføringsordre
-LatestBankTransferReceipts=Latest %s credit transfer orders
+LatestBankTransferReceipts=Siste %s kredittoverføringsordrer
LastWithdrawalReceipts=Siste %s direktedebetslinjer
-WithdrawalsLine=Direct debit order line
-CreditTransferLine=Credit transfer line
+WithdrawalsLine=Ordrelinje for direktedebet
+CreditTransferLine=Kredittoverføringslinje
WithdrawalsLines=Direktedebiter ordrelinjer
-CreditTransferLines=Credit transfer lines
-RequestStandingOrderToTreat=Requests for direct debit payment order to process
-RequestStandingOrderTreated=Requests for direct debit payment order processed
-RequestPaymentsByBankTransferToTreat=Requests for credit transfer to process
+CreditTransferLines=Kredittoverføringslinjer
+RequestStandingOrderToTreat=Forespørsler om utførelse av direktedebet betalingsordre
+RequestStandingOrderTreated=Forespørsel om utførte direktedebet betalingsordre
+RequestPaymentsByBankTransferToTreat=Forespørsler om behandling av kreditoverføring
RequestPaymentsByBankTransferTreated=Forespørsler om kredittoverføring behandlet
NotPossibleForThisStatusOfWithdrawReceiptORLine=Ennå ikke mulig. Tilbaketrekkings-status må være satt til 'kreditert' før fjerning fra spesifikke linjer.
-NbOfInvoiceToWithdraw=No. of qualified customer invoices with waiting direct debit order
+NbOfInvoiceToWithdraw=Antall kvalifiserte kundefakturaer med ventende direktedebet
NbOfInvoiceToWithdrawWithInfo=Antall kundefakturaer med direktedebetsordre som har definert bankkontoinformasjon
NbOfInvoiceToPayByBankTransfer=Antall kvalifiserte leverandørfakturaer som venter på betaling med kredittoverføring
-SupplierInvoiceWaitingWithdraw=Vendor invoice waiting for payment by credit transfer
+SupplierInvoiceWaitingWithdraw=Leverandørfaktura som venter på betaling med kreditoverføring
InvoiceWaitingWithdraw=Faktura som venter på direktedebet
-InvoiceWaitingPaymentByBankTransfer=Invoice waiting for credit transfer
+InvoiceWaitingPaymentByBankTransfer=Faktura venter på kreditoverføring
AmountToWithdraw=Beløp å tilbakekalle
-NoInvoiceToWithdraw=No invoice open for '%s' is waiting. Go on tab '%s' on invoice card to make a request.
+NoInvoiceToWithdraw=Ingen faktura åpen for '%s' venter. Gå til fanen '%s' på fakturakortet for å gjøre en forespørsel.
NoSupplierInvoiceToWithdraw=Ingen leverandørfaktura med åpne 'Direkte kredittforespørsler' venter. Gå til fanen '%s' på fakturakortet for å sende en forespørsel.
ResponsibleUser=Brukeransvarlig
WithdrawalsSetup=Oppsett av direktedebetsbetalinger
@@ -40,8 +40,9 @@ CreditTransferStatistics=Kredittoverføringsstatistikk
Rejects=Avvisninger
LastWithdrawalReceipt=Siste %s direktedebetskvitteringer
MakeWithdrawRequest=Foreta en direktedebet betalingsforespørsel
-MakeBankTransferOrder=Make a credit transfer request
+MakeBankTransferOrder=Opprett en forespørsel om kreditoverføring
WithdrawRequestsDone=%s direktedebet-betalingforespørsler registrert
+BankTransferRequestsDone=%s forespørsler om kreditoverføring registrert
ThirdPartyBankCode=Tredjeparts bankkode
NoInvoiceCouldBeWithdrawed=Ingen faktura debitert. Kontroller at fakturaer mot selskaper med gyldig standard BAN, og at BAN har en RUM-modus %s .
ClassCredited=Klassifiser som kreditert
@@ -53,7 +54,7 @@ Lines=Linjer
StandingOrderReject=Utsted en avvisning
WithdrawsRefused=Direktedebet avvist
WithdrawalRefused=Tilbakekalling avvist
-CreditTransfersRefused=Credit transfers refused
+CreditTransfersRefused=Kredittoverføringer avvist
WithdrawalRefusedConfirm=Er du sikker på at du vil avvise en tilbakekallings-forespørsel for medlemmet?
RefusedData=Dato for avvisning
RefusedReason=Årsak til avslag
@@ -63,7 +64,7 @@ InvoiceRefused=Faktura avvist (Kunden skal belastes for avvisningen)
StatusDebitCredit=Status debet/kreditt
StatusWaiting=Venter
StatusTrans=Sendt
-StatusDebited=Debited
+StatusDebited=Debiterte
StatusCredited=Kreditert
StatusPaid=Betalt
StatusRefused=Nektet
@@ -79,13 +80,13 @@ StatusMotif8=Annen grunn
CreateForSepaFRST=Opprett direktedebetsfil (SEPA FRST)
CreateForSepaRCUR=Opprett direktedebitfil (SEPA RCUR)
CreateAll=Opprett direktedebetfil (alle)
-CreateFileForPaymentByBankTransfer=Create file for credit transfer
+CreateFileForPaymentByBankTransfer=Opprett fil for kreditoverføring
CreateSepaFileForPaymentByBankTransfer=Opprett kreditoverføringsfil (SEPA)
CreateGuichet=Bare kontor
CreateBanque=Bare bank
OrderWaiting=Venter på behandling
-NotifyTransmision=Record file transmission of order
-NotifyCredit=Record credit of order
+NotifyTransmision=Registrer filoverføring av ordre
+NotifyCredit=Registrer kreditt av ordren
NumeroNationalEmetter=National Transmitter Number
WithBankUsingRIB=For bankkontoer som bruker RIB
WithBankUsingBANBIC=For bankkontoer som bruker IBAN/BIC/SWIFT
@@ -96,11 +97,11 @@ WithdrawalFileNotCapable=Kan ikke ikke generere kvitteringsfil for tilbaketrekki
ShowWithdraw=Vis direkte debitordre
IfInvoiceNeedOnWithdrawPaymentWontBeClosed=Men, hvis fakturaen har minst én avbestillingsordre som ikke er behandlet ennå, blir den ikke satt som betalt for å tillate tidligere håndtering av tilbaketrekninger.
DoStandingOrdersBeforePayments=Denne fanen lar deg be om en betalingsordre med direkte belastning. Når du er ferdig, kan du gå til menyen Bank-> Betaling med direkte belastning for å generere og administrere direkte belastning. Når ordre med direkte belastning blir stengt, blir betaling på fakturaer automatisk registrert, og fakturaer stengt hvis resten til betaling er null.
-DoCreditTransferBeforePayments=This tab allows you to request a credit transfer order. Once done, go into menu Bank->Payment by credit transfer to generate and manage the credit transfer order. When credit transfer order is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null.
-WithdrawalFile=Debit order file
-CreditTransferFile=Credit transfer file
+DoCreditTransferBeforePayments=Denne fanen lar deg be om en kreditoverføringsordre. Når du er ferdig, går du inn i menyen Bank-> Betaling ved overføring for å generere og administrere overføringsordren. Når kredittoverføringsordren er lukket, vil betaling på fakturaer automatisk bli registrert, og fakturaer stengt hvis resten av utestående er null.
+WithdrawalFile=Debetordrefil
+CreditTransferFile=Kredittoverføringsfil
SetToStatusSent=Sett status til "Fil Sendt"
-ThisWillAlsoAddPaymentOnInvoice=This will also record payments on invoices and will classify them as "Paid" if remain to pay is null
+ThisWillAlsoAddPaymentOnInvoice=Dette vil også registrere betalinger på fakturaer og vil klassifisere dem som "Betalt" hvis gjenværende betaling er null
StatisticsByLineStatus=Statistikk etter linjestatus
RUM=UMR
DateRUM=Mandats signaturdato
@@ -108,7 +109,7 @@ RUMLong=Unik Mandat Referanse
RUMWillBeGenerated=Hvis tomt, vil UMR (Unique Mandate Reference) bli generert når bankkontoinformasjon er lagret
WithdrawMode=Direktedebetsmodus (FRST eller RECUR)
WithdrawRequestAmount=Antall direktedebet-betalingforespørsler
-BankTransferAmount=Amount of Credit Transfer request:
+BankTransferAmount=Beløp i forespørsler om kredittoverføring:
WithdrawRequestErrorNilAmount=Kan ikke opprette en tom direktedebet-betalingforespørsel
SepaMandate=SEPA Direktedebet mandat
SepaMandateShort=SEPA-Mandat
@@ -124,18 +125,19 @@ SEPAFrstOrRecur=Betalingstype
ModeRECUR=Gjentakende betaling
ModeFRST=Engangsbetaling
PleaseCheckOne=Vennligs kryss av kun en
-CreditTransferOrderCreated=Credit transfer order %s created
+CreditTransferOrderCreated=Kredittoverføringsordre %s opprettet
DirectDebitOrderCreated=Direktedebet-ordre %s opprettet
AmountRequested=Beløp forespurt
SEPARCUR=SEPA CUR
SEPAFRST=SEPA FRST
ExecutionDate=Utførelsesdato
CreateForSepa=Lag direkte debitfil
-ICS=Kreditoridentifikator CI
+ICS=Kreditoridentifikator CI for direkte belastning
+ICSTransfer=Kreditoridentifikator CI for bankoverføring
END_TO_END="EndToEndId" SEPA XML-tag - Unik ID tildelt per transaksjon
USTRD="Ustrukturert" SEPA XML-tag
ADDDAYS=Legg til dager til utførelsesdato
-NoDefaultIBANFound=No default IBAN found for this third party
+NoDefaultIBANFound=Ingen standard IBAN funnet for denne tredjeparten
### Notifications
InfoCreditSubject=Betaling av direktedebets-betalingsordre %s utført av banken
InfoCreditMessage=Direktedebet betalingsordre %s er blitt betalt av banken Betalingsdata: %s
@@ -145,4 +147,5 @@ InfoTransData=Beløp: %s Metode: %s Dato: %s
InfoRejectSubject=Direktedebet betalingsordre avvist
InfoRejectMessage=Hei,
direktedebet betalingsordre av faktura %s tilhørende firma %s, med beløpet %s er blitt avvist av banken.
-- %s
ModeWarning=Opsjon for reell-modus ble ikke satt, så vi stopper etter denne simuleringen
-ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know wich one to use.
+ErrorCompanyHasDuplicateDefaultBAN=Firma med ID%s har mer enn én standard bankkonto. Ingen måte å vite hvilken du skal bruke.
+ErrorICSmissing=Mangler ICS i bankkonto %s
diff --git a/htdocs/langs/ne_NP/accountancy.lang b/htdocs/langs/ne_NP/accountancy.lang
index 3211a0b62df..33ba4d9fea7 100644
--- a/htdocs/langs/ne_NP/accountancy.lang
+++ b/htdocs/langs/ne_NP/accountancy.lang
@@ -48,6 +48,7 @@ CountriesExceptMe=All countries except %s
AccountantFiles=Export source documents
ExportAccountingSourceDocHelp=With this tool, you can export the source events (list and PDFs) that were used to generate your accountancy. To export your journals, use the menu entry %s - %s.
VueByAccountAccounting=View by accounting account
+VueBySubAccountAccounting=View by accounting subaccount
MainAccountForCustomersNotDefined=Main accounting account for customers not defined in setup
MainAccountForSuppliersNotDefined=Main accounting account for vendors not defined in setup
@@ -144,7 +145,7 @@ NotVentilatedinAccount=Not bound to the accounting account
XLineSuccessfullyBinded=%s products/services successfully bound to an accounting account
XLineFailedToBeBinded=%s products/services were not bound to any accounting account
-ACCOUNTING_LIMIT_LIST_VENTILATION=Number of elements to bind shown by page (maximum recommended: 50)
+ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50)
ACCOUNTING_LIST_SORT_VENTILATION_TODO=Begin the sorting of the page "Binding to do" by the most recent elements
ACCOUNTING_LIST_SORT_VENTILATION_DONE=Begin the sorting of the page "Binding done" by the most recent elements
@@ -198,7 +199,8 @@ Docdate=Date
Docref=Reference
LabelAccount=Label account
LabelOperation=Label operation
-Sens=Sens
+Sens=Direction
+AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received For an accounting account of a supplier, use Debit to record a payment you make
LetteringCode=Lettering code
Lettering=Lettering
Codejournal=Journal
@@ -206,7 +208,8 @@ JournalLabel=Journal label
NumPiece=Piece number
TransactionNumShort=Num. transaction
AccountingCategory=Personalized groups
-GroupByAccountAccounting=Group by accounting account
+GroupByAccountAccounting=Group by general ledger account
+GroupBySubAccountAccounting=Group by subledger account
AccountingAccountGroupsDesc=You can define here some groups of accounting account. They will be used for personalized accounting reports.
ByAccounts=By accounts
ByPredefinedAccountGroups=By predefined groups
@@ -248,7 +251,7 @@ PaymentsNotLinkedToProduct=Payment not linked to any product / service
OpeningBalance=Opening balance
ShowOpeningBalance=Show opening balance
HideOpeningBalance=Hide opening balance
-ShowSubtotalByGroup=Show subtotal by group
+ShowSubtotalByGroup=Show subtotal by level
Pcgtype=Group of account
PcgtypeDesc=Group of account are used as predefined 'filter' and 'grouping' criteria for some accounting reports. For example, 'INCOME' or 'EXPENSE' are used as groups for accounting accounts of products to build the expense/income report.
@@ -271,11 +274,13 @@ DescVentilExpenseReport=Consult here the list of expense report lines bound (or
DescVentilExpenseReportMore=If you setup accounting account on type of expense report lines, the application will be able to make all the binding between your expense report lines and the accounting account of your chart of accounts, just in one click with the button "%s". If account was not set on fees dictionary or if you still have some lines not bound to any account, you will have to make a manual binding from the menu "%s".
DescVentilDoneExpenseReport=Consult here the list of the lines of expenses reports and their fees accounting account
+Closure=Annual closure
DescClosure=Consult here the number of movements by month who are not validated & fiscal years already open
OverviewOfMovementsNotValidated=Step 1/ Overview of movements not validated. (Necessary to close a fiscal year)
+AllMovementsWereRecordedAsValidated=All movements were recorded as validated
+NotAllMovementsCouldBeRecordedAsValidated=Not all movements could be recorded as validated
ValidateMovements=Validate movements
DescValidateMovements=Any modification or deletion of writing, lettering and deletes will be prohibited. All entries for an exercise must be validated otherwise closing will not be possible
-SelectMonthAndValidate=Select month and validate movements
ValidateHistory=Bind Automatically
AutomaticBindingDone=Automatic binding done
@@ -293,6 +298,7 @@ Accounted=Accounted in ledger
NotYetAccounted=Not yet accounted in ledger
ShowTutorial=Show Tutorial
NotReconciled=Not reconciled
+WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view
## Admin
BindingOptions=Binding options
@@ -337,6 +343,7 @@ Modelcsv_LDCompta10=Export for LD Compta (v10 & higher)
Modelcsv_openconcerto=Export for OpenConcerto (Test)
Modelcsv_configurable=Export CSV Configurable
Modelcsv_FEC=Export FEC
+Modelcsv_FEC2=Export FEC (With dates generation writing / document reversed)
Modelcsv_Sage50_Swiss=Export for Sage 50 Switzerland
Modelcsv_winfic=Export Winfic - eWinfic - WinSis Compta
Modelcsv_Gestinumv3=Export for Gestinum (v3)
diff --git a/htdocs/langs/ne_NP/admin.lang b/htdocs/langs/ne_NP/admin.lang
index f1c41a3b62b..189b0b5186a 100644
--- a/htdocs/langs/ne_NP/admin.lang
+++ b/htdocs/langs/ne_NP/admin.lang
@@ -56,6 +56,8 @@ GUISetup=Display
SetupArea=Setup
UploadNewTemplate=Upload new template(s)
FormToTestFileUploadForm=Form to test file upload (according to setup)
+ModuleMustBeEnabled=The module/application %s must be enabled
+ModuleIsEnabled=The module/application %s has been enabled
IfModuleEnabled=Note: yes is effective only if module %s is enabled
RemoveLock=Remove/rename file %s if it exists, to allow usage of the Update/Install tool.
RestoreLock=Restore file %s, with read permission only, to disable any further use of the Update/Install tool.
@@ -85,7 +87,6 @@ ShowPreview=Show preview
ShowHideDetails=Show-Hide details
PreviewNotAvailable=Preview not available
ThemeCurrentlyActive=Theme currently active
-CurrentTimeZone=TimeZone PHP (server)
MySQLTimeZone=TimeZone MySql (database)
TZHasNoEffect=Dates are stored and returned by database server as if they were kept as submitted string. The timezone has effect only when using the UNIX_TIMESTAMP function (that should not be used by Dolibarr, so database TZ should have no effect, even if changed after data was entered).
Space=Space
@@ -153,8 +154,8 @@ SystemToolsAreaDesc=This area provides administration functions. Use the menu to
Purge=Purge
PurgeAreaDesc=This page allows you to delete all files generated or stored by Dolibarr (temporary files or all files in %s directory). Using this feature is not normally necessary. It is provided as a workaround for users whose Dolibarr is hosted by a provider that does not offer permissions to delete files generated by the web server.
PurgeDeleteLogFile=Delete log files, including %s defined for Syslog module (no risk of losing data)
-PurgeDeleteTemporaryFiles=Delete all temporary files (no risk of losing data). Note: Deletion is done only if the temp directory was created 24 hours ago.
-PurgeDeleteTemporaryFilesShort=Delete temporary files
+PurgeDeleteTemporaryFiles=Delete all log and temporary files (no risk of losing data). Note: Deletion of temporary files is done only if the temp directory was created more than 24 hours ago.
+PurgeDeleteTemporaryFilesShort=Delete log and temporary files
PurgeDeleteAllFilesInDocumentsDir=Delete all files in directory: %s. This will delete all generated documents related to elements (third parties, invoices etc...), files uploaded into the ECM module, database backup dumps and temporary files.
PurgeRunNow=Purge now
PurgeNothingToDelete=No directory or files to delete.
@@ -256,6 +257,7 @@ ReferencedPreferredPartners=Preferred Partners
OtherResources=Other resources
ExternalResources=External Resources
SocialNetworks=Social Networks
+SocialNetworkId=Social Network ID
ForDocumentationSeeWiki=For user or developer documentation (Doc, FAQs...), take a look at the Dolibarr Wiki: %s
ForAnswersSeeForum=For any other questions/help, you can use the Dolibarr forum: %s
HelpCenterDesc1=Here are some resources for getting help and support with Dolibarr.
@@ -375,7 +377,7 @@ ExamplesWithCurrentSetup=Examples with current configuration
ListOfDirectories=List of OpenDocument templates directories
ListOfDirectoriesForModelGenODT=List of directories containing templates files with OpenDocument format.
Put here full path of directories. Add a carriage return between eah directory. To add a directory of the GED module, add here DOL_DATA_ROOT/ecm/yourdirectoryname.
Files in those directories must end with .odt or .ods.
NumberOfModelFilesFound=Number of ODT/ODS template files found in these directories
-ExampleOfDirectoriesForModelGen=Examples of syntax: c:\\mydir /home/mydir DOL_DATA_ROOT/ecm/ecmdir
+ExampleOfDirectoriesForModelGen=Examples of syntax: c:\\myapp\\mydocumentdir\\mysubdir /home/myapp/mydocumentdir/mysubdir DOL_DATA_ROOT/ecm/ecmdir
FollowingSubstitutionKeysCanBeUsed= To know how to create your odt document templates, before storing them in those directories, read wiki documentation:
FullListOnOnlineDocumentation=http://wiki.dolibarr.org/index.php/Create_an_ODT_document_template
FirstnameNamePosition=Position of Name/Lastname
@@ -406,7 +408,7 @@ UrlGenerationParameters=Parameters to secure URLs
SecurityTokenIsUnique=Use a unique securekey parameter for each URL
EnterRefToBuildUrl=Enter reference for object %s
GetSecuredUrl=Get calculated URL
-ButtonHideUnauthorized=Hide buttons for non-admin users for unauthorized actions instead of showing greyed disabled buttons
+ButtonHideUnauthorized=Hide unauthorized action buttons also for internal users (just greyed otherwise)
OldVATRates=Old VAT rate
NewVATRates=New VAT rate
PriceBaseTypeToChange=Modify on prices with base reference value defined on
@@ -1689,7 +1691,7 @@ NotTopTreeMenuPersonalized=Personalized menus not linked to a top menu entry
NewMenu=New menu
MenuHandler=Menu handler
MenuModule=Source module
-HideUnauthorizedMenu= Hide unauthorized menus (gray)
+HideUnauthorizedMenu=Hide unauthorized menus also for internal users (just greyed otherwise)
DetailId=Id menu
DetailMenuHandler=Menu handler where to show new menu
DetailMenuModule=Module name if menu entry come from a module
@@ -1983,11 +1985,12 @@ EMailHost=Host of email IMAP server
MailboxSourceDirectory=Mailbox source directory
MailboxTargetDirectory=Mailbox target directory
EmailcollectorOperations=Operations to do by collector
+EmailcollectorOperationsDesc=Operations are executed from top to bottom order
MaxEmailCollectPerCollect=Max number of emails collected per collect
CollectNow=Collect now
ConfirmCloneEmailCollector=Are you sure you want to clone the Email collector %s ?
-DateLastCollectResult=Date latest collect tried
-DateLastcollectResultOk=Date latest collect successfull
+DateLastCollectResult=Date of latest collect try
+DateLastcollectResultOk=Date of latest collect success
LastResult=Latest result
EmailCollectorConfirmCollectTitle=Email collect confirmation
EmailCollectorConfirmCollect=Do you want to run the collection for this collector now ?
@@ -2005,7 +2008,7 @@ WithDolTrackingID=Message from a conversation initiated by a first email sent fr
WithoutDolTrackingID=Message from a conversation initiated by a first email NOT sent from Dolibarr
WithDolTrackingIDInMsgId=Message sent from Dolibarr
WithoutDolTrackingIDInMsgId=Message NOT sent from Dolibarr
-CreateCandidature=Create candidature
+CreateCandidature=Create job application
FormatZip=Zip
MainMenuCode=Menu entry code (mainmenu)
ECMAutoTree=Show automatic ECM tree
@@ -2083,3 +2086,7 @@ CountryIfSpecificToOneCountry=Country (if specific to a given country)
YouMayFindSecurityAdviceHere=You may find security advisory here
ModuleActivatedMayExposeInformation=This module may expose sensitive data. If you don't need it, disable it.
ModuleActivatedDoNotUseInProduction=A module designed for the development has been enabled. Do not enable it on a production environment.
+CombinationsSeparator=Separator character for product combinations
+SeeLinkToOnlineDocumentation=See link to online documention on top menu for examples
+SHOW_SUBPRODUCT_REF_IN_PDF=If the feature "%s" of module %s is used, show details of subproducts of a kit on PDF.
+AskThisIDToYourBank=Contact your bank to get this ID
diff --git a/htdocs/langs/ne_NP/banks.lang b/htdocs/langs/ne_NP/banks.lang
index 9500a5b8b2e..a0dc27f86c4 100644
--- a/htdocs/langs/ne_NP/banks.lang
+++ b/htdocs/langs/ne_NP/banks.lang
@@ -173,8 +173,8 @@ SEPAMandate=SEPA mandate
YourSEPAMandate=Your SEPA mandate
FindYourSEPAMandate=This is your SEPA mandate to authorize our company to make direct debit order to your bank. Return it signed (scan of the signed document) or send it by mail to
AutoReportLastAccountStatement=Automatically fill the field 'number of bank statement' with last statement number when making reconciliation
-CashControl=POS cash fence
-NewCashFence=New cash fence
+CashControl=POS cash desk control
+NewCashFence=New cash desk closing
BankColorizeMovement=Colorize movements
BankColorizeMovementDesc=If this function is enable, you can choose specific background color for debit or credit movements
BankColorizeMovementName1=Background color for debit movement
diff --git a/htdocs/langs/ne_NP/blockedlog.lang b/htdocs/langs/ne_NP/blockedlog.lang
index 5afae6e9e53..0bba5605d0f 100644
--- a/htdocs/langs/ne_NP/blockedlog.lang
+++ b/htdocs/langs/ne_NP/blockedlog.lang
@@ -35,7 +35,7 @@ logDON_DELETE=Donation logical deletion
logMEMBER_SUBSCRIPTION_CREATE=Member subscription created
logMEMBER_SUBSCRIPTION_MODIFY=Member subscription modified
logMEMBER_SUBSCRIPTION_DELETE=Member subscription logical deletion
-logCASHCONTROL_VALIDATE=Cash fence recording
+logCASHCONTROL_VALIDATE=Cash desk closing recording
BlockedLogBillDownload=Customer invoice download
BlockedLogBillPreview=Customer invoice preview
BlockedlogInfoDialog=Log Details
diff --git a/htdocs/langs/ne_NP/boxes.lang b/htdocs/langs/ne_NP/boxes.lang
index d6fd298a3a7..7db4ea8aa17 100644
--- a/htdocs/langs/ne_NP/boxes.lang
+++ b/htdocs/langs/ne_NP/boxes.lang
@@ -46,9 +46,12 @@ BoxTitleLastModifiedDonations=Latest %s modified donations
BoxTitleLastModifiedExpenses=Latest %s modified expense reports
BoxTitleLatestModifiedBoms=Latest %s modified BOMs
BoxTitleLatestModifiedMos=Latest %s modified Manufacturing Orders
+BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded
BoxGlobalActivity=Global activity (invoices, proposals, orders)
BoxGoodCustomers=Good customers
BoxTitleGoodCustomers=%s Good customers
+BoxScheduledJobs=Scheduled jobs
+BoxTitleFunnelOfProspection=Lead funnel
FailedToRefreshDataInfoNotUpToDate=Failed to refresh RSS flux. Latest successful refresh date: %s
LastRefreshDate=Latest refresh date
NoRecordedBookmarks=No bookmarks defined.
@@ -102,5 +105,7 @@ SuspenseAccountNotDefined=Suspense account isn't defined
BoxLastCustomerShipments=Last customer shipments
BoxTitleLastCustomerShipments=Latest %s customer shipments
NoRecordedShipments=No recorded customer shipment
+BoxCustomersOutstandingBillReached=Customers with oustanding limit reached
# Pages
AccountancyHome=Accountancy
+ValidatedProjects=Validated projects
diff --git a/htdocs/langs/ne_NP/cashdesk.lang b/htdocs/langs/ne_NP/cashdesk.lang
index 498baa82200..3fef645d99d 100644
--- a/htdocs/langs/ne_NP/cashdesk.lang
+++ b/htdocs/langs/ne_NP/cashdesk.lang
@@ -49,8 +49,8 @@ Footer=Footer
AmountAtEndOfPeriod=Amount at end of period (day, month or year)
TheoricalAmount=Theorical amount
RealAmount=Real amount
-CashFence=Cash fence
-CashFenceDone=Cash fence done for the period
+CashFence=Cash desk closing
+CashFenceDone=Cash desk closing done for the period
NbOfInvoices=Nb of invoices
Paymentnumpad=Type of Pad to enter payment
Numberspad=Numbers Pad
@@ -99,8 +99,9 @@ CashDeskRefNumberingModules=Numbering module for POS sales
CashDeskGenericMaskCodes6 = {TN} tag is used to add the terminal number
TakeposGroupSameProduct=Group same products lines
StartAParallelSale=Start a new parallel sale
-ControlCashOpening=Control cash box at opening POS
-CloseCashFence=Close cash fence
+SaleStartedAt=Sale started at %s
+ControlCashOpening=Control cash popup at opening POS
+CloseCashFence=Close cash desk control
CashReport=Cash report
MainPrinterToUse=Main printer to use
OrderPrinterToUse=Order printer to use
@@ -122,3 +123,4 @@ GiftReceipt=Gift receipt
ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled first
AllowDelayedPayment=Allow delayed payment
PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts
+WeighingScale=Weighing scale
diff --git a/htdocs/langs/ne_NP/categories.lang b/htdocs/langs/ne_NP/categories.lang
index ba37a43b4ec..4ddf0d6093f 100644
--- a/htdocs/langs/ne_NP/categories.lang
+++ b/htdocs/langs/ne_NP/categories.lang
@@ -19,6 +19,7 @@ ProjectsCategoriesArea=Projects tags/categories area
UsersCategoriesArea=Users tags/categories area
SubCats=Sub-categories
CatList=List of tags/categories
+CatListAll=List of tags/categories (all types)
NewCategory=New tag/category
ModifCat=Modify tag/category
CatCreated=Tag/category created
@@ -65,16 +66,22 @@ UsersCategoriesShort=Users tags/categories
StockCategoriesShort=Warehouse tags/categories
ThisCategoryHasNoItems=This category does not contain any items.
CategId=Tag/category id
-CatSupList=List of vendor tags/categories
-CatCusList=List of customer/prospect tags/categories
+ParentCategory=Parent tag/category
+ParentCategoryLabel=Label of parent tag/category
+CatSupList=List of vendors tags/categories
+CatCusList=List of customers/prospects tags/categories
CatProdList=List of products tags/categories
CatMemberList=List of members tags/categories
-CatContactList=List of contact tags/categories
-CatSupLinks=Links between suppliers and tags/categories
+CatContactList=List of contacts tags/categories
+CatProjectsList=List of projects tags/categories
+CatUsersList=List of users tags/categories
+CatSupLinks=Links between vendors and tags/categories
CatCusLinks=Links between customers/prospects and tags/categories
CatContactsLinks=Links between contacts/addresses and tags/categories
CatProdLinks=Links between products/services and tags/categories
-CatProJectLinks=Links between projects and tags/categories
+CatMembersLinks=Links between members and tags/categories
+CatProjectsLinks=Links between projects and tags/categories
+CatUsersLinks=Links between users and tags/categories
DeleteFromCat=Remove from tags/category
ExtraFieldsCategories=Complementary attributes
CategoriesSetup=Tags/categories setup
diff --git a/htdocs/langs/ne_NP/companies.lang b/htdocs/langs/ne_NP/companies.lang
index dadff6a7894..8dc815b522e 100644
--- a/htdocs/langs/ne_NP/companies.lang
+++ b/htdocs/langs/ne_NP/companies.lang
@@ -358,7 +358,7 @@ VATIntraCheckableOnEUSite=Check the intra-Community VAT ID on the European Commi
VATIntraManualCheck=You can also check manually on the European Commission website %s
ErrorVATCheckMS_UNAVAILABLE=Check not possible. Check service is not provided by the member state (%s).
NorProspectNorCustomer=Not prospect, nor customer
-JuridicalStatus=Legal Entity Type
+JuridicalStatus=Business entity type
Workforce=Workforce
Staff=Employees
ProspectLevelShort=Potential
diff --git a/htdocs/langs/ne_NP/compta.lang b/htdocs/langs/ne_NP/compta.lang
index 8f4f058bb87..1afeb6e3727 100644
--- a/htdocs/langs/ne_NP/compta.lang
+++ b/htdocs/langs/ne_NP/compta.lang
@@ -111,7 +111,7 @@ Refund=Refund
SocialContributionsPayments=Social/fiscal taxes payments
ShowVatPayment=Show VAT payment
TotalToPay=Total to pay
-BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted ascending on %s and filtered for 1 bank account
+BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted on %s and filtered on 1 bank account (with no other filters)
CustomerAccountancyCode=Customer accounting code
SupplierAccountancyCode=Vendor accounting code
CustomerAccountancyCodeShort=Cust. account. code
@@ -140,7 +140,7 @@ ConfirmDeleteSocialContribution=Are you sure you want to delete this social/fisc
ExportDataset_tax_1=Social and fiscal taxes and payments
CalcModeVATDebt=Mode %sVAT on commitment accounting%s.
CalcModeVATEngagement=Mode %sVAT on incomes-expenses%s.
-CalcModeDebt=Analysis of known recorded invoices even if they are not yet accounted in ledger.
+CalcModeDebt=Analysis of known recorded documents even if they are not yet accounted in ledger.
CalcModeEngagement=Analysis of known recorded payments, even if they are not yet accounted in Ledger.
CalcModeBookkeeping=Analysis of data journalized in Bookkeeping Ledger table.
CalcModeLT1= Mode %sRE on customer invoices - suppliers invoices%s
@@ -154,9 +154,9 @@ AnnualSummaryInputOutputMode=Balance of income and expenses, annual summary
AnnualByCompanies=Balance of income and expenses, by predefined groups of account
AnnualByCompaniesDueDebtMode=Balance of income and expenses, detail by predefined groups, mode %sClaims-Debts%s said Commitment accounting.
AnnualByCompaniesInputOutputMode=Balance of income and expenses, detail by predefined groups, mode %sIncomes-Expenses%s said cash accounting.
-SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation on actual payments made even if they are not yet accounted in Ledger.
-SeeReportInDueDebtMode=See %sanalysis of invoices%s for a calculation based on known recorded invoices even if they are not yet accounted in Ledger.
-SeeReportInBookkeepingMode=See %sBookeeping report%s for a calculation on Bookkeeping Ledger table
+SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation based on recorded payments made even if they are not yet accounted in Ledger
+SeeReportInDueDebtMode=See %sanalysis of recorded documents%s for a calculation based on known recorded documents even if they are not yet accounted in Ledger
+SeeReportInBookkeepingMode=See %sanalysis of bookeeping ledger table%s for a report based on Bookkeeping Ledger table
RulesAmountWithTaxIncluded=- Amounts shown are with all taxes included
RulesResultDue=- It includes outstanding invoices, expenses, VAT, donations whether they are paid or not. Is also includes paid salaries. - It is based on the billing date of invoices and on the due date for expenses or tax payments. For salaries defined with Salary module, the value date of payment is used.
RulesResultInOut=- It includes the real payments made on invoices, expenses, VAT and salaries. - It is based on the payment dates of the invoices, expenses, VAT and salaries. The donation date for donation.
@@ -169,12 +169,15 @@ RulesResultBookkeepingPersonalized=It show record in your Ledger with accounting
SeePageForSetup=See menu %s for setup
DepositsAreNotIncluded=- Down payment invoices are not included
DepositsAreIncluded=- Down payment invoices are included
+LT1ReportByMonth=Tax 2 report by month
+LT2ReportByMonth=Tax 3 report by month
LT1ReportByCustomers=Report tax 2 by third party
LT2ReportByCustomers=Report tax 3 by third party
LT1ReportByCustomersES=Report by third party RE
LT2ReportByCustomersES=Report by third party IRPF
VATReport=Sale tax report
VATReportByPeriods=Sale tax report by period
+VATReportByMonth=Sale tax report by month
VATReportByRates=Sale tax report by rates
VATReportByThirdParties=Sale tax report by third parties
VATReportByCustomers=Sale tax report by customer
diff --git a/htdocs/langs/ne_NP/cron.lang b/htdocs/langs/ne_NP/cron.lang
index 1de1251831a..2ebdda1e685 100644
--- a/htdocs/langs/ne_NP/cron.lang
+++ b/htdocs/langs/ne_NP/cron.lang
@@ -7,13 +7,14 @@ Permission23103 = Delete Scheduled job
Permission23104 = Execute Scheduled job
# Admin
CronSetup=Scheduled job management setup
-URLToLaunchCronJobs=URL to check and launch qualified cron jobs
-OrToLaunchASpecificJob=Or to check and launch a specific job
+URLToLaunchCronJobs=URL to check and launch qualified cron jobs from a browser
+OrToLaunchASpecificJob=Or to check and launch a specific job from a browser
KeyForCronAccess=Security key for URL to launch cron jobs
FileToLaunchCronJobs=Command line to check and launch qualified cron jobs
CronExplainHowToRunUnix=On Unix environment you should use the following crontab entry to run the command line each 5 minutes
CronExplainHowToRunWin=On Microsoft(tm) Windows environment you can use Scheduled Task tools to run the command line each 5 minutes
CronMethodDoesNotExists=Class %s does not contains any method %s
+CronMethodNotAllowed=Method %s of class %s is in blacklist of forbidden methods
CronJobDefDesc=Cron job profiles are defined into the module descriptor file. When module is activated, they are loaded and available so you can administer the jobs from the admin tools menu %s.
CronJobProfiles=List of predefined cron job profiles
# Menu
@@ -46,6 +47,7 @@ CronNbRun=Number of launches
CronMaxRun=Maximum number of launches
CronEach=Every
JobFinished=Job launched and finished
+Scheduled=Scheduled
#Page card
CronAdd= Add jobs
CronEvery=Execute job each
@@ -56,7 +58,7 @@ CronNote=Comment
CronFieldMandatory=Fields %s is mandatory
CronErrEndDateStartDt=End date cannot be before start date
StatusAtInstall=Status at module installation
-CronStatusActiveBtn=Enable
+CronStatusActiveBtn=Schedule
CronStatusInactiveBtn=Disable
CronTaskInactive=This job is disabled
CronId=Id
@@ -82,3 +84,8 @@ MakeLocalDatabaseDumpShort=Local database backup
MakeLocalDatabaseDump=Create a local database dump. Parameters are: compression ('gz' or 'bz' or 'none'), backup type ('mysql', 'pgsql', 'auto'), 1, 'auto' or filename to build, number of backup files to keep
WarningCronDelayed=Attention, for performance purpose, whatever is next date of execution of enabled jobs, your jobs may be delayed to a maximum of %s hours, before being run.
DATAPOLICYJob=Data cleaner and anonymizer
+JobXMustBeEnabled=Job %s must be enabled
+# Cron Boxes
+LastExecutedScheduledJob=Last executed scheduled job
+NextScheduledJobExecute=Next scheduled job to execute
+NumberScheduledJobError=Number of scheduled jobs in error
diff --git a/htdocs/langs/ne_NP/errors.lang b/htdocs/langs/ne_NP/errors.lang
index 893f4a35b65..5b26be724d9 100644
--- a/htdocs/langs/ne_NP/errors.lang
+++ b/htdocs/langs/ne_NP/errors.lang
@@ -5,8 +5,10 @@ NoErrorCommitIsDone=No error, we commit
# Errors
ErrorButCommitIsDone=Errors found but we validate despite this
ErrorBadEMail=Email %s is wrong
+ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record)
ErrorBadUrl=Url %s is wrong
ErrorBadValueForParamNotAString=Bad value for your parameter. It appends generally when translation is missing.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorLoginAlreadyExists=Login %s already exists.
ErrorGroupAlreadyExists=Group %s already exists.
ErrorRecordNotFound=Record not found.
@@ -48,6 +50,7 @@ ErrorFieldsRequired=Some required fields were not filled.
ErrorSubjectIsRequired=The email topic is required
ErrorFailedToCreateDir=Failed to create a directory. Check that Web server user has permissions to write into Dolibarr documents directory. If parameter safe_mode is enabled on this PHP, check that Dolibarr php files owns to web server user (or group).
ErrorNoMailDefinedForThisUser=No mail defined for this user
+ErrorSetupOfEmailsNotComplete=Setup of emails is not complete
ErrorFeatureNeedJavascript=This feature need javascript to be activated to work. Change this in setup - display.
ErrorTopMenuMustHaveAParentWithId0=A menu of type 'Top' can't have a parent menu. Put 0 in parent menu or choose a menu of type 'Left'.
ErrorLeftMenuMustHaveAParentId=A menu of type 'Left' must have a parent id.
@@ -75,7 +78,7 @@ ErrorExportDuplicateProfil=This profile name already exists for this export set.
ErrorLDAPSetupNotComplete=Dolibarr-LDAP matching is not complete.
ErrorLDAPMakeManualTest=A .ldif file has been generated in directory %s. Try to load it manually from command line to have more information on errors.
ErrorCantSaveADoneUserWithZeroPercentage=Can't save an action with "status not started" if field "done by" is also filled.
-ErrorRefAlreadyExists=Ref used for creation already exists.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorPleaseTypeBankTransactionReportName=Please enter the bank statement name where the entry has to be reported (Format YYYYMM or YYYYMMDD)
ErrorRecordHasChildren=Failed to delete record since it has some child records.
ErrorRecordHasAtLeastOneChildOfType=Object has at least one child of type %s
@@ -216,7 +219,7 @@ ErrorChooseBetweenFreeEntryOrPredefinedProduct=You must choose if article is a p
ErrorDiscountLargerThanRemainToPaySplitItBefore=The discount you try to apply is larger than remain to pay. Split the discount in 2 smaller discounts before.
ErrorFileNotFoundWithSharedLink=File was not found. May be the share key was modified or file was removed recently.
ErrorProductBarCodeAlreadyExists=The product barcode %s already exists on another product reference.
-ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using virtual product to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number.
+ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using kits to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number.
ErrorDescRequiredForFreeProductLines=Description is mandatory for lines with free product
ErrorAPageWithThisNameOrAliasAlreadyExists=The page/container %s has the same name or alternative alias that the one your try to use
ErrorDuringChartLoad=Error when loading chart of accounts. If few accounts were not loaded, you can still enter them manually.
@@ -243,6 +246,16 @@ ErrorReplaceStringEmpty=Error, the string to replace into is empty
ErrorProductNeedBatchNumber=Error, product '%s' need a lot/serial number
ErrorProductDoesNotNeedBatchNumber=Error, product '%s' does not accept a lot/serial number
ErrorFailedToReadObject=Error, failed to read object of type %s
+ErrorParameterMustBeEnabledToAllwoThisFeature=Error, parameter %s must be enabled into conf/conf.php to allow use of Command Line Interface by the internal job scheduler
+ErrorLoginDateValidity=Error, this login is outside the validity date range
+ErrorValueLength=Length of field '%s' must be higher than '%s'
+ErrorReservedKeyword=The word '%s' is a reserved keyword
+ErrorNotAvailableWithThisDistribution=Not available with this distribution
+ErrorPublicInterfaceNotEnabled=Public interface was not enabled
+ErrorLanguageRequiredIfPageIsTranslationOfAnother=The language of new page must be defined if it is set as a translation of another page
+ErrorLanguageMustNotBeSourceLanguageIfPageIsTranslationOfAnother=The language of new page must not be the source language if it is set as a translation of another page
+ErrorAParameterIsRequiredForThisOperation=A parameter is mandatory for this operation
+
# Warnings
WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup.
WarningPasswordSetWithNoAccount=A password was set for this member. However, no user account was created. So this password is stored but can't be used to login to Dolibarr. It may be used by an external module/interface but if you don't need to define any login nor password for a member, you can disable option "Manage a login for each member" from Member module setup. If you need to manage a login but don't need any password, you can keep this field empty to avoid this warning. Note: Email can also be used as a login if the member is linked to a user.
@@ -267,6 +280,10 @@ WarningYourLoginWasModifiedPleaseLogin=Your login was modified. For security pur
WarningAnEntryAlreadyExistForTransKey=An entry already exists for the translation key for this language
WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different recipient is limited to %s when using the mass actions on lists
WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report
+WarningProjectDraft=Project is still in draft mode. Don't forget to validate it if you plan to use tasks.
WarningProjectClosed=Project is closed. You must re-open it first.
WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list.
-WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table
+WarningFailedToAddFileIntoDatabaseIndex=Warning, failed to add file entry into ECM database index table
+WarningTheHiddenOptionIsOn=Warning, the hidden option %s is on.
+WarningCreateSubAccounts=Warning, you can't create directly a sub account, you must create a third party or an user and assign them an accounting code to find them in this list
+WarningAvailableOnlyForHTTPSServers=Available only if using HTTPS secured connection.
diff --git a/htdocs/langs/ne_NP/exports.lang b/htdocs/langs/ne_NP/exports.lang
index 3549e3f8b23..a0eb7161ef2 100644
--- a/htdocs/langs/ne_NP/exports.lang
+++ b/htdocs/langs/ne_NP/exports.lang
@@ -133,3 +133,4 @@ KeysToUseForUpdates=Key (column) to use for updating existing data
NbInsert=Number of inserted lines: %s
NbUpdate=Number of updated lines: %s
MultipleRecordFoundWithTheseFilters=Multiple records have been found with these filters: %s
+StocksWithBatch=Stocks and location (warehouse) of products with batch/serial number
diff --git a/htdocs/langs/ne_NP/mails.lang b/htdocs/langs/ne_NP/mails.lang
index 1235eef3b27..7fd93be7b71 100644
--- a/htdocs/langs/ne_NP/mails.lang
+++ b/htdocs/langs/ne_NP/mails.lang
@@ -92,6 +92,7 @@ MailingModuleDescEmailsFromUser=Emails input by user
MailingModuleDescDolibarrUsers=Users with Emails
MailingModuleDescThirdPartiesByCategories=Third parties (by categories)
SendingFromWebInterfaceIsNotAllowed=Sending from web interface is not allowed.
+EmailCollectorFilterDesc=All filters must match to have an email being collected
# Libelle des modules de liste de destinataires mailing
LineInFile=Line %s in file
@@ -125,12 +126,13 @@ TagMailtoEmail=Recipient Email (including html "mailto:" link)
NoEmailSentBadSenderOrRecipientEmail=No email sent. Bad sender or recipient email. Verify user profile.
# Module Notifications
Notifications=Notifications
-NoNotificationsWillBeSent=No email notifications are planned for this event and company
-ANotificationsWillBeSent=1 notification will be sent by email
-SomeNotificationsWillBeSent=%s notifications will be sent by email
-AddNewNotification=Activate a new email notification target/event
-ListOfActiveNotifications=List all active targets/events for email notification
-ListOfNotificationsDone=List all email notifications sent
+NotificationsAuto=Notifications Auto.
+NoNotificationsWillBeSent=No automatic email notifications are planned for this event type and company
+ANotificationsWillBeSent=1 automatic notification will be sent by email
+SomeNotificationsWillBeSent=%s automatic notifications will be sent by email
+AddNewNotification=Subscribe to a new automatic email notification (target/event)
+ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification
+ListOfNotificationsDone=List all automatic email notifications sent
MailSendSetupIs=Configuration of email sending has been setup to '%s'. This mode can't be used to send mass emailing.
MailSendSetupIs2=You must first go, with an admin account, into menu %sHome - Setup - EMails%s to change parameter '%s' to use mode '%s'. With this mode, you can enter setup of the SMTP server provided by your Internet Service Provider and use Mass emailing feature.
MailSendSetupIs3=If you have any questions on how to setup your SMTP server, you can ask to %s.
@@ -140,7 +142,7 @@ UseFormatFileEmailToTarget=Imported file must have format email;name;fir
UseFormatInputEmailToTarget=Enter a string with format email;name;firstname;other
MailAdvTargetRecipients=Recipients (advanced selection)
AdvTgtTitle=Fill input fields to preselect the third parties or contacts/addresses to target
-AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima% will target all jean, joe, start with jim but not jimo and not everything that starts with jima
+AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima%% will target all jean, joe, start with jim but not jimo and not everything that starts with jima
AdvTgtSearchIntHelp=Use interval to select int or float value
AdvTgtMinVal=Minimum value
AdvTgtMaxVal=Maximum value
@@ -162,13 +164,14 @@ AdvTgtCreateFilter=Create filter
AdvTgtOrCreateNewFilter=Name of new filter
NoContactWithCategoryFound=No contact/address with a category found
NoContactLinkedToThirdpartieWithCategoryFound=No contact/address with a category found
-OutGoingEmailSetup=Outgoing email setup
-InGoingEmailSetup=Incoming email setup
-OutGoingEmailSetupForEmailing=Outgoing email setup (for module %s)
-DefaultOutgoingEmailSetup=Default outgoing email setup
+OutGoingEmailSetup=Outgoing emails
+InGoingEmailSetup=Incoming emails
+OutGoingEmailSetupForEmailing=Outgoing emails (for module %s)
+DefaultOutgoingEmailSetup=Same configuration than the global Outgoing email setup
Information=Information
ContactsWithThirdpartyFilter=Contacts with third-party filter
Unanswered=Unanswered
Answered=Answered
IsNotAnAnswer=Is not answer (initial email)
IsAnAnswer=Is an answer of an initial email
+RecordCreatedByEmailCollector=Record created by the Email Collector %s from email %s
diff --git a/htdocs/langs/ne_NP/main.lang b/htdocs/langs/ne_NP/main.lang
index 96c68cdcfa3..e196120c27d 100644
--- a/htdocs/langs/ne_NP/main.lang
+++ b/htdocs/langs/ne_NP/main.lang
@@ -28,7 +28,9 @@ NoTemplateDefined=No template available for this email type
AvailableVariables=Available substitution variables
NoTranslation=No translation
Translation=Translation
+CurrentTimeZone=TimeZone PHP (server)
EmptySearchString=Enter non empty search criterias
+EnterADateCriteria=Enter a date criteria
NoRecordFound=No record found
NoRecordDeleted=No record deleted
NotEnoughDataYet=Not enough data
@@ -85,6 +87,8 @@ FileWasNotUploaded=A file is selected for attachment but was not yet uploaded. C
NbOfEntries=No. of entries
GoToWikiHelpPage=Read online help (Internet access needed)
GoToHelpPage=Read help
+DedicatedPageAvailable=There is a dedicated help page related to your current screen
+HomePage=Home Page
RecordSaved=Record saved
RecordDeleted=Record deleted
RecordGenerated=Record generated
@@ -433,6 +437,7 @@ RemainToPay=Remain to pay
Module=Module/Application
Modules=Modules/Applications
Option=Option
+Filters=Filters
List=List
FullList=Full list
FullConversation=Full conversation
@@ -671,7 +676,7 @@ SendMail=Send email
Email=Email
NoEMail=No email
AlreadyRead=Already read
-NotRead=Not read
+NotRead=Unread
NoMobilePhone=No mobile phone
Owner=Owner
FollowingConstantsWillBeSubstituted=The following constants will be replaced with the corresponding value.
@@ -1107,3 +1112,8 @@ UpToDate=Up-to-date
OutOfDate=Out-of-date
EventReminder=Event Reminder
UpdateForAllLines=Update for all lines
+OnHold=On hold
+AffectTag=Affect Tag
+ConfirmAffectTag=Bulk Tag Affect
+ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected record(s)?
+CategTypeNotFound=No tag type found for type of records
diff --git a/htdocs/langs/ne_NP/modulebuilder.lang b/htdocs/langs/ne_NP/modulebuilder.lang
index 460aef8103b..845dd12624d 100644
--- a/htdocs/langs/ne_NP/modulebuilder.lang
+++ b/htdocs/langs/ne_NP/modulebuilder.lang
@@ -40,6 +40,7 @@ PageForCreateEditView=PHP page to create/edit/view a record
PageForAgendaTab=PHP page for event tab
PageForDocumentTab=PHP page for document tab
PageForNoteTab=PHP page for note tab
+PageForContactTab=PHP page for contact tab
PathToModulePackage=Path to zip of module/application package
PathToModuleDocumentation=Path to file of module/application documentation (%s)
SpaceOrSpecialCharAreNotAllowed=Spaces or special characters are not allowed.
@@ -77,7 +78,7 @@ IsAMeasure=Is a measure
DirScanned=Directory scanned
NoTrigger=No trigger
NoWidget=No widget
-GoToApiExplorer=Go to API explorer
+GoToApiExplorer=API explorer
ListOfMenusEntries=List of menu entries
ListOfDictionariesEntries=List of dictionaries entries
ListOfPermissionsDefined=List of defined permissions
@@ -105,7 +106,7 @@ TryToUseTheModuleBuilder=If you have knowledge of SQL and PHP, you may use the n
SeeTopRightMenu=See on the top right menu
AddLanguageFile=Add language file
YouCanUseTranslationKey=You can use here a key that is the translation key found into language file (see tab "Languages")
-DropTableIfEmpty=(Delete table if empty)
+DropTableIfEmpty=(Destroy table if empty)
TableDoesNotExists=The table %s does not exists
TableDropped=Table %s deleted
InitStructureFromExistingTable=Build the structure array string of an existing table
@@ -126,7 +127,6 @@ UseSpecificEditorURL = Use a specific editor URL
UseSpecificFamily = Use a specific family
UseSpecificAuthor = Use a specific author
UseSpecificVersion = Use a specific initial version
-ModuleMustBeEnabled=The module/application must be enabled first
IncludeRefGeneration=The reference of object must be generated automatically
IncludeRefGenerationHelp=Check this if you want to include code to manage the generation automatically of the reference
IncludeDocGeneration=I want to generate some documents from the object
@@ -140,3 +140,4 @@ TypeOfFieldsHelp=Type of fields: varchar(99), double(24,8), real, text, html,
AsciiToHtmlConverter=Ascii to HTML converter
AsciiToPdfConverter=Ascii to PDF converter
TableNotEmptyDropCanceled=Table not empty. Drop has been canceled.
+ModuleBuilderNotAllowed=The module builder is available but not allowed to your user.
diff --git a/htdocs/langs/ne_NP/other.lang b/htdocs/langs/ne_NP/other.lang
index 54c0572d453..0a7b3723ab1 100644
--- a/htdocs/langs/ne_NP/other.lang
+++ b/htdocs/langs/ne_NP/other.lang
@@ -5,8 +5,6 @@ Tools=Tools
TMenuTools=Tools
ToolsDesc=All tools not included in other menu entries are grouped here. All the tools can be accessed via the left menu.
Birthday=Birthday
-BirthdayDate=Birthday date
-DateToBirth=Birth date
BirthdayAlertOn=birthday alert active
BirthdayAlertOff=birthday alert inactive
TransKey=Translation of the key TransKey
@@ -16,6 +14,8 @@ PreviousMonthOfInvoice=Previous month (number 1-12) of invoice date
TextPreviousMonthOfInvoice=Previous month (text) of invoice date
NextMonthOfInvoice=Following month (number 1-12) of invoice date
TextNextMonthOfInvoice=Following month (text) of invoice date
+PreviousMonth=Previous month
+CurrentMonth=Current month
ZipFileGeneratedInto=Zip file generated into %s.
DocFileGeneratedInto=Doc file generated into %s.
JumpToLogin=Disconnected. Go to login page...
@@ -99,6 +99,7 @@ PredefinedMailContentSendShipping=__(Hello)__\n\nPlease find shipping __REF__ at
PredefinedMailContentSendFichInter=__(Hello)__\n\nPlease find intervention __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.\n\n%s\n\n
PredefinedMailContentGeneric=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
+PredefinedMailContentSendActionComm=Event reminder "__EVENT_LABEL__" on __EVENT_DATE__ at __EVENT_TIME__
This is an automatic message, please do not reply.
DemoDesc=Dolibarr is a compact ERP/CRM supporting several business modules. A demo showcasing all modules makes no sense as this scenario never occurs (several hundred available). So, several demo profiles are available.
ChooseYourDemoProfil=Choose the demo profile that best suits your needs...
ChooseYourDemoProfilMore=...or build your own profile (manual module selection)
@@ -137,7 +138,7 @@ Right=Right
CalculatedWeight=Calculated weight
CalculatedVolume=Calculated volume
Weight=Weight
-WeightUnitton=tonne
+WeightUnitton=ton
WeightUnitkg=kg
WeightUnitg=g
WeightUnitmg=mg
@@ -258,6 +259,7 @@ ContactCreatedByEmailCollector=Contact/address created by email collector from e
ProjectCreatedByEmailCollector=Project created by email collector from email MSGID %s
TicketCreatedByEmailCollector=Ticket created by email collector from email MSGID %s
OpeningHoursFormatDesc=Use a - to separate opening and closing hours. Use a space to enter different ranges. Example: 8-12 14-18
+PrefixSession=Prefix for session ID
##### Export #####
ExportsArea=Exports area
diff --git a/htdocs/langs/ne_NP/products.lang b/htdocs/langs/ne_NP/products.lang
index 97db059594f..f0c4a5362b8 100644
--- a/htdocs/langs/ne_NP/products.lang
+++ b/htdocs/langs/ne_NP/products.lang
@@ -108,7 +108,8 @@ FillWithLastServiceDates=Fill with last service line dates
MultiPricesAbility=Multiple price segments per product/service (each customer is in one price segment)
MultiPricesNumPrices=Number of prices
DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices
-AssociatedProductsAbility=Activate kits (virtual products)
+AssociatedProductsAbility=Enable Kits (set of other products)
+VariantsAbility=Enable Variants (variations of products, for example color, size)
AssociatedProducts=Kits
AssociatedProductsNumber=Number of products composing this kit
ParentProductsNumber=Number of parent packaging product
@@ -167,8 +168,10 @@ BuyingPrices=Buying prices
CustomerPrices=Customer prices
SuppliersPrices=Vendor prices
SuppliersPricesOfProductsOrServices=Vendor prices (of products or services)
-CustomCode=Customs / Commodity / HS code
+CustomCode=Customs|Commodity|HS code
CountryOrigin=Origin country
+RegionStateOrigin=Region origin
+StateOrigin=State|Province origin
Nature=Nature of product (material/finished)
NatureOfProductShort=Nature of product
NatureOfProductDesc=Raw material or finished product
@@ -239,7 +242,7 @@ AlwaysUseFixedPrice=Use the fixed price
PriceByQuantity=Different prices by quantity
DisablePriceByQty=Disable prices by quantity
PriceByQuantityRange=Quantity range
-MultipriceRules=Price segment rules
+MultipriceRules=Automatic prices for segment
UseMultipriceRules=Use price segment rules (defined into product module setup) to auto calculate prices of all other segments according to first segment
PercentVariationOver=%% variation over %s
PercentDiscountOver=%% discount over %s
diff --git a/htdocs/langs/ne_NP/recruitment.lang b/htdocs/langs/ne_NP/recruitment.lang
index b775e78552e..437445f25dc 100644
--- a/htdocs/langs/ne_NP/recruitment.lang
+++ b/htdocs/langs/ne_NP/recruitment.lang
@@ -73,3 +73,4 @@ JobClosedTextCandidateFound=The job position is closed. The position has been fi
JobClosedTextCanceled=The job position is closed.
ExtrafieldsJobPosition=Complementary attributes (job positions)
ExtrafieldsCandidatures=Complementary attributes (job applications)
+MakeOffer=Make an offer
diff --git a/htdocs/langs/ne_NP/sendings.lang b/htdocs/langs/ne_NP/sendings.lang
index 5ce3b7f67e9..73bd9aebd42 100644
--- a/htdocs/langs/ne_NP/sendings.lang
+++ b/htdocs/langs/ne_NP/sendings.lang
@@ -30,6 +30,7 @@ OtherSendingsForSameOrder=Other shipments for this order
SendingsAndReceivingForSameOrder=Shipments and receipts for this order
SendingsToValidate=Shipments to validate
StatusSendingCanceled=Canceled
+StatusSendingCanceledShort=Canceled
StatusSendingDraft=Draft
StatusSendingValidated=Validated (products to ship or already shipped)
StatusSendingProcessed=Processed
@@ -65,6 +66,7 @@ ValidateOrderFirstBeforeShipment=You must first validate the order before being
# Sending methods
# ModelDocument
DocumentModelTyphon=More complete document model for delivery receipts (logo...)
+DocumentModelStorm=More complete document model for delivery receipts and extrafields compatibility (logo...)
Error_EXPEDITION_ADDON_NUMBER_NotDefined=Constant EXPEDITION_ADDON_NUMBER not defined
SumOfProductVolumes=Sum of product volumes
SumOfProductWeights=Sum of product weights
diff --git a/htdocs/langs/ne_NP/stocks.lang b/htdocs/langs/ne_NP/stocks.lang
index 660443bcded..6cf089096dd 100644
--- a/htdocs/langs/ne_NP/stocks.lang
+++ b/htdocs/langs/ne_NP/stocks.lang
@@ -240,3 +240,4 @@ InventoryRealQtyHelp=Set value to 0 to reset qty Keep field empty, or remove
UpdateByScaning=Update by scaning
UpdateByScaningProductBarcode=Update by scan (product barcode)
UpdateByScaningLot=Update by scan (lot|serial barcode)
+DisableStockChangeOfSubProduct=Deactivate the stock change for all the subproducts of this Kit during this movement.
diff --git a/htdocs/langs/ne_NP/ticket.lang b/htdocs/langs/ne_NP/ticket.lang
index 59519282c80..982fff90ffa 100644
--- a/htdocs/langs/ne_NP/ticket.lang
+++ b/htdocs/langs/ne_NP/ticket.lang
@@ -31,10 +31,8 @@ TicketDictType=Ticket - Types
TicketDictCategory=Ticket - Groupes
TicketDictSeverity=Ticket - Severities
TicketDictResolution=Ticket - Resolution
-TicketTypeShortBUGSOFT=Dysfonctionnement logiciel
-TicketTypeShortBUGHARD=Dysfonctionnement matériel
-TicketTypeShortCOM=Commercial question
+TicketTypeShortCOM=Commercial question
TicketTypeShortHELP=Request for functionnal help
TicketTypeShortISSUE=Issue, bug or problem
TicketTypeShortREQUEST=Change or enhancement request
@@ -44,7 +42,7 @@ TicketTypeShortOTHER=Other
TicketSeverityShortLOW=Low
TicketSeverityShortNORMAL=Normal
TicketSeverityShortHIGH=High
-TicketSeverityShortBLOCKING=Critical/Blocking
+TicketSeverityShortBLOCKING=Critical, Blocking
ErrorBadEmailAddress=Field '%s' incorrect
MenuTicketMyAssign=My tickets
@@ -60,7 +58,6 @@ OriginEmail=Email source
Notify_TICKET_SENTBYMAIL=Send ticket message by email
# Status
-NotRead=Not read
Read=Read
Assigned=Assigned
InProgress=In progress
@@ -126,6 +123,7 @@ TicketsActivatePublicInterfaceHelp=Public interface allow any visitors to create
TicketsAutoAssignTicket=Automatically assign the user who created the ticket
TicketsAutoAssignTicketHelp=When creating a ticket, the user can be automatically assigned to the ticket.
TicketNumberingModules=Tickets numbering module
+TicketsModelModule=Document templates for tickets
TicketNotifyTiersAtCreation=Notify third party at creation
TicketsDisableCustomerEmail=Always disable emails when a ticket is created from public interface
TicketsPublicNotificationNewMessage=Send email(s) when a new message is added
@@ -233,7 +231,6 @@ TicketLogStatusChanged=Status changed: %s to %s
TicketNotNotifyTiersAtCreate=Not notify company at create
Unread=Unread
TicketNotCreatedFromPublicInterface=Not available. Ticket was not created from public interface.
-PublicInterfaceNotEnabled=Public interface was not enabled
ErrorTicketRefRequired=Ticket reference name is required
#
diff --git a/htdocs/langs/ne_NP/website.lang b/htdocs/langs/ne_NP/website.lang
index 03e042e4be6..f17def114b8 100644
--- a/htdocs/langs/ne_NP/website.lang
+++ b/htdocs/langs/ne_NP/website.lang
@@ -30,7 +30,6 @@ EditInLine=Edit inline
AddWebsite=Add website
Webpage=Web page/container
AddPage=Add page/container
-HomePage=Home Page
PageContainer=Page
PreviewOfSiteNotYetAvailable=Preview of your website %s not yet available. You must first 'Import a full website template' or just 'Add a page/container'.
RequestedPageHasNoContentYet=Requested page with id %s has no content yet, or cache file .tpl.php was removed. Edit content of the page to solve this.
@@ -101,7 +100,7 @@ EmptyPage=Empty page
ExternalURLMustStartWithHttp=External URL must start with http:// or https://
ZipOfWebsitePackageToImport=Upload the Zip file of the website template package
ZipOfWebsitePackageToLoad=or Choose an available embedded website template package
-ShowSubcontainers=Include dynamic content
+ShowSubcontainers=Show dynamic content
InternalURLOfPage=Internal URL of page
ThisPageIsTranslationOf=This page/container is a translation of
ThisPageHasTranslationPages=This page/container has translation
@@ -137,3 +136,4 @@ RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using
PagesRegenerated=%s page(s)/container(s) regenerated
RegenerateWebsiteContent=Regenerate web site cache files
AllowedInFrames=Allowed in Frames
+DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languages into web site properties.
diff --git a/htdocs/langs/ne_NP/withdrawals.lang b/htdocs/langs/ne_NP/withdrawals.lang
index 114a8d9dd6c..e3bec6f9cb8 100644
--- a/htdocs/langs/ne_NP/withdrawals.lang
+++ b/htdocs/langs/ne_NP/withdrawals.lang
@@ -42,6 +42,7 @@ LastWithdrawalReceipt=Latest %s direct debit receipts
MakeWithdrawRequest=Make a direct debit payment request
MakeBankTransferOrder=Make a credit transfer request
WithdrawRequestsDone=%s direct debit payment requests recorded
+BankTransferRequestsDone=%s credit transfer requests recorded
ThirdPartyBankCode=Third-party bank code
NoInvoiceCouldBeWithdrawed=No invoice debited successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s.
ClassCredited=Classify credited
@@ -131,7 +132,8 @@ SEPARCUR=SEPA CUR
SEPAFRST=SEPA FRST
ExecutionDate=Execution date
CreateForSepa=Create direct debit file
-ICS=Creditor Identifier CI
+ICS=Creditor Identifier CI for direct debit
+ICSTransfer=Creditor Identifier CI for bank transfer
END_TO_END="EndToEndId" SEPA XML tag - Unique id assigned per transaction
USTRD="Unstructured" SEPA XML tag
ADDDAYS=Add days to Execution Date
@@ -146,3 +148,4 @@ InfoRejectSubject=Direct debit payment order refused
InfoRejectMessage=Hello,
the direct debit payment order of invoice %s related to the company %s, with an amount of %s has been refused by the bank.
-- %s
ModeWarning=Option for real mode was not set, we stop after this simulation
ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know wich one to use.
+ErrorICSmissing=Missing ICS in Bank account %s
diff --git a/htdocs/langs/nl_BE/accountancy.lang b/htdocs/langs/nl_BE/accountancy.lang
index 080da3b8334..b778d524492 100644
--- a/htdocs/langs/nl_BE/accountancy.lang
+++ b/htdocs/langs/nl_BE/accountancy.lang
@@ -20,6 +20,7 @@ UpdateMvts=Wijzigen van een transactie
Processing=Verwerken
EndProcessing=Verwerking beëindigd
Lineofinvoice=Factuur lijn
+ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50)
Docdate=Datum
Docref=Artikelcode
TotalVente=Totaal omzet voor belastingen
diff --git a/htdocs/langs/nl_BE/admin.lang b/htdocs/langs/nl_BE/admin.lang
index f1308c0cdfe..9e36971311b 100644
--- a/htdocs/langs/nl_BE/admin.lang
+++ b/htdocs/langs/nl_BE/admin.lang
@@ -11,6 +11,7 @@ RemoteSignature=Remote distant handtekening (betrouwbaarder)
FilesAdded=Bestanden toegevoegd
AvailableOnlyOnPackagedVersions=Het lokale bestand voor integriteitscontrole is alleen beschikbaar als de toepassing is geïnstalleerd vanuit een officieel pakket
XmlNotFound=Xml-integriteitsbestand van toepassing niet gevonden
+SessionId=Sessie-ID
SessionSavePath=Sessie opslaglocatie
ConfirmPurgeSessions=Ben je zeker dat je alle sessies wil wissen? De connectie van elke gebruiker zal worden verbroken (uitgezonderd jezelf).
NoSessionListWithThisHandler=Save session handler geconfigureerd in uw PHP staat niet toe dat alle lopende sessies worden getoond.
@@ -28,23 +29,29 @@ UploadNewTemplate=Upload nieuwe template(s)
RestoreLock=Herstel het bestand %s , met enkel leesrechten, om verder gebruik van de Update / Install-tool uit te schakelen.
SecurityFilesDesc=Definieer opties met betrekking tot beveiliging voor het uploaden van bestanden.
DictionarySetup=Woordenboek setup
-Dictionary=Woordenboeken
+ErrorReservedTypeSystemSystemAuto=De waarde 'system' en 'systemauto' als type zijn voorbehouden voor het systeem. Je kan 'user' als waarde gebruiken om je eigen gegevens-record toe te voegen.
DisableJavascript=Schakel JavaScript en Ajax-functies uit.
DelaiedFullListToSelectCompany=Wacht tot een toets wordt ingedrukt voordat u de inhoud van de combinatielijst van derden laadt. Dit kan de prestaties verbeteren als u een groot aantal derden hebt, maar het is minder handig.
SearchString=Zoekopdracht
+NotAvailableWhenAjaxDisabled=Niet beschikbaar wanneer AJAX functionaliteit uitgeschakeld is
AllowToSelectProjectFromOtherCompany=Op een document van een derde partij, kunt u een project kiezen dat is gekoppeld aan een andere derde partij
UsePreviewTabs=Gebruik voorbeelweergavetabbladen
ShowPreview=Toon voorbeelweergave
-CurrentTimeZone=Huidige Tijdszone
TZHasNoEffect=Datums worden opgeslagen en geretourneerd door de databaseserver alsof ze worden bewaard als verzonden string. De tijdzone heeft alleen effect bij het gebruik van de UNIX_TIMESTAMP-functie (die niet door Dolibarr mag worden gebruikt, dus database TZ zou geen effect mogen hebben, zelfs als deze wordt gewijzigd nadat gegevens zijn ingevoerd).
NextValueForDeposit=Volgende waarde (aanbetaling)
+ComptaSetup=Instellingen van de boekhoudkundige module
UserSetup=Gebruikersbeheerinstellingen
MultiCurrencySetup=Instellingen voor meerdere valuta
+DetailPosition=Sorteren aantal te definiëren menupositie
AllMenus=Alle
NotConfigured=Module/Applicatie is niet geconfigureerd
OtherSetup=Overige instellingen
+CurrentValueSeparatorThousand=Duizend scheidingsteken
LocalisationDolibarrParameters=Lokalisatieparameters
+ClientTZ=Tijdzone van de klant (gebruiker)
+ClientHour=Tijd bij de klant (gebruiker)
PHPTZ=Tijdzone binnen de PHP server
+DaylingSavingTime=Zomertijd (gebruiker)
CurrentHour=Huidige tijd op server
CurrentSessionTimeOut=Huidige sessietimeout
YouCanEditPHPTZ=Om een andere PHP-tijdzone in te stellen (niet vereist), kunt u proberen een .htaccess-bestand toe te voegen met een regel als deze "SetEnv TZ Europe/Paris"
@@ -63,20 +70,25 @@ PurgeNothingToDelete=Geen map of bestanden om te verwijderen.
PurgeNDirectoriesFailed=Verwijderen van %s- bestanden of mappen is mislukt.
PurgeAuditEvents=Verwijder alle gebeurtenisen
ConfirmPurgeAuditEvents=Ben je zeker dat je alle veiligheidsgebeurtenissen wil verwijderen? Alle veiligheidslogboeken zullen worden verwijderd, en geen andere bestanden worden verwijderd
+RunCommandSummary=Backup geïnitieerd met het volgende commando
+BackupResult=Resultaat backup
+BackupFileSuccessfullyCreated=Backupbestand succesvol gegenereerd
NoBackupFileAvailable=Geen backupbestanden beschikbaar.
ToBuildBackupFileClickHere=Om een backupbestand te maken, klik hier.
+ImportMySqlDesc=Om een MySQL-back-upbestand te importeren, kunt u phpMyAdmin gebruiken via uw hosting of de opdracht mysql gebruiken vanaf de opdrachtregel. Bijvoorbeeld:
+ImportPostgreSqlDesc=Om een backupbestand te importeren, dient u het 'pg_restore' commando vanaf de opdrachtregel uit te voeren:
CommandsToDisableForeignKeysForImportWarning=Verplicht als je je sql neerslag later wil gebruiken
ExportUseMySQLQuickParameterHelp=De parameter '--quick' helpt het RAM-verbruik voor grote tabellen te beperken.
MySqlExportParameters=MySQL exporteer instellingen
ExportStructure=Struktuur
NameColumn=Kollomennaam
+NoLockBeforeInsert=Geen lock-opdrachten rond INSERT
FeatureAvailableOnlyOnStable=Functie alleen beschikbaar op officiële stabiele versies
BoxesDesc=Widgets zijn componenten die informatie tonen die u kunt toevoegen om sommige pagina's te personaliseren. U kunt kiezen tussen het weergeven van de widget of niet door de doelpagina te selecteren en op 'Activeren' te klikken, of door op de prullenbak te klikken om deze uit te schakelen.
ModulesMarketPlaceDesc=Je kan meer modules vinden door te zoeken op andere externe websites, waar je ze kan downloaden
ModulesMarketPlaces=Zoek externe app / modules
ModulesDevelopYourModule=Ontwikkel je eigen app / modules
SeeInMarkerPlace=Zie Marktplaats
-Nouveauté=Nieuwigheid
GoModuleSetupArea=Ga naar het gedeelte Module-instellingen om een nieuwe module te implementeren / installeren: %s .
DoliStoreDesc=DoliStore, de officiële markt voor externe Dolibarr ERP / CRM modules
WebSiteDesc=Externe websites voor meer add-on (niet-basis) modules ...
@@ -88,6 +100,7 @@ OfficialWiki=Dolibarr-documentatie / Wiki
OtherResources=Andere bronnen
ExternalResources=Externe Bronnen
SocialNetworks=Sociale Netwerken
+ForDocumentationSeeWiki=Documentatie voor gebruikers of ontwikkelaars kunt u inzien door te kijken op de Dolibarr Wiki-pagina's: %s
HelpCenterDesc1=Hier zijn enkele bronnen voor hulp en ondersteuning bij Dolibarr.
HelpCenterDesc2=Sommige van deze bronnen zijn alleen beschikbaar in het Engels .
MeasuringUnit=Maateenheid
@@ -111,6 +124,8 @@ MAIN_MAIL_SMTPS_ID=SMTP ID (als verzendende server authenticatie vereist)
MAIN_MAIL_SMTPS_PW=SMTP-wachtwoord (als verzendende server verificatie vereist)
MAIN_MAIL_EMAIL_TLS=Gebruik TLS (SSL) -versleuteling
MAIN_MAIL_EMAIL_STARTTLS=Gebruik TLS (STARTTLS) -versleuteling
+MAIN_MAIL_EMAIL_DKIM_ENABLED=Gebruik DKIM om een e-mailhandtekening te genereren
+MAIN_MAIL_EMAIL_DKIM_DOMAIN=E-maildomein voor gebruik met dkim
MAIN_MAIL_EMAIL_DKIM_SELECTOR=Naam van dkim-selector
MAIN_MAIL_EMAIL_DKIM_PRIVATE_KEY=Privésleutel voor dkim-ondertekening
MAIN_DISABLE_ALL_SMS=Schakel alle sms-berichten uit (voor testdoeleinden of demo's)
@@ -118,9 +133,13 @@ MAIN_MAIL_SMS_FROM=Standaard telefoonnummer van afzender voor sms-verzending
MAIN_MAIL_DEFAULT_FROMTYPE=Standaard afzender-e-mailadres voor handmatig verzenden (e-mailadres gebruiker of professionele e-mail)
UserEmail=Email gebruiker
CompanyEmail=Professionele e-mail
+ModuleSetup=Module-instellingen
ModulesSetup=Instellingen voor Modules / Applicaties
ModuleFamilyProducts=Productbeheer (PM)
ModuleFamilyHr=Personeelszaken (HR)
+ModuleFamilyProjects=Projecten / Samenwerkingen
+ModuleFamilyTechnic=Hulpmiddelen voor multi-modules
+ModuleFamilyPortal=Websites en andere frontale toepassing
ThisIsAlternativeProcessToFollow=Dit is een alternatieve configuratie om handmatig te verwerken:
UnpackPackageInDolibarrRoot=Pak de verpakte bestanden uit in uw Dolibarr-servermap: %s
UnpackPackageInModulesRoot=Om een externe module te implementeren / installeren, moet u de verpakte bestanden uitpakken / uitpakken in de servermap voor externe modules: %s
@@ -129,15 +148,23 @@ NotExistsDirect=De alternatieve hoofdmap is niet gedefinieerd voor een bestaande
InfDirAlt=Sinds versie 3 is het mogelijk om een alternatieve rootmap te definiëren. Hiermee kunt u in een speciale map plug-ins en aangepaste sjablonen opslaan. Maak gewoon een map aan in de root van Dolibarr (bv: aangepast).
InfDirExample= Verklaar het dan in het bestand conf.php $ Dolibarr_main_url_root_alt='/custom' $ Dolibarr_main_document_root_alt='/pad/of/Dolibarr/htdocs/custom' Als deze regels worden becommentarieerd met "#", schakelt u ze gewoon uit door het teken "#" te verwijderen.
LastStableVersion=Nieuwste stabiele versie
+LastActivationIP=Laatste activerings-IP
GenericMaskCodes2={cccc} de clientcode van n tekens {cccc000} de klantcode op n tekens wordt gevolgd door een teller voor de klant. Deze teller die aan de klant is toegewezen, wordt tegelijkertijd opnieuw ingesteld als de globale teller. {tttt} De code van het type van een derde partij op n tekens (zie menu Home - Instellingen - Woordenboek - Typen derde partijen). Als u deze tag toevoegt, verschilt de teller voor elk type derde partij.
GenericMaskCodes4a=Voorbeeld op de 99e %s van de derde partij TheCompany, met datum 31-01-2007:
GenericMaskCodes5=ABC {jj} {mm} - {000000} geeft ABC0701-000099 {0000 + 100 @ 1} -ZZZ / {dd} / XXX geeft 0199-ZZZ / 31 / XXX IN {jj} {mm} - {0000} - {t} geeft IN0701-0099-A als het type bedrijf 'Responsable Inscripto' is met code voor het type dat 'A_RI' is
+UMask=Umask parameter voor nieuwe bestanden op een Unix- / Linux- / BSD-bestandssysteem.
+UMaskExplanation=Deze parameter laat u de rechten bepalen welke standaard zijn ingesteld voor de bestanden aangemaakt door Dolibarr op de server (tijdens het uploaden, bijvoorbeeld). Het moet de octale waarde zijn (bijvoorbeeld, 0666 betekent lezen en schrijven voor iedereen). Deze parameter wordt NIET op een windows-server gebruikt
+SeeWikiForAllTeam=Kijk op de Wiki-pagina voor een lijst met bijdragers en hun organisatie
+UseACacheDelay=Ingestelde vertraging voor de cacheexport in secondes (0 of leeg voor geen cache)
+DisableLinkToHelpCenter=Verberg de link "ondersteuning of hulp nodig" op de inlogpagina
DisableLinkToHelp=Link naar online help "%s" verbergen
AddCRIfTooLong=Er is geen automatische tekst terugloop, tekst die te lang is, wordt niet weergegeven op documenten. Voeg indien nodig regeleinden in het tekstgebied toe.
ConfirmPurge=Weet u zeker dat u deze zuivering wilt uitvoeren? Hiermee worden al uw gegevensbestanden permanent verwijderd zonder dat u ze kunt herstellen (ECM-bestanden, bijgevoegde bestanden ...).
LanguageFile=Bestandstaal
+ListOfDirectories=Lijst van OpenDocument sjablonenmappen
ListOfDirectoriesForModelGenODT=Lijst met mappen die sjablonenbestanden met OpenDocument-indeling bevatten.
Plaats hier het volledige pad van mappen. Voeg een regelterugloop toe tussen elke directory. Voeg hier een map van de GED-module toe DOL_DATA_ROOT/ecm/yourdirectoryname .
Bestanden in die mappen moeten eindigen op .odt of .ods.
NumberOfModelFilesFound=Aantal ODT / ODS-sjabloonbestanden gevonden in deze mappen
+FollowingSubstitutionKeysCanBeUsed=Door het plaatsen van de volgende velden in het sjabloon krijgt u een vervanging met de aangepaste waarde bij het genereren van het document:
DescWeather=De volgende afbeeldingen worden op het dashboard weergegeven wanneer het aantal late acties de volgende waarden bereikt:
ConnectionTimeout=Time-out verbinding
ModuleMustBeEnabledFirst=Module %s moet eerst worden ingeschakeld als u deze functie nodig hebt.
@@ -148,8 +175,12 @@ HideDescOnPDF=Productbeschrijving verbergen
HideRefOnPDF=Verberg ref. producten
HideDetailsOnPDF=Verberg details van productlijnen
PlaceCustomerAddressToIsoLocation=Gebruik de Franse standaardpositie (La Poste) voor de positie van het klantadres
+UrlGenerationParameters=Parameters om URL beveiligen
+SecurityTokenIsUnique=Gebruik een unieke securekey parameter voor elke URL
GetSecuredUrl=Get berekend URL
-ButtonHideUnauthorized=Knoppen verbergen voor niet-beheerders voor ongeautoriseerde acties in plaats van grijze uitgeschakelde knoppen te tonen
+OldVATRates=Oud BTW tarief
+NewVATRates=Nieuw BTW tarief
+PriceBaseTypeToChange=Wijzig op prijzen waarop een base reference waarde gedefiniëerd is
MassConvert=Start bulkconversie
Boolean=Boolean (één selectievakje)
ExtrafieldUrl =url
diff --git a/htdocs/langs/nl_BE/banks.lang b/htdocs/langs/nl_BE/banks.lang
index 69a470c6db3..6a27c2a6715 100644
--- a/htdocs/langs/nl_BE/banks.lang
+++ b/htdocs/langs/nl_BE/banks.lang
@@ -1,5 +1,14 @@
# Dolibarr language file - Source file is en_US - banks
+ShowAllTimeBalance=Toon saldo sinds begin
+LabelBankCashAccount=label van bank of kas
TransferTo=Aan
+CheckTransmitter=Overboeker
BankChecksToReceipt=Te innen cheques
BankChecksToReceiptShort=Te innen cheques
+InputReceiptNumber=Kies het bankafschrift in verband met de bemiddeling. Gebruik een sorteerbaar numerieke waarde: YYYYMM of YYYYMMDD
+EventualyAddCategory=Tenslotte een categorie opgeven waarin de gegevens bewaard kunnen worden
+ThenCheckLinesAndConciliate=Duid dan de lijnen aan van het bankafschrift en klik
+DeleteARib=Verwijderen BAN gegeven
+RejectCheck=Teruggekeerde cheque
RejectCheckDate=Datum de cheque was teruggekeerd
+CheckRejected=Teruggekeerde cheque
diff --git a/htdocs/langs/nl_BE/cashdesk.lang b/htdocs/langs/nl_BE/cashdesk.lang
index a64cdb82256..9019947e4b7 100644
--- a/htdocs/langs/nl_BE/cashdesk.lang
+++ b/htdocs/langs/nl_BE/cashdesk.lang
@@ -7,3 +7,4 @@ BankToPay=Betalingsaccount
ShowCompany=Toon bedrijf
ShowStock=Toon magazijn
DolibarrReceiptPrinter=Dolibarr Ontvangsten Printer
+Receipt=Ontvangst
diff --git a/htdocs/langs/nl_BE/categories.lang b/htdocs/langs/nl_BE/categories.lang
index cc68f1795a9..9d86adc7acd 100644
--- a/htdocs/langs/nl_BE/categories.lang
+++ b/htdocs/langs/nl_BE/categories.lang
@@ -46,14 +46,11 @@ ContactCategoriesShort=Contacten tags/categorieën
AccountsCategoriesShort=Accounts tags/categorieën
ProjectsCategoriesShort=Projecten tags/categorieën
CategId=Tag/categorie id
-CatCusList=Lijst van de klant/prospect tags/categorieën
CatProdList=Lijst van producten tags/categorieën
CatMemberList=Lijst van leden tags/categorieën
-CatContactList=Lijst van contact tags/categorieën
-CatSupLinks=Koppelingen tussen leveranciers en tags/categorieën
CatCusLinks=Koppelingen tussen klanten/prospects en tags/categorieën
CatProdLinks=Koppelingen tussen producten/diensten en tags/categorieën
-CatProJectLinks=Koppelingen tussen projecten en tags/categorieën
+CatProjectsLinks=Koppelingen tussen projecten en tags/categorieën
CategoriesSetup=Tags/categorieën instellingen
CategorieRecursiv=Automatische koppeling met bovenliggende tag/categorie
ShowCategory=Toon tag / categorie
diff --git a/htdocs/langs/nl_BE/exports.lang b/htdocs/langs/nl_BE/exports.lang
new file mode 100644
index 00000000000..757f616a372
--- /dev/null
+++ b/htdocs/langs/nl_BE/exports.lang
@@ -0,0 +1,2 @@
+# Dolibarr language file - Source file is en_US - exports
+ExportStringFilter=%% laat het vervangen toe van één of meer tekens in de tekst
diff --git a/htdocs/langs/nl_BE/externalsite.lang b/htdocs/langs/nl_BE/externalsite.lang
new file mode 100644
index 00000000000..9fdddaacccf
--- /dev/null
+++ b/htdocs/langs/nl_BE/externalsite.lang
@@ -0,0 +1,4 @@
+# Dolibarr language file - Source file is en_US - externalsite
+ExternalSiteSetup=Setup link naar externe website
+ExternalSiteURL=Externe Site URL
+ExternalSiteModuleNotComplete=Module ExternalSite werd niet correct geconfigureerd.
diff --git a/htdocs/langs/nl_BE/mails.lang b/htdocs/langs/nl_BE/mails.lang
index c4133e0bebe..776b4ed9b2e 100644
--- a/htdocs/langs/nl_BE/mails.lang
+++ b/htdocs/langs/nl_BE/mails.lang
@@ -1,4 +1,30 @@
# Dolibarr language file - Source file is en_US - mails
+AllEMailings=Alle EMailings
MailCard=EMailings kaart
+MailCC=Kopiëren naar
+MailCCC=Gecachde kopie aan
+MailMessage=E-mailinhoud
+ShowEMailing=Toon EMailing
+ListOfEMailings=EMailingenlijst
+NewMailing=Nieuwe EMailing
+EditMailing=Bewerk EMailing
+ResetMailing=EMailing opnieuw verzenden
+DeleteMailing=Verwijder EMailing
+DeleteAMailing=Verwijder een EMailing
+PreviewMailing=Voorbeeldweergave EMailing
+CreateMailing=Creëer EMailing
+ValidMailing=Geldige EMailing
+MailingSuccessfullyValidated=Emailing succesvol gevalideerd
+MailingStatusNotContact=Niet meer contacten
+WarningNoEMailsAdded=Geen nieuw E-mailadres aan de lijst van ontvangers toe te voegen.
+YouCanAddYourOwnPredefindedListHere=Om uw e-mailselectormodule te creëren, zie htdocs/core/modules/mailings/README.
+XTargetsAdded=%s ontvangers toegevoegd in bestemming-lijst
+MailingArea=EMailingsoverzicht
+TargetsStatistics=Geaddresseerdenstatistieken
+MailNoChangePossible=Ontvangers voor gevalideerde EMailings kunnen niet worden gewijzigd
SearchAMailing=Zoek een E-mailing
SendMailing=Verzend E-mailing
+TargetsReset=Lijst legen
+ToClearAllRecipientsClickHere=Klik hier om de lijst met ontvangers van deze EMailing te legen
+NbOfEMailingsReceived=Bulk Emailings ontvangen
+NbOfEMailingsSend=Mailings verstuurd
diff --git a/htdocs/langs/nl_BE/main.lang b/htdocs/langs/nl_BE/main.lang
index e91ff7bd44a..293c494d51e 100644
--- a/htdocs/langs/nl_BE/main.lang
+++ b/htdocs/langs/nl_BE/main.lang
@@ -19,6 +19,7 @@ FormatDateHourShort=%d-%m-%Y %H:%M
FormatDateHourSecShort=%d/%m/%Y %I:%M:%S %p
FormatDateHourTextShort=%d %b %Y %H:%M
FormatDateHourText=%d %B %Y %H:%M
+CurrentTimeZone=Huidige Tijdszone
NoRecordFound=Geen record gevonden
ErrorCanNotCreateDir=Kan dir %s niet maken
ErrorCanNotReadDir=Kan dir %s niet lezen
@@ -75,6 +76,7 @@ Category=Tag / categorie
to=aan
To=aan
ApprovedBy2=Goedgekeurd door (tweede goedkeuring)
+NotRead=Ongelezen
Offered=Beschikbaar
SetLinkToAnotherThirdParty=Link naar een derde partij
SelectAction=Selecteer actie
@@ -91,3 +93,4 @@ Select2SearchInProgress=Zoeken is aan de gang...
SearchIntoProductsOrServices=Producten of diensten
SearchIntoCustomerInvoices=Klant facturen
SearchIntoExpenseReports=Uitgaven rapporten
+OnHold=Tijdelijk geblokkeerd
diff --git a/htdocs/langs/nl_BE/products.lang b/htdocs/langs/nl_BE/products.lang
index 788278f0576..5448b609364 100644
--- a/htdocs/langs/nl_BE/products.lang
+++ b/htdocs/langs/nl_BE/products.lang
@@ -6,6 +6,5 @@ NotOnSell=Niet meer beschikbaar
ProductStatusNotOnSell=Niet meer verkrijgbaar
ProductStatusOnSellShort=Te koop
ListOfStockMovements=Voorradenlijst
-CustomCode=Customs / Commodity / HS code
ProductSellByQuarterHT=Bruto omzetcijfer per trimester
ServiceSellByQuarterHT=Bruto omzetcijfer per trimester
diff --git a/htdocs/langs/nl_BE/sendings.lang b/htdocs/langs/nl_BE/sendings.lang
index c29f8d65119..d6acc920084 100644
--- a/htdocs/langs/nl_BE/sendings.lang
+++ b/htdocs/langs/nl_BE/sendings.lang
@@ -3,6 +3,7 @@ ShowSending=Toon Verzendingen
Receivings=Ontvangstbevestingen
LastSendings=Laatste %s verzendingen
QtyPreparedOrShipped=Aantal voorbereid of verzonden
+QtyToShip=Aantal te verzenden
QtyInOtherShipments=Aantal in andere verzendingen
SendingsAndReceivingForSameOrder=Verzendingen en ontvangstbevestigingen van deze bestelling
ConfirmDeleteSending=Weet u zeker dat u deze verzending wilt verwijderen?
diff --git a/htdocs/langs/nl_BE/ticket.lang b/htdocs/langs/nl_BE/ticket.lang
index 5fdcb01d6ba..943c019bd35 100644
--- a/htdocs/langs/nl_BE/ticket.lang
+++ b/htdocs/langs/nl_BE/ticket.lang
@@ -8,7 +8,6 @@ TicketDictSeverity=Ticket - Gradaties
TicketTypeShortISSUE=Probleem, bug of probleem
TicketTypeShortREQUEST=Verander- of verbeteringsverzoek
TicketTypeShortOTHER=Ander
-TicketSeverityShortBLOCKING=Kritisch / Blokkerend
ErrorBadEmailAddress=Veld '%s' onjuist
MenuTicketMyAssignNonClosed=Mijn open tickets
TypeContact_ticket_external_SUPPORTCLI=Klantcontact / incident volgen
diff --git a/htdocs/langs/nl_BE/withdrawals.lang b/htdocs/langs/nl_BE/withdrawals.lang
new file mode 100644
index 00000000000..facdefc082f
--- /dev/null
+++ b/htdocs/langs/nl_BE/withdrawals.lang
@@ -0,0 +1,2 @@
+# Dolibarr language file - Source file is en_US - withdrawals
+ICS=Creditor Identifier CI for direct debit
diff --git a/htdocs/langs/nl_NL/accountancy.lang b/htdocs/langs/nl_NL/accountancy.lang
index c6449f8ac34..d633a3e3d03 100644
--- a/htdocs/langs/nl_NL/accountancy.lang
+++ b/htdocs/langs/nl_NL/accountancy.lang
@@ -48,6 +48,7 @@ CountriesExceptMe=Alle landen behalve %s
AccountantFiles=Bron-documenten exporteren
ExportAccountingSourceDocHelp=Met deze tool kunt u de lijsten en pdf bestanden exporteren die werden gebruikt om uw boekhouding te genereren. Gebruik het menu-item %s - %s om uw dagboeken te exporteren.
VueByAccountAccounting=Overzicht per grootboekrekening
+VueBySubAccountAccounting=Overzicht op volgorde subrekening
MainAccountForCustomersNotDefined=De standaard grootboekrekening voor klanten is niet vastgelegd bij de instellingen
MainAccountForSuppliersNotDefined=Hoofdrekening voor leveranciers die niet zijn gedefinieerd in de configuratie
@@ -144,7 +145,7 @@ NotVentilatedinAccount=Niet gekoppeld aan grootboekrekening
XLineSuccessfullyBinded=%s producten/diensten met succes gekoppeld aan een grootboekrekening
XLineFailedToBeBinded=%s producten/diensten zijn niet gekoppeld aan een grootboekrekening
-ACCOUNTING_LIMIT_LIST_VENTILATION=Aantal verbonden elementen per pagina (voorstel: max. 50)
+ACCOUNTING_LIMIT_LIST_VENTILATION=Maximumaantal regels op lijst en bindpagina (aanbevolen: 50)
ACCOUNTING_LIST_SORT_VENTILATION_TODO=Begin met het sorteren van de pagina nog te koppelen met de laatste boekingen
ACCOUNTING_LIST_SORT_VENTILATION_DONE=Begin met het sorteren van de pagina koppelen voltooid met de laatste boekingen
@@ -198,7 +199,8 @@ Docdate=Date
Docref=Reference
LabelAccount=Label account
LabelOperation=Werking label
-Sens=D/C
+Sens=Richting
+AccountingDirectionHelp=Voor een tegenrekening van een klant, gebruik Credit om een betaling vast te leggen die u hebt ontvangen Gebruik een tegenrekening van een leverancier Debet om een betaling vast te leggen die u hebt gedaan
LetteringCode=Aflettercode
Lettering=Afletteren
Codejournal=Journaal
@@ -206,7 +208,8 @@ JournalLabel=Journaal label
NumPiece=Boekingstuk
TransactionNumShort=Transactienummer
AccountingCategory=Gepersonaliseerde groepen
-GroupByAccountAccounting=Groeperen per grootboekrekening
+GroupByAccountAccounting=Groeperen op grootboekrekening
+GroupBySubAccountAccounting=Groepeer op subgrootboekrekening
AccountingAccountGroupsDesc=Hier kunt u enkele grootboekrekening-groepen definiëren. Deze worden gebruikt voor gepersonaliseerde boekhoudrapporten.
ByAccounts=Op grootboekrekening
ByPredefinedAccountGroups=Op voorgedefinieerde groepen
@@ -248,7 +251,7 @@ PaymentsNotLinkedToProduct=Betaling niet gekoppeld aan een product / dienst
OpeningBalance=Beginbalans
ShowOpeningBalance=Toon beginbalans
HideOpeningBalance=Verberg beginbalans
-ShowSubtotalByGroup=Totaal per groep
+ShowSubtotalByGroup=Toon subtotaal op niveau
Pcgtype=Rekening hoofdgroep
PcgtypeDesc=Cluster grootboekrekeningen welke gebruikt worden als vooraf gedefinieerde 'filter'- en' groepeer'-criteria voor sommige boekhoudrapporten. 'INKOMEN' of 'UITGAVEN' worden bijvoorbeeld gebruikt als groepen voor boekhoudrekeningen van producten om het kosten- / inkomstenrapport samen te stellen.
@@ -271,11 +274,13 @@ DescVentilExpenseReport=Hier kunt u de lijst raadplegen van kostenregels om te k
DescVentilExpenseReportMore=Als u een account instelt op het type onkostendeclaratieregels, kan de toepassing alle bindingen maken tussen uw declaratieregels en de boekhoudrekening van uw rekeningschema, met één klik met de knop "%s" strong>. Als het account niet is ingesteld op het tarievenwoordenboek of als u nog steeds regels hebt die niet aan een account zijn gekoppeld, moet u een manuele binding maken via het menu " %s strong>".
DescVentilDoneExpenseReport=Hier kunt u de lijst raadplegen van kostenregels met hun tegenrekening
+Closure=Jaarafsluiting
DescClosure=Raadpleeg hier het aantal bewegingen per maand die niet zijn gevalideerd en fiscale jaren die al open zijn
OverviewOfMovementsNotValidated=Stap 1 / Overzicht van bewegingen niet gevalideerd. (Noodzakelijk om een boekjaar af te sluiten)
+AllMovementsWereRecordedAsValidated=Alle boekingen zijn geregistreerd als gevalideerd
+NotAllMovementsCouldBeRecordedAsValidated=Niet alle boekingen konden als gevalideerd worden geregistreerd
ValidateMovements=Valideer wijzigingen
DescValidateMovements=Elke wijziging of verwijdering van inboeken, afletteren en verwijderingen is verboden. Alle boekingen moeten worden gevalideerd, anders is afsluiten niet mogelijk
-SelectMonthAndValidate=Selecteer een maand en valideer bewerkingen
ValidateHistory=Automatisch boeken
AutomaticBindingDone=Automatisch koppelen voltooid
@@ -293,6 +298,7 @@ Accounted=Geboekt in grootboek
NotYetAccounted=Nog niet doorgeboekt in boekhouding
ShowTutorial=Handleiding weergeven
NotReconciled=Niet afgestemd
+WarningRecordWithoutSubledgerAreExcluded=Pas op, alle bewerkingen zonder gedefinieerde subgrootboekrekening worden gefilterd en uitgesloten van deze weergave
## Admin
BindingOptions=Koppelmogelijkheden
@@ -337,10 +343,11 @@ Modelcsv_LDCompta10=Exporteren voor LD Compta (v10 en hoger)
Modelcsv_openconcerto=Exporteren voor OpenConcerto (test)
Modelcsv_configurable=Configureerbare CSV export
Modelcsv_FEC=FEC exporteren
+Modelcsv_FEC2=FEC exporteren (met datumgeneratie schrijven / document omgekeerd)
Modelcsv_Sage50_Swiss=Export voor Sage 50 Zwitserland
Modelcsv_winfic=Export Winfic - eWinfic - WinSis Compta
-Modelcsv_Gestinumv3=Export for Gestinum (v3)
-Modelcsv_Gestinumv5Export for Gestinum (v5)
+Modelcsv_Gestinumv3=Exporteren voor Gestinum (v3)
+Modelcsv_Gestinumv5Export voor Gestinum (v5)
ChartofaccountsId=Rekeningschema Id
## Tools - Init accounting account on product / service
diff --git a/htdocs/langs/nl_NL/admin.lang b/htdocs/langs/nl_NL/admin.lang
index 99c50f85f22..6617f98ff61 100644
--- a/htdocs/langs/nl_NL/admin.lang
+++ b/htdocs/langs/nl_NL/admin.lang
@@ -9,10 +9,10 @@ VersionExperimental=Experimenteel
VersionDevelopment=Ontwikkeling
VersionUnknown=Onbekend
VersionRecommanded=Aanbevolen
-FileCheck=Bestands integriteit controles
-FileCheckDesc=Met deze tool kunt u de integriteit van bestanden en de installatie van uw applicatie controleren door elk bestand met het officiële bestand te vergelijken. De waarde van sommige setup-constanten kan ook worden gecontroleerd. U kunt deze tool gebruiken om te bepalen of bestanden zijn gewijzigd (bijvoorbeeld door een hacker).
-FileIntegrityIsStrictlyConformedWithReference=Bestandsintegriteit is sterk conform de referentiebestanden.
-FileIntegrityIsOkButFilesWereAdded=Integriteitscontrole is geslaagd, echter zijn er nieuwe bestanden toegevoegd.
+FileCheck=Bestandsintegriteit controles
+FileCheckDesc=Met deze tool kunt u de integriteit van bestanden en de installatie van uw applicatie controleren door elk bestand met het officiële bestand te vergelijken. De waarde van sommige set-up constanten kan ook worden gecontroleerd. U kunt deze tool gebruiken om te bepalen of bestanden zijn gewijzigd (bijvoorbeeld door een hacker).
+FileIntegrityIsStrictlyConformedWithReference=De integriteit van bestanden is strikt in overeenstemming met de referentie.
+FileIntegrityIsOkButFilesWereAdded=Integriteitscontrole is geslaagd, er zijn echter nieuwe bestanden toegevoegd.
FileIntegritySomeFilesWereRemovedOrModified=Controle op integriteit van de bestanden is mislukt. Sommige bestanden zijn gewijzigd, verwijderd of toegevoegd.
GlobalChecksum=Globaal controlegetal
MakeIntegrityAnalysisFrom=Maak integriteitsanalyse van toepassingsbestanden van
@@ -24,27 +24,27 @@ FilesModified=Gewijzigde bestanden
FilesAdded=Toegevoegde bestanden
FileCheckDolibarr=Controleer de integriteit van applicatiebestanden
AvailableOnlyOnPackagedVersions=Het lokale bestand voor integriteitscontrole is alleen beschikbaar wanneer de toepassing wordt geïnstalleerd vanuit een officieel pakket
-XmlNotFound=Xml-integriteitsbestand van de toepassing is niet gevonden
-SessionId=Sessie-ID
+XmlNotFound=XML integriteitsbestand van de toepassing is niet gevonden
+SessionId=Sessie ID
SessionSaveHandler=Wijze van sessieopslag
SessionSavePath=Sessie opslag locatie
PurgeSessions=Verwijderen van sessies
ConfirmPurgeSessions=Wilt u werkelijk alle sessies sluiten? Dit zal elke gebruikerssessie afbreken (behalve die van uzelf).
NoSessionListWithThisHandler=Save session handler geconfigureerd in uw PHP staat niet toe dat alle lopende sessies worden vermeld.
LockNewSessions=Blokkeer nieuwe sessies
-ConfirmLockNewSessions=Weet je zeker dat je elke nieuwe Dolibarr-verbinding wilt beperken tot jezelf? Alleen gebruiker %s kan daarna verbinding maken.
+ConfirmLockNewSessions=Weet je zeker dat je elke nieuwe Dolibarr verbinding wilt beperken tot jezelf? Alleen gebruiker %s kan daarna verbinding maken.
UnlockNewSessions=Verwijder sessieblokkering
YourSession=Uw sessie
-Sessions=Gebruikersessies
+Sessions=Gebruikerssessies
WebUserGroup=Webserver gebruiker / groep
PermissionsOnFilesInWebRoot=Machtigingen voor bestanden in de hoofdmap van het web
PermissionsOnFile=Rechten op bestand %s
-NoSessionFound=Uw PHP-configuratie lijkt geen lijst van actieve sessies toe te staan. De map die wordt gebruikt om sessies op te slaan ( %s ) kan worden beschermd (bijvoorbeeld door OS-machtigingen of door PHP-richtlijn open_basedir).
+NoSessionFound=Uw PHP-configuratie lijkt geen lijst van actieve sessies toe te staan. De map die wordt gebruikt om sessies op te slaan ( %s ) kan worden beschermd (bijvoorbeeld door OS machtigingen of door PHP richtlijn open_basedir).
DBStoringCharset=Database karakterset voor het opslaan van gegevens
DBSortingCharset=Database karakterset voor het sorteren van gegevens
-HostCharset=Host-tekenset
-ClientCharset=Cliënt tekenset
-ClientSortingCharset=Cliënt vergelijking
+HostCharset=Host karakterset
+ClientCharset=Cliënt karakterset
+ClientSortingCharset=Cliënt collatie
WarningModuleNotActive=Module %s dient te worden ingeschakeld
WarningOnlyPermissionOfActivatedModules=Hier worden alleen de rechten van geactiveerde modules weergegeven. U kunt andere modules activeren in het menu Home > Instellingen > Modules
DolibarrSetup=Installatie of update van Dolibarr
@@ -56,6 +56,8 @@ GUISetup=Weergave
SetupArea=Instellingen
UploadNewTemplate=Nieuwe template(s) uploaden
FormToTestFileUploadForm=Formulier waarmee bestandsupload kan worden getest (afhankelijk van de gekozen opties)
+ModuleMustBeEnabled=Module / applicatie %s moet ingeschakeld zijn
+ModuleIsEnabled=Module / applicatie %s is ingeschakeld
IfModuleEnabled=Opmerking: Ja, is alleen effectief als module %s is geactiveerd
RemoveLock=Verwijder / hernoem het bestand %s als het bestaat, om het gebruik van de update / installatie-tool toe te staan.
RestoreLock=Herstel het bestand %s , met alleen leesrechten, om verder gebruik van de update / installatie-tool uit te schakelen.
@@ -64,9 +66,9 @@ SecurityFilesDesc=Definieer hier de opties met betrekking tot beveiliging bij he
ErrorModuleRequirePHPVersion=Fout, deze module vereist PHP versie %s of hoger.
ErrorModuleRequireDolibarrVersion=Fout, deze module vereist Dolibarr versie %s of hoger.
ErrorDecimalLargerThanAreForbidden=Fout, een nauwkeurigheid van meer dan %s wordt niet ondersteund.
-DictionarySetup=Veldwaarde instellingen
-Dictionary=Veld waarden
-ErrorReservedTypeSystemSystemAuto=De waarde 'system' en 'systemauto' als type zijn voorbehouden voor het systeem. Je kan 'user' als waarde gebruiken om je eigen gegevens-record toe te voegen.
+DictionarySetup=Woordenboek instellingen
+Dictionary=Woordenboeken
+ErrorReservedTypeSystemSystemAuto=De waarde 'system' en 'systemauto' als type zijn voorbehouden aan het systeem. Je kan 'user' als waarde gebruiken om je eigen record toe te voegen.
ErrorCodeCantContainZero=Code mag geen 0 bevatten
DisableJavascript=Schakel JavaScript en AJAX-functionaliteit uit
DisableJavascriptNote=Opmerking: voor test- of foutopsporingsdoeleinden. Voor optimalisatie voor blinden of tekstbrowsers, kunt u ervoor kiezen om de instellingen op het profiel van de gebruiker te gebruiken
@@ -76,17 +78,16 @@ DelaiedFullListToSelectCompany=Wacht tot een toets wordt ingedrukt voordat inhou
DelaiedFullListToSelectContact=Wacht tot een toets wordt ingedrukt voordat de inhoud van de combo-lijst met contactpersonen wordt geladen. Dit kan de prestaties verbeteren als u een groot aantal contacten heeft, maar het is minder handig.
NumberOfKeyToSearch=Aantal tekens om de zoekopdracht te activeren: %s
NumberOfBytes=Aantal bytes
-SearchString=Zoekstring
-NotAvailableWhenAjaxDisabled=Niet beschikbaar wanneer AJAX functionaliteit uitgeschakeld is
-AllowToSelectProjectFromOtherCompany=Bij een document van een relatiej, kan een project worden gekozen dat is gekoppeld aan een relatie
+SearchString=Zoekreeks
+NotAvailableWhenAjaxDisabled=Niet beschikbaar wanneer AJAX functionaliteit is uitgeschakeld
+AllowToSelectProjectFromOtherCompany=Bij een document van een relatie, kan een project worden gekozen dat gekoppeld is aan een andere relatie
JavascriptDisabled=JavaScript uitgeschakeld
-UsePreviewTabs=Gebruik voorbeeld tabbladen
+UsePreviewTabs=Gebruik voorbeeldtabbladen
ShowPreview=Toon voorbeeldweergave
ShowHideDetails=Toon of verberg details
PreviewNotAvailable=Voorbeeldweergave niet beschikbaar
ThemeCurrentlyActive=Huidige thema
-CurrentTimeZone=Huidige tijdzone (server)
-MySQLTimeZone=Huidige tijdzone (database)
+MySQLTimeZone=Huidige tijdzone MySQL (database)
TZHasNoEffect=Datums worden opgeslagen en geretourneerd door de databaseserver alsof ze werden bewaard als ingeleverde reeks. De tijdzone heeft alleen effect wanneer de UNIX_TIMESTAMP-functie wordt gebruikt (die niet door Dolibarr zou moeten worden gebruikt, dus database-TZ zou geen effect moeten hebben, zelfs als deze werd gewijzigd nadat gegevens waren ingevoerd).
Space=Ruimte
Table=Tabel
@@ -106,13 +107,13 @@ AntiVirusCommand=Het volledige pad naar het antiviruscommando
AntiVirusCommandExample=Voorbeeld voor ClamAv Daemon (vereist clamav-daemon): / usr / bin / clamdscan Voorbeeld voor ClamWin (erg langzaam): c: \\ Progra ~ 1 \\ ClamWin \\ bin \\ clamscan.exe
AntiVirusParam= Aanvullende parameters op de opdrachtregel
AntiVirusParamExample=Voorbeeld voor ClamAv Daemon: --fdpass Voorbeeld voor ClamWin: --database = "C: \\ Program Files (x86) \\ ClamWin \\ lib"
-ComptaSetup=Instellingen van de boekhoudkundige module
+ComptaSetup=Instellingen van de boekhoud module
UserSetup=Gebruikersbeheer instellingen
-MultiCurrencySetup=Setup meerdere valuta's
+MultiCurrencySetup=Set-up meerdere valuta's
MenuLimits=Limieten en nauwkeurigheid
MenuIdParent=ID van het bovenliggende menu
DetailMenuIdParent=ID van het bovenliggend menu (0 voor een hoogste menu)
-DetailPosition=Sorteren aantal te definiëren menupositie
+DetailPosition=Sorteer nummer dat de volgorde van menupositie bepaalt
AllMenus=Alles
NotConfigured=Module/applicatie niet geconfigureerd
Active=Actief
@@ -120,20 +121,20 @@ SetupShort=Instellingen
OtherOptions=Overige opties
OtherSetup=Andere instellingen
CurrentValueSeparatorDecimal=Decimaal scheidingsteken
-CurrentValueSeparatorThousand=Duizend scheidingsteken
+CurrentValueSeparatorThousand=Duizendtal scheidingsteken
Destination=Bestemming
IdModule=Module ID
IdPermissions=Rechten ID
LanguageBrowserParameter=Instelling %s
-LocalisationDolibarrParameters=Localisatie-instellingen
-ClientTZ=Tijdzone van de klant (gebruiker)
-ClientHour=Tijd bij de klant (gebruiker)
+LocalisationDolibarrParameters=Lokalisatie instellingen
+ClientTZ=Tijdzone van de gebruiker
+ClientHour=Tijd bij de gebruiker
OSTZ=Server OS tijdzone
PHPTZ=Tijdzone PHP server
-DaylingSavingTime=Zomertijd (gebruiker)
-CurrentHour=Huidige tijd (server)
-CurrentSessionTimeOut=Huidige sessie timeout
-YouCanEditPHPTZ=Om een andere PHP-tijdzone in te stellen (niet verplicht), kunt u proberen een .htaccess-bestand toe te voegen met de volgende regel: "SetEnv TZ Europe / Paris"
+DaylingSavingTime=Zomertijd
+CurrentHour=PHP tijd (server)
+CurrentSessionTimeOut=Huidige sessie time-out
+YouCanEditPHPTZ=Om een andere PHP tijdzone in te stellen (niet verplicht), kunt u proberen een .htaccess bestand toe te voegen met de volgende regel: "SetEnv TZ Europe / Paris"
HoursOnThisPageAreOnServerTZ=Waarschuwing, in tegenstelling tot andere schermen, bevinden de uren op deze pagina zich niet in uw lokale tijdzone, maar in de tijdzone van de server.
Box=Widget
Boxes=Widgets
@@ -142,7 +143,7 @@ AllWidgetsWereEnabled=Alle beschikbare widgets zijn geactiveerd
PositionByDefault=Standaard volgorde
Position=Positie
MenusDesc=Menu-managers bepalen de inhoud van de twee menubalken in (horizontaal en verticaal).
-MenusEditorDesc=Met behulp van de menu-editor kunt u gepersonaliseerde items in menu's instellen. Gebruik deze functionaliteit zorgvuldig om te vermijden dat Dolibarr instabiel wordt en menu-items permanent onbereikbaar worden. Sommige modules voegen items toe in de menu's (in de meeste gevallen in het menu Alle). Als u sommige van deze items abusievelijk verwijderd, dan kunt u ze herstellen door de module eerst uit te schakelen en daarna opnieuw in te schakelen.
+MenusEditorDesc=Met behulp van de menu-editor kunt u gepersonaliseerde items in menu's instellen. Gebruik deze functionaliteit zorgvuldig om te vermijden dat Dolibarr instabiel wordt en menu-items permanent onbereikbaar worden. Sommige modules voegen items toe in de menu's (in de meeste gevallen in het menu Alle). Wanneer u sommige van deze items abusievelijk verwijdert, dan kunt u ze herstellen door de module eerst uit te schakelen en daarna weer opnieuw in te schakelen.
MenuForUsers=Gebruikersmenu
LangFile=.lang bestand
Language_en_US_es_MX_etc=Taal (en_US, es_MX, ...)
@@ -153,9 +154,9 @@ SystemToolsAreaDesc=Dit gebied biedt beheerfuncties. Gebruik het menu om de gewe
Purge=Leegmaken
PurgeAreaDesc=Op deze pagina kunt u alle bestanden verwijderen die zijn gegenereerd of opgeslagen door Dolibarr (tijdelijke bestanden of alle bestanden in de map %s ). Het gebruik van deze functie is normaal gesproken niet nodig. Het wordt aangeboden als een oplossing voor gebruikers van wie Dolibarr wordt gehost door een provider die geen machtigingen biedt voor het verwijderen van bestanden die zijn gegenereerd door de webserver.
PurgeDeleteLogFile=Verwijder logbestanden %s aangemaakt door de Syslog module (Geen risico op verlies van gegevens)
-PurgeDeleteTemporaryFiles=Verwijder alle tijdelijke bestanden (geen risico op gegevensverlies). Opmerking: verwijdering vindt alleen plaats als de tijdelijke map 24 uur geleden is gemaakt.
-PurgeDeleteTemporaryFilesShort=Verwijder tijdelijke bestanden
-PurgeDeleteAllFilesInDocumentsDir=Verwijder alle bestanden in de map: %s . Hiermee worden alle gegenereerde documenten met betrekking tot elementen (relaties, facturen, enz ...), bestanden die zijn geüpload naar de ECM-module, database back-up dumps en tijdelijke bestanden verwijderd.
+PurgeDeleteTemporaryFiles=Verwijder alle log- en tijdelijke bestanden (geen risico op gegevensverlies). Opmerking: tijdelijke bestanden worden alleen verwijderd als de tijdelijke map meer dan 24 uur geleden is gemaakt.
+PurgeDeleteTemporaryFilesShort=Verwijder logboek en tijdelijke bestanden
+PurgeDeleteAllFilesInDocumentsDir=Verwijder alle bestanden in de map: %s . Hiermee worden alle gegenereerde documenten met betrekking tot elementen (relaties, facturen, enz ...), bestanden die zijn geüpload naar de ECM module, database back-up dumps en tijdelijke bestanden verwijderd.
PurgeRunNow=Nu opschonen
PurgeNothingToDelete=Geen directory of bestanden om te verwijderen.
PurgeNDirectoriesDeleted=%s bestanden of mappen verwijderd.
@@ -163,18 +164,18 @@ PurgeNDirectoriesFailed=Kan %sbestanden of mappen niet verwijderen.
PurgeAuditEvents=Verwijder alle beveiligingsgerelateerde gebeurtenissen
ConfirmPurgeAuditEvents=Weet u zeker dat u alle beveiligingsgerelateerde gebeurtenissen wilt verwijderen? Alle beveiligingsgerelateerde logbestanden zullen worden verwijderd. Er zullen geen andere gegevens worden verwijderd.
GenerateBackup=Genereer backup
-Backup=Backup
+Backup=Back-up
Restore=Herstellen
-RunCommandSummary=Backup geïnitieerd met het volgende commando
-BackupResult=Resultaat backup
-BackupFileSuccessfullyCreated=Backupbestand succesvol gegenereerd
+RunCommandSummary=Back-up geïnitieerd met het volgende commando
+BackupResult=Resultaat back-up
+BackupFileSuccessfullyCreated=Back-upbestand succesvol gegenereerd
YouCanDownloadBackupFile=Het gegenereerde bestand kan nu worden gedownload
NoBackupFileAvailable=Geen back-up bestanden beschikbaar.
ExportMethod=Exporteer methode
ImportMethod=Importeer methode
ToBuildBackupFileClickHere=Om een back-up bestand te maken, klik hier.
-ImportMySqlDesc=Om een MySQL-back-upbestand te importeren, kunt u phpMyAdmin gebruiken via uw hosting of de opdracht mysql gebruiken vanaf de opdrachtregel. Bijvoorbeeld:
-ImportPostgreSqlDesc=Om een backupbestand te importeren, dient u het 'pg_restore' commando vanaf de opdrachtregel uit te voeren:
+ImportMySqlDesc=Om een MySQL back-upbestand te importeren, kunt u phpMyAdmin gebruiken via uw hosting of de opdracht mysql gebruiken vanaf de opdrachtregel. Bijvoorbeeld:
+ImportPostgreSqlDesc=Om een back-upbestand te importeren, dient u het 'pg_restore' commando vanaf de opdrachtregel uit te voeren:
ImportMySqlCommand=%s %s < mijnbackupbestand.sql
ImportPostgreSqlCommand=%s %s mijnbackupbestand.sql
FileNameToGenerate=Bestandsnaam voor back-up:
@@ -194,7 +195,7 @@ AddDropTable=Voeg 'DROP TABLE' commando toe
ExportStructure=Structuur
NameColumn=Naam kolommen
ExtendedInsert=Uitgebreide (extended) INSERT
-NoLockBeforeInsert=Geen lock-opdrachten rond INSERT
+NoLockBeforeInsert=Geen lock opdrachten rond INSERT
DelayedInsert=Vertraagde (delayed) INSERT
EncodeBinariesInHexa=Codeer binaire data in hexadecimalen
IgnoreDuplicateRecords=Negeer fouten van dubbele tabelregels (INSERT negeren)
@@ -218,11 +219,11 @@ CompatibleAfterUpdate=Deze module vereist een update van uw Dolibarr %s (Min %s
SeeInMarkerPlace=Bekijk in winkel
SeeSetupOfModule=Zie setup van module%s
Updated=Bijgewerkt
-Nouveauté=Nieuwsitems
+Nouveauté=Nieuwigheid
AchatTelechargement=Kopen / Downloaden
GoModuleSetupArea=Ga naar het gedeelte Module-instellingen om een nieuwe module te implementeren/installeren: %s .
DoliStoreDesc=DoliStore, de officiële markt voor externe Dolibarr ERP / CRM modules.
-DoliPartnersDesc=Lijst met bedrijven die op maat ontwikkelde modules of functies leveren. Opmerking: aangezien Dolibarr een open source-applicatie is, moet iedereen die ervaring heeft met PHP-programmering een module moeten kunnen ontwikkelen.
+DoliPartnersDesc=Lijst met bedrijven die op maat ontwikkelde modules of functies leveren. Opmerking: aangezien Dolibarr een open source-applicatie is, moet iedereen die ervaring heeft met PHP-programmering een module kunnen ontwikkelen.
WebSiteDesc=Externe websites voor meer add-on (niet-core) modules ...
DevelopYourModuleDesc=Enkele oplossingen om uw eigen module te ontwikkelen ...
URL=URL
@@ -246,17 +247,18 @@ ProtectAndEncryptPdfFilesDesc=Bescherming van PDF files, deze kunnen nog gelezen
Feature=Functionaliteit
DolibarrLicense=Licentie
Developpers=Ontwikkelaars / mensen die bijgedragen hebben
-OfficialWebSite=Officiële Dolibarr-website
+OfficialWebSite=Officiële Dolibarr website
OfficialWebSiteLocal=Lokale website (%s)
OfficialWiki=Dolibarr documentatie / Wiki
OfficialDemo=Online demonstratie van Dolibarr
OfficialMarketPlace=Officiële markt voor externe modules / addons
OfficialWebHostingService=Verwezen web hosting diensten (Cloud hosting)
-ReferencedPreferredPartners=Preferred Partners
+ReferencedPreferredPartners=Voorkeur Partners
OtherResources=Andere middelen
ExternalResources=Externe bronnen
SocialNetworks=Sociale netwerken
-ForDocumentationSeeWiki=Documentatie voor gebruikers of ontwikkelaars kunt u inzien door te kijken op de Dolibarr Wiki-pagina's: %s
+SocialNetworkId=Sociale netwerk ID
+ForDocumentationSeeWiki=Documentatie voor gebruikers of ontwikkelaars kunt u inzien door te kijken op de Dolibarr Wiki pagina's: %s
ForAnswersSeeForum=Voor alle andere vragen / hulp, kunt u gebruik maken van het Dolibarr forum: %s
HelpCenterDesc1=Hier enkele bronnen voor hulp en ondersteuning met Dolibarr.
HelpCenterDesc2=Enkele bronnen zijn alleen beschikbaar in het Engels.
@@ -277,8 +279,8 @@ EMailsSetup=E-mail instellingen
EMailsDesc=Op deze pagina kunt u parameters of opties instellen voor het verzenden van e-mail.
EmailSenderProfiles=Verzender e-mails profielen
EMailsSenderProfileDesc=U kunt deze sectie leeg houden. Als u hier enkele e-mails invoert, worden deze toegevoegd aan de lijst met mogelijke afzenders in de combobox wanneer u een nieuwe e-mail schrijft.
-MAIN_MAIL_SMTP_PORT=SMTP / SMTPS-poort (standaardwaarde in php.ini: %s)
-MAIN_MAIL_SMTP_SERVER=SMTP / SMTPS-host (standaardwaarde in php.ini: %s)
+MAIN_MAIL_SMTP_PORT=SMTP / SMTPS-poort (standaard waarde in php.ini: %s)
+MAIN_MAIL_SMTP_SERVER=SMTP / SMTPS-host (standaard waarde in php.ini: %s)
MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=SMTP/SMTPS-poort (niet gedefinieerd in PHP op Unix-achtige systemen)
MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP/SMTPS Host (niet gedefinieerd in PHP op Unix-achtige systemen)
MAIN_MAIL_EMAIL_FROM=E-mail afzender voor automatische e-mails (standaardwaarde in php.ini: %s)
@@ -289,17 +291,17 @@ MAIN_MAIL_FORCE_SENDTO=Stuur alle e-mails naar (in plaats van echte ontvangers,
MAIN_MAIL_ENABLED_USER_DEST_SELECT=Stel e-mails van werknemers (indien gedefinieerd) voor in de lijst met vooraf gedefinieerde ontvangers bij het schrijven van een nieuwe e-mail
MAIN_MAIL_SENDMODE=E-mail verzendmethode
MAIN_MAIL_SMTPS_ID=SMTP ID (als het verzenden vanaf de server authenticatie vereist)
-MAIN_MAIL_SMTPS_PW=SMTP-wachtwoord (als het verzenden vanaf de server authenticatie vereist)
+MAIN_MAIL_SMTPS_PW=SMTP wachtwoord (als het verzenden vanaf de server authenticatie vereist)
MAIN_MAIL_EMAIL_TLS=Gebruik TLS (SSL) encryptie
MAIN_MAIL_EMAIL_STARTTLS=Gebruik TLS (STARTTLS) -codering
-MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Authorise les certificats auto-signés
-MAIN_MAIL_EMAIL_DKIM_ENABLED=Gebruik DKIM om een e-mailhandtekening te genereren
-MAIN_MAIL_EMAIL_DKIM_DOMAIN=E-maildomein voor gebruik met dkim
-MAIN_MAIL_EMAIL_DKIM_SELECTOR=Naam van dkim selector
-MAIN_MAIL_EMAIL_DKIM_PRIVATE_KEY=Persoonlijke sleutel voor dkim-ondertekening
+MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Autoriseer zelfondertekende certificaten
+MAIN_MAIL_EMAIL_DKIM_ENABLED=Gebruik DKIM om een e-mail handtekening te genereren
+MAIN_MAIL_EMAIL_DKIM_DOMAIN=E-maildomein voor gebruik met DKIM
+MAIN_MAIL_EMAIL_DKIM_SELECTOR=Naam van DKIM selector
+MAIN_MAIL_EMAIL_DKIM_PRIVATE_KEY=Persoonlijke sleutel voor DKIM ondertekening
MAIN_DISABLE_ALL_SMS=Schakel alle sms-verzending uit (voor testdoeleinden of demo's)
MAIN_SMS_SENDMODE=Methode te gebruiken om SMS te verzenden
-MAIN_MAIL_SMS_FROM=Standaard afzender telefoonnummer voor SMS-verzending
+MAIN_MAIL_SMS_FROM=Standaard afzender telefoonnummer voor SMS verzending
MAIN_MAIL_DEFAULT_FROMTYPE=Standaard afzender e-mail voor handmatig verzenden (gebruikers e-mail of bedrijf e-mail)
UserEmail=E-mailadres gebruiker
CompanyEmail=E-mailadres bedrijf
@@ -307,46 +309,46 @@ FeatureNotAvailableOnLinux=Functionaliteit niet beschikbaar op Unix-achtige syst
FixOnTransifex=Verbeter de vertaling op het online vertaalplatform van het project
SubmitTranslation=Als de vertaling voor deze taal niet compleet is of als u fouten vindt, kunt u dit corrigeren door bestanden in directory langs / %s te bewerken en uw wijziging in te dienen op www.transifex.com/dolibarr-association/dolibarr/
SubmitTranslationENUS=Als de vertaling voor deze taal niet compleet is of als je fouten tegenkomt, kun je dit corrigeren door bestanden te bewerken in de directory langs / %s en aangepaste bestanden in te dienen op dolibarr.org/forum of, als je een ontwikkelaar bent, met een PR op github .com / Dolibarr / dolibarr
-ModuleSetup=Module-instellingen
+ModuleSetup=Module instellingen
ModulesSetup=Instellingen van modules & applicatie
ModuleFamilyBase=Systeem
ModuleFamilyCrm=Customer Relationship Management (CRM)
ModuleFamilySrm=Vendor Relationship Management (VRM)
ModuleFamilyProducts=Product Management (PM)
ModuleFamilyHr=Human Resource Management (HR)
-ModuleFamilyProjects=Projecten / Samenwerkingen
+ModuleFamilyProjects=Projecten / Samenwerking
ModuleFamilyOther=Ander
-ModuleFamilyTechnic=Hulpmiddelen voor multi-modules
+ModuleFamilyTechnic=Hulpmiddelen voor multi modules
ModuleFamilyExperimental=Experimentele modules
ModuleFamilyFinancial=Financiële Modules (Boekhouding / Bedrijfsfinanciën)
ModuleFamilyECM=Electronic Content Management (ECM)
-ModuleFamilyPortal=Websites en andere frontale toepassing
+ModuleFamilyPortal=Websites en andere toepassingen met gebruikersinterface
ModuleFamilyInterface=Interfaces met externe systemen
MenuHandlers=Menuverwerkers
MenuAdmin=Menu wijzigen
DoNotUseInProduction=Niet in productie gebruiken
ThisIsProcessToFollow=Upgradeprocedure:
-ThisIsAlternativeProcessToFollow=Dit is een alternatieve setup om handmatig te verwerken:
+ThisIsAlternativeProcessToFollow=Dit is een alternatieve set-up om handmatig te verwerken:
StepNb=Stap %s
FindPackageFromWebSite=Zoek een pakket met de functies die u nodig hebt (bijvoorbeeld op de officiële website %s).
DownloadPackageFromWebSite=Downloadpakket (bijvoorbeeld van de officiële website %s).
-UnpackPackageInDolibarrRoot=Pak de ingepakte bestanden uit in uw Dolibarr-servermap: %s
-UnpackPackageInModulesRoot=Om een externe module te implementeren / installeren, moet u de verpakte bestanden uitpakken in de servermap voor externe modules: %s
-SetupIsReadyForUse=Module-implementatie is voltooid. U moet de module in uw toepassing echter inschakelen en instellen door naar de pagina-instellingsmodules te gaan: %s.
+UnpackPackageInDolibarrRoot=Pak de ingepakte bestanden uit in uw Dolibarr servermap: %s
+UnpackPackageInModulesRoot=Om een externe module te implementeren / installeren, moet u de gezipte bestanden uitpakken in de servermap voor externe modules: %s
+SetupIsReadyForUse=Module-implementatie is voltooid. U moet de module in uw toepassing echter inschakelen en configureren door naar de pagina Instellingen / modules te gaan: %s.
NotExistsDirect=De alternatieve hoofdmap is niet gedefinieerd in een bestaande map.
InfDirAlt=Vanaf versie 3 is het mogelijk om een alternatieve root directory te definiëren. Dit stelt je in staat om op dezelfde plaats zowel plug-ins als eigen templates te bewaren. Maak gewoon een directory op het niveau van de root van Dolibarr (bv met de naam: aanpassing).
-InfDirExample= Leg dit vast in het bestand conf.php $dolibarr_main_url_root_alt='/custom' $dolibarr_main_document_root_alt='/path/of/dolibarr/htdocs/custom' Als deze lijnen zijn inactief gemaakt met een "#" teken, verwijder dit teken dan om ze te activeren.
-YouCanSubmitFile=U kunt het .zip-bestand van het modulepakket vanaf hier uploaden:
+InfDirExample= Leg dit vast in het bestand conf.php $dolibarr_main_url_root_alt='/custom' $dolibarr_main_document_root_alt='/path/of/dolibarr/htdocs/custom' Als deze regels inactief zijn gemaakt met een "#" teken, verwijder dit teken dan om ze te activeren.
+YouCanSubmitFile=U kunt het .zip bestand van het modulepakket vanaf hier uploaden:
CurrentVersion=Huidige versie van Dolibarr
CallUpdatePage=Blader naar de pagina die de databasestructuur en gegevens bijwerkt: %s.
LastStableVersion=Laatste stabiele versie
LastActivationDate=Laatste activeringsdatum
LastActivationAuthor=Laatste activeringsauteur
-LastActivationIP=Laatste activerings-IP
+LastActivationIP=Laatste activering IP-adres
UpdateServerOffline=Updateserver offline
WithCounter=Beheer een teller
GenericMaskCodes=U kunt elk gewenst maskernummer invoeren. In dit masker, kunnen de volgende tags worden gebruikt: {000000} correspondeert met een nummer welke vermeerderd zal worden op elke %s. Voer zoveel nullen in als de gewenste lengte van de teller. De teller wordt aangevuld met nullen vanaf links zodat er zoveel nullen zijn als in het masker. {000000+000} hetzelfde als voorgaand maar een offset corresponderend met het nummer aan de rechterkant van het + teken is toegevoegd startend op de eerste %s. {000000@x} hetzelfde als voorgaande maar de teller wordt gereset naar nul, wanneer maand x is bereikt (x tussen 1 en 12). Als deze optie is gebruikt en x is 2 of hoger, dan is de volgorde {yy}{mm} of {yyyy}{mm} ook vereist. {dd} dag (01 t/m 31). {mm} maand (01 t/m 12). {yy}, {yyyy} of {y} jaat over 2, 4 of 1 nummer(s).
-GenericMaskCodes2={cccc}de clientcode op n tekens {cccc000} de cliëntcode op n tekens wordt gevolgd door een teller die is toegewezen aan de klant. Deze teller voor de klant wordt op hetzelfde moment gereset als de globale teller. {tttt} De code van het type van derden op n tekens (zie menu Home - Setup - Woordenboek - Soorten derden) . Als u deze label toevoegt, is de teller anders voor elk type derde partij.
+GenericMaskCodes2={cccc}de cliëntcode op n tekens {cccc000} de cliëntcode op n tekens wordt gevolgd door een teller die is toegewezen aan de klant. Deze teller voor de klant wordt op hetzelfde moment gereset als de globale teller. {tttt} De code van het type van derden op n tekens (zie menu Home - Set-up - Woordenboek - Soorten derden) . Als u deze label toevoegt, is de teller anders voor elk type derde partij.
GenericMaskCodes3=Alle andere karakters in het masker zullen intact blijven. Spaties zijn niet toegestaan.
GenericMaskCodes4a=Voorbeeld op de 99e %s van relaties TheCompany, met datum 2007-01-31:
GenericMaskCodes4b=Voorbeeld van een Klant gecreëerd op 2007-03-01:
@@ -360,23 +362,23 @@ DoTestSend=Test verzenden
DoTestSendHTML=Test het verzenden van HTML
ErrorCantUseRazIfNoYearInMask=Fout, kan optie @ niet gebruiken om teller te resetten als sequence {yy} or {yyyy} niet in het masker.
ErrorCantUseRazInStartedYearIfNoYearMonthInMask=Fout, kan optie @ niet gebruiken wanneer de volgorde {jj}{mm} of {jjjj}{mm} niet is opgenomen in het masker.
-UMask=Umask parameter voor nieuwe bestanden op een Unix- / Linux- / BSD-bestandssysteem.
-UMaskExplanation=Deze parameter laat u de rechten bepalen welke standaard zijn ingesteld voor de bestanden aangemaakt door Dolibarr op de server (tijdens het uploaden, bijvoorbeeld). Het moet de octale waarde zijn (bijvoorbeeld, 0666 betekent lezen en schrijven voor iedereen). Deze parameter wordt NIET op een windows-server gebruikt
-SeeWikiForAllTeam=Kijk op de Wiki-pagina voor een lijst met bijdragers en hun organisatie
-UseACacheDelay= Ingestelde vertraging voor de cacheexport in secondes (0 of leeg voor geen cache)
-DisableLinkToHelpCenter=Verberg de link "ondersteuning of hulp nodig" op de inlogpagina
+UMask=Umask parameter voor nieuwe bestanden op een Unix- / Linux- / BSD bestandssysteem.
+UMaskExplanation=Deze parameter laat u de rechten bepalen welke standaard zijn ingesteld voor de bestanden aangemaakt door Dolibarr op de server (tijdens het uploaden, bijvoorbeeld). Het moet de octale waarde zijn (bijvoorbeeld, 0666 betekent lezen en schrijven voor iedereen). Deze parameter wordt NIET op een Windows server gebruikt
+SeeWikiForAllTeam=Kijk op de Wiki pagina voor een lijst met bijdragers en hun organisatie
+UseACacheDelay= Ingestelde vertraging voor de cache export in secondes (0 of leeg voor geen cache)
+DisableLinkToHelpCenter=Verberg de link "Ondersteuning of hulp nodig" op de inlogpagina
DisableLinkToHelp=Verberg de link naar online hulp "%s"
-AddCRIfTooLong=Er is geen automatische tekstterugloop, tekst die te lang is, wordt niet weergegeven in documenten. Voeg zo nodig carriage returns toe in het tekstgebied.
-ConfirmPurge=Weet u zeker dat u deze zuivering wilt uitvoeren? Hiermee worden al uw gegevensbestanden permanent verwijderd zonder dat ze worden teruggezet (ECM-bestanden, bijgevoegde bestanden ...).
+AddCRIfTooLong=Er is geen automatische tekst terugloop, tekst die te lang is, wordt niet weergegeven in documenten. Voeg zo nodig carriage returns toe in het tekstgebied.
+ConfirmPurge=Weet u zeker dat u deze opschoning wilt uitvoeren? Hiermee worden al uw gegevensbestanden permanent verwijderd zonder dat ze worden teruggezet (ECM-bestanden, bijgevoegde bestanden ...).
MinLength=Minimale lengte
LanguageFilesCachedIntoShmopSharedMemory=Bestanden .lang in het gedeelde geheugen
LanguageFile=Taalbestand
ExamplesWithCurrentSetup=Voorbeelden met huidige configuratie
-ListOfDirectories=Lijst van OpenDocument sjablonenmappen
-ListOfDirectoriesForModelGenODT=Lijst van de directorie's die de templates bevatten in OpenDocument formaat.
Plaats hier het volledige pad van de directorie. Voeg een nieuwe lijn tussen elke directorie. Om een directorie van de GED module bij te voegen, voeg hier DOL_DATA_ROOT/ecm/yourdirectoryname toe.
Bestanden in deze directorie's moeten eindigen op .odt of .ods.
-NumberOfModelFilesFound=Aantal gevonden ODT/ODS-sjabloonbestanden
-ExampleOfDirectoriesForModelGen=Voorbeelden van de syntaxis: c:\\mijndir /home/mijndir DOL_DATA_ROOT/ECM/ecmdir
-FollowingSubstitutionKeysCanBeUsed=Door het plaatsen van de volgende velden in het sjabloon krijgt u een vervanging met de aangepaste waarde bij het genereren van het document:
+ListOfDirectories=Lijst van OpenDocument sjabloonmappen
+ListOfDirectoriesForModelGenODT=Lijst van de directory's die de templates bevatten in OpenDocument formaat.
Plaats hier het volledige pad van de directory. Voeg een nieuwe lijn tussen elke directory. Om een directory van de GED module bij te voegen, voeg hier DOL_DATA_ROOT/ecm/yourdirectoryname toe.
Bestanden in deze directory's moeten eindigen op .odt of .ods.
+NumberOfModelFilesFound=Aantal gevonden ODT/ODS sjabloonbestanden
+ExampleOfDirectoriesForModelGen=Syntax-voorbeeld: c: \\ myapp \\ mydocumentdir \\ mysubdir / home / myapp / mydocumentdir / mysubdir DOL_DATA_ROOT / ecm / ecmdir
+FollowingSubstitutionKeysCanBeUsed=Lees de Wiki documentatie om te weten hoe u uw odt documentsjablonen moet maken voordat u ze in die mappen opslaat
FullListOnOnlineDocumentation=De complete lijst met beschikbare velden is te vinden in de gebruikersdocumentatie op de Wiki van Dolibar: http://wiki.dolibarr.org.
FirstnameNamePosition=Positie van voornaam / achternaam
DescWeather=De volgende afbeeldingen worden op het dashboard weergegeven wanneer het aantal late acties de volgende waarden bereiken:
@@ -389,28 +391,28 @@ ResponseTimeout=Time-out antwoord
SmsTestMessage=Testbericht van __PHONEFROM__ naar __PHONETO__
ModuleMustBeEnabledFirst=Module %s moet eerst worden ingeschakeld als je deze functie wilt gebruiken.
SecurityToken=Sleutel tot URL beveiligen
-NoSmsEngine=Geen SMS-afzende-rbeheerder beschikbaar. Een SMS-afzenderbeheer is niet geïnstalleerd met de standaarddistributie omdat deze afhankelijk zijn van een externe leverancier, maar u kunt er enkele vinden op %s
+NoSmsEngine=Geen SMS afzender beheerder beschikbaar. Een SMS afzender beheerder is niet geïnstalleerd met de standaarddistributie omdat deze afhankelijk zijn van een externe leverancier, maar u kunt er enkele vinden op %s
PDF=PDF
PDFDesc=Algemene opties voor het genereren van PDF's
PDFAddressForging=Regels voor adres sectie
-HideAnyVATInformationOnPDF=Verberg alle informatie met betrekking tot omzetbelasting / BTW
-PDFRulesForSalesTax=Regels voor omzet-belasting/btw
+HideAnyVATInformationOnPDF=Verberg alle informatie met betrekking tot omzetbelasting / Btw
+PDFRulesForSalesTax=Regels voor omzet-belasting/Btw
PDFLocaltax=Regels voor %s
-HideLocalTaxOnPDF=Verberg het %s-tarief in de kolom Verkoopbelasting / btw
+HideLocalTaxOnPDF=Verberg het %s-tarief in de kolom Verkoopbelasting / Btw
HideDescOnPDF=Verberg productomschrijving
HideRefOnPDF=Verberg productreferentie
HideDetailsOnPDF=Verberg productdetails
PlaceCustomerAddressToIsoLocation=Gebruik de Franse standaardpositie (La Poste) als positie van het klant-adres
Library=Bibliotheek
-UrlGenerationParameters=Parameters om URL beveiligen
-SecurityTokenIsUnique=Gebruik een unieke securekey parameter voor elke URL
+UrlGenerationParameters=Parameters om URL's te beveiligen
+SecurityTokenIsUnique=Gebruik een unieke secure key parameter voor elke URL
EnterRefToBuildUrl=Geef referentie voor object %s
-GetSecuredUrl=Get berekende URL
-ButtonHideUnauthorized=Verberg de knoppen voor niet-beheerders bij ongeoorloofde acties in plaats van grijs gekleurde, uitgeschakelde knoppen
-OldVATRates=Oud BTW tarief
-NewVATRates=Nieuw BTW tarief
-PriceBaseTypeToChange=Wijzig op prijzen waarop een base reference waarde gedefiniëerd is
-MassConvert=Start conversie
+GetSecuredUrl=Verkrijg berekende URL
+ButtonHideUnauthorized=Verberg ongeautoriseerde actieknoppen ook voor interne gebruikers (anders alleen grijs)
+OldVATRates=Oud Btw tarief
+NewVATRates=Nieuw Btw tarief
+PriceBaseTypeToChange=Wijzig op prijzen waarop een basis referentie waarde gedefinieerd is
+MassConvert=Start bulk conversie
PriceFormatInCurrentLanguage=Prijsindeling in huidige taal
String=String
String1Line=String (1 regel)
@@ -420,7 +422,7 @@ HtmlText=HTML-tekst
Int=Integer
Float=Float
DateAndTime=Datum en uur
-Unique=Unique
+Unique=Uniek
Boolean=Boolean (één checkbox)
ExtrafieldPhone = Telefoon
ExtrafieldPrice = Prijs
@@ -435,16 +437,16 @@ ExtrafieldCheckBox=Checkboxen
ExtrafieldCheckBoxFromList=Checkboxen uit tabel
ExtrafieldLink=Link naar een object
ComputedFormula=Berekend veld
-ComputedFormulaDesc=U kunt hier een formule invoeren met andere eigenschappen van het object of een PHP-codering om een dynamisch berekende waarde te krijgen. U kunt alle PHP-compatibele formules gebruiken, inclusief de "?" condition operator en volgend globaal object: $ db, $ conf, $ langs, $ mysoc, $ user, $ object . WAARSCHUWING : Mogelijk zijn slechts enkele eigenschappen van $ object beschikbaar. Als je eigenschappen nodig hebt die niet zijn geladen, haal dan gewoon het object in je formule zoals in het tweede voorbeeld. Als u een berekend veld gebruikt, betekent dit dat u geen enkele waarde uit de interface kunt invoeren. Als er een syntaxisfout is, retourneert de formule mogelijk ook niets.
Voorbeeld van formule: $ object-> id < 10 ? round($object-> id / 2, 2): ($ object-> id + 2 * $ user-> id) * (int) substr ($ mysoc-> zip, 1, 2 )
Ander voorbeeld van formule om het laden van een object en het bovenliggende object te forceren: (($ reloadedbj0) )) && ($ reloadedobj-> fetchNoCompute ($ object-> id)> 0) && ($ secondloadedobj = nieuw project ($ db)) && ($ secondloadedobj-> fetchNoCompute ($ reloadedobj-> fk_project)> 0))? $ secondloadedobj-> ref: 'Parent project not found'
+ComputedFormulaDesc=U kunt hier een formule invoeren met andere eigenschappen van het object of een PHP-codering om een dynamisch berekende waarde te krijgen. U kunt alle PHP compatibele formules gebruiken, inclusief de "?" condition operator en volgend globaal object: $ db, $ conf, $ langs, $ mysoc, $ user, $ object . WAARSCHUWING : Mogelijk zijn slechts enkele eigenschappen van $ object beschikbaar. Als je eigenschappen nodig hebt die niet zijn geladen, haal dan gewoon het object in je formule zoals in het tweede voorbeeld. Als u een berekend veld gebruikt, betekent dit dat u geen enkele waarde uit de interface kunt invoeren. Als er een syntaxisfout is, retourneert de formule mogelijk ook niets.
Voorbeeld van formule: $ object-> id < 10 ? round($object-> id / 2, 2): ($ object-> id + 2 * $ user-> id) * (int) substr ($ mysoc-> zip, 1, 2 )
Ander voorbeeld van formule om het laden van een object en het bovenliggende object te forceren: (($ reloadedbj0) )) && ($ reloadedobj-> fetchNoCompute ($ object-> id)> 0) && ($ secondloadedobj = nieuw project ($ db)) && ($ secondloadedobj-> fetchNoCompute ($ reloadedobj-> fk_project)> 0))? $ secondloadedobj-> ref: 'Parent project not found'
Computedpersistent=Berekend veld opslaan
ComputedpersistentDesc=Berekende extra velden worden opgeslagen in de database, maar de waarde wordt alleen opnieuw berekend als het object van dit veld wordt gewijzigd. Als het berekende veld afhankelijk is van andere objecten of algemene gegevens, kan deze waarde onjuist zijn !!
ExtrafieldParamHelpPassword=Dit veld leeg laten betekent dat deze waarde zonder codering wordt opgeslagen (veld mag alleen worden verborgen met een ster op het scherm). Stel 'auto' in om de standaard coderingsregel te gebruiken om het wachtwoord in de database op te slaan (waarde lezen is dan alleen de hash, geen manier om de oorspronkelijke waarde op te halen)
-ExtrafieldParamHelpselect=Waardenlijst moet regels zijn met opmaaksleutel, waarde (waar sleutel niet '0' kan zijn)
Om de lijst afhankelijk van een andere aanvullende attributenlijst te krijgen: 1, waarde1 | options_ parent_list_code : parent_key 2, value2 | options_ parent_list_code : parent_key
Om de lijst afhankelijk van een andere lijst te krijgen: 1, waarde1 | parent_list_code : parent_key 2, waarde2 | parent_list_code : parent_key
-ExtrafieldParamHelpcheckbox=Waardenlijst moet regels zijn met opmaaksleutel, waarde (waar sleutel niet '0' kan zijn)
bijvoorbeeld: 1, waarde1 2, value2 3, waarde3 ...
-ExtrafieldParamHelpradio=Waardenlijst moet regels zijn met opmaaksleutel, waarde (waar sleutel niet '0' kan zijn)
bijvoorbeeld: 1, waarde1 2, value2 3, waarde3 ...
-ExtrafieldParamHelpsellist=List of values comes from a table Syntax: table_name:label_field:id_field::filter Example: c_typent:libelle:id::filter
- id_field is necessarly a primary int key - filter can be a simple test (eg active=1) to display only active value You can also use $ID$ in filter which is the current id of current object To use a SELECT into the filter use the keyword $SEL$ to bypass anti-injection protection. if you want to filter on extrafields use syntax extra.fieldcode=... (where field code is the code of extrafield)
In order to have the list depending on another complementary attribute list: c_typent:libelle:id:options_parent_list_code|parent_column:filter
In order to have the list depending on another list: c_typent:libelle:id:parent_list_code|parent_column:filter
+ExtrafieldParamHelpselect=Lijst met waarden moeten regels zijn met opmaaksleutel, waarde (waar sleutel niet '0' kan zijn)
Om de lijst afhankelijk van een andere aanvullende attributenlijst te krijgen: 1, waarde1 | options_ parent_list_code : parent_key 2, value2 | options_ parent_list_code : parent_key
Om de lijst afhankelijk van een andere lijst te krijgen: 1, waarde1 | parent_list_code : parent_key 2, waarde2 | parent_list_code : parent_key
+ExtrafieldParamHelpcheckbox=Lijst met waarden moeten regels zijn met opmaaksleutel, waarde (waar sleutel niet '0' kan zijn)
bijvoorbeeld: 1, waarde1 2, value2 3, waarde3 ...
+ExtrafieldParamHelpradio=Lijst met waarden moeten regels zijn met opmaaksleutel, waarde (waar sleutel niet '0' kan zijn)
bijvoorbeeld: 1, waarde1 2, value2 3, waarde3 ...
+ExtrafieldParamHelpsellist=Lijst met waarden komen van een tabel Syntax: table_name:label_field:id_field::filter Bijvoorbeeld: c_typent:libelle:id::filter
- id_field is necessarly a primary int key - filter can be a simple test (eg active=1) to display only active value You can also use $ID$ in filter which is the current id of current object To use a SELECT into the filter use the keyword $SEL$ to bypass anti-injection protection. if you want to filter on extrafields use syntax extra.fieldcode=... (where field code is the code of extrafield)
In order to have the list depending on another complementary attribute list: c_typent:libelle:id:options_parent_list_code|parent_column:filter
In order to have the list depending on another list: c_typent:libelle:id:parent_list_code|parent_column:filter
ExtrafieldParamHelpchkbxlst=Lijst met waarden komt uit een tabel Syntaxis: tabelnaam: labelveld: id_veld :: filter Voorbeeld: c_typent: libelle: id :: filter
filter kan een eenvoudige test zijn (bijv. actief = 1) om alleen de actieve waarde weer te geven U kunt ook $ ID $ gebruiken in filter waarvan de huidige id van het huidige object is Gebruik $ SEL $ om een SELECT in filter te doen Als u op extra velden wilt filteren, gebruikt u syntaxis extra.fieldcode = ... (waarbij veldcode de code van extraveld is)
Om de lijst afhankelijk van een andere aanvullende attributenlijst te krijgen: c_typent: libelle: id: options_ parent_list_code | parent_column: filter
Om de lijst afhankelijk van een andere lijst te krijgen: c_typent: libelle: id: parent_list_code | parent_column: filter
-ExtrafieldParamHelplink=Parameters must be ObjectName:Classpath Syntax: ObjectName:Classpath
+ExtrafieldParamHelplink=Parameters moeten Objectnaam: Classpath Syntax: ObjectName:Classpath
ExtrafieldParamHelpSeparator=Blijf leeg voor een eenvoudig scheidingsteken Stel dit in op 1 voor een samenvouwend scheidingsteken (standaard geopend voor nieuwe sessie, dan wordt de status behouden voor elke gebruikerssessie) Stel dit in op 2 voor een samenvouwend scheidingsteken (standaard samengevouwen voor nieuwe sessie, dan wordt de status behouden voor elke gebruikerssessie)
LibraryToBuildPDF=Gebruikte library voor generen PDF
LocalTaxDesc=Sommige landen kunnen twee of drie belastingen toepassen op elke factuurregel. Als dit het geval is, kiest u het type voor de tweede en derde belasting en het tarief. Mogelijk type zijn: 1: lokale belasting van toepassing op producten en diensten zonder btw (lokale belasting wordt berekend op bedrag zonder btw) 2: lokale belasting van toepassing op producten en diensten inclusief btw (lokale belasting wordt berekend op bedrag + hoofdbelasting) 3: lokale belasting van toepassing op producten zonder btw (lokale belasting wordt berekend op bedrag zonder btw) 4: lokale belasting van toepassing op producten inclusief btw (lokale belasting wordt berekend op bedrag + hoofd btw) 5: lokale belasting van toepassing op diensten zonder btw (lokale belasting wordt berekend op bedrag zonder btw) 6: lokale belasting van toepassing op diensten inclusief btw (lokale belasting wordt berekend op bedrag + belasting)
@@ -554,9 +556,9 @@ Module54Desc=Beheer van contracten (diensten of terugkerende abonnementen)
Module55Name=Streepjescodes
Module55Desc=Streepjescodesbeheer
Module56Name=Betaling via overschrijving
-Module56Desc=Management of payment of suppliers by Credit Transfer orders. It includes generation of SEPA file for European countries.
+Module56Desc=Beheer van de betaling van leveranciers door middel van overboekingsopdrachten. Het omvat het genereren van SEPA-bestanden voor Europese landen.
Module57Name=Betalingen via automatische incasso
-Module57Desc=Management of Direct Debit orders. It includes generation of SEPA file for European countries.
+Module57Desc=Beheer van incasso-opdrachten. Het omvat het genereren van SEPA-bestanden voor Europese landen.
Module58Name=ClickToDial
Module58Desc=Integratie van een 'ClickToDial' systeem (Asterisk, etc)
Module60Name=stickers
@@ -662,7 +664,7 @@ Module50200Desc=Bied klanten een PayPal-online betaalpagina (PayPal-account of c
Module50300Name=Stripe
Module50300Desc=Bied klanten een Stripe online betaalpagina (credit / debit cards). Dit kan worden gebruikt om uw klanten toe te staan ad-hocbetalingen te doen of betalingen gerelateerd aan een specifiek Dolibarr-object (factuur, bestelling, enz ...)
Module50400Name=Boekhouding (dubbele invoer)
-Module50400Desc=Accounting management (double entries, support General and Subsidiary Ledgers). Export the ledger in several other accounting software formats.
+Module50400Desc=Boekhoudkundig beheer (dubbele boekingen, ondersteuning van algemene en dochterondernemingen). Exporteer het grootboek in verschillende andere boekhoudsoftware-indelingen.
Module54000Name=PrintIPP
Module54000Desc=Direct afdrukken (zonder de documenten te openen) met behulp van Cups IPP-interface (printer moet zichtbaar zijn vanaf de server en CUPS moet op de server zijn geïnstalleerd).
Module55000Name=Poll, Onderzoek of Stemmen
@@ -854,16 +856,16 @@ Permission538=Diensten exporteren
Permission561=Inlezen betalingsopdrachten via overschrijving
Permission562=Betaalopdracht aanmaken/wijzigen via overschrijving
Permission563=Betaalopdracht verzenden
-Permission564=Record Debits/Rejections of credit transfer
+Permission564=Vastleggen verwerkingen/weigeringen van overboekingen
Permission601=Lees stickers
Permission602=Stickers maken/wijzigen
Permission609=Verwijder etiketten
Permission650=Lees stuklijsten
Permission651=Materiaalrekeningen maken / bijwerken
Permission652=Materiaalrekeningen verwijderen
-Permission660=Read Manufacturing Order (MO)
-Permission661=Create/Update Manufacturing Order (MO)
-Permission662=Delete Manufacturing Order (MO)
+Permission660=Lees productieorder (MO)
+Permission661=Aanmaken/bijwerken productieorder (MO)
+Permission662=Verwijder productieorder (MO)
Permission701=Bekijk donaties
Permission702=Creëren / wijzigen donaties
Permission703=Verwijderen donaties
@@ -873,8 +875,8 @@ Permission773=Verwijderen onkostennota's
Permission774=Lees alle onkostennota's (ook voor de gebruiker niet ondergeschikten)
Permission775=Goedkeuren onkostennota's
Permission776=Betalen onkostennota's
-Permission777=Read expense reports of everybody
-Permission778=Create/modify expense reports of everybody
+Permission777=Lees onkostendeclaraties van iedereen
+Permission778=Aanmaken/wijzigen onkostendeclaraties van iedereen
Permission779=Export onkostennota's
Permission1001=Bekijk voorraden
Permission1002=Toevoegen/wijzigen van een magazijn
@@ -899,9 +901,9 @@ Permission1185=Aankooporders goedkeuren
Permission1186=Verwerk inkooporders
Permission1187=Bevestig de ontvangst van inkooporders
Permission1188=Bestellingen verwijderen
-Permission1189=Check/Uncheck a purchase order reception
+Permission1189=Vink de ontvangst van een inkooporder aan / uit
Permission1190=Goedkeuren (tweede goedkeuring) inkooporders
-Permission1191=Export supplier orders and their attributes
+Permission1191=Exporteer bestellingen van leveranciers en hun attributen
Permission1201=Geef het resultaat van een uitvoervergunning
Permission1202=Creëren/wijzigen een uitvoervergunning
Permission1231=Lees leveranciersfacturen
@@ -955,8 +957,8 @@ Permission50101=Gebruik kassaonderdeel (SimplePOS)
Permission50151=Gebruik verkooppunt (TakePOS)
Permission50201=Lees transacties
Permission50202=Importeer transacties
-Permission50330=Read objects of Zapier
-Permission50331=Create/Update objects of Zapier
+Permission50330=Lees objecten van Zapier
+Permission50331=Maak/update objecten van Zapier
Permission50332=Verwijder objecten van Zapier
Permission50401=Bind producten en facturen met boekhoudrekeningen
Permission50411=Bewerkingen lezen in grootboek
@@ -986,15 +988,15 @@ Permission67000=Printen kassabon toestaan
Permission68001=Lees intracomm rapport
Permission68002=Intracomm-rapport maken/wijzigen
Permission68004=Intracomm-rapport verwijderen
-Permission941601=Read receipts
+Permission941601=Bonnen inlezen
Permission941602=Bonnen aanmaken en wijzigen
-Permission941603=Validate receipts
-Permission941604=Send receipts by email
-Permission941605=Export receipts
-Permission941606=Delete receipts
+Permission941603=Bonnen valideren
+Permission941604=Verzend bonnen per e-mail
+Permission941605=Bonnen exporteren
+Permission941606=Verwijder bonnen
DictionaryCompanyType=Relatietype
DictionaryCompanyJuridicalType=Externe rechtspersonen
-DictionaryProspectLevel=Prospect potential level for companies
+DictionaryProspectLevel=Potentieel niveau voor bedrijven
DictionaryProspectContactLevel=Prospect potentieel niveau voor contacten
DictionaryCanton=Staten / Provincies
DictionaryRegion=Regio
@@ -1025,14 +1027,14 @@ DictionaryEMailTemplates=E-mailsjablonen
DictionaryUnits=Eenheden
DictionaryMeasuringUnits=Meeteenheden
DictionarySocialNetworks=Sociale netwerken
-DictionaryProspectStatus=Prospect status for companies
+DictionaryProspectStatus=Prospectstatus van bedrijven
DictionaryProspectContactStatus=Prospect-status voor contacten
DictionaryHolidayTypes=Soorten verlof
DictionaryOpportunityStatus=Leadstatus voor project / lead
DictionaryExpenseTaxCat=Onkostenoverzicht - Vervoerscategorieën
DictionaryExpenseTaxRange=Onkostenoverzicht - bereik per transportcategorie
-DictionaryTransportMode=Intracomm report - Transport mode
-TypeOfUnit=Type of unit
+DictionaryTransportMode=Intracomm rapport - Transportmodus
+TypeOfUnit=Type eenheid
SetupSaved=Instellingen opgeslagen
SetupNotSaved=Installatie niet opgeslagen
BackToModuleList=Terug naar modulelijst
@@ -1083,7 +1085,7 @@ LabelUsedByDefault=Standaard te gebruiken label indien er geen vertaling kan wor
LabelOnDocuments=Etiket op documenten
LabelOrTranslationKey=Label- of vertaalsleutel
ValueOfConstantKey=Waarde van een configuratieconstante
-ConstantIsOn=Option %s is on
+ConstantIsOn=Optie %s is ingeschakeld
NbOfDays=Aantal dagen
AtEndOfMonth=Aan het einde van de maand
CurrentNext=Huidige/volgende
@@ -1128,7 +1130,7 @@ LoginPage=Inlogpagina
BackgroundImageLogin=Achtergrond afbeelding
PermanentLeftSearchForm=Permanent zoekformulier in linker menu
DefaultLanguage=Standaard taal
-EnableMultilangInterface=Enable multilanguage support for customer or vendor relationships
+EnableMultilangInterface=Schakel meertalige ondersteuning in voor klant- of leveranciersrelaties
EnableShowLogo=Toon het bedrijfslogo in het menu
CompanyInfo=Bedrijf/Organisatie
CompanyIds=Bedrijfs-/organisatie-identiteiten
@@ -1182,7 +1184,7 @@ InfoWebServer=Over Web Server
InfoDatabase=Over Database
InfoPHP=Over PHP
InfoPerf=Over Prestaties
-InfoSecurity=About Security
+InfoSecurity=Over beveiliging
BrowserName=Browser naam
BrowserOS=Browser OS
ListOfSecurityEvents=Lijst van Dolibarr veiligheidgebeurtenisen
@@ -1233,7 +1235,7 @@ RestoreDesc2=Herstel het back-upbestand (zip-bestand bijvoorbeeld) van de map &q
RestoreDesc3=Herstel de databasestructuur en gegevens van een back-up dumpbestand in de database van de nieuwe Dolibarr-installatie of in de database van deze huidige installatie ( %s ). Waarschuwing, zodra het herstel is voltooid, moet u een login / wachtwoord gebruiken dat bestond uit de back-uptijd / installatie om opnieuw verbinding te maken. Om een back-updatabase te herstellen in deze huidige installatie, kunt u deze assistent volgen.
RestoreMySQL=MySQL import
ForcedToByAModule=Geforceerd tot %s door een geactiveerde module
-ValueIsForcedBySystem=This value is forced by the system. You can't change it.
+ValueIsForcedBySystem=Vaste waarde door het systeem. U kunt deze niet aanpassen.
PreviousDumpFiles=Bestaande back-upbestanden
PreviousArchiveFiles=Bestaande archiefbestanden
WeekStartOnDay=Eerste dag van de week
@@ -1314,7 +1316,7 @@ PHPModuleLoaded=PHP component %s is geladen
PreloadOPCode=Voorgeladen OPCode wordt gebruikt
AddRefInList=Weergave klant/leverancier ref. infolijst (selecteer lijst of combobox) en de meeste hyperlinks. Derden zullen verschijnen met een naamnotatie van "CC12345 - SC45678 - The Big Company corp." in plaats van "The Big Company corp".
AddAdressInList=Toon klant / leverancier adres infolijst (selecteer lijst of combobox) Derden zullen verschijnen met een naamnotatie van "The Big Company corp. - 21 jump street 123456 Big town - USA" in plaats van "The Big Company corp".
-AddEmailPhoneTownInContactList=Display Contact email (or phones if not defined) and town info list (select list or combobox) Contacts will appear with a name format of "Dupond Durand - dupond.durand@email.com - Paris" or "Dupond Durand - 06 07 59 65 66 - Paris" instead of "Dupond Durand".
+AddEmailPhoneTownInContactList=E-mailadres van contactpersoon (of telefoons indien niet gedefinieerd) en stadsinfo-lijst (selecteer lijst of combobox) weergeven Contacten worden weergegeven met de naamindeling "Dupond Durand - dupond.durand@email.com - Parijs" of "Dupond Durand - 06 07 59 65 66 - Paris "in plaats van" Dupond Durand ".
AskForPreferredShippingMethod=Vraag de gewenste verzendmethode voor derden.
FieldEdition=Wijziging van het veld %s
FillThisOnlyIfRequired=Voorbeeld: +2 (alleen invullen als tijdzone offset problemen worden ervaren)
@@ -1322,7 +1324,7 @@ GetBarCode=Haal barcode
NumberingModules=Nummeringsmodellen
DocumentModules=Documentmodellen
##### Module password generation
-PasswordGenerationStandard=Return a password generated according to internal Dolibarr algorithm: %s characters containing shared numbers and characters in lowercase.
+PasswordGenerationStandard=Retourneer een wachtwoord dat is gegenereerd volgens het interne Dolibarr-algoritme: %s-tekens met gedeelde cijfers en tekens in kleine letters.
PasswordGenerationNone=Stel geen gegenereerd wachtwoord voor. Wachtwoord moet handmatig worden ingevoerd.
PasswordGenerationPerso=Retourneer een wachtwoord volgens uw persoonlijk gedefinieerde configuratie.
SetupPerso=Volgens uw configuratie
@@ -1421,7 +1423,7 @@ AdherentMailRequired=E-mail vereist om een nieuw lid te maken
MemberSendInformationByMailByDefault=Vinkvakje om een bevestigingse-mail te sturen naar leden (validatie van nieuwe abonnementen). Staat standaard aan.
VisitorCanChooseItsPaymentMode=Bezoeker kan kiezen uit beschikbare betalingsmodi
MEMBER_REMINDER_EMAIL=Automatische herinnering per e-mail inschakelen voor verlopen abonnementen. Opmerking: Module %s moet zijn ingeschakeld en correct zijn ingesteld om herinneringen te verzenden.
-MembersDocModules=Document templates for documents generated from member record
+MembersDocModules=Documentsjablonen voor documenten die zijn gegenereerd op basis van een ledenrecord
##### LDAP setup #####
LDAPSetup=LDAP-instellingen
LDAPGlobalParameters=Algemene instellingen
@@ -1565,8 +1567,8 @@ ForANonAnonymousAccess=Voor een geautoriseerde verbinding (bijvoorbeeld om over
PerfDolibarr=Prestaties setup / optimaliseren rapport
YouMayFindPerfAdviceHere=Deze pagina biedt enkele controles of advies met betrekking tot prestaties.
NotInstalled=Niet geïnstalleerd.
-NotSlowedDownByThis=Not slowed down by this.
-NotRiskOfLeakWithThis=Not risk of leak with this.
+NotSlowedDownByThis=Hierdoor niet vertraagd.
+NotRiskOfLeakWithThis=Hiermee geen risico op lekken.
ApplicativeCache=Applicatieve cache
MemcachedNotAvailable=Geen applicatieve cache gevonden. U kunt de prestaties verbeteren door een cacheserver Memcached te installeren en een module die deze cacheserver kan gebruiken. Meer informatie hier http://wiki.dolibarr.org/index.php/Module_MemCached_EN . Merk op dat veel webhostingproviders dergelijke cacheserver niet bieden.
MemcachedModuleAvailableButNotSetup=Module in memcache voor applicatieve cache gevonden, maar installatie van module is niet voltooid.
@@ -1614,9 +1616,9 @@ SyslogLevel=Level
SyslogFilename=Bestandsnaam en -pad
YouCanUseDOL_DATA_ROOT=U kunt DOL_DATA_ROOT/dolibarr.log gebruiken voor een logbestand in de Dolibarr "documenten"-map. U kunt ook een ander pad gebruiken om dit bestand op te slaan.
ErrorUnknownSyslogConstant=Constante %s is geen bekende 'syslog' constante
-OnlyWindowsLOG_USER=On Windows, only the LOG_USER facility will be supported
+OnlyWindowsLOG_USER=Op Windows wordt alleen de LOG_USER-faciliteit ondersteund
CompressSyslogs=Compressie en back-up van foutopsporingslogbestanden (gegenereerd door module Log voor foutopsporing)
-SyslogFileNumberOfSaves=Number of backup logs to keep
+SyslogFileNumberOfSaves=Aantal back-uplogboeken dat moet worden bewaard
ConfigureCleaningCronjobToSetFrequencyOfSaves=Configureer de geplande taak opschonen om de frequentie van de logboekback-up in te stellen
##### Donations #####
DonationsSetup=Donatiemoduleinstellingen
@@ -1672,7 +1674,7 @@ AdvancedEditor=Geavanceerde editor
ActivateFCKeditor=Activeer FCKeditor voor:
FCKeditorForCompany=WYSIWIG creatie / bewerking van bedrijfsomschrijving en notities
FCKeditorForProduct=WYSIWIG creatie / bewerking van product- / dienstomschrijving en notities
-FCKeditorForProductDetails=WYSIWIG creation/edition of products details lines for all entities (proposals, orders, invoices, etc...). Warning: Using this option for this case is seriously not recommended as it can create problems with special characters and page formatting when building PDF files.
+FCKeditorForProductDetails=WYSIWIG creatie / editie van productdetails regels voor alle entiteiten (voorstellen, bestellingen, facturen, enz ...). Waarschuwing: het gebruik van deze optie in dit geval wordt serieus niet aanbevolen, aangezien het problemen kan veroorzaken met speciale tekens en paginaopmaak bij het samenstellen van PDF-bestanden.
FCKeditorForMailing= WYSIWIG creatie / bewerking van mailings
FCKeditorForUserSignature=WYSIWIG creatie /aanpassing van ondertekening
FCKeditorForMail=WYSIWIG creatie / bewerking voor alle e-mail (behalve Gereedschap-> E-mailing)
@@ -1689,7 +1691,7 @@ NotTopTreeMenuPersonalized=Gepersonaliseerde menu's niet gekoppeld aan een h
NewMenu=Nieuw menu
MenuHandler=Menuverwerker
MenuModule=Bronmodule
-HideUnauthorizedMenu= Verberg ongeautoriseerde menu's (grijs)
+HideUnauthorizedMenu=Verberg ongeautoriseerde menu's ook voor interne gebruikers (anders alleen grijs)
DetailId=Menu ID
DetailMenuHandler=Menuverwerker waar het nieuwe menu getoond moet worden
DetailMenuModule=Modulenaam als menu-item van een module afkomstig is
@@ -1737,11 +1739,11 @@ AGENDA_USE_EVENT_TYPE=Gebruik gebeurtenistypen (beheerd in menu Setup -> Woor
AGENDA_USE_EVENT_TYPE_DEFAULT=Stel deze standaardwaarde automatisch in voor het type evenement in het formulier voor het maken van een evenement
AGENDA_DEFAULT_FILTER_TYPE=Stel dit type evenement automatisch in het zoekfilter van de agendaweergave in
AGENDA_DEFAULT_FILTER_STATUS=Stel deze status automatisch in voor evenementen in het zoekfilter van de agendaweergave
-AGENDA_DEFAULT_VIEW=Which view do you want to open by default when selecting menu Agenda
-AGENDA_REMINDER_BROWSER=Enable event reminder on user's browser (When remind date is reached, a popup is shown by the browser. Each user can disable such notifications from its browser notification setup).
+AGENDA_DEFAULT_VIEW=Welke weergave wil je standaard openen als je menu Agenda selecteert
+AGENDA_REMINDER_BROWSER=Schakel gebeurtenisherinnering in de browser van de gebruiker in (wanneer de herinneringsdatum wordt bereikt, wordt een pop-up weergegeven door de browser. Elke gebruiker kan dergelijke meldingen uitschakelen via de instellingen van de browser).
AGENDA_REMINDER_BROWSER_SOUND=Schakel geluidsmelding in
-AGENDA_REMINDER_EMAIL=Enable event reminder by emails (remind option/delay can be defined on each event).
-AGENDA_REMINDER_EMAIL_NOTE=Note: The frequency of the task %s must be enough to be sure that the remind are sent at the correct moment.
+AGENDA_REMINDER_EMAIL=Schakel gebeurtenisherinnering per e-mail in (herinneringsoptie / vertraging kan voor elke gebeurtenis worden gedefinieerd).
+AGENDA_REMINDER_EMAIL_NOTE=Opmerking: De frequentie van de taak %s moet voldoende zijn om er zeker van te zijn dat de herinnering op het juiste moment wordt verzonden.
AGENDA_SHOW_LINKED_OBJECT=Gekoppeld object weergeven in agendaweergave
##### Clicktodial #####
ClickToDialSetup='Click-To-Dial' moduleinstellingen
@@ -1876,7 +1878,7 @@ EnterAnyCode=Dit veld bevat een referentie om de lijn te identificeren. Voer een
Enter0or1=Voer 0 of 1 in
UnicodeCurrency=Voer hier tussen accolades in, lijst met byte-nummers die het valutasymbool vertegenwoordigen. Bijvoorbeeld: voer voor $ [36] in - voor Brazilië real R $ [82,36] - voer voor € [8364] in
ColorFormat=De RGB-kleur heeft het HEX-formaat, bijvoorbeeld: FF0000
-PictoHelp=Icon name in dolibarr format ('image.png' if into the current theme directory, 'image.png@nom_du_module' if into the directory /img/ of a module)
+PictoHelp=Pictogramnaam in dolibarr-formaat ('image.png' indien in de huidige themamap, 'image.png@nom_du_module' indien in de directory / img / van een module)
PositionIntoComboList=Positie van regel in combolijst
SellTaxRate=BTW tarief
RecuperableOnly=Ja voor BTW "Niet waargemaakt maar herstelbaar", bestemd voor een deelstaat in Frankrijk. Houd in alle andere gevallen de waarde "Nee" aan.
@@ -1917,7 +1919,7 @@ ExampleOfNewsMessageForMajorRelease=Dolibarr ERP & CRM %s is beschikbaar. Ve
ExampleOfNewsMessageForMaintenanceRelease=Dolibarr ERP & CRM %s is beschikbaar. Versie %s is een onderhoudsversie, dus bevat alleen bugfixes. We raden alle gebruikers aan om naar deze versie te upgraden. Een onderhoudsrelease introduceert geen nieuwe functies of wijzigingen in de database. U kunt het downloaden van het downloadgedeelte van de https://www.dolibarr.org portal (submap Stabiele versies). U kunt de ChangeLog lezen voor een volledige lijst met wijzigingen.
MultiPriceRuleDesc=Wanneer de optie "Meerdere prijsniveaus per product / service" is ingeschakeld, kunt u verschillende prijzen (één per prijsniveau) voor elk product definiëren. Om u tijd te besparen, kunt u hier een regel invoeren om een prijs voor elk niveau automatisch te berekenen op basis van de prijs van het eerste niveau, dus u hoeft alleen een prijs voor het eerste niveau voor elk product in te voeren. Deze pagina is ontworpen om u tijd te besparen, maar is alleen nuttig als uw prijzen voor elk niveau relatief zijn aan het eerste niveau. U kunt deze pagina in de meeste gevallen negeren.
ModelModulesProduct=Sjablonen voor productdocumenten
-WarehouseModelModules=Templates for documents of warehouses
+WarehouseModelModules=Sjablonen voor magazijndocumenten
ToGenerateCodeDefineAutomaticRuleFirst=Om codes automatisch te kunnen genereren, moet u eerst een manager definiëren om het barcodenummer automatisch te definiëren.
SeeSubstitutionVars=Zie * opmerking voor een lijst met mogelijke substitutievariabelen
SeeChangeLog=Zie ChangeLog bestand (alleen in het Engels)
@@ -1983,11 +1985,12 @@ EMailHost=Host van e-mail IMAP-server
MailboxSourceDirectory=Brondirectory van mailbox
MailboxTargetDirectory=Doeldirectory voor mailbox
EmailcollectorOperations=Operaties te doen door verzamelaar
+EmailcollectorOperationsDesc=Bewerkingen worden op volgorde begin tot eind uitgevoerd
MaxEmailCollectPerCollect=Max aantal verzamelde e-mails per verzameling
CollectNow=Verzamel nu
ConfirmCloneEmailCollector=Weet je zeker dat je de e-mailverzamelaar %s wilt klonen?
-DateLastCollectResult=Laatste datum geprobeerd te verzamelen
-DateLastcollectResultOk=Datum laatste verzamelen succesvol
+DateLastCollectResult=Datum laatste poging van verzamelen
+DateLastcollectResultOk=Datum van laatste succesvolle verzamelen
LastResult=Laatste resultaat
EmailCollectorConfirmCollectTitle=E-mail verzamelbevestiging
EmailCollectorConfirmCollect=Wil je de collectie voor deze verzamelaar nu runnen?
@@ -1996,16 +1999,16 @@ NothingProcessed=Niets gedaan
XEmailsDoneYActionsDone=%s e-mails gekwalificeerd, %s e-mails succesvol verwerkt (voor %s record / acties gedaan)
RecordEvent=E-mail gebeurtenis opnemen
CreateLeadAndThirdParty=Creëer lead (en relatie indien nodig)
-CreateTicketAndThirdParty=Create ticket (and link to third party if it was loaded by a previous operation)
+CreateTicketAndThirdParty=Maak een ticket aan (en link naar een relatie als het door een eerdere bewerking is geladen)
CodeLastResult=Laatste resultaatcode
NbOfEmailsInInbox=Aantal e-mails in bronmap
LoadThirdPartyFromName=Zoeken van derden laden op %s (alleen laden)
LoadThirdPartyFromNameOrCreate=Zoeken van derden laden op %s (maken indien niet gevonden)
-WithDolTrackingID=Message from a conversation initiated by a first email sent from Dolibarr
-WithoutDolTrackingID=Message from a conversation initiated by a first email NOT sent from Dolibarr
-WithDolTrackingIDInMsgId=Message sent from Dolibarr
-WithoutDolTrackingIDInMsgId=Message NOT sent from Dolibarr
-CreateCandidature=Create candidature
+WithDolTrackingID=Bericht inzake een gesprek geïnitieerd door een eerste e-mail verzonden vanuit Dolibarr
+WithoutDolTrackingID=Bericht van een gesprek geïnitieerd door een eerste e-mail die NIET is verzonden vanuit Dolibarr
+WithDolTrackingIDInMsgId=Bericht verzonden vanuit Dolibarr
+WithoutDolTrackingIDInMsgId=Bericht NIET verzonden vanuit Dolibarr
+CreateCandidature=Maak een sollicitatie
FormatZip=Zip
MainMenuCode=Menu toegangscode (hoofdmenu)
ECMAutoTree=Toon automatische ECM-structuur
@@ -2019,7 +2022,7 @@ DisabledResourceLinkContact=Schakel functie uit om een bron te koppelen aa
EnableResourceUsedInEventCheck=Schakel de functie in om te controleren of een bron in een gebeurtenis wordt gebruikt
ConfirmUnactivation=Bevestig de module-reset
OnMobileOnly=Alleen op klein scherm (smartphone)
-DisableProspectCustomerType=Disable the "Prospect + Customer" third party type (so third party must be "Prospect" or "Customer", but can't be both)
+DisableProspectCustomerType=Schakel het derde type 'Prospect + klant' uit (de derde moet dus 'Prospect' of 'Klant' zijn, maar kan niet beide zijn)
MAIN_OPTIMIZEFORTEXTBROWSER=Vereenvoudig de interface voor blinden
MAIN_OPTIMIZEFORTEXTBROWSERDesc=Schakel deze optie in als u een blinde persoon bent of als u de toepassing gebruikt vanuit een tekstbrowser zoals Lynx of Links.
MAIN_OPTIMIZEFORCOLORBLIND=Wijzig de kleur van de interface voor kleurenblinde persoon
@@ -2041,15 +2044,15 @@ UseDebugBar=Gebruik de foutopsporingsbalk
DEBUGBAR_LOGS_LINES_NUMBER=Aantal laatste logboekregels dat in de console moet worden bewaard
WarningValueHigherSlowsDramaticalyOutput=Waarschuwing, hogere waarden vertragen de uitvoer dramatisch
ModuleActivated=Module %s is geactiveerd en vertraagt de interface
-IfYouAreOnAProductionSetThis=If you are on a production environment, you should set this property to %s.
-AntivirusEnabledOnUpload=Antivirus enabled on uploaded files
+IfYouAreOnAProductionSetThis=Als u zich in een productieomgeving bevindt, moet u deze eigenschap instellen op %s.
+AntivirusEnabledOnUpload=Antivirus ingeschakeld op geüploade bestanden
EXPORTS_SHARE_MODELS=Exportmodellen zijn met iedereen te delen
ExportSetup=Installatie van exportmodule
ImportSetup=Instellen van module Import
InstanceUniqueID=Uniek ID van de instantie
SmallerThan=Kleiner dan
LargerThan=Groter dan
-IfTrackingIDFoundEventWillBeLinked=Note that If a tracking ID of an object is found into email, or if the email is an answer of an email aready collected and linked to an object, the created event will be automatically linked to the known related object.
+IfTrackingIDFoundEventWillBeLinked=Houd er rekening mee dat als een tracking-ID van een object in e-mail wordt gevonden, of als de e-mail een antwoord is van een e-mail die al is verzameld en aan een object is gekoppeld, de gemaakte gebeurtenis automatisch wordt gekoppeld aan het bekende gerelateerde object.
WithGMailYouCanCreateADedicatedPassword=Als u bij een GMail-account de validatie in 2 stappen hebt ingeschakeld, wordt aanbevolen om een speciaal tweede wachtwoord voor de toepassing te maken in plaats van uw eigen wachtwoord van https://myaccount.google.com/.
EmailCollectorTargetDir=Het kan een gewenst gedrag zijn om de e-mail naar een andere tag / directory te verplaatsen wanneer deze met succes is verwerkt. Stel hier gewoon de naam van de map in om deze functie te gebruiken (gebruik GEEN speciale tekens in de naam). Houd er rekening mee dat u ook een inlogaccount voor lezen / schrijven moet gebruiken.
EmailCollectorLoadThirdPartyHelp=U kunt deze actie gebruiken om de e-mailinhoud te gebruiken om een bestaande relatie in uw database te zoeken en te laden. De gevonden (of gecreëerde) relatie zal worden gebruikt voor het volgen van acties die het nodig hebben. In het parameterveld kunt u bijvoorbeeld 'EXTRACT: BODY: Name: \\ s ([^ \\ s] *)' gebruiken als u de naam van de relatie wilt extraheren uit een string 'Name: name to find' gevonden in de bron.
@@ -2076,10 +2079,14 @@ MeasuringScaleDesc=De schaal is het aantal plaatsen dat u nodig heeft om het dec
TemplateAdded=Sjabloon toegevoegd
TemplateUpdated=Sjabloon bijgewerkt
TemplateDeleted=Sjabloon verwijderd
-MailToSendEventPush=Event reminder email
-SwitchThisForABetterSecurity=Switching this value to %s is recommended for more security
-DictionaryProductNature= Nature of product
-CountryIfSpecificToOneCountry=Country (if specific to a given country)
-YouMayFindSecurityAdviceHere=You may find security advisory here
-ModuleActivatedMayExposeInformation=This module may expose sensitive data. If you don't need it, disable it.
-ModuleActivatedDoNotUseInProduction=A module designed for the development has been enabled. Do not enable it on a production environment.
+MailToSendEventPush=E-mail ter herinnering voor een evenement
+SwitchThisForABetterSecurity=Het wijzigen van deze waarde naar %s wordt aanbevolen voor meer beveiliging
+DictionaryProductNature= Aard van het product
+CountryIfSpecificToOneCountry=Land (indien specifiek voor een bepaald land)
+YouMayFindSecurityAdviceHere=Mogelijk vindt u hier beveiligingsadvies
+ModuleActivatedMayExposeInformation=Deze module kan gevoelige gegevens blootleggen. Schakel het uit als u het niet nodig heeft.
+ModuleActivatedDoNotUseInProduction=Een module ontworpen voor de ontwikkeling is ingeschakeld. Schakel het niet in bij een productieomgeving.
+CombinationsSeparator=Scheidingsteken voor productcombinaties
+SeeLinkToOnlineDocumentation=Zie link naar online documentatie in het bovenste menu voor voorbeelden
+SHOW_SUBPRODUCT_REF_IN_PDF=Als de functie "%s" van module %s wordt gebruikt, toon dan de details van subproducten van een kit op PDF.
+AskThisIDToYourBank=Neem contact op met uw bank om deze ID te krijgen
diff --git a/htdocs/langs/nl_NL/agenda.lang b/htdocs/langs/nl_NL/agenda.lang
index 83cf46b9711..4c6bbdab045 100644
--- a/htdocs/langs/nl_NL/agenda.lang
+++ b/htdocs/langs/nl_NL/agenda.lang
@@ -14,7 +14,7 @@ EventsNb=Aantal gebeurtenissen
ListOfActions=Gebeurtenissenlijst
EventReports=Overzicht gebeurtenissen
Location=Locatie
-ToUserOfGroup=Event assigned to any user in group
+ToUserOfGroup=Gebeurtenis toegewezen aan elke gebruiker in de groep
EventOnFullDay=Gebeurtenis volledige dag
MenuToDoActions=Alle openstaande acties
MenuDoneActions=Alle beëindigde acties
@@ -63,7 +63,7 @@ ShipmentClassifyClosedInDolibarr=Verzending %s geclassificeerd als gefactureerd
ShipmentUnClassifyCloseddInDolibarr=Zending %s geclassificeerd, opnieuw openen
ShipmentBackToDraftInDolibarr=Zending %s ga terug naar conceptstatus
ShipmentDeletedInDolibarr=Verzending %s verwijderd
-ReceptionValidatedInDolibarr=Reception %s validated
+ReceptionValidatedInDolibarr=Ontvangst %s gevalideerd
OrderCreatedInDolibarr=Bestelling %s aangemaakt
OrderValidatedInDolibarr=Opdracht %s gevalideerd
OrderDeliveredInDolibarr=Bestelling %s is geleverd
@@ -86,8 +86,8 @@ ProposalDeleted=Voorstel verwijderd
OrderDeleted=Bestelling verwijderd
InvoiceDeleted=Factuur verwijderd
DraftInvoiceDeleted=Conceptfactuur verwijderd
-CONTACT_CREATEInDolibarr=Contact %s created
-CONTACT_DELETEInDolibarr=Contact %s deleted
+CONTACT_CREATEInDolibarr=Contact %s gemaakt
+CONTACT_DELETEInDolibarr=Contact %s verwijderd
PRODUCT_CREATEInDolibarr=Product %s aangemaakt
PRODUCT_MODIFYInDolibarr=Product %s aangepast
PRODUCT_DELETEInDolibarr=Product %s verwijderd
@@ -152,6 +152,7 @@ ActionType=Taak type
DateActionBegin=Begindatum
ConfirmCloneEvent=Weet u zeker dat u gebeurtenis %s wilt klonen?
RepeatEvent=Herhaal gebeurtenis/taak
+OnceOnly=Eenmalig
EveryWeek=Elke week
EveryMonth=Elke maand
DayOfMonth=Dag van de maand
@@ -160,9 +161,9 @@ DateStartPlusOne=Begindatum + 1 uur
SetAllEventsToTodo=Zet alle evenementen op te doen
SetAllEventsToInProgress=Stel alle evenementen in proces
SetAllEventsToFinished=Stel alle evenementen in op voltooid
-ReminderTime=Reminder period before the event
-TimeType=Duration type
-ReminderType=Callback type
-AddReminder=Create an automatic reminder notification for this event
-ErrorReminderActionCommCreation=Error creating the reminder notification for this event
-BrowserPush=Browser Notification
+ReminderTime=Herinneringsperiode voor het evenement
+TimeType=Duur
+ReminderType=Terugbellen
+AddReminder=Maak een automatische herinneringsmelding voor deze afspraak
+ErrorReminderActionCommCreation=Fout bij het maken van de herinneringsmelding voor deze afspraak
+BrowserPush=Browser pop-up melding
diff --git a/htdocs/langs/nl_NL/banks.lang b/htdocs/langs/nl_NL/banks.lang
index 2bdc1c80373..3ca33c9c71b 100644
--- a/htdocs/langs/nl_NL/banks.lang
+++ b/htdocs/langs/nl_NL/banks.lang
@@ -7,7 +7,7 @@ BankName=Banknaam
FinancialAccount=Rekening
BankAccount=Bankrekening
BankAccounts=Bankrekeningen
-BankAccountsAndGateways=Bankrekeningen | gateways
+BankAccountsAndGateways=Bankrekeningen | Gateways
ShowAccount=Toon rekening
AccountRef=Financiële rekening referentie
AccountLabel=Financiële rekening label
@@ -25,19 +25,19 @@ InitialBankBalance=Beginbalans
EndBankBalance=Eindbalans
CurrentBalance=Huidig saldo
FutureBalance=Toekomstig saldo
-ShowAllTimeBalance=Toon saldo sinds begin
+ShowAllTimeBalance=Toon saldo vanaf begin
AllTime=Vanaf het begin
Reconciliation=Overeenstemming
RIB=Bankrekeningnummer
-IBAN=IBAN-nummer
-BIC=BIC/SWIFT-code
+IBAN=IBAN nummer
+BIC=BIC/SWIFT code
SwiftValid=BIC / SWIFT geldig
-SwiftVNotalid=BIC / SWIFT is niet geldig
+SwiftVNotalid=BIC / SWIFT code onjuist
IbanValid=IBAN geldig
-IbanNotValid=IBAN is niet geldig
-StandingOrders=Incasso-opdrachten
-StandingOrder=Incasso-opdracht
-PaymentByDirectDebit=Automatische incasso
+IbanNotValid=IBAN onjuist
+StandingOrders=Incasso opdrachten
+StandingOrder=Automatische incasso
+PaymentByDirectDebit=Betaling via automatische incasso
PaymentByBankTransfers=Betalingen via overschrijving
PaymentByBankTransfer=Betaling via overschrijving
AccountStatement=Rekeningafschrift
@@ -55,7 +55,7 @@ NewBankAccount=Nieuwe rekening
NewFinancialAccount=Nieuwe financiële rekening
MenuNewFinancialAccount=Nieuwe financiële rekening
EditFinancialAccount=Wijzig rekening
-LabelBankCashAccount=label van bank of kas
+LabelBankCashAccount=Label van bank of kas
AccountType=Rekeningtype
BankType0=Spaarrekening
BankType1=Betaalrekening
@@ -63,9 +63,9 @@ BankType2=Kasrekening
AccountsArea=Rekeningenoverzicht
AccountCard=Rekeningdetailkaart
DeleteAccount=Rekening verwijderen
-ConfirmDeleteAccount=Weet u deze dat u dit account wilt verwijderen?
+ConfirmDeleteAccount=Weet u zeker dat u deze rekening wilt verwijderen?
Account=Rekening
-BankTransactionByCategories=Bankregels op categorie
+BankTransactionByCategories=Bankboekingen per categorie
BankTransactionForCategory=Bankboekingen voor categorie %s
RemoveFromRubrique=Verwijder link met categorie
RemoveFromRubriqueConfirm=Weet u zeker dat u de link tussen het item en de categorie wilt wissen?
@@ -75,7 +75,7 @@ BankTransactions=Bankmutaties
BankTransaction=Bankmutatie
ListTransactions=Mutatieoverzicht
ListTransactionsByCategory=Mutaties per categorie
-TransactionsToConciliate=Items af te stemmen
+TransactionsToConciliate=Af te stemmen transacties
TransactionsToConciliateShort=Af te stemmen
Conciliable=Kunnen worden afgestemd
Conciliate=Afstemmen
@@ -83,7 +83,7 @@ Conciliation=Afstemming
SaveStatementOnly=Afschrift alleen opslaan
ReconciliationLate=Later afstemmen
IncludeClosedAccount=Inclusief opgeheven rekeningen
-OnlyOpenedAccount=Alleen open accounts
+OnlyOpenedAccount=Alleen open rekeningen
AccountToCredit=Te crediteren rekening
AccountToDebit=Te debiteren rekening
DisableConciliation=Afstemming van deze rekening uitschakelen
@@ -93,36 +93,36 @@ StatusAccountOpened=Open
StatusAccountClosed=Opgeheven
AccountIdShort=Aantal
LineRecord=Transactie
-AddBankRecord=Item toevoegen
-AddBankRecordLong=Item handmatig toevoegen
+AddBankRecord=Transactie toevoegen
+AddBankRecordLong=Transactie handmatig toevoegen
Conciliated=Afgestemd
ConciliatedBy=Afgestemd door
DateConciliating=Afgestemd op
-BankLineConciliated=Boeking afgestemd met afschrift
+BankLineConciliated=Boeking afgestemd met bankafschrift
Reconciled=Afgestemd
NotReconciled=Niet afgestemd
CustomerInvoicePayment=Afnemersbetaling
-SupplierInvoicePayment=Betaling van de leverancier
+SupplierInvoicePayment=Leveranciersbetaling
SubscriptionPayment=Betaling van abonnement
WithdrawalPayment=Debet betalingsopdracht
SocialContributionPayment=Sociale/fiscale belastingbetaling
-BankTransfer=Credit transfer
-BankTransfers=Credit transfers
+BankTransfer=Overschrijving
+BankTransfers=Overschrijvingen
MenuBankInternalTransfer=Interne overboeking
TransferDesc=Overdracht van de ene rekening naar de andere. Dolibarr zal twee records schrijven (een debet in de bronaccount en een tegoed in het doelaccount). Hetzelfde bedrag (behalve aanduiding), label en datum worden gebruikt voor deze transactie)
TransferFrom=Van
TransferTo=T/m
TransferFromToDone=Een overboeking van %s naar %s van %s is geregistreerd.
-CheckTransmitter=Overboeker
+CheckTransmitter=Verzender
ValidateCheckReceipt=Betaling met cheque goedkeuren?
ConfirmValidateCheckReceipt=Weet u zeker dat u deze cheque wilt valideren? Hierna is het niet meer mogelijk dit te wijzigen.
-DeleteCheckReceipt=Dit chequebewijs verwijderen?
+DeleteCheckReceipt=Deze cheque ontvangst verwijderen?
ConfirmDeleteCheckReceipt=Weet u zeker dat u deze betaling via cheque wilt verwijderen?
BankChecks=Bankcheque
BankChecksToReceipt=Cheques in afwachting van storting
BankChecksToReceiptShort=Cheques in afwachting van storting
ShowCheckReceipt=Toon controleren stortingsbewijs
-NumberOfCheques=Checknr.
+NumberOfCheques=Check nr.
DeleteTransaction=Ingave verwijderen
ConfirmDeleteTransaction=Weet u zeker dat u deze boeking wilt verwijderen?
ThisWillAlsoDeleteBankRecord=Hiermee wordt ook de boeking in de bank verwijderd
@@ -143,40 +143,40 @@ BackToAccount=Terug naar rekening
ShowAllAccounts=Toon alle rekeningen
FutureTransaction=Toekomstige transactie. Nog niet mogelijk af te stemmen
SelectChequeTransactionAndGenerate=Selecteer/ filter cheques om op te nemen in de chequebetaling en klik op "Aanmaken"
-InputReceiptNumber=Kies het bankafschrift in verband met de bemiddeling. Gebruik een sorteerbaar numerieke waarde: YYYYMM of YYYYMMDD
-EventualyAddCategory=Tenslotte een categorie opgeven waarin de gegevens bewaard kunnen worden
+InputReceiptNumber=Kies het bankafschrift in verband met de bemiddeling. Gebruik een sorteerbare numerieke waarde: YYYYMM of YYYYMMDD
+EventualyAddCategory=Geef tenslotte een categorie op waarin de gegevens bewaard kunnen worden
ToConciliate=Afstemmen?
-ThenCheckLinesAndConciliate=Duid dan de lijnen aan van het bankafschrift en klik
+ThenCheckLinesAndConciliate=Controleer vervolgens de regels op het bankafschrift en klik
DefaultRIB=Standaard BAN
AllRIB=Alle BAN
LabelRIB=BAN label
NoBANRecord=Geen BAN gegeven
-DeleteARib=Verwijderen BAN gegeven
-ConfirmDeleteRib=Weet u zeker dat u dit BAN-record wilt verwijderen?
-RejectCheck=Teruggekeerde cheque
-ConfirmRejectCheck=Weet u zeker dat u deze controle wilt markeren als afgewezen?
-RejectCheckDate=Teruggave datum cheque
-CheckRejected=Teruggekeerde cheque
+DeleteARib=Verwijderen BAN record
+ConfirmDeleteRib=Weet u zeker dat u dit BAN record wilt verwijderen?
+RejectCheck=Geretourneerde cheque
+ConfirmRejectCheck=Weet u zeker dat u deze cheque wilt markeren als afgewezen?
+RejectCheckDate=Datum dat cheque is geretourneerd
+CheckRejected=Geretourneerde cheque
CheckRejectedAndInvoicesReopened=Cheque geretourneerd en facturen worden opnieuw geopend
BankAccountModelModule=Documentsjablonen voor bankrekeningen
-DocumentModelSepaMandate=Sjabloon van SEPA-mandaat. Alleen bruikbaar voor Europese landen in de Europese Unie.
-DocumentModelBan=Sjabloon om een pagina met BAN-informatie af te drukken.
+DocumentModelSepaMandate=Sjabloon van SEPA mandaat. Alleen bruikbaar voor Europese landen in de Europese Unie.
+DocumentModelBan=Sjabloon om een pagina met BAN informatie af te drukken.
NewVariousPayment=Nieuwe overige betaling
VariousPayment=Overige betaling
VariousPayments=Diverse betalingen
ShowVariousPayment=Laat overige betaling zien
AddVariousPayment=Overige betaling toevoegen
-VariousPaymentId=Miscellaneous payment ID
-VariousPaymentLabel=Miscellaneous payment label
-ConfirmCloneVariousPayment=Confirm the clone of a miscellaneous payment
-SEPAMandate=SEPA-mandaat
-YourSEPAMandate=Uw SEPA-mandaat
-FindYourSEPAMandate=Met deze SEPA-machtiging geeft u ons bedrijf toestemming een opdracht ter incasso te sturen naar uw bank. Retourneer het ondertekend (scan van het ondertekende document) of stuur het per e-mail naar
-AutoReportLastAccountStatement=Vul bij het automatisch afstemmen het veld 'aantal bankafschriften' in met het laatste afschriftnummer.
-CashControl=POS kasopmaak
-NewCashFence=Kasopmaak
+VariousPaymentId=Diverse betalings-ID
+VariousPaymentLabel=Diversen betaalomschrijving
+ConfirmCloneVariousPayment=Bevestig maken kopie van een diverse betaling
+SEPAMandate=SEPA mandaat
+YourSEPAMandate=Uw SEPA mandaat
+FindYourSEPAMandate=Met deze SEPA machtiging geeft u ons bedrijf toestemming een opdracht ter incasso te sturen naar uw bank. Retourneer het ondertekend (scan van het ondertekende document) of stuur het per e-mail naar
+AutoReportLastAccountStatement=Vul bij het automatisch afstemmen het veld 'aantal bankafschriften' in met het laatste afschrift nummer.
+CashControl=POS kassa controle
+NewCashFence=Nieuwe kassa sluiting
BankColorizeMovement=Inkleuren mutaties
BankColorizeMovementDesc=Als deze functie is ingeschakeld, kunt u een specifieke achtergrondkleur kiezen voor debet- of creditmutaties
BankColorizeMovementName1=Achtergrondkleur voor debetmutatie
BankColorizeMovementName2=Achtergrondkleur voor creditmutatie
-IfYouDontReconcileDisableProperty=If you don't make the bank reconciliations on some bank accounts, disable the property "%s" on them to remove this warning.
+IfYouDontReconcileDisableProperty=Als u op sommige bankrekeningen geen bankafstemmingen uitvoert, schakelt u de eigenschap "%s" uit om deze waarschuwing te verwijderen.
diff --git a/htdocs/langs/nl_NL/bills.lang b/htdocs/langs/nl_NL/bills.lang
index 20d977e1cf6..845323b0228 100644
--- a/htdocs/langs/nl_NL/bills.lang
+++ b/htdocs/langs/nl_NL/bills.lang
@@ -441,8 +441,8 @@ BankAccountNumberKey=checksum
Residence=Adres
IBANNumber=IBAN-rekeningnummer
IBAN=IBAN
-CustomerIBAN=IBAN of customer
-SupplierIBAN=IBAN of vendor
+CustomerIBAN=IBAN van klant
+SupplierIBAN=IBAN van leverancier
BIC=BIC / SWIFT
BICNumber=BIC/SWIFT-code
ExtraInfos=Extra info
@@ -576,7 +576,7 @@ BILL_SUPPLIER_DELETEInDolibarr=Leverancierfactuur verwijderd
UnitPriceXQtyLessDiscount=Eenheidsprijs x Aantal - Korting
CustomersInvoicesArea=Factureringsgebied voor klanten
SupplierInvoicesArea=Factureringsgebied leverancier
-FacParentLine=Invoice Line Parent
-SituationTotalRayToRest=Remainder to pay without taxe
-PDFSituationTitle=Situation n° %d
-SituationTotalProgress=Total progress %d %%
+FacParentLine=Hoofd factuurregel
+SituationTotalRayToRest=Netto restant te betalen
+PDFSituationTitle=Situatie n ° %d
+SituationTotalProgress=Totale voortgang %d %%
diff --git a/htdocs/langs/nl_NL/blockedlog.lang b/htdocs/langs/nl_NL/blockedlog.lang
index f455e80d1d6..1507f2b3991 100644
--- a/htdocs/langs/nl_NL/blockedlog.lang
+++ b/htdocs/langs/nl_NL/blockedlog.lang
@@ -35,7 +35,7 @@ logDON_DELETE=Donatie logische verwijdering
logMEMBER_SUBSCRIPTION_CREATE=Lid abonnement gemaakt
logMEMBER_SUBSCRIPTION_MODIFY=Lid abonnement gewijzigd
logMEMBER_SUBSCRIPTION_DELETE=Lid abonnement logische verwijdering
-logCASHCONTROL_VALIDATE=Contant geïnd
+logCASHCONTROL_VALIDATE=Kassa afsluiten
BlockedLogBillDownload=Klant factuur downloaden
BlockedLogBillPreview=Voorbeeld van klant factuur
BlockedlogInfoDialog=Log Details
diff --git a/htdocs/langs/nl_NL/boxes.lang b/htdocs/langs/nl_NL/boxes.lang
index 71c851c2c3b..adfa20cb15d 100644
--- a/htdocs/langs/nl_NL/boxes.lang
+++ b/htdocs/langs/nl_NL/boxes.lang
@@ -46,9 +46,12 @@ BoxTitleLastModifiedDonations=Laatste %s aangepaste donaties
BoxTitleLastModifiedExpenses=Laatste gewijzigde %s onkostendeclaraties
BoxTitleLatestModifiedBoms=Laatste %s gemodificeerde stuklijsten
BoxTitleLatestModifiedMos=Laatste %s gewijzigde productieorders
+BoxTitleLastOutstandingBillReached=Klanten met meer dan maximaal toegestaan krediet
BoxGlobalActivity=Globale activiteit (facturen, offertes, bestellingen)
BoxGoodCustomers=Goede klanten
BoxTitleGoodCustomers=%s Goede klanten
+BoxScheduledJobs=Geplande taken
+BoxTitleFunnelOfProspection=Lood trechter
FailedToRefreshDataInfoNotUpToDate=Vernieuwen van RSS-flux is mislukt. Laatste succesvolle vernieuwingsdatum: %s
LastRefreshDate=Laatste bijwerkingsdatum
NoRecordedBookmarks=Geen weblinks ingesteld. Klik weblinks aan om deze toe te voegen.
@@ -83,8 +86,8 @@ BoxTitleLatestModifiedSupplierOrders=Orders van leveranciers: laatste %s gewijzi
BoxTitleLastModifiedCustomerBills=Klantfacturen: laatste %s gewijzigd
BoxTitleLastModifiedCustomerOrders=Klantorders: laatste %s gewijzigd
BoxTitleLastModifiedPropals=Laatste %s aangepaste offertes
-BoxTitleLatestModifiedJobPositions=Latest %s modified jobs
-BoxTitleLatestModifiedCandidatures=Latest %s modified candidatures
+BoxTitleLatestModifiedJobPositions=Laatste %s gewijzigde taken
+BoxTitleLatestModifiedCandidatures=Laatste %s gewijzigde kandidaturen
ForCustomersInvoices=Afnemersfacturen
ForCustomersOrders=Klantenbestellingen
ForProposals=Zakelijke voorstellen / Offertes
@@ -102,5 +105,7 @@ SuspenseAccountNotDefined=Suspense-account is niet gedefinieerd
BoxLastCustomerShipments=Laatste klantzendingen
BoxTitleLastCustomerShipments=Laatste %s klantverzendingen
NoRecordedShipments=Geen geregistreerde klantverzending
+BoxCustomersOutstandingBillReached=Klanten met bereikt limiet
# Pages
AccountancyHome=Boekhouden
+ValidatedProjects=Gevalideerde projecten
diff --git a/htdocs/langs/nl_NL/cashdesk.lang b/htdocs/langs/nl_NL/cashdesk.lang
index 18a7e03de51..24bff1481e4 100644
--- a/htdocs/langs/nl_NL/cashdesk.lang
+++ b/htdocs/langs/nl_NL/cashdesk.lang
@@ -49,8 +49,8 @@ Footer=Voetnoot
AmountAtEndOfPeriod=Bedrag aan het einde van de periode (dag, maand of jaar)
TheoricalAmount=Theoretisch bedrag
RealAmount=Aanwezig bedrag
-CashFence=Cash hek
-CashFenceDone=Kas te ontvangen voor de periode
+CashFence=Kassa sluiten
+CashFenceDone=Kassa gesloten voor de periode
NbOfInvoices=Aantal facturen
Paymentnumpad=Soort betaling om de betaling in te voeren
Numberspad=Cijferblok
@@ -94,13 +94,14 @@ TakeposConnectorMethodDescription=Externe module met extra functies. Mogelijkhei
PrintMethod=Afdrukmethode
ReceiptPrinterMethodDescription=Krachtige methode met veel parameters. Volledig aanpasbaar met sjablonen. Kan niet afdrukken vanuit de cloud.
ByTerminal=Per terminal
-TakeposNumpadUsePaymentIcon=Use icon instead of text on payment buttons of numpad
+TakeposNumpadUsePaymentIcon=Gebruik pictogram in plaats van tekst op betalingsknoppen van numpad
CashDeskRefNumberingModules=Nummeringsmodule voor POS-verkoop
CashDeskGenericMaskCodes6 = {TN} tag wordt gebruikt om het terminalnummer toe te voegen
TakeposGroupSameProduct=Groepeer dezelfde productlijnen
StartAParallelSale=Start een nieuwe parallelle verkoop
-ControlCashOpening=Control cash box at opening POS
-CloseCashFence=Sluit de kassa
+SaleStartedAt=Verkoop begon op %s
+ControlCashOpening=Controle contant geld pop-up bij het openen van POS
+CloseCashFence=Sluit de kassa-bediening
CashReport=Kassa verslag
MainPrinterToUse=Hoofdprinter om te gebruiken
OrderPrinterToUse=Bestel printer om te gebruiken
@@ -115,11 +116,11 @@ ScanToOrder=Scan de QR code om te bestellen
Appearance=Weergave
HideCategoryImages=Verberg categorie afbeeldingen
HideProductImages=Verberg productafbeeldingen
-NumberOfLinesToShow=Number of lines of images to show
-DefineTablePlan=Define tables plan
-GiftReceiptButton=Add a "Gift receipt" button
-GiftReceipt=Gift receipt
-ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled first
-AllowDelayedPayment=Allow delayed payment
-PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts
+NumberOfLinesToShow=Aantal regels met afbeeldingen dat moet worden weergegeven
+DefineTablePlan=Definieer tafelschikking
+GiftReceiptButton=Voeg een knop "Cadeaubon" toe
+GiftReceipt=Cadeaubon
+ModuleReceiptPrinterMustBeEnabled=Module Bonprinter moet eerst zijn ingeschakeld
+AllowDelayedPayment=Laat uitgestelde betaling toe
+PrintPaymentMethodOnReceipts=Betaalmethode afdrukken op tickets | bonnen
WeighingScale=Weegschaal
diff --git a/htdocs/langs/nl_NL/categories.lang b/htdocs/langs/nl_NL/categories.lang
index c4008fe1ce5..1f1c51d1027 100644
--- a/htdocs/langs/nl_NL/categories.lang
+++ b/htdocs/langs/nl_NL/categories.lang
@@ -19,6 +19,7 @@ ProjectsCategoriesArea=Labels/categorieën projecten
UsersCategoriesArea=Gebruikers tags / categorieën gebied
SubCats=Sub-categorieën
CatList=Lijst van kenmerken/categorieën
+CatListAll=Lijst met groepen /categorieën (alle typen)
NewCategory=Nieuw label/categorie
ModifCat=Wijzigen label/categorie
CatCreated=Label/categorie gecreëerd
@@ -65,28 +66,34 @@ UsersCategoriesShort=Gebruikers tags / categorieën
StockCategoriesShort=Magazijn-tags / categorieën
ThisCategoryHasNoItems=Deze categorie bevat geen items.
CategId=Label/categorie id
-CatSupList=Lijst met leverancierslabels/categorieën
-CatCusList=Lijst van de klant/prospect kenmerken/categorieën
+ParentCategory=Bovenliggende groep/categorie
+ParentCategoryLabel=Label van bovenliggende groep/categorie
+CatSupList=Lijst met leveranciers groepen/ categorieën
+CatCusList=Lijst met klant groepen/categorieën
CatProdList=Lijst van product kenmerken/categorieën
CatMemberList=Lijst leden kenmerken/categorieën
-CatContactList=Lijst met contactpersoon labels/-categorieën
-CatSupLinks=Koppelingen tussen leveranciers en kenmerken/categorieën
+CatContactList=Lijst met groepen/categorieën voor contacten
+CatProjectsList=Lijst met projectgroepen/-categorieën
+CatUsersList=Lijst met groepen/categorieën van gebruikers
+CatSupLinks=Koppelingen tussen leveranciers en groepen/categorieën
CatCusLinks=Koppelingen tussen klanten/prospects en labels/categorieën
CatContactsLinks=Koppelingen tussen contacten / adressen en tags / categorieën
CatProdLinks=Koppelingen tussen producten/diensten en labels/categorieën
-CatProJectLinks=Koppelingen tussen projecten en labels/categorieën
+CatMembersLinks=Koppelingen tussen leden en tags / categorieën
+CatProjectsLinks=Koppelingen tussen projecten en labels/categorieën
+CatUsersLinks=Koppelingen tussen gebruikers en groepen/categorieën
DeleteFromCat=Verwijderen uit labels/categorie
ExtraFieldsCategories=Complementaire kenmerken
CategoriesSetup=Labels/categorieën instelling
CategorieRecursiv= Automatische koppeling met bovenliggende label/categorie
CategorieRecursivHelp=Als de optie is ingeschakeld, wordt het product ook toegevoegd aan de bovenliggende categorie wanneer u een product toevoegt aan een subcategorie.
AddProductServiceIntoCategory=Voeg het volgende product/dienst toe
-AddCustomerIntoCategory=Assign category to customer
-AddSupplierIntoCategory=Assign category to supplier
+AddCustomerIntoCategory=Wijs categorie toe aan klant
+AddSupplierIntoCategory=Wijs categorie toe aan leverancier
ShowCategory=Toon label/categorie
ByDefaultInList=Standaard in de lijst
ChooseCategory=Kies categorie
-StocksCategoriesArea=Warehouses Categories
-ActionCommCategoriesArea=Events Categories
-WebsitePagesCategoriesArea=Page-Container Categories
+StocksCategoriesArea=Categorieën voor magazijnen
+ActionCommCategoriesArea=Categorieën voor gebeurtenissen
+WebsitePagesCategoriesArea= Categorieën voor Page-Container
UseOrOperatorForCategories=Gebruik of operator voor categorieën
diff --git a/htdocs/langs/nl_NL/companies.lang b/htdocs/langs/nl_NL/companies.lang
index 2b4e7b136b4..c310afcbe4b 100644
--- a/htdocs/langs/nl_NL/companies.lang
+++ b/htdocs/langs/nl_NL/companies.lang
@@ -124,7 +124,7 @@ ProfId1AT=Prof Id 1 (USt.-IdNr)
ProfId2AT=Prof Id 2 (USt.-Nr)
ProfId3AT=Prof Id 3 (Handelsregister-Nr.)
ProfId4AT=-
-ProfId5AT=EORI number
+ProfId5AT=EORI-nummer
ProfId6AT=-
ProfId1AU=Prof. id 1 (ABN)
ProfId2AU=-
@@ -136,7 +136,7 @@ ProfId1BE=Prof. id 1 (Professioneel nummer)
ProfId2BE=-
ProfId3BE=-
ProfId4BE=-
-ProfId5BE=EORI number
+ProfId5BE=EORI-nummer
ProfId6BE=-
ProfId1BR=-
ProfId2BR=IE (Belastingsnummer staat)
@@ -144,11 +144,11 @@ ProfId3BR=IM (Belastingsnummer stad)
ProfId4BR=CPF
#ProfId5BR=CNAE
#ProfId6BR=INSS
-ProfId1CH=UID-Nummer
+ProfId1CH=UID-nummer
ProfId2CH=-
ProfId3CH=Prof id 1 (Federale nummer)
ProfId4CH=Handelsregisternummer
-ProfId5CH=EORI number
+ProfId5CH=EORI-nummer
ProfId6CH=-
ProfId1CL=Prof Id 1 (RUT)
ProfId2CL=-
@@ -166,19 +166,19 @@ ProfId1DE=Prof. id 1 (USt.-IdNr)
ProfId2DE=Prof. id 2 (USt.-Nr)
ProfId3DE=Prof. Id 3 (Handelsregisternummer)
ProfId4DE=-
-ProfId5DE=EORI number
+ProfId5DE=EORI-nummer
ProfId6DE=-
ProfId1ES=Prof Id 1 (CIF/NIF)
ProfId2ES=Prof Id 2 (Social security number)
ProfId3ES=Prof Id 3 (CNAE)
ProfId4ES=Prof Id 4 (Collegiate number)
-ProfId5ES=EORI number
+ProfId5ES=EORI-nummer
ProfId6ES=-
ProfId1FR=Prof. id 1 (SIREN)
ProfId2FR=Prof. id 2 (SIRET)
ProfId3FR=Prof. Id 3 (NAF, oude APE)
ProfId4FR=Prof. id 4 (RCS / RM)
-ProfId5FR=EORI number
+ProfId5FR=EORI-nummer
ProfId6FR=-
ProfId1GB=Prof. id 1 (Registratienummer)
ProfId2GB=-
@@ -202,12 +202,12 @@ ProfId1IT=-
ProfId2IT=-
ProfId3IT=-
ProfId4IT=-
-ProfId5IT=EORI number
+ProfId5IT=EORI-nummer
ProfId1LU=Id. prof. 1 (R.C.S. Luxemburg)
ProfId2LU=Id. prof. 2 (Business permit)
ProfId3LU=-
ProfId4LU=-
-ProfId5LU=EORI number
+ProfId5LU=EORI-nummer
ProfId6LU=-
ProfId1MA=Id prof. 1 (R.C.)
ProfId2MA=Id prof. 2 (Patente)
@@ -225,13 +225,13 @@ ProfId1NL=KVK nummer
ProfId2NL==
ProfId3NL==
ProfId4NL=Burgerservicenummer (BSN)
-ProfId5NL=EORI number
+ProfId5NL=EORI-nummer
ProfId6NL=-
ProfId1PT=Prof. id 1 (NIPC)
ProfId2PT=Prof. id 2 (Social security number)
ProfId3PT=Prof. Id 3 (Commercial Record aantal)
ProfId4PT=Prof. id 4 (Conservatorium)
-ProfId5PT=EORI number
+ProfId5PT=EORI-nummer
ProfId6PT=-
ProfId1SN=RC
ProfId2SN=NINEA
@@ -255,7 +255,7 @@ ProfId1RO=Prof Id 1 (CUI)
ProfId2RO=Prof Id 2 (Nr. Înmatriculare)
ProfId3RO=Prof Id 3 (CAEN)
ProfId4RO=Prof Id 5 (EUID)
-ProfId5RO=EORI number
+ProfId5RO=EORI-nummer
ProfId6RO=-
ProfId1RU=Prof Id 1 (OGRN)
ProfId2RU=Prof Id 2 (INN)
@@ -358,8 +358,8 @@ VATIntraCheckableOnEUSite=Controleer het intracommunautaire btw-nummer op de web
VATIntraManualCheck=U kunt het ook handmatig controleren op de website van de Europese Commissie %s
ErrorVATCheckMS_UNAVAILABLE=Controle niet mogelijk. Controleerdienst wordt niet verleend door lidstaat (%s).
NorProspectNorCustomer=Geen prospect, noch klant
-JuridicalStatus=Type juridische entiteit
-Workforce=Workforce
+JuridicalStatus=Soort bedrijf
+Workforce=Personeelsbestand
Staff=Werknemers
ProspectLevelShort=Potentieel
ProspectLevel=Prospectpotentieel
@@ -462,8 +462,8 @@ PaymentTermsSupplier=Betalingstermijn - Leverancier
PaymentTypeBoth=Betaalwijze - Klant en leverancier
MulticurrencyUsed=Gebruik meerdere valuta
MulticurrencyCurrency=Valuta
-InEEC=Europe (EEC)
-RestOfEurope=Rest of Europe (EEC)
-OutOfEurope=Out of Europe (EEC)
-CurrentOutstandingBillLate=Current outstanding bill late
-BecarefullChangeThirdpartyBeforeAddProductToInvoice=Be carefull, depending on your product price settings, you should change thirdparty before adding product to POS.
+InEEC=Europa (EEG)
+RestOfEurope=Rest van Europa (EEG)
+OutOfEurope=Buiten Europa (EEG)
+CurrentOutstandingBillLate=Openstaande factuur met vervallen betaaldatum
+BecarefullChangeThirdpartyBeforeAddProductToInvoice=Wees voorzichtig, afhankelijk van uw productprijsinstellingen, moet u van relatie veranderen voordat u een product aan POS toevoegt.
diff --git a/htdocs/langs/nl_NL/compta.lang b/htdocs/langs/nl_NL/compta.lang
index c811965f35d..79d8621996a 100644
--- a/htdocs/langs/nl_NL/compta.lang
+++ b/htdocs/langs/nl_NL/compta.lang
@@ -69,7 +69,7 @@ SocialContribution=Sociale of fiscale heffingen/belasting
SocialContributions=Sociale of fiscale heffingen/belastingen
SocialContributionsDeductibles=Aftrekbare sociale/fiscale lasten/belastingen
SocialContributionsNondeductibles=Niet aftrekbare sociale/fiscale lasten/belastingen
-DateOfSocialContribution=Date of social or fiscal tax
+DateOfSocialContribution=Datum van sociale of fiscale belasting
LabelContrib=Labelbijdrage
TypeContrib=Type bijdrage
MenuSpecialExpenses=Speciale uitgaven
@@ -111,9 +111,9 @@ Refund=Terugbetaling
SocialContributionsPayments=Betaling Sociale/fiscale lasten
ShowVatPayment=Toon BTW-betaling
TotalToPay=Totaal te voldoen
-BalanceVisibilityDependsOnSortAndFilters=Saldo is alleen zichtbaar in deze lijst als de tabel oplopend is gesorteerd op %s en is gefilterd op 1 bankrekening
+BalanceVisibilityDependsOnSortAndFilters=Saldo is alleen zichtbaar in deze lijst als de tabel is gesorteerd op %s en gefilterd op 1 bankrekening (zonder andere filters)
CustomerAccountancyCode=Debiteurenrekening
-SupplierAccountancyCode=Leveranciersboekhoudingscode
+SupplierAccountancyCode=Boekcode leverancier
CustomerAccountancyCodeShort=Klant account. code
SupplierAccountancyCodeShort=Lev. account. code
AccountNumber=Rekeningnummer
@@ -140,8 +140,8 @@ ConfirmDeleteSocialContribution=Weet u zeker dat u deze sociale- of fiscale bela
ExportDataset_tax_1=Sociale- en fiscale belastingen en betalingen
CalcModeVATDebt=Mode %sBTW op verbintenissenboekhouding %s.
CalcModeVATEngagement=Mode %sBTW op de inkomens-uitgaven %s.
-CalcModeDebt=Analyse van bekende geregistreerde facturen, zelfs als deze nog niet in het grootboek zijn opgenomen.
-CalcModeEngagement=Analyse van bekende geregistreerde betalingen, zelfs als deze nog niet in Ledger zijn geregistreerd.
+CalcModeDebt=Analyse van bekende geregistreerde documenten, zelfs als ze nog niet in het grootboek zijn geboekt.
+CalcModeEngagement=Analyse van bekende geregistreerde betalingen welke nog niet zijn doorgeboekt in de boekhouding.
CalcModeBookkeeping=Analyse van gegevens gejournaliseerd in de boekhoudboekentabel.
CalcModeLT1= Modus %s RE op klant- leveranciers facturen %s
CalcModeLT1Debt=Modus %sRE op klantfacturen%s
@@ -154,9 +154,9 @@ AnnualSummaryInputOutputMode=Balans van inkomsten en uitgaven, jaarlijks overzic
AnnualByCompanies=Saldo van baten en lasten, per vooraf gedefinieerde rekeninggroepen
AnnualByCompaniesDueDebtMode=Evenwicht tussen baten en lasten, gedetailleerd per vooraf gedefinieerde groepen, modus %sClaims-Debts%s zei Commitment accounting .
AnnualByCompaniesInputOutputMode=Saldo van baten en lasten, detail door vooraf gedefinieerde groepen, mode %sIncomes-Expenses%s zei cash accounting.
-SeeReportInInputOutputMode=Zie %sanalyse van betalingen%s voor een berekening van werkelijke betalingen, zelfs als deze nog niet in Ledger zijn geregistreerd.
-SeeReportInDueDebtMode=Zie %sanalyse van facturen%s voor een berekening op basis van bekende geregistreerde facturen, zelfs als deze nog niet in Ledger zijn geregistreerd.
-SeeReportInBookkeepingMode=Zie %s Boekhoudverslag%s voor een berekening op de boekhoudboekentabel
+SeeReportInInputOutputMode=Zie %s analyse van betalingen%s voor een berekening op basis vangeregistreerde betalingengedaan, zelfs als ze nog niet het grootboek zijn opgenomen
+SeeReportInDueDebtMode=Zie %s analyse van geregistreerde documenten%s voor een berekening op basis van bekende geregistreerde documenten zelfs als ze nog niet zijn geboekt
+SeeReportInBookkeepingMode=Zie %s analyse van de boekhoudtabel %s voor een rapport gebaseerd opBoekhoudkundige grootboektabel
RulesAmountWithTaxIncluded=- Bedragen zijn inclusief alle belastingen
RulesResultDue=- Het omvat openstaande facturen, uitgaven, BTW, donaties, of ze nu betaald zijn of niet. Bevat ook betaalde salarissen. - Het is gebaseerd op de factuurdatum van facturen en op de vervaldatum voor uitgaven of belastingbetalingen. Voor salarissen gedefinieerd met Salaris module, wordt de valutadatum van betaling gebruikt.
RulesResultInOut=- Het omvat de echte betalingen op facturen, uitgaven, btw en salarissen. - Het is gebaseerd op de betalingsdatums van de facturen, uitgaven, btw en salarissen. De donatiedatum voor donatie.
@@ -169,12 +169,15 @@ RulesResultBookkeepingPersonalized=Het toont record in uw grootboek met boekhoud
SeePageForSetup=Zie menu %s voor instellingen
DepositsAreNotIncluded=- Vooruitbetalingsfacturen zijn niet inbegrepen
DepositsAreIncluded=- Facturen met vooruitbetaling zijn inbegrepen
+LT1ReportByMonth=BTW 2-rapport per maand
+LT2ReportByMonth=BTW 3 rapport per maand
LT1ReportByCustomers=Belasting 2 rapporteren door relatie
LT2ReportByCustomers=Belasting 3 rapporteren door derden
LT1ReportByCustomersES=Rapport door derde partij RE
LT2ReportByCustomersES=Verslag van derden IRPF
VATReport=Verkoop belasting rapportage
VATReportByPeriods=Verkoopbelastingrapport per periode
+VATReportByMonth=BTW-overzicht per maand
VATReportByRates=BTW overzicht per tarief
VATReportByThirdParties=Verkoopbelastingrapport door relatie
VATReportByCustomers=BTW-overzicht per klant
diff --git a/htdocs/langs/nl_NL/contracts.lang b/htdocs/langs/nl_NL/contracts.lang
index 9cbf6c3b23e..835a44f62a1 100644
--- a/htdocs/langs/nl_NL/contracts.lang
+++ b/htdocs/langs/nl_NL/contracts.lang
@@ -28,7 +28,7 @@ MenuRunningServices=Actieve diensten
MenuExpiredServices=Verlopen diensten
MenuClosedServices=Gesloten diensten
NewContract=Nieuw contract
-NewContractSubscription=New contract or subscription
+NewContractSubscription=Nieuw contract of abonnement
AddContract=Nieuw contract
DeleteAContract=Verwijder een contract
ActivateAllOnContract=Activeer alle services
@@ -99,6 +99,6 @@ TypeContact_contrat_internal_SALESREPFOLL=Vertegenwoordiger opvolging contract
TypeContact_contrat_external_BILLING=Afnemersfactuurcontactpersoon
TypeContact_contrat_external_CUSTOMER=Contactpersoon die follow-up doet voor deze afnemer
TypeContact_contrat_external_SALESREPSIGN=Ondertekening contract contactpersoon
-HideClosedServiceByDefault=Hide closed services by default
-ShowClosedServices=Show Closed Services
-HideClosedServices=Hide Closed Services
+HideClosedServiceByDefault=Verberg gesloten services als default
+ShowClosedServices=Toon gesloten services
+HideClosedServices=Verberg gesloten services
diff --git a/htdocs/langs/nl_NL/cron.lang b/htdocs/langs/nl_NL/cron.lang
index 235ff89766f..a44efab9516 100644
--- a/htdocs/langs/nl_NL/cron.lang
+++ b/htdocs/langs/nl_NL/cron.lang
@@ -7,13 +7,14 @@ Permission23103 = Verwijder geplande taak
Permission23104 = Voer geplande taak uit
# Admin
CronSetup=Beheer taakplanning
-URLToLaunchCronJobs=URL om gekwalificeerde cron-taken te controleren en te starten
-OrToLaunchASpecificJob=Of om een specifieke taak te controleren en te starten
+URLToLaunchCronJobs=URL om gekwalificeerde cron-taken vanuit een browser te controleren en te starten
+OrToLaunchASpecificJob=Of om een specifieke taak vanuit een browser te controleren en te starten
KeyForCronAccess=Beveiligingssleutel voor URL om cron-taken te starten
FileToLaunchCronJobs=Opdrachtregel om gekwalificeerde cron-taken te controleren en te starten
CronExplainHowToRunUnix=In een Unix-omgeving moet u het volgende crontab-item gebruiken om de opdrachtregel elke 5 minuten uit te voeren
CronExplainHowToRunWin=In een Microsoft (tm) Windows-omgeving kunt u de geplande taakhulpmiddelen gebruiken om de opdrachtregel elke 5 minuten uit te voeren
CronMethodDoesNotExists=Class%sbevat geen methode%s
+CronMethodNotAllowed=Methode %s van class %s staat op de zwarte lijst met verboden methoden
CronJobDefDesc=Cron-taakprofielen worden gedefinieerd in het modulebeschrijvingsbestand. Wanneer de module is geactiveerd, zijn ze geladen en beschikbaar, zodat u de taken kunt beheren vanuit het menu admin tools %s.
CronJobProfiles=Lijst met vooraf gedefinieerde cron-functieprofielen
# Menu
@@ -46,6 +47,7 @@ CronNbRun=Aantal lanceringen
CronMaxRun=Maximaal aantal lanceringen
CronEach=Elke
JobFinished=Taak gestart en be-eindigd
+Scheduled=Gepland
#Page card
CronAdd= Taak toevoegen
CronEvery=Alle taken uitvoeren
@@ -56,7 +58,7 @@ CronNote=Reactie
CronFieldMandatory=Velden %s zijn verplicht
CronErrEndDateStartDt=Einddatum kan niet vóór startdatum liggen
StatusAtInstall=Status bij module-installatie
-CronStatusActiveBtn=Activeren
+CronStatusActiveBtn=Schema
CronStatusInactiveBtn=Deactiveren
CronTaskInactive=Deze taak is uitgeschakeld
CronId=Id
@@ -82,3 +84,8 @@ MakeLocalDatabaseDumpShort=Back-up van lokale database
MakeLocalDatabaseDump=Maak een lokale database dump. Parameters zijn: compressie ('gz' of 'bz' of 'none'), back-uptype ('mysql', 'pgsql', 'auto'), 1, 'auto' of te creëren bestandsnaam, aantal te bewaren back-upbestanden
WarningCronDelayed=Opgelet, voor prestatiedoeleinden, ongeacht de volgende datum van uitvoering van ingeschakelde taken, kunnen uw taken worden vertraagd tot maximaal %s uur voordat ze worden uitgevoerd.
DATAPOLICYJob=Gegevens opschonen en anonimiseren
+JobXMustBeEnabled=Taak %s moet zijn ingeschakeld
+# Cron Boxes
+LastExecutedScheduledJob=Laatst uitgevoerde geplande taak
+NextScheduledJobExecute=Volgende geplande taak om uit te voeren
+NumberScheduledJobError=Aantal foutieve geplande taken
diff --git a/htdocs/langs/nl_NL/deliveries.lang b/htdocs/langs/nl_NL/deliveries.lang
index 8a8382da107..329c2b74ad0 100644
--- a/htdocs/langs/nl_NL/deliveries.lang
+++ b/htdocs/langs/nl_NL/deliveries.lang
@@ -27,5 +27,6 @@ Recipient=Ontvanger
ErrorStockIsNotEnough=Er is niet genoeg voorraad
Shippable=Zendklaar
NonShippable=Niet verzendbaar
+ShowShippableStatus=Toon verzendstatus
ShowReceiving=Toon afleverbon
NonExistentOrder=Niet bestaande order
diff --git a/htdocs/langs/nl_NL/ecm.lang b/htdocs/langs/nl_NL/ecm.lang
index 0fe01fa5726..b0b224d1835 100644
--- a/htdocs/langs/nl_NL/ecm.lang
+++ b/htdocs/langs/nl_NL/ecm.lang
@@ -23,7 +23,7 @@ ECMSearchByKeywords=Zoeken op trefwoorden
ECMSearchByEntity=Zoek op object
ECMSectionOfDocuments=Mappen van documenten
ECMTypeAuto=Automatisch
-ECMDocsBy=Documents linked to %s
+ECMDocsBy=Documenten gekoppeld aan %s
ECMNoDirectoryYet=Geen map aangemaakt
ShowECMSection=Toon map
DeleteSection=Verwijder map
@@ -38,6 +38,6 @@ ReSyncListOfDir=Hersynchroniseer de lijst met mappen
HashOfFileContent=Hash van bestandsinhoud
NoDirectoriesFound=Geen mappen gevonden
FileNotYetIndexedInDatabase=Bestand nog niet geïndexeerd in database (probeer deze opnieuw te uploaden)
-ExtraFieldsEcmFiles=Extrafields Ecm Files
-ExtraFieldsEcmDirectories=Extrafields Ecm Directories
-ECMSetup=ECM Setup
+ExtraFieldsEcmFiles=Extrafields Ecm-bestanden
+ExtraFieldsEcmDirectories=Extrafields Ecm-mappen
+ECMSetup=ECM-instellingen
diff --git a/htdocs/langs/nl_NL/errors.lang b/htdocs/langs/nl_NL/errors.lang
index d9b7214e8d9..e829cd22faf 100644
--- a/htdocs/langs/nl_NL/errors.lang
+++ b/htdocs/langs/nl_NL/errors.lang
@@ -5,8 +5,10 @@ NoErrorCommitIsDone=Geen fout, wij bevestigen
# Errors
ErrorButCommitIsDone=Fouten gevonden maar we valideren toch
ErrorBadEMail=E-mail %s is verkeerd
+ErrorBadMXDomain=E-mail %s lijkt verkeerd (domein heeft geen geldige MX-record)
ErrorBadUrl=Ongeldige Url %s
ErrorBadValueForParamNotAString=Slechte parameterwaarde. Wordt over het algemeen gegenereerd als de vertaling ontbreekt.
+ErrorRefAlreadyExists=Referentie %s bestaat al.
ErrorLoginAlreadyExists=Inlog %s bestaat reeds.
ErrorGroupAlreadyExists=Groep %s bestaat reeds.
ErrorRecordNotFound=Tabelregel niet gevonden.
@@ -48,6 +50,7 @@ ErrorFieldsRequired=Enkele verplichte velden zijn niet ingevuld.
ErrorSubjectIsRequired=Het e-mail onderwerp is verplicht
ErrorFailedToCreateDir=Creëren van een map mislukt. Controleer of de Webservergebruiker toestemming heeft om te schrijven in Dolibarr documentenmap. Wanneer de parameter safe_mode is ingeschakeld in PHP, controleer dan dat de Dolibarr php bestanden eigendom zijn van de de webserve gebruiker (of groep).
ErrorNoMailDefinedForThisUser=Geen e-mailadres ingesteld voor deze gebruiker
+ErrorSetupOfEmailsNotComplete=Het instellen van e-mails is niet voltooid
ErrorFeatureNeedJavascript=Voor deze functie moet Javascript geactiveerd zijn. Verander dit in het Instellingen - scherm.
ErrorTopMenuMustHaveAParentWithId0=Een menu van het type 'Top' kan niet beschikken over een bovenliggend menu. Stel 0 in in het 'Top' menu of kies een menu van het type 'Left'.
ErrorLeftMenuMustHaveAParentId=Een menu van het type 'Left' moeten een id van een bovenliggend menu hebben.
@@ -75,7 +78,7 @@ ErrorExportDuplicateProfil=Deze profile naam bestaat al voor deze export set.
ErrorLDAPSetupNotComplete=De Dolibarr-LDAP installatie is niet compleet.
ErrorLDAPMakeManualTest=Een .ldif bestand is gegenereerd in de map %s. Probeer het handmatig te laden vanuit een opdrachtregel om meer informatie over fouten te verkrijgen.
ErrorCantSaveADoneUserWithZeroPercentage=Kan een actie met "status niet gestart" niet opslaan als het veld "gedaan door" ook is ingevuld.
-ErrorRefAlreadyExists=De referentie gebruikt voor het maken bestaat al
+ErrorRefAlreadyExists=Referentie %s bestaat al.
ErrorPleaseTypeBankTransactionReportName=Voer de naam van het bankafschrift in waar de boeking moet worden gerapporteerd (formaat YYYYMM of YYYYMMDD)
ErrorRecordHasChildren=Kan record niet verwijderen omdat het enkele onderliggende records heeft.
ErrorRecordHasAtLeastOneChildOfType=Object heeft ten minste één kind van het type %s
@@ -120,7 +123,7 @@ ErrorLoginHasNoEmail=Deze gebruiker heeft geen e-mail adres. Proces afgebroken.
ErrorBadValueForCode=Onjuist waardetypen voor code. Probeer het opnieuw met een nieuwe waarde
ErrorBothFieldCantBeNegative=Velden %s %s en kan niet beide negatief
ErrorFieldCantBeNegativeOnInvoice=Veld %s mag niet negatief zijn voor dit type factuur. Als u een kortingsregel moet toevoegen, maakt u eerst de korting (uit veld '%s' op de kaart van een derde partij) en past u deze toe op de factuur.
-ErrorLinesCantBeNegativeForOneVATRate=Total of lines (net of tax) can't be negative for a given not null VAT rate (Found a negative total for VAT rate %s%%).
+ErrorLinesCantBeNegativeForOneVATRate=Totaal aantal regels (na aftrek van belastingen) kan niet negatief zijn voor een bepaald btw-tarief dat niet nul is (negatief totaal gevonden voor btw-tarief %s%%).
ErrorLinesCantBeNegativeOnDeposits=Lijnen kunnen niet negatief zijn in een storting. U zult problemen ondervinden wanneer u de aanbetaling in de eindfactuur moet verbruiken als u dit doet.
ErrorQtyForCustomerInvoiceCantBeNegative=Aantal voor regel in klantfacturen kan niet negatief zijn
ErrorWebServerUserHasNotPermission=User account %s gebruikt om web-server uit te voeren heeft geen toestemming voor die
@@ -136,8 +139,8 @@ ErrorNewValueCantMatchOldValue=Nieuwe waarde kan niet gelijk is aan de oude
ErrorFailedToValidatePasswordReset=Mislukt om wachtwoord opnieuw te initialiseren. Misschien werd de her-init al gedaan (deze link kan slechts een keer worden). Zo niet, probeer dan het her-init proces opnieuw te starten.
ErrorToConnectToMysqlCheckInstance=Verbinding maken met database mislukt. Controleer of de databaseserver actief is (bijvoorbeeld, met mysql / mariadb, kunt u het starten vanaf de opdrachtregel met 'sudo service mysql start').
ErrorFailedToAddContact=Mislukt om contact toe te voegen
-ErrorDateMustBeBeforeToday=The date must be lower than today
-ErrorDateMustBeInFuture=The date must be greater than today
+ErrorDateMustBeBeforeToday=De datum moet eerder zijn dan vandaag
+ErrorDateMustBeInFuture=De datum moet later zijn dan vandaag
ErrorPaymentModeDefinedToWithoutSetup=Er is een betalingsmodus ingesteld om %s te typen, maar het instellen van de module Factuur is niet voltooid om te definiëren welke informatie moet worden weergegeven voor deze betalingsmodus.
ErrorPHPNeedModule=Fout, op uw PHP moet module %s zijn geïnstalleerd om deze functie te gebruiken.
ErrorOpenIDSetupNotComplete=U stelt het Dolibarr-configuratiebestand in om OpenID-authenticatie toe te staan, maar de URL van de OpenID-service is niet gedefinieerd als een constante %s
@@ -185,7 +188,7 @@ ErrorBadDefinitionOfMenuArrayInModuleDescriptor=Onjuiste definitie van menureeks
ErrorSavingChanges=Er is een fout opgetreden bij het opslaan van de wijzigingen
ErrorWarehouseRequiredIntoShipmentLine=Magazijn is vereist op de lijn om te verzenden
ErrorFileMustHaveFormat=Bestand moet het formaat %s hebben
-ErrorFilenameCantStartWithDot=Filename can't start with a '.'
+ErrorFilenameCantStartWithDot=Bestandsnaam mag niet beginnen met een '.'
ErrorSupplierCountryIsNotDefined=Land voor deze leverancier is niet gedefinieerd. Corrigeer dit eerst.
ErrorsThirdpartyMerge=Kan de twee records niet samenvoegen. Verzoek geannuleerd.
ErrorStockIsNotEnoughToAddProductOnOrder=De voorraad is niet voldoende om het product %s toe te voegen aan een nieuwe bestelling.
@@ -216,7 +219,7 @@ ErrorChooseBetweenFreeEntryOrPredefinedProduct=U moet kiezen of het artikel een
ErrorDiscountLargerThanRemainToPaySplitItBefore=De korting die u probeert toe te passen is groter dan u nog moet betalen. Verdeel de korting eerder in 2 kleinere kortingen.
ErrorFileNotFoundWithSharedLink=Bestand is niet gevonden. Mogelijk is de gedeelde sleutel gewijzigd of is het bestand onlangs verwijderd.
ErrorProductBarCodeAlreadyExists=De productstreepjescode %s bestaat al op een andere productreferentie.
-ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Merk ook op dat het gebruik van een virtueel product voor het automatisch verhogen / verlagen van subproducten niet mogelijk is wanneer ten minste één subproduct (of subproduct van subproducten) een serie- / partijnummer nodig heeft.
+ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Merk ook op dat het gebruik van kits voor het automatisch verhogen / verlagen van subproducten niet mogelijk is wanneer ten minste één subproduct (of subproduct van subproducten) een serie-/lotnummer nodig heeft.
ErrorDescRequiredForFreeProductLines=Beschrijving is verplicht voor lijnen met gratis product
ErrorAPageWithThisNameOrAliasAlreadyExists=De pagina / container %s heeft dezelfde naam of alternatieve alias die u probeert te gebruiken
ErrorDuringChartLoad=Fout bij het laden van een rekeningschema. Als enkele accounts niet werden geladen, kunt u ze nog steeds handmatig invoeren.
@@ -240,9 +243,19 @@ ErrorBatchNoFoundEnoughQuantityForProductInWarehouse=Geen voorraad voor dit lot
ErrorOnlyOneFieldForGroupByIsPossible=Slechts 1 veld voor de 'Groepeer op' is mogelijk (andere worden weggegooid)
ErrorTooManyDifferentValueForSelectedGroupBy=Te veel verschillende waarden gevonden (meer dan %s ) voor het veld ' %s ', dus we kunnen het niet gebruiken voor afbeeldingen als '. Het veld 'Goepeer op' is verwijderd. Misschien wil je het gebruiken als een X-as?
ErrorReplaceStringEmpty=Fout, de tekenreeks waarin moet worden vervangen, is leeg
-ErrorProductNeedBatchNumber=Error, product '%s' need a lot/serial number
-ErrorProductDoesNotNeedBatchNumber=Error, product '%s' does not accept a lot/serial number
-ErrorFailedToReadObject=Error, failed to read object of type %s
+ErrorProductNeedBatchNumber=Fout, product '%s' heeft een lot/serienummer nodig
+ErrorProductDoesNotNeedBatchNumber=Fout, product '%s' accepteert geen lot- /serienummer
+ErrorFailedToReadObject=Fout, kan object van het type%s niet lezen
+ErrorParameterMustBeEnabledToAllwoThisFeature=Fout, parameter %s moet zijn ingeschakeld inconf / conf.phpom het gebruik van de opdrachtregelinterface door de interne taakplanner mogelijk te maken
+ErrorLoginDateValidity=Fout, deze login valt buiten de geldigheidsperiode
+ErrorValueLength=Lengte van veld '%s' moet hoger zijn dan '%s'
+ErrorReservedKeyword=Het woord '%s' is een gereserveerd trefwoord
+ErrorNotAvailableWithThisDistribution=Niet beschikbaar in deze distributie
+ErrorPublicInterfaceNotEnabled=Publieke interface was niet ingeschakeld
+ErrorLanguageRequiredIfPageIsTranslationOfAnother=De taal van een nieuwe pagina moet worden gedefinieerd als deze is ingesteld als een vertaling van een andere pagina
+ErrorLanguageMustNotBeSourceLanguageIfPageIsTranslationOfAnother=De taal van de nieuwe pagina mag niet de brontaal zijn als deze is ingesteld als vertaling van een andere pagina
+ErrorAParameterIsRequiredForThisOperation=Een parameter is verplicht voor deze bewerking
+
# Warnings
WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Uw PHP-parameter upload_max_filesize (%s) is hoger dan PHP-parameter post_max_size (%s). Dit is geen consistente opstelling.
WarningPasswordSetWithNoAccount=Er is een wachtwoord ingesteld voor dit lid. Er is echter geen gebruikersaccount gemaakt. Dus dit wachtwoord is opgeslagen maar kan niet worden gebruikt om in te loggen bij Dolibarr. Het kan worden gebruikt door een externe module / interface, maar als u geen gebruikersnaam of wachtwoord voor een lid hoeft aan te maken, kunt u de optie "Beheer een login voor elk lid" in de module-setup van Member uitschakelen. Als u een login moet beheren maar geen wachtwoord nodig heeft, kunt u dit veld leeg houden om deze waarschuwing te voorkomen. Opmerking: e-mail kan ook worden gebruikt als login als het lid aan een gebruiker is gekoppeld.
@@ -267,6 +280,10 @@ WarningYourLoginWasModifiedPleaseLogin=Uw login is gewijzigd. Om veiligheidsrede
WarningAnEntryAlreadyExistForTransKey=Er bestaat al een vermelding voor de vertaalsleutel voor deze taal
WarningNumberOfRecipientIsRestrictedInMassAction=Waarschuwing, het aantal verschillende ontvangers is beperkt tot %s wanneer u de massa-acties op lijsten gebruikt
WarningDateOfLineMustBeInExpenseReportRange=Waarschuwing, de datum van de regel valt niet binnen het bereik van het onkostenoverzicht
+WarningProjectDraft=Het project bevindt zich nog in de conceptmodus. Vergeet niet om het te valideren als u van plan bent taken te gebruiken.
WarningProjectClosed=Project is afgesloten. U moet het eerst opnieuw openen.
WarningSomeBankTransactionByChequeWereRemovedAfter=Sommige banktransacties werden verwijderd nadat het ontvangstbewijs inclusief deze was gegenereerd. Het aantal cheques en het totaal van de ontvangst kan dus verschillen van het aantal en het totaal in de lijst.
-WarningFailedToAddFileIntoDatabaseIndex=Pasop., Kan geen bestandsinvoer toevoegen aan de ECM-database-indextabel
+WarningFailedToAddFileIntoDatabaseIndex=Pas op, het toevoegen van bestandsinvoer aan de ECM-database-indextabel is mislukt
+WarningTheHiddenOptionIsOn=Pas op, de verborgen optie %s is ingeschakeld.
+WarningCreateSubAccounts=Waarschuwing, u kunt niet rechtstreeks een subaccount aanmaken, u moet een derde partij of een gebruiker aanmaken en hen een boekhoudcode toewijzen om ze in deze lijst te vinden
+WarningAvailableOnlyForHTTPSServers=Alleen beschikbaar als u een beveiligde HTTPS-verbinding gebruikt.
diff --git a/htdocs/langs/nl_NL/exports.lang b/htdocs/langs/nl_NL/exports.lang
index af7fa1643d8..5ea7b305541 100644
--- a/htdocs/langs/nl_NL/exports.lang
+++ b/htdocs/langs/nl_NL/exports.lang
@@ -110,7 +110,7 @@ CsvOptions=CSV-formaatopties
Separator=Veldscheider
Enclosure=Stringscheidingsteken
SpecialCode=Speciale code
-ExportStringFilter=%% laat het vervangen toe van één of meer tekens in de tekst
+ExportStringFilter=Gebruik%% voor het vervangen van één of meer tekens in de tekst
ExportDateFilter=JJJJ, JJJJMM, JJJJMMDD: filters per jaar/maand/dag JJJJ + JJJJ, JJJJMM + JJJJMM, JJJJMMDD + JJJJMMDD: filters over een periode van jaren/maanden/dagen > JJJJ, >JJJJMM, >JJJJMMDD: filters op alle volgende jaren/maanden/dagen NNNNN + NNNNN filters over een bereik van waarden < NNNNN filters met lagere waarden > NNNNN filters met hogere waarden
ImportFromLine=Importeren vanaf regelnummer
@@ -133,3 +133,4 @@ KeysToUseForUpdates=Sleutel (kolom) om te gebruiken voor het bijwerken van%s kon niet verwijderd worden.
FTPFailedToRemoveDir=Kan map %s niet verwijderen: controleer de machtigingen en of de map leeg is.
FTPPassiveMode=Passive mode
-ChooseAFTPEntryIntoMenu=Kies een FTP-site in het menu ...
+ChooseAFTPEntryIntoMenu=Kies een FTP / SFTP-site uit het menu ...
FailedToGetFile=%sBestanden niet ontvangen
diff --git a/htdocs/langs/nl_NL/hrm.lang b/htdocs/langs/nl_NL/hrm.lang
index 00b91ece0f6..479157a79aa 100644
--- a/htdocs/langs/nl_NL/hrm.lang
+++ b/htdocs/langs/nl_NL/hrm.lang
@@ -1,19 +1,19 @@
# Dolibarr language file - en_US - hrm
# Admin
-HRM_EMAIL_EXTERNAL_SERVICE=E-mail om externe HRM services te verhinderen.
-Establishments=Bedrijven
-Establishment=Bedrijf
-NewEstablishment=Nieuw bedrijf
-DeleteEstablishment=Verwijder bedrijf
+HRM_EMAIL_EXTERNAL_SERVICE=E-mail om externe HRM service te verhinderen.
+Establishments=Vestigingen
+Establishment=Vestiging
+NewEstablishment=Nieuwe Vestiging
+DeleteEstablishment=Verwijder vestiging
ConfirmDeleteEstablishment=Weet u zeker dat u deze vestiging wilt verwijderen?
-OpenEtablishment=Open bedrijf
-CloseEtablishment=Sluit bedrijf
+OpenEtablishment=Open vestiging
+CloseEtablishment=Sluit vestiging
# Dictionary
DictionaryPublicHolidays=HRM - Feestdagen
DictionaryDepartment=HRM - Afdelingslijst
-DictionaryFunction=HRM - Functies
+DictionaryFunction=HRM - Vacatures
# Module
Employees=Werknemers
Employee=Werknemer
NewEmployee=Nieuwe werknemer
-ListOfEmployees=List of employees
+ListOfEmployees=Werknemers lijst
diff --git a/htdocs/langs/nl_NL/interventions.lang b/htdocs/langs/nl_NL/interventions.lang
index ca03ab08ba8..b984fa9206f 100644
--- a/htdocs/langs/nl_NL/interventions.lang
+++ b/htdocs/langs/nl_NL/interventions.lang
@@ -1,18 +1,18 @@
# Dolibarr language file - Source file is en_US - interventions
Intervention=Interventie
Interventions=Interventies
-InterventionCard=Interventiedetails
+InterventionCard=Interventie details
NewIntervention=Nieuwe interventie
-AddIntervention=Nieuwe interventie
+AddIntervention=Creëer interventie
ChangeIntoRepeatableIntervention=Schakel over naar herhaalbare interventie
ListOfInterventions=Interventielijst
ActionsOnFicheInter=Acties bij interventie
LastInterventions=Laatste %s interventies
AllInterventions=Alle interventies
CreateDraftIntervention=Creëer conceptinterventie
-InterventionContact=Interventiecontactpersoon
+InterventionContact=Interventie contactpersoon
DeleteIntervention=Interventie verwijderen
-ValidateIntervention=Inteverntie valideren
+ValidateIntervention=Interventie valideren
ModifyIntervention=Interventie aanpassen
DeleteInterventionLine=Interventieregel verwijderen
ConfirmDeleteIntervention=Weet u zeker dat u deze interventie wilt verwijderen?
@@ -22,13 +22,13 @@ ConfirmDeleteInterventionLine=Weet u zeker dat u deze interventieregel wilt verw
ConfirmCloneIntervention=Weet je zeker dat je deze interventie wilt klonen?
NameAndSignatureOfInternalContact=Naam en handtekening van de tussenkomende partij:
NameAndSignatureOfExternalContact=Naam en handtekening van klant:
-DocumentModelStandard=Standaard modeldocument voor interventies
-InterventionCardsAndInterventionLines=Inteventiebladen en -regels
+DocumentModelStandard=Standaard model document voor interventies
+InterventionCardsAndInterventionLines=Interventies en interventie -regels
InterventionClassifyBilled=Classificeer "gefactureerd"
InterventionClassifyUnBilled=Classificeer "Nog niet gefactureerd"
InterventionClassifyDone=Classificeer "Klaar"
StatusInterInvoiced=Gefactureerd
-SendInterventionRef=Indiening van de interventie %s
+SendInterventionRef=Inzending van de interventie %s
SendInterventionByMail=Stuur interventie per e-mail
InterventionCreatedInDolibarr=Interventie %s gecreëerd
InterventionValidatedInDolibarr=Interventie %s gevalideerd
@@ -38,10 +38,10 @@ InterventionClassifiedUnbilledInDolibarr=Interventie %s als nog niet gefactureer
InterventionSentByEMail=Interventie %s verzonden per e-mail
InterventionDeletedInDolibarr=Interventie %s verwijderd
InterventionsArea=Interventies onderdeel
-DraftFichinter=Concept-interventies
+DraftFichinter=Concept interventies
LastModifiedInterventions=Laatste %s aangepaste interventies
FichinterToProcess=Interventies om te verwerken
-TypeContact_fichinter_external_CUSTOMER=Nabehandeling afnemerscontact
+TypeContact_fichinter_external_CUSTOMER=Opvolgen klantcontact
PrintProductsOnFichinter=Print ook regels van het type "product" (niet alleen diensten) op de interventiekaart
PrintProductsOnFichinterDetails=Interventies gegenereerd op basis van bestellingen
UseServicesDurationOnFichinter=Gebruik de duur van de services voor interventies die zijn gegenereerd op basis van bestellingen
@@ -51,16 +51,18 @@ InterventionStatistics=Interventie statistieken
NbOfinterventions=Aantal interventiekaarten
NumberOfInterventionsByMonth=Aantal interventiekaarten per maand (datum van validatie)
AmountOfInteventionNotIncludedByDefault=Het bedrag voor interventie is niet standaard opgenomen in de winst (in de meeste gevallen worden de urenstaten gebruikt om de bestede tijd te tellen). Voeg optie PROJECT_INCLUDE_INTERVENTION_AMOUNT_IN_PROFIT toe aan 1 in home-setup-diversen om ze op te nemen.
-InterId=Interventie-ID
+InterId=Interventie ID
InterRef=Interventie ref.
InterDateCreation=Aanmaakdatum interventie
InterDuration=Interventieduur
InterStatus=Interventiestatus
InterNote=Opmerking interventie
-InterLine=Lijn van interventie
-InterLineId=Regel ID-interventie
+InterLine=Lijn/regel van interventie
+InterLineId=Regel ID interventie
InterLineDate=Datum regel interventie
InterLineDuration=Duur regel interventie
InterLineDesc=Opmerking regel interventie
RepeatableIntervention=Sjabloon voor interventie
ToCreateAPredefinedIntervention=Als u een vooraf gedefinieerde of terugkerende interventie wilt maken, maakt u een gemeenschappelijke interventie en converteert u deze naar een interventiesjabloon
+Reopen=Heropenen
+ConfirmReopenIntervention=Weet u zeker dat u de interventie %s weer wilt openen?
diff --git a/htdocs/langs/nl_NL/intracommreport.lang b/htdocs/langs/nl_NL/intracommreport.lang
index e30b5fe8ff2..f7a16dc291f 100644
--- a/htdocs/langs/nl_NL/intracommreport.lang
+++ b/htdocs/langs/nl_NL/intracommreport.lang
@@ -31,10 +31,10 @@ IntracommReportTitle=Voorbereiding van een XML-bestand in ProDouane formaat
# List
IntracommReportList=Lijst met gegenereerde aangiften
-IntracommReportNumber=Numero of declaration
-IntracommReportPeriod=Period of nalysis
+IntracommReportNumber=Nummer van aangifte
+IntracommReportPeriod=Analyseperiode
IntracommReportTypeDeclaration=Type aangifte
-IntracommReportDownload=download XML file
+IntracommReportDownload=download XML-bestand
# Invoice
IntracommReportTransportMode=Transport methode
diff --git a/htdocs/langs/nl_NL/languages.lang b/htdocs/langs/nl_NL/languages.lang
index e6b9fa70658..4d1ee5150ff 100644
--- a/htdocs/langs/nl_NL/languages.lang
+++ b/htdocs/langs/nl_NL/languages.lang
@@ -1,11 +1,11 @@
# Dolibarr language file - Source file is en_US - languages
-Language_am_ET=Ethiopian
+Language_am_ET=Ethiopisch
Language_ar_AR=Arabisch
Language_ar_EG=Arabisch (Egyptisch)
Language_ar_SA=Arabisch
-Language_az_AZ=Azerbaijani
+Language_az_AZ=Azerbeidzjaans
Language_bn_BD=Bengaals
-Language_bn_IN=Bengali (India)
+Language_bn_IN=Bengaals (India)
Language_bg_BG=Bulgaars
Language_bs_BA=Bosnisch
Language_ca_ES=Catalaans
@@ -40,7 +40,7 @@ Language_es_PA=Spaans (Panama)
Language_es_PY=Spaans (Paraguay)
Language_es_PE=Spaans (Peru)
Language_es_PR=Spaans (Puerto Rico)
-Language_es_US=Spanish (USA)
+Language_es_US=Spaans (VS)
Language_es_UY=Spaans (Uruguay)
Language_es_GT=Spaans (Guatemala)
Language_es_VE=Spaans (Venezuela)
@@ -54,11 +54,11 @@ Language_fr_CH=Frans (Zwitserland)
Language_fr_CI=Frans (Ivoorkust)
Language_fr_CM=Frans (Kameroen)
Language_fr_FR=Frans (Frankrijk)
-Language_fr_GA=French (Gabon)
+Language_fr_GA=Frans (Gabon)
Language_fr_NC=Frans (Nieuw-Caledonië)
Language_fr_SN=Frans (Senegal)
Language_fy_NL=Frisian
-Language_gl_ES=Galician
+Language_gl_ES=Galicisch
Language_he_IL=Hebreeuws
Language_hi_IN=Hindi (India)
Language_hr_HR=Kroatisch
@@ -78,7 +78,7 @@ Language_lv_LV=Lets
Language_mk_MK=Macedonisch
Language_mn_MN=Mongools
Language_nb_NO=Noors (Bokmål)
-Language_ne_NP=Nepali
+Language_ne_NP=Nepalees
Language_nl_BE=Nederlands (België)
Language_nl_NL=Nederlands
Language_pl_PL=Pools
diff --git a/htdocs/langs/nl_NL/loan.lang b/htdocs/langs/nl_NL/loan.lang
index 82892fa1a0f..82c7adbae4e 100644
--- a/htdocs/langs/nl_NL/loan.lang
+++ b/htdocs/langs/nl_NL/loan.lang
@@ -23,9 +23,9 @@ AddLoan=Aanmaken lening
FinancialCommitment=Financiële verplichting
InterestAmount=Rente
CapitalRemain=Saldo kapitaal
-TermPaidAllreadyPaid = This term is allready paid
-CantUseScheduleWithLoanStartedToPaid = Can't use scheduler for a loan with payment started
-CantModifyInterestIfScheduleIsUsed = You can't modify interest if you use schedule
+TermPaidAllreadyPaid = Deze termijn is al betaald
+CantUseScheduleWithLoanStartedToPaid = Kan planner niet gebruiken voor een lening waarvan de betaling is gestart
+CantModifyInterestIfScheduleIsUsed = U kunt de rente niet wijzigen indien u een schema gebruikt
# Admin
ConfigLoan=Configuratie van de module lening
LOAN_ACCOUNTING_ACCOUNT_CAPITAL=Standaard grootboekrekening kapitaal
diff --git a/htdocs/langs/nl_NL/mails.lang b/htdocs/langs/nl_NL/mails.lang
index 0d1eca7a0ff..a14f41f49c8 100644
--- a/htdocs/langs/nl_NL/mails.lang
+++ b/htdocs/langs/nl_NL/mails.lang
@@ -92,6 +92,7 @@ MailingModuleDescEmailsFromUser=E-mails door gebruiker opgemaakt
MailingModuleDescDolibarrUsers=Gebruikers met e-mails
MailingModuleDescThirdPartiesByCategories=Derden (op categorieën)
SendingFromWebInterfaceIsNotAllowed=Verzenden vanuit de web interface is niet toegestaan.
+EmailCollectorFilterDesc=Alle filters moeten overeenkomen om een e-mail te kunnen verzamelen
# Libelle des modules de liste de destinataires mailing
LineInFile=Regel %s in bestand
@@ -129,8 +130,8 @@ NotificationsAuto=Automatisch meldingen
NoNotificationsWillBeSent=Er staan geen e-mail kennisgevingen gepland voor dit type evenement en bedrijf
ANotificationsWillBeSent=1 automatische notificatie zal worden verstuurd per e-mail
SomeNotificationsWillBeSent=%s automatische notificatie zal per e-mail worden verstuurd
-AddNewNotification=Activeer een nieuw doel / evenement voor e-mailmeldingen
-ListOfActiveNotifications=Lijst met alle actieve doelen / evenementen voor e-mail melding
+AddNewNotification=Abonneer u op een nieuwe automatische e-mailmelding (doel/gebeurtenis)
+ListOfActiveNotifications=Lijst van alle actieve abonnementen (doelen/evenementen) voor automatische e-mailmelding
ListOfNotificationsDone=Lijst met alle automatisch verstuurde e-mail kennisgevingen
MailSendSetupIs=Configuratie van e-mailverzending is ingesteld op '%s'. Deze modus kan niet worden gebruikt om bulk e-mails te verzenden.
MailSendSetupIs2=Ga eerst met een beheerdersaccount naar menu %s Home - Set-up - E-mails%s om de parameter '%s' te wijzigen om de modus '%s' te gebruiken. Met deze modus kunt u de installatie van de SMTP-server van uw internetprovider openen en de functie Bulk e-mails gebruiken.
@@ -141,7 +142,7 @@ UseFormatFileEmailToTarget=Het geïmporteerde bestand moet de indeling e
UseFormatInputEmailToTarget=Voer een string in met het formaat e-mail; naam; voornaam; andere
MailAdvTargetRecipients=Ontvangers (geavanceerde selectie)
AdvTgtTitle=Vul invoervelden in om de derde partijen of contacten / adressen voor te selecteren
-AdvTgtSearchTextHelp=Gebruik %% als jokertekens. Om bijvoorbeeld alle items zoals jean, joe, jim te vinden , kun je j%% invoeren , je kunt ook ; gebruiken als scheidingsteken voor waarde en gebruik ! voor behalve deze waarde. Voorbeeld jean; joe; jim%%;! Jimo;! Jima% richt zich op alle jean, joe, start met jim maar niet jimo en niet alles wat met jima begint
+AdvTgtSearchTextHelp=Gebruik %% als joker-teken. Om bijvoorbeeld alle items zoals jean, joe, jim te vinden, kun je j%% invoeren Je kunt ook een ; gebruiken als scheidingsteken voor de waarde, en gebruik ! alleen hiervoor. Voorbeeldjean;joe;jim%%;!Jimo;!Jima%% zal alle jean, joe, beginnen met jim maar niet met jimo en niet alles dat begint met jima
AdvTgtSearchIntHelp=Gebruik interval om de waarde int of float te selecteren
AdvTgtMinVal=Minimum waarde
AdvTgtMaxVal=Maximum waarde
diff --git a/htdocs/langs/nl_NL/main.lang b/htdocs/langs/nl_NL/main.lang
index 34b50571fb7..c04dad49fea 100644
--- a/htdocs/langs/nl_NL/main.lang
+++ b/htdocs/langs/nl_NL/main.lang
@@ -28,7 +28,9 @@ NoTemplateDefined=Geen sjabloon beschikbaar voor dit e-mailtype
AvailableVariables=Beschikbare substitutievariabelen
NoTranslation=Geen vertaling
Translation=Vertaling
+CurrentTimeZone=Huidige tijdzone (server)
EmptySearchString=Voer geen lege zoekcriteria in
+EnterADateCriteria=Voer een datumcriterium in
NoRecordFound=Geen item gevonden
NoRecordDeleted=Geen record verwijderd
NotEnoughDataYet=Niet genoeg data
@@ -85,6 +87,8 @@ FileWasNotUploaded=Een bestand is geselecteerd als bijlage, maar is nog niet ge
NbOfEntries=Aantal inzendingen
GoToWikiHelpPage=Lees de online hulptekst (internettoegang vereist)
GoToHelpPage=Lees de hulptekst
+DedicatedPageAvailable=Er is een speciale help-pagina die betrekking heeft op uw huidige scherm
+HomePage=Startpagina
RecordSaved=Item opgeslagen
RecordDeleted=Item verwijderd
RecordGenerated=Record gegenereerd
@@ -197,7 +201,7 @@ ReOpen=Heropenen
Upload=Uploaden
ToLink=Link
Select=Selecteer
-SelectAll=Select all
+SelectAll=Selecteer alles
Choose=Kies
Resize=Schalen
ResizeOrCrop=Formaat wijzigen of bijsnijden
@@ -267,10 +271,10 @@ DateStart=Begindatum
DateEnd=Einddatum
DateCreation=Aanmaakdatum
DateCreationShort=Aanmaakdatum
-IPCreation=Creation IP
+IPCreation=Creatie IP
DateModification=Wijzigingsdatum
DateModificationShort=Wijzigingsdatum
-IPModification=Modification IP
+IPModification=Wijziging IP
DateLastModification=Laatste wijzigingsdatum
DateValidation=Validatiedatum
DateClosing=Sluitingsdatum
@@ -324,7 +328,7 @@ Morning=Ochtend
Afternoon=Namiddag
Quadri=Trimester
MonthOfDay=Maand van de dag
-DaysOfWeek=Days of week
+DaysOfWeek=Dagen van de week
HourShort=U
MinuteShort=mn
Rate=Tarief
@@ -362,7 +366,7 @@ Amount=Hoeveelheid
AmountInvoice=Factuurbedrag
AmountInvoiced=Gefactureerd bedrag
AmountInvoicedHT=Gefactureerd bedrag (excl. BTW)
-AmountInvoicedTTC=Amount invoiced (inc. tax)
+AmountInvoicedTTC=Gefactureerd bedrag (incl. BTW)
AmountPayment=Betalingsbedrag
AmountHTShort=Bedrag (excl.)
AmountTTCShort=Bedrag met BTW
@@ -375,7 +379,7 @@ MulticurrencyPaymentAmount=Betalingsbedrag, originele valuta
MulticurrencyAmountHT=Bedrag (excl. BTW), oorspronkelijke valuta
MulticurrencyAmountTTC=Bedrag (incl. BTW), oorspronkelijke valuta
MulticurrencyAmountVAT=BTW bedrag, oorspronkelijke valuta
-MulticurrencySubPrice=Amount sub price multi currency
+MulticurrencySubPrice=Bedrag subprijs in meerdere valuta
AmountLT1=Bedrag tax 2
AmountLT2=Bedrag tax 3
AmountLT1ES=Bedrag RE
@@ -433,6 +437,7 @@ RemainToPay=Restant te betalen
Module=Module/Applicatie
Modules=Modules / Applicaties
Option=Optie
+Filters=Filters
List=Lijstoverzicht
FullList=Volledig overzicht
FullConversation=Volledig gesprek
@@ -494,7 +499,7 @@ By=Door
From=Van
FromDate=Van
FromLocation=Van
-at=at
+at=Bij
to=t/m
To=t/m
and=en
@@ -517,7 +522,7 @@ Draft=Concept
Drafts=Concepten
StatusInterInvoiced=gefactureerd
Validated=Gevalideerd
-ValidatedToProduce=Validated (To produce)
+ValidatedToProduce=Gevalideerd (om te produceren)
Opened=Open
OpenAll=Open (alles)
ClosedAll=Gesloten (alles)
@@ -698,7 +703,7 @@ Method=Methode
Receive=Ontvangen
CompleteOrNoMoreReceptionExpected=Voltooid of niets meer verwacht
ExpectedValue=Verwachte waarde
-ExpectedQty=Expected Qty
+ExpectedQty=Verwacht aantal
PartialWoman=Gedeeltelijke
TotalWoman=Totaal
NeverReceived=Nooit ontvangen
@@ -715,7 +720,7 @@ MenuECM=Documenten
MenuAWStats=AWStats
MenuMembers=Leden
MenuAgendaGoogle=Google-agenda
-MenuTaxesAndSpecialExpenses=Taxes | Special expenses
+MenuTaxesAndSpecialExpenses=Belastingen | Bijzondere kosten
ThisLimitIsDefinedInSetup=Dolibarr limiet (Menu Home-Instellingen-Beveiliging): %s Kb, PHP grens: %s Kb
NoFileFound=Geen documenten die zijn opgeslagen in deze map
CurrentUserLanguage=Huidige taal
@@ -738,7 +743,7 @@ Page=Pagina
Notes=Notitie
AddNewLine=Voeg nieuwe regel toe
AddFile=Voeg bestand toe
-FreeZone=Free-text product
+FreeZone=Product met vrije tekst
FreeLineOfType=Vrije omschrijving, type:
CloneMainAttributes=Kloon het object met de belangrijkste kenmerken
ReGeneratePDF=PDF opnieuw genereren
@@ -888,8 +893,8 @@ Miscellaneous=Diversen
Calendar=Kalender
GroupBy=Groeperen op ...
ViewFlatList=Weergeven als lijst
-ViewAccountList=View ledger
-ViewSubAccountList=View subaccount ledger
+ViewAccountList=Grootboek bekijken
+ViewSubAccountList=Bekijk het grootboek van de subrekening
RemoveString='%s' string verwijderen
SomeTranslationAreUncomplete=Sommige aangeboden talen zijn mogelijk slechts gedeeltelijk vertaald of kunnen fouten bevatten. Help ons om uw taal te corrigeren door u te registreren op https://transifex.com/projects/p/dolibarr/ om uw verbeteringen toe te voegen.
DirectDownloadLink=Directe download link (openbaar/extern)
@@ -958,39 +963,39 @@ ShortThursday=Do
ShortFriday=Vr
ShortSaturday=Za
ShortSunday=Zo
-one=one
-two=two
-three=three
-four=four
-five=five
-six=six
-seven=seven
-eight=eight
-nine=nine
-ten=ten
-eleven=eleven
-twelve=twelve
-thirteen=thirdteen
-fourteen=fourteen
-fifteen=fifteen
-sixteen=sixteen
-seventeen=seventeen
-eighteen=eighteen
-nineteen=nineteen
-twenty=twenty
-thirty=thirty
-forty=forty
-fifty=fifty
-sixty=sixty
-seventy=seventy
-eighty=eighty
-ninety=ninety
-hundred=hundred
-thousand=thousand
-million=million
-billion=billion
-trillion=trillion
-quadrillion=quadrillion
+one=één
+two=twee
+three=drie
+four=vier
+five=vijf
+six=zes
+seven=zeven
+eight=acht
+nine=negen
+ten=tien
+eleven=elf
+twelve=twaalf
+thirteen=dertien
+fourteen=veertien
+fifteen=vijftien
+sixteen=zestien
+seventeen=zeventien
+eighteen=achttien
+nineteen=negentien
+twenty=twintig
+thirty=dertig
+forty=veertig
+fifty=vijftig
+sixty=zestig
+seventy=zeventig
+eighty=tachtig
+ninety=negentig
+hundred=honderd
+thousand=duizend
+million=miljoen
+billion=miljard
+trillion=biljoen
+quadrillion=biljard
SelectMailModel=Selecteer een e-mail template
SetRef=Stel ref in
Select2ResultFoundUseArrows=Resultaten gevonden. Gebruik de pijlen om te selecteren.
@@ -1021,7 +1026,7 @@ SearchIntoCustomerShipments=Klantzendingen
SearchIntoExpenseReports=Onkostennota's
SearchIntoLeaves=Vertrekken
SearchIntoTickets=Tickets
-SearchIntoCustomerPayments=Customer payments
+SearchIntoCustomerPayments=Betalingen door klanten
SearchIntoVendorPayments=Leveranciersbetalingen
SearchIntoMiscPayments=Diverse betalingen
CommentLink=Opmerkingen
@@ -1092,18 +1097,23 @@ NotUsedForThisCustomer=Niet gebruikt voor deze klant
AmountMustBePositive=Bedrag moet positief zijn
ByStatus=Op status
InformationMessage=Informatie
-Used=Used
-ASAP=As Soon As Possible
-CREATEInDolibarr=Record %s created
-MODIFYInDolibarr=Record %s modified
-DELETEInDolibarr=Record %s deleted
-VALIDATEInDolibarr=Record %s validated
-APPROVEDInDolibarr=Record %s approved
-DefaultMailModel=Default Mail Model
-PublicVendorName=Public name of vendor
+Used=Gebruikt
+ASAP=Zo spoedig mogelijk
+CREATEInDolibarr=Record %s aangemaakt
+MODIFYInDolibarr=Record %s gewijzigd
+DELETEInDolibarr=Record %s verwijderd
+VALIDATEInDolibarr=Record %s gevalideerd
+APPROVEDInDolibarr=Record %s goedgekeurd
+DefaultMailModel=Standaard mailmodel
+PublicVendorName=Openbare naam van de leverancier
DateOfBirth=Geboortedatum
-SecurityTokenHasExpiredSoActionHasBeenCanceledPleaseRetry=Security token has expired, so action has been canceled. Please try again.
-UpToDate=Up-to-date
-OutOfDate=Out-of-date
-EventReminder=Event Reminder
-UpdateForAllLines=Update for all lines
+SecurityTokenHasExpiredSoActionHasBeenCanceledPleaseRetry=Beveiligingstoken is verlopen, dus actie is geannuleerd. Probeer het a.u.b. opnieuw.
+UpToDate=Bijgewerkt
+OutOfDate=Verouderd
+EventReminder=Herinnering voor evenement
+UpdateForAllLines=Update voor alle lijnen
+OnHold=In de wacht
+AffectTag=Heeft invloed op de tag
+ConfirmAffectTag=invloed op bulk-tag
+ConfirmAffectTagQuestion=Weet u zeker dat u tags wilt beïnvloeden voor de %s geselecteerde record (s)?
+CategTypeNotFound=Geen tag-soort gevonden voor type records
diff --git a/htdocs/langs/nl_NL/members.lang b/htdocs/langs/nl_NL/members.lang
index 405b9331dba..ee9c303d352 100644
--- a/htdocs/langs/nl_NL/members.lang
+++ b/htdocs/langs/nl_NL/members.lang
@@ -19,8 +19,8 @@ MembersCards=Visitekaarten van leden
MembersList=Ledenlijst
MembersListToValid=Lijst van conceptleden (te valideren)
MembersListValid=Lijst van geldige leden
-MembersListUpToDate=List of valid members with up-to-date subscription
-MembersListNotUpToDate=List of valid members with out-of-date subscription
+MembersListUpToDate=Geldige leden met een up-to-date abonnement
+MembersListNotUpToDate=Geldige leden met een verouderd abonnement
MembersListResiliated=Lijst verwijderde leden
MembersListQualified=Lijst van gekwalificeerde leden
MenuMembersToValidate=Conceptleden
@@ -32,7 +32,7 @@ DateSubscription=Inschrijvingsdatum
DateEndSubscription=Einddatum abonnement
EndSubscription=Einde abonnement
SubscriptionId=Inschrijvings-ID
-WithoutSubscription=Without subscription
+WithoutSubscription=Zonder abonnement
MemberId=Lid ID
NewMember=Nieuw lid
MemberType=Type lid
@@ -80,7 +80,7 @@ DeleteType=Verwijderen
VoteAllowed=Stemming toegestaan
Physical=Fysiek
Moral=Moreel
-MorAndPhy=Moral and Physical
+MorAndPhy=Moreel en fysiek
Reenable=Opnieuw inschakelen
ResiliateMember=Verwijder een lid
ConfirmResiliateMember=Weet je zeker dat je dit lidmaatschap wilt beëindigen?
@@ -116,7 +116,7 @@ SendingEmailOnMemberValidation=E-mail verzenden bij validatie van nieuwe leden
SendingEmailOnNewSubscription=E-mail verzenden bij nieuw abonnement
SendingReminderForExpiredSubscription=Herinnering verzenden voor verlopen abonnementen
SendingEmailOnCancelation=Verzenden van e-mail bij annulering
-SendingReminderActionComm=Sending reminder for agenda event
+SendingReminderActionComm=Herinnering verzenden voor agenda-evenement
# Topic of email templates
YourMembershipRequestWasReceived=Je lidmaatschap is ontvangen.
YourMembershipWasValidated=Uw lidmaatschap is gevalideerd
@@ -167,7 +167,7 @@ MembersStatisticsByState=Leden statistieken per staat / provincie
MembersStatisticsByTown=Leden van de statistieken per gemeente
MembersStatisticsByRegion=Leden statistieken per regio
NbOfMembers=Aantal leden
-NbOfActiveMembers=Number of current active members
+NbOfActiveMembers=Aantal huidige actieve leden
NoValidatedMemberYet=Geen gevalideerde leden gevonden
MembersByCountryDesc=Dit scherm tonen statistieken over de leden door de landen. Grafisch is echter afhankelijk van Google online grafiek service en is alleen beschikbaar als een internet verbinding is werkt.
MembersByStateDesc=Dit scherm tonen statistieken over de leden door de staat / provincies / kanton.
@@ -177,7 +177,7 @@ MenuMembersStats=Statistiek
LastMemberDate=Laatste liddatum
LatestSubscriptionDate=Laatste abonnementsdatum
MemberNature=Aard van het lid
-MembersNature=Nature of members
+MembersNature=Aard van de leden
Public=Informatie zijn openbaar (no = prive)
NewMemberbyWeb=Nieuw lid toegevoegd. In afwachting van goedkeuring
NewMemberForm=Nieuw lid formulier
diff --git a/htdocs/langs/nl_NL/modulebuilder.lang b/htdocs/langs/nl_NL/modulebuilder.lang
index 1b4a871f69f..767bee4b08a 100644
--- a/htdocs/langs/nl_NL/modulebuilder.lang
+++ b/htdocs/langs/nl_NL/modulebuilder.lang
@@ -40,6 +40,7 @@ PageForCreateEditView=PHP-pagina om een record te maken / bewerken / bekij
PageForAgendaTab=PHP-pagina voor evenemententabblad
PageForDocumentTab=PHP-pagina voor documenttabblad
PageForNoteTab=PHP-pagina voor notitietabblad
+PageForContactTab=PHP-pagina voor tabblad contact
PathToModulePackage=Pad naar zip van module / applicatiepakket
PathToModuleDocumentation=Pad naar bestand van module / applicatiedocumentatie (%s)
SpaceOrSpecialCharAreNotAllowed=Spaties of speciale tekens zijn niet toegestaan.
@@ -77,7 +78,7 @@ IsAMeasure=Is een maat
DirScanned=Directory gescand
NoTrigger=Geen trigger
NoWidget=Geen widget
-GoToApiExplorer=Ga naar API explorer
+GoToApiExplorer=API-verkenner
ListOfMenusEntries=Lijst met menu-items
ListOfDictionariesEntries=Lijst met woordenboekingangen
ListOfPermissionsDefined=Lijst met gedefinieerde machtigingen
@@ -105,7 +106,7 @@ TryToUseTheModuleBuilder=Als u kennis van SQL en PHP hebt, kunt u de wizard voor
SeeTopRightMenu=Zien in het menu rechtsboven
AddLanguageFile=Taalbestand toevoegen
YouCanUseTranslationKey=U kunt hier een sleutel gebruiken die de vertaalsleutel is die in het taalbestand is gevonden (zie tabblad "Talen")
-DropTableIfEmpty=(Verwijder tabel indien leeg)
+DropTableIfEmpty=(Vernietig de tabel als deze leeg is)
TableDoesNotExists=Tabel %s bestaat niet
TableDropped=Tabel %s verwijderd
InitStructureFromExistingTable=Bouw de reeks structuurstructuren van een bestaande tabel
@@ -126,7 +127,6 @@ UseSpecificEditorURL = Gebruik een specifieke editor-URL
UseSpecificFamily = Gebruik een specifieke familie
UseSpecificAuthor = Gebruik een specifieke auteur
UseSpecificVersion = Gebruik een specifieke eerste versie
-ModuleMustBeEnabled=De module / toepassing moet eerst worden ingeschakeld
IncludeRefGeneration=De referentie van het object moet automatisch worden gegenereerd
IncludeRefGenerationHelp=Vink dit aan als u code wilt opnemen om het genereren van de referentie automatisch te beheren
IncludeDocGeneration=Ik wil enkele documenten genereren van het object
@@ -140,3 +140,4 @@ TypeOfFieldsHelp=Type velden: varchar (99), dubbel (24,8), real, tekst, htm
AsciiToHtmlConverter=Ascii naar HTML converter
AsciiToPdfConverter=Ascii naar PDF converter
TableNotEmptyDropCanceled=Tabel is niet leeg. Drop is geannuleerd.
+ModuleBuilderNotAllowed=De modulebouwer is beschikbaar maar niet toegestaan voor uw gebruiker.
diff --git a/htdocs/langs/nl_NL/mrp.lang b/htdocs/langs/nl_NL/mrp.lang
index d6ad354427d..7b36a04d9c6 100644
--- a/htdocs/langs/nl_NL/mrp.lang
+++ b/htdocs/langs/nl_NL/mrp.lang
@@ -1,6 +1,6 @@
Mrp=Productieorders
-MOs=Manufacturing orders
-ManufacturingOrder=Manufacturing Order
+MOs=Productieopdrachten
+ManufacturingOrder=Productieorder
MRPDescription=Module om productie- en productieorders (PO) te beheren.
MRPArea=MRP-gebied
MrpSetupPage=Installatie van module MRP
@@ -76,5 +76,5 @@ ProductsToProduce=Te produceren producten
UnitCost=De kosten per eenheid
TotalCost=Totale prijs
BOMTotalCost=De kosten voor het produceren van deze stuklijst op basis van de kosten van elke hoeveelheid en elk te consumeren product (gebruik kostprijs indien gedefinieerd, anders gemiddelde gewogen prijs indien gedefinieerd, anders de beste aankoopprijs)
-GoOnTabProductionToProduceFirst=You must first have started the production to close a Manufacturing Order (See tab '%s'). But you can Cancel it.
-ErrorAVirtualProductCantBeUsedIntoABomOrMo=A kit can't be used into a BOM or a MO
+GoOnTabProductionToProduceFirst=U moet eerst de productie hebben gestart om een Productieorder te sluiten (zie tabblad '%s'). Maar u kunt het annuleren.
+ErrorAVirtualProductCantBeUsedIntoABomOrMo=Een kit kan niet worden gebruikt in een stuklijst of een MO
diff --git a/htdocs/langs/nl_NL/multicurrency.lang b/htdocs/langs/nl_NL/multicurrency.lang
index 342ced55f1b..dcf54838389 100644
--- a/htdocs/langs/nl_NL/multicurrency.lang
+++ b/htdocs/langs/nl_NL/multicurrency.lang
@@ -20,3 +20,19 @@ MulticurrencyPaymentAmount=Betalingsbedrag, originele valuta
AmountToOthercurrency=Bedrag in (in valuta van ontvangende account)
CurrencyRateSyncSucceed=Synchronisatie van valutakoersen is geslaagd
MULTICURRENCY_USE_CURRENCY_ON_DOCUMENT=Gebruik de valuta van het document voor online betalingen
+TabTitleMulticurrencyRate=Koerslijst
+ListCurrencyRate=Lijst met wisselkoersen voor de valuta
+CreateRate=Koers aanmaken
+FormCreateRate=Aanmaken koers
+FormUpdateRate=Aanpassen koers
+successRateCreate=Koers voor valuta %s is toegevoegd aan de database
+ConfirmDeleteLineRate=Weet u zeker dat u de %s-koers voor valuta %s op %s-datum wilt verwijderen?
+DeleteLineRate=Opschonen koers
+successRateDelete=Koers verwijderd
+errorRateDelete=Fout bij het verwijderen van de koers
+successUpdateRate=Wijziging aangebracht
+ErrorUpdateRate=Fout bij het wijzigen van de koers
+Codemulticurrency=valuta code
+UpdateRate=wijzig de koers
+CancelUpdate=annuleren
+NoEmptyRate=Het koersveld mag niet leeg zijn
diff --git a/htdocs/langs/nl_NL/orders.lang b/htdocs/langs/nl_NL/orders.lang
index 63befed613c..9ec42fd206a 100644
--- a/htdocs/langs/nl_NL/orders.lang
+++ b/htdocs/langs/nl_NL/orders.lang
@@ -87,7 +87,7 @@ NbOfOrders=Aantal opdrachten
OrdersStatistics=Opdrachtenstatistieken
OrdersStatisticsSuppliers=Inkooporder statistieken
NumberOfOrdersByMonth=Aantal opdrachten per maand
-AmountOfOrdersByMonthHT=Aantal bestellingen per maand (excl. BTW)
+AmountOfOrdersByMonthHT=Totaalbedrag bestellingen per maand (excl. BTW)
ListOfOrders=Opdrachtenlijst
CloseOrder=Opdracht sluiten
ConfirmCloseOrder=Weet u zeker dat u deze bestelling wilt instellen op afgeleverd? Zodra een bestelling is afgeleverd, kan deze worden ingesteld op gefactureerd.
diff --git a/htdocs/langs/nl_NL/other.lang b/htdocs/langs/nl_NL/other.lang
index d6bbceb831c..0ce46830a80 100644
--- a/htdocs/langs/nl_NL/other.lang
+++ b/htdocs/langs/nl_NL/other.lang
@@ -5,8 +5,6 @@ Tools=Gereedschap
TMenuTools=Gereedschap
ToolsDesc=Alle tools die niet in andere menu-items zijn opgenomen, zijn hier gegroepeerd. Alle tools zijn toegankelijk via het linkermenu.
Birthday=Verjaardag
-BirthdayDate=Geboorte datum
-DateToBirth=Geboortedatum
BirthdayAlertOn=Verjaardagskennisgeving actief
BirthdayAlertOff=Verjaardagskennisgeving inactief
TransKey=Vertaling van de sleutel TransKey
@@ -16,6 +14,8 @@ PreviousMonthOfInvoice=Vorige maand (nummer 1-12) van factuurdatum
TextPreviousMonthOfInvoice=Voorgaande maand (tekst) van factuurdatum.
NextMonthOfInvoice=Volgende maand (nummer 1-12) van factuurdatum
TextNextMonthOfInvoice=Volgende maand (tekst) van factuurdatum
+PreviousMonth=Vorige maand
+CurrentMonth=Deze maand
ZipFileGeneratedInto=ZIP bestand aangemaakt in %s.
DocFileGeneratedInto=Doc-bestand aangemaakt in %s.
JumpToLogin=Verbinding verbroken. Ga naar het loginscherm...
@@ -99,6 +99,7 @@ PredefinedMailContentSendShipping=__ (Hallo) __ Vind verzending __REF__ bijgevoe
PredefinedMailContentSendFichInter=__ (Hallo) __ Zoek interventie __REF__ bijgevoegd __ (Met vriendelijke groet) __ __USER_SIGNATURE__
PredefinedMailContentLink=Indien u nog niet heeft betaald kunt u op de onderstaande link klikken. %s
PredefinedMailContentGeneric=__ (Hallo) __ __ (Met vriendelijke groet) __ __USER_SIGNATURE__
+PredefinedMailContentSendActionComm=Herinnering "__EVENT_LABEL__" op __EVENT_DATE__ om __EVENT_TIME__
Dit is een automatisch bericht, gelieve niet te antwoorden.
DemoDesc=Dolibarr is een compacte ERP / CRM die verschillende bedrijfsmodules ondersteunt. Een demo met alle modules heeft geen zin omdat dit scenario zich nooit voordoet (enkele honderden beschikbaar). Er zijn dus verschillende demoprofielen beschikbaar.
ChooseYourDemoProfil=Kies het demoprofiel dat het beste bij u past ...
ChooseYourDemoProfilMore=... of bouw je eigen profiel (handmatige moduleselectie)
@@ -258,6 +259,7 @@ ContactCreatedByEmailCollector=Contact / adres gecreëerd door e-mailverzamelaar
ProjectCreatedByEmailCollector=Project gemaakt door e-mailverzamelaar uit e-mail MSGID %s
TicketCreatedByEmailCollector=Ticket gemaakt door e-mailverzamelaar vanuit e-mail MSGID %s
OpeningHoursFormatDesc=Gebruik a - om de openings- en sluitingsuren te scheiden. Gebruik een spatie om verschillende bereiken in te voeren. Voorbeeld: 8-12 14-18
+PrefixSession=Voorloper sessie-ID
##### Export #####
ExportsArea=Uitvoeroverzicht
@@ -278,9 +280,9 @@ LinesToImport=Regels om te importeren
MemoryUsage=Geheugengebruik
RequestDuration=Duur van het verzoek
-ProductsPerPopularity=Products/Services by popularity
+ProductsPerPopularity=Producten/diensten op populariteit
PopuProp=Producten / diensten op populariteit in voorstellen
PopuCom=Producten / services op populariteit in Orders
ProductStatistics=Producten / diensten Statistieken
NbOfQtyInOrders=Aantal in bestellingen
-SelectTheTypeOfObjectToAnalyze=Select the type of object to analyze...
+SelectTheTypeOfObjectToAnalyze=Selecteer het type object dat u wilt analyseren ...
diff --git a/htdocs/langs/nl_NL/products.lang b/htdocs/langs/nl_NL/products.lang
index 27d14439fea..bac0be02a89 100644
--- a/htdocs/langs/nl_NL/products.lang
+++ b/htdocs/langs/nl_NL/products.lang
@@ -104,24 +104,25 @@ SetDefaultBarcodeType=Stel type streepjescode in
BarcodeValue=Waarde streepjescode
NoteNotVisibleOnBill=Notitie (niet zichtbaar op facturen, offertes, etc)
ServiceLimitedDuration=Als product een dienst is met een beperkte houdbaarheid:
-FillWithLastServiceDates=Fill with last service line dates
+FillWithLastServiceDates=Vul de data van de laatste servicelijn in
MultiPricesAbility=Meerdere prijssegmenten per product / dienst (elke klant bevindt zich in één prijssegment)
MultiPricesNumPrices=Aantal prijzen
DefaultPriceType=Basisprijzen per standaard (met versus zonder belasting) bij het toevoegen van nieuwe verkoopprijzen
-AssociatedProductsAbility=Activate kits (virtual products)
+AssociatedProductsAbility=Kits inschakelen (set van andere producten)
+VariantsAbility=Varianten inschakelen (variaties van producten, bijvoorbeeld kleur, maat)
AssociatedProducts=Kits
-AssociatedProductsNumber=Number of products composing this kit
+AssociatedProductsNumber=Aantal producten waaruit deze kit bestaat
ParentProductsNumber=Aantal ouder pakket producten
ParentProducts=Gerelateerde producten
-IfZeroItIsNotAVirtualProduct=If 0, this product is not a kit
-IfZeroItIsNotUsedByVirtualProduct=If 0, this product is not used by any kit
+IfZeroItIsNotAVirtualProduct=Indien 0, is dit product geen kit
+IfZeroItIsNotUsedByVirtualProduct=Indien 0, wordt dit product door geen enkele kit gebruikt
KeywordFilter=Trefwoord filter
CategoryFilter=Categorie filter
ProductToAddSearch=Zoek product om toe te voegen
NoMatchFound=Geen resultaten gevonden
ListOfProductsServices=Producten/diensten lijst
-ProductAssociationList=List of products/services that are component(s) of this kit
-ProductParentList=List of kits with this product as a component
+ProductAssociationList=Lijst met producten/diensten die onderdeel zijn van deze kit
+ProductParentList=Lijst van kits met dit product als onderdeel
ErrorAssociationIsFatherOfThis=Een van de geselecteerde product is de ouder van het huidige product
DeleteProduct=Verwijderen een product / dienst
ConfirmDeleteProduct=Weet u zeker dat u dit product / deze dienst wilt verwijderen?
@@ -167,11 +168,13 @@ BuyingPrices=Inkoop prijzen
CustomerPrices=Consumenten prijzen
SuppliersPrices=Prijzen van leveranciers
SuppliersPricesOfProductsOrServices=Leverancierprijzen (van producten of services)
-CustomCode=Douane / Commodity / HS-code
+CustomCode=Douane | Goederen | HS-code
CountryOrigin=Land van herkomst
+RegionStateOrigin=Regio oorsprong
+StateOrigin=Staat | Provincie oorsprong
Nature=Aard van het product (materiaal / afgewerkt)
-NatureOfProductShort=Nature of product
-NatureOfProductDesc=Raw material or finished product
+NatureOfProductShort=Aard van het product
+NatureOfProductDesc=Grondstof of afgewerkt product
ShortLabel=Kort label
Unit=Eenheid
p=u.
@@ -239,7 +242,7 @@ AlwaysUseFixedPrice=Gebruik vaste prijs
PriceByQuantity=Verschillende prijzen per hoeveelheid
DisablePriceByQty=Prijs per hoeveelheid uitschakelen
PriceByQuantityRange=Aantal bereik
-MultipriceRules=Regels voor prijssegmenten
+MultipriceRules=Automatische prijzen voor segment
UseMultipriceRules=Gebruik regels voor prijssegmenten (gedefinieerd in de configuratie van de productmodule) om automatisch de prijzen van alle andere segmenten te berekenen op basis van het eerste segment
PercentVariationOver=%% variatie over %s
PercentDiscountOver=%% korting op meer dan %s
@@ -287,7 +290,7 @@ PriceExpressionEditorHelp5=Beschikbare globale waarden:
PriceMode=Prijs-modus
PriceNumeric=Nummer
DefaultPrice=Standaard prijs
-DefaultPriceLog=Log of previous default prices
+DefaultPriceLog=Logboek van eerdere standaardprijzen
ComposedProductIncDecStock=Verhogen/verlagen voorraad bij de ouder verandering
ComposedProduct=Producten voor kinderen
MinSupplierPrice=Minimum aankoopprijs
@@ -340,7 +343,7 @@ UseProductFournDesc=Voeg een functie toe om de beschrijvingen van producten te d
ProductSupplierDescription=Leveranciersbeschrijving voor het product
UseProductSupplierPackaging=Gebruik verpakkingen op leveranciersprijzen (herbereken hoeveelheden volgens verpakking ingesteld op leveranciersprijs bij toevoegen / bijwerken van regel in leveranciersdocumenten)
PackagingForThisProduct=Verpakking
-PackagingForThisProductDesc=On supplier order, you will automaticly order this quantity (or a multiple of this quantity). Cannot be less than minimum buying quantity
+PackagingForThisProductDesc=Bij een leveranciersbestelling bestelt u automatisch deze hoeveelheid (of een veelvoud van deze hoeveelheid). Mag niet minder zijn dan de minimumaankoophoeveelheid
QtyRecalculatedWithPackaging=De hoeveelheid van de lijn werd herberekend volgens de verpakking van de leverancier
#Attributes
@@ -364,9 +367,9 @@ SelectCombination=Selecteer combinatie
ProductCombinationGenerator=Variatie generator
Features=Kenmerken
PriceImpact=Gevolgen voor prijs
-ImpactOnPriceLevel=Impact on price level %s
-ApplyToAllPriceImpactLevel= Apply to all levels
-ApplyToAllPriceImpactLevelHelp=By clicking here you set the same price impact on all levels
+ImpactOnPriceLevel=Impact op prijsniveau %s
+ApplyToAllPriceImpactLevel= Toepassen op alle niveaus
+ApplyToAllPriceImpactLevelHelp=Door hier te klikken, stelt u dezelfde prijsimpact in op alle niveaus
WeightImpact=Gevolgen voor gewicht
NewProductAttribute=Nieuwe attribuut
NewProductAttributeValue=Waarde nieuw attribuut
diff --git a/htdocs/langs/nl_NL/projects.lang b/htdocs/langs/nl_NL/projects.lang
index d7c0b9b1ba6..7cf5e47c573 100644
--- a/htdocs/langs/nl_NL/projects.lang
+++ b/htdocs/langs/nl_NL/projects.lang
@@ -7,7 +7,7 @@ ProjectsArea=Project omgeving
ProjectStatus=Project status
SharedProject=Iedereen
PrivateProject=Projectcontacten
-ProjectsImContactFor=Projects for which I am explicitly a contact
+ProjectsImContactFor=Projecten waarvoor ik expliciet contactpersoon ben
AllAllowedProjects=Alle projecten die ik kan lezen (mine + public)
AllProjects=Alle projecten
MyProjectsDesc=Deze weergave is beperkt tot projecten waarvan u een contactpersoon bent
@@ -79,9 +79,9 @@ DurationEffective=Effectieve duur
ProgressDeclared=Aangekondigd echte vooruitgang
TaskProgressSummary=Taakvoortgang
CurentlyOpenedTasks=Momenteel openstaande taken
-TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared real progress is less %s than the progress on consumption
-TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared real progress is more %s than the progress on consumption
-ProgressCalculated=Progress on consumption
+TheReportedProgressIsLessThanTheCalculatedProgressionByX=De aangegeven werkelijke vooruitgang is minder %s dan de voortgang op consumptie
+TheReportedProgressIsMoreThanTheCalculatedProgressionByX=De aangegeven echte vooruitgang is meer %s dan de vooruitgang op het gebied van consumptie
+ProgressCalculated=Vooruitgang in consumptie
WhichIamLinkedTo=waaraan ik gekoppeld ben
WhichIamLinkedToProject=die ik ben gekoppeld aan het project
Time=Tijd
@@ -211,9 +211,9 @@ ProjectNbProjectByMonth=Aantal gemaakte projecten per maand
ProjectNbTaskByMonth=Aantal gemaakte taken per maand
ProjectOppAmountOfProjectsByMonth=Aantal leads per maand
ProjectWeightedOppAmountOfProjectsByMonth=Gewogen aantal leads per maand
-ProjectOpenedProjectByOppStatus=Open project|lead by lead status
-ProjectsStatistics=Statistics on projects or leads
-TasksStatistics=Statistics on tasks of projects or leads
+ProjectOpenedProjectByOppStatus=Open project | geleid door lead-status
+ProjectsStatistics=Statistieken over projecten of leads
+TasksStatistics=Statistieken over taken van projecten of leads
TaskAssignedToEnterTime=Taak toegewezen. Tijd invoeren voor deze taak moet mogelijk zijn.
IdTaskTime=Id taak tijd
YouCanCompleteRef=Als je de ref met een achtervoegsel wilt voltooien, wordt aanbevolen om een - -teken toe te voegen om het te scheiden, zodat de automatische nummering nog steeds correct werkt voor volgende projecten. Bijvoorbeeld %s-MYSUFFIX
diff --git a/htdocs/langs/nl_NL/propal.lang b/htdocs/langs/nl_NL/propal.lang
index c2efc292ccf..ed9e284c461 100644
--- a/htdocs/langs/nl_NL/propal.lang
+++ b/htdocs/langs/nl_NL/propal.lang
@@ -83,9 +83,9 @@ DefaultModelPropalClosed=Standaard sjabloon bij het sluiten van een zakelijk voo
ProposalCustomerSignature=Schriftelijke aanvaarding , stempel , datum en handtekening
ProposalsStatisticsSuppliers=Leveranciersoffertes statistieken
CaseFollowedBy=Geval gevolgd door
-SignedOnly=Signed only
-IdProposal=Proposal ID
-IdProduct=Product ID
-PrParentLine=Proposal Parent Line
-LineBuyPriceHT=Buy Price Amount net of tax for line
+SignedOnly=Alleen gesigneerd
+IdProposal=Offerte-ID
+IdProduct=Product-ID
+PrParentLine=Voorstel bovenliggende lijn
+LineBuyPriceHT=Koopprijs bedrag exclusief BTW voor regel
diff --git a/htdocs/langs/nl_NL/receiptprinter.lang b/htdocs/langs/nl_NL/receiptprinter.lang
index 0da7647a6c9..f0598541b6b 100644
--- a/htdocs/langs/nl_NL/receiptprinter.lang
+++ b/htdocs/langs/nl_NL/receiptprinter.lang
@@ -54,7 +54,7 @@ DOL_DOUBLE_WIDTH=Dubbele breedte
DOL_DEFAULT_HEIGHT_WIDTH=Standaard hoogte en breedte
DOL_UNDERLINE=Activeer onderstrepen
DOL_UNDERLINE_DISABLED=Deactiveer onderstrepen
-DOL_BEEP=Beed geluid
+DOL_BEEP=Geluid
DOL_PRINT_TEXT=Afdrukken tekst
DateInvoiceWithTime=Factuur datum en tijd
YearInvoice=Factuur jaar
@@ -77,6 +77,6 @@ DOL_VALUE_CUSTOMER_ACCOUNT_BALANCE=Saldo klant account
DOL_VALUE_MYSOC_NAME=Uw bedrijfsnaam
VendorLastname=Achternaam leverancier
VendorFirstname=Voornaam leverancier
-VendorEmail=Vendor email
+VendorEmail=E-mailadres van leverancier
DOL_VALUE_CUSTOMER_POINTS=Klantpunten
DOL_VALUE_OBJECT_POINTS=Objectpunten
diff --git a/htdocs/langs/nl_NL/recruitment.lang b/htdocs/langs/nl_NL/recruitment.lang
index dbf7e374eba..4ad441ecff0 100644
--- a/htdocs/langs/nl_NL/recruitment.lang
+++ b/htdocs/langs/nl_NL/recruitment.lang
@@ -29,8 +29,8 @@ RecruitmentSetup = Werving instellingen
Settings = Instellingen
RecruitmentSetupPage = Stel hier de hoofdopties voor de recruitment module in
RecruitmentArea=Werving gebied
-PublicInterfaceRecruitmentDesc=Public pages of jobs are public URLs to show and answer to open jobs. There is one different link for each open job, found on each job record.
-EnablePublicRecruitmentPages=Enable public pages of open jobs
+PublicInterfaceRecruitmentDesc=Openbare pagina's met vacatures zijn openbare URL's om openstaande vacatures weer te geven en te beantwoorden. Er is een verschillende link voor elke openstaande vacature, te vinden op elk vacatureblad.
+EnablePublicRecruitmentPages=Schakel openbare pagina's van open vacatures in
#
# About page
@@ -47,29 +47,30 @@ ResponsibleOfRecruitement=Verantwoordelijk voor werving
IfJobIsLocatedAtAPartner=Als baan zich op een partnerlocatie bevindt
PositionToBeFilled=Functie
PositionsToBeFilled=Vacature
-ListOfPositionsToBeFilled=List of job positions
-NewPositionToBeFilled=New job positions
+ListOfPositionsToBeFilled=Lijst met vacatures
+NewPositionToBeFilled=Nieuwe vacatures
-JobOfferToBeFilled=Job position to be filled
-ThisIsInformationOnJobPosition=Information of the job position to be filled
-ContactForRecruitment=Contact for recruitment
-EmailRecruiter=Email recruiter
-ToUseAGenericEmail=To use a generic email. If not defined, the email of the responsible of recruitment will be used
-NewCandidature=New application
-ListOfCandidatures=List of applications
-RequestedRemuneration=Requested remuneration
-ProposedRemuneration=Proposed remuneration
+JobOfferToBeFilled=Functie die moet worden vervuld
+ThisIsInformationOnJobPosition=Informatie over de te vervullen vacature
+ContactForRecruitment=Contactpersoon voor werving
+EmailRecruiter=E-mail de recruiter
+ToUseAGenericEmail=Om een generiek e-mailadres te gebruiken. Indien niet gedefinieerd, wordt het e-mailadres van de rekruteringsverantwoordelijke gebruikt
+NewCandidature=Nieuwe applicatie
+ListOfCandidatures=Lijst met applicaties
+RequestedRemuneration=Gevraagde vergoeding
+ProposedRemuneration=Voorgestelde vergoeding
ContractProposed=Contractvoorstel gedaan
ContractSigned=Contract getekend
-ContractRefused=Contract refused
-RecruitmentCandidature=Application
+ContractRefused=Contract geweigerd
+RecruitmentCandidature=Toepassing
JobPositions=Vacature
-RecruitmentCandidatures=Applications
-InterviewToDo=Interview to do
-AnswerCandidature=Application answer
-YourCandidature=Your application
-YourCandidatureAnswerMessage=Thanks you for your application. ...
-JobClosedTextCandidateFound=The job position is closed. The position has been filled.
-JobClosedTextCanceled=The job position is closed.
-ExtrafieldsJobPosition=Complementary attributes (job positions)
-ExtrafieldsCandidatures=Complementary attributes (job applications)
+RecruitmentCandidatures=Toepassingen
+InterviewToDo=Te maken interview
+AnswerCandidature=Toepassing antwoord
+YourCandidature=Jouw toepassing
+YourCandidatureAnswerMessage=Bedankt voor je aanmelding. ...
+JobClosedTextCandidateFound=De vacature is gesloten. De functie is vervuld.
+JobClosedTextCanceled=De vacature is gesloten.
+ExtrafieldsJobPosition=Complementaire attributen (functieposities)
+ExtrafieldsCandidatures=Aanvullende attributen (sollicitaties)
+MakeOffer=Doe een aanbod
diff --git a/htdocs/langs/nl_NL/salaries.lang b/htdocs/langs/nl_NL/salaries.lang
index 7e29f0ff949..5f91fe4db8b 100644
--- a/htdocs/langs/nl_NL/salaries.lang
+++ b/htdocs/langs/nl_NL/salaries.lang
@@ -1,21 +1,21 @@
# Dolibarr language file - Source file is en_US - salaries
SALARIES_ACCOUNTING_ACCOUNT_PAYMENT=Grootboekrekening voor medewerker derde partij
-SALARIES_ACCOUNTING_ACCOUNT_PAYMENT_Desc=De specifieke account die op de gebruikerskaart is gedefinieerd, wordt alleen voor de boekhouding van subgrootboek gebruikt. Deze wordt gebruikt voor grootboek en als standaardwaarde voor subgrootboek-boekhouding als specifieke gebruikersaccount voor de account op gebruiker niet is gedefinieerd.
+SALARIES_ACCOUNTING_ACCOUNT_PAYMENT_Desc=De boekhoudrekening die in het gebruikersbestand is gedefinieerd, wordt alleen gebruikt voor aanvullende boekhouding. Deze wordt gebruikt voor het grootboek en als standaardwaarde voor aanvullende boekhouding als de speciale rekening van de gebruiker niet is gedefinieerd.
SALARIES_ACCOUNTING_ACCOUNT_CHARGE=Standaard grootboekrekening voor salaris betalingen
Salary=Salaris
Salaries=Salarissen
NewSalaryPayment=Nieuwe salarisbetaling
AddSalaryPayment=Salarisbetaling toevoegen
SalaryPayment=Salarisbetaling
-SalariesPayments=Salarissen betalingen
+SalariesPayments=Salarisbetalingen
ShowSalaryPayment=Toon salarisbetaling
THM=Gemiddeld uurtarief
TJM=Gemiddeld dagtarief
CurrentSalary=Huidig salaris
-THMDescription=Deze waarde kan worden gebruikt om de kosten te berekenen van de tijd die wordt besteed aan een project dat door gebruikers is ingevoerd als het moduleproject wordt gebruikt
+THMDescription=Deze waarde kan worden gebruikt om de kosten te berekenen van de tijd die wordt besteed aan een project dat door gebruikers is ingevoerd als de module Project wordt gebruikt
TJMDescription=Deze waarde is momenteel alleen ter informatie en wordt niet gebruikt voor enige berekening
-LastSalaries=Laatste %s salaris betalingen
+LastSalaries=Laatste %s salarisbetalingen
AllSalaries=Alle salarisbetalingen
-SalariesStatistics=Salarisstatistieken
+SalariesStatistics=Salaris statistieken
# Export
-SalariesAndPayments=Lonen en betalingen
+SalariesAndPayments=Salarissen en betalingen
diff --git a/htdocs/langs/nl_NL/sendings.lang b/htdocs/langs/nl_NL/sendings.lang
index 2c3d237a2db..b16b9726c7d 100644
--- a/htdocs/langs/nl_NL/sendings.lang
+++ b/htdocs/langs/nl_NL/sendings.lang
@@ -30,6 +30,7 @@ OtherSendingsForSameOrder=Andere verzendingen voor deze opdracht
SendingsAndReceivingForSameOrder=Verzendingen en ontvangsten voor deze bestelling
SendingsToValidate=Te valideren verzendingen
StatusSendingCanceled=Geannuleerd
+StatusSendingCanceledShort=Geannuleerd
StatusSendingDraft=Concept
StatusSendingValidated=Gevalideerd (producten te verzenden of reeds verzonden)
StatusSendingProcessed=Verwerkt
@@ -65,6 +66,7 @@ ValidateOrderFirstBeforeShipment=U moet eerst de bestelling valideren voordat u
# Sending methods
# ModelDocument
DocumentModelTyphon=Completer leveringsbewijs documentmodel (logo, etc)
+DocumentModelStorm=Compleet documentmodel voor ontvangstbewijzen en compatibiliteit met extrafields (logo ...)
Error_EXPEDITION_ADDON_NUMBER_NotDefined=Constant EXPEDITION_ADDON_NUMBER niet gedefinieerd
SumOfProductVolumes=Som van alle productvolumes
SumOfProductWeights=Som van product-gewichten
diff --git a/htdocs/langs/nl_NL/stocks.lang b/htdocs/langs/nl_NL/stocks.lang
index 1a21ab2c3b2..125bb7814bf 100644
--- a/htdocs/langs/nl_NL/stocks.lang
+++ b/htdocs/langs/nl_NL/stocks.lang
@@ -18,7 +18,7 @@ DeleteSending=Verwijder verzending
Stock=Voorraad
Stocks=Voorraden
MissingStocks=Ontbrekende voorraad
-StockAtDate=Stocks at date
+StockAtDate=Voorraden op datum
StockAtDateInPast=Datum uit het verleden
StockAtDateInFuture=Toekomstige datum
StocksByLotSerial=Voorraad volgorde op lot/serienummer
@@ -34,7 +34,7 @@ StockMovementForId=Verplaatsing ID %d
ListMouvementStockProject=Lijst met voorraad verplaatsingen die aan het project zijn gekoppeld
StocksArea=Magazijnen
AllWarehouses=Alle magazijnen
-IncludeEmptyDesiredStock=Include also negative stock with undefined desired stock
+IncludeEmptyDesiredStock=Voeg ook een negatieve voorraad toe met een ongedefinieerde gewenste voorraad
IncludeAlsoDraftOrders=Neem ook conceptorders op
Location=Locatie
LocationSummary=Korte naam locatie
@@ -66,7 +66,7 @@ WarehouseAskWarehouseDuringOrder=Stel een magazijn in op Verkooporders
UserDefaultWarehouse=Stel een magazijn in op gebruikers
MainDefaultWarehouse=Standaardmagazijn
MainDefaultWarehouseUser=Gebruik standaard magazijn voor elke gebruiker
-MainDefaultWarehouseUserDesc=By activating this option, during creation of a product, the warehouse assigned to the product will be defined on this one. If no warehouse is defined on the user, the default warehouse is defined.
+MainDefaultWarehouseUserDesc=Door deze optie te activeren, wordt tijdens het aanmaken van een product het magazijn dat aan het product is toegewezen op deze bepaald. Als er geen magazijn is gedefinieerd voor de gebruiker, wordt het standaardmagazijn gedefinieerd.
IndependantSubProductStock=Product voorraad en subproduct voorraad zijn onafhankelijk
QtyDispatched=Hoeveelheid verzonden
QtyDispatchedShort=Aantal verzonden
@@ -95,16 +95,16 @@ RealStock=Werkelijke voorraad
RealStockDesc=Fysieke/echte voorraad is de voorraad die momenteel in de magazijnen aanwezig is.
RealStockWillAutomaticallyWhen=De werkelijke voorraad wordt aangepast volgens deze regel (zoals gedefinieerd in de module Voorraad):
VirtualStock=Virtuele voorraad
-VirtualStockAtDate=Virtual stock at date
-VirtualStockAtDateDesc=Virtual stock once all pending orders that are planned to be done before the date will be finished
-VirtualStockDesc=Virtual stock is the calculated stock available once all open/pending actions (that affect stocks) are closed (purchase orders received, sales orders shipped, manufacturing orders produced, etc)
+VirtualStockAtDate=Virtuele voorraad op datum
+VirtualStockAtDateDesc=Virtuele voorraad zodra alle lopende bestellingen die volgens de planning vóór de datum moeten worden gedaan, zijn voltooid
+VirtualStockDesc=Virtuele voorraad is de berekende voorraad die beschikbaar is zodra alle openstaande / lopende acties (die van invloed zijn op voorraden) zijn gesloten (inkooporders ontvangen, verkooporders verzonden, productieorders geproduceerd, enz.)
IdWarehouse=Magazijn-ID
DescWareHouse=Beschrijving magazijn
LieuWareHouse=Localisatie magazijn
WarehousesAndProducts=Magazijn en producten
WarehousesAndProductsBatchDetail=Magazijnen en producten (met detail per lot/serieenummer)
AverageUnitPricePMPShort=Waardering (PMP)
-AverageUnitPricePMPDesc=The input average unit price we had to pay to suppliers to get the product into our stock.
+AverageUnitPricePMPDesc=De input gemiddelde eenheidsprijs die we aan leveranciers moesten betalen om het product in onze voorraad te krijgen.
SellPriceMin=Verkopen Prijs per Eenheid
EstimatedStockValueSellShort=Verkoopwaarde
EstimatedStockValueSell=Verkoopwaarde
@@ -122,9 +122,9 @@ DesiredStockDesc=Dit voorraadbedrag is de waarde die wordt gebruikt om de voorra
StockToBuy=Te bestellen
Replenishment=Bevoorrading
ReplenishmentOrders=Bevoorradingsorder
-VirtualDiffersFromPhysical=According to increase/decrease stock options, physical stock and virtual stock (physical stock + open orders) may differ
-UseRealStockByDefault=Use real stock, instead of virtual stock, for replenishment feature
-ReplenishmentCalculation=Amount to order will be (desired quantity - real stock) instead of (desired quantity - virtual stock)
+VirtualDiffersFromPhysical=Afhankelijk van de opties voor het verhogen / verlagen van de voorraad, kunnen fysieke voorraad en virtuele voorraad (fysieke voorraad + openstaande bestellingen) verschillen
+UseRealStockByDefault=Gebruik echte voorraad in plaats van virtuele voorraad voor de aanvullingsfunctie
+ReplenishmentCalculation=Het te bestellen bedrag is (gewenste hoeveelheid - echte voorraad) in plaats van (gewenste hoeveelheid - virtuele voorraad)
UseVirtualStock=Gebruik virtuele voorraad
UsePhysicalStock=Gebruik fysieke voorraad
CurentSelectionMode=Huidige selectiemodus
@@ -133,7 +133,7 @@ CurentlyUsingPhysicalStock=Fysieke voorraad
RuleForStockReplenishment=Regels voor bevoorrading
SelectProductWithNotNullQty=Selecteer ten minste één product met een aantal niet nul en een leverancier
AlertOnly= Enkel waarschuwingen
-IncludeProductWithUndefinedAlerts = Include also negative stock for products with no desired quantity defined, to restore them to 0
+IncludeProductWithUndefinedAlerts = Neem ook een negatieve voorraad op voor producten waarvoor geen gewenste hoeveelheid is gedefinieerd, om deze op 0 te zetten
WarehouseForStockDecrease=De voorraad van magazijn %s zal verminderd worden
WarehouseForStockIncrease=De voorraad van magazijn %s zal verhoogd worden
ForThisWarehouse=Voor dit magazijn
@@ -144,7 +144,7 @@ Replenishments=Bevoorradingen
NbOfProductBeforePeriod=Aantal op voorraad van product %s voor de gekozen periode (<%s)
NbOfProductAfterPeriod=Aantal op voorraad van product %s na de gekozen periode (<%s)
MassMovement=Volledige verplaatsing
-SelectProductInAndOutWareHouse=Select a source warehouse and a target warehouse, a product and a quantity then click "%s". Once this is done for all required movements, click onto "%s".
+SelectProductInAndOutWareHouse=Selecteer een bronmagazijn en een doelmagazijn, een product en een hoeveelheid en klik op "%s". Zodra dit is gedaan voor alle vereiste bewegingen, klikt u op "%s".
RecordMovement=Vastleggen verplaatsing
ReceivingForSameOrder=Ontvangsten voor deze bestelling
StockMovementRecorded=Geregistreerde voorraadbewegingen
@@ -231,12 +231,13 @@ StockDecrease=Voorraad afnemen
InventoryForASpecificWarehouse=Voorraad voor een specifiek magazijn
InventoryForASpecificProduct=Voorraad voor een specifiek product
StockIsRequiredToChooseWhichLotToUse=Voorraad is vereist om te kiezen welk lot te gebruiken
-ForceTo=Dwingen tot
+ForceTo=Toevoegen aan
AlwaysShowFullArbo=Volledige boomstructuur van magazijn weergeven op pop-up van magazijnkoppelingen (Waarschuwing: dit kan de prestaties drastisch verminderen)
-StockAtDatePastDesc=You can view here the stock (real stock) at a given date in the past
-StockAtDateFutureDesc=You can view here the stock (virtual stock) at a given date in future
+StockAtDatePastDesc=U kunt hier de echte voorraad op een bepaalde datum in het verleden bekijken
+StockAtDateFutureDesc=U kunt hier de virtuele voorraad op een bepaalde datum in de toekomst bekijken
CurrentStock=Huidige voorraad
-InventoryRealQtyHelp=Set value to 0 to reset qty Keep field empty, or remove line, to keep unchanged
-UpdateByScaning=Update by scaning
-UpdateByScaningProductBarcode=Update by scan (product barcode)
-UpdateByScaningLot=Update by scan (lot|serial barcode)
+InventoryRealQtyHelp=Stel de waarde in op 0 om het aantal te resetten Veld leeg laten of regel verwijderen om ongewijzigd te houden
+UpdateByScaning=Update door te scannen
+UpdateByScaningProductBarcode=Update door scan (product barcode)
+UpdateByScaningLot=Update door scan (partij/serie barcode)
+DisableStockChangeOfSubProduct=De-activeer tijdens deze bewerking de voorraad voor alle subproducten van deze kit.
diff --git a/htdocs/langs/nl_NL/suppliers.lang b/htdocs/langs/nl_NL/suppliers.lang
index bff19a2422c..dd087ffdb83 100644
--- a/htdocs/langs/nl_NL/suppliers.lang
+++ b/htdocs/langs/nl_NL/suppliers.lang
@@ -38,11 +38,11 @@ MenuOrdersSupplierToBill=Te factureren inkooporders
NbDaysToDelivery=Levertijd (dagen)
DescNbDaysToDelivery=De langste leveringstermijn van de producten van deze bestelling
SupplierReputation=Reputatie van de leverancier
-ReferenceReputation=Reference reputation
+ReferenceReputation=Referentie reputatie
DoNotOrderThisProductToThisSupplier=Niet bestellen
NotTheGoodQualitySupplier=Lage kwaliteit
ReputationForThisProduct=Reputatie
BuyerName=Afnemer
AllProductServicePrices=Prijzen alle producten/diensten
-AllProductReferencesOfSupplier=All references of vendor
+AllProductReferencesOfSupplier=Alle referenties van leverancier
BuyingPriceNumShort=Prijzen van leveranciers
diff --git a/htdocs/langs/nl_NL/ticket.lang b/htdocs/langs/nl_NL/ticket.lang
index 9af5045058e..51f8fe3a18c 100644
--- a/htdocs/langs/nl_NL/ticket.lang
+++ b/htdocs/langs/nl_NL/ticket.lang
@@ -31,10 +31,8 @@ TicketDictType=Types
TicketDictCategory=Groepen
TicketDictSeverity=Prioriteit
TicketDictResolution=Ticket - resolutie
-TicketTypeShortBUGSOFT=Foutmelding
-TicketTypeShortBUGHARD=Storing hardware
-TicketTypeShortCOM=Commerciële vraag
+TicketTypeShortCOM=Commerciële vraag
TicketTypeShortHELP=Verzoek om functionele hulp
TicketTypeShortISSUE=Probleem of bug
TicketTypeShortREQUEST=Verander- of verbeteringsverzoek
@@ -44,7 +42,7 @@ TicketTypeShortOTHER=Overig
TicketSeverityShortLOW=Laag
TicketSeverityShortNORMAL=Normaal
TicketSeverityShortHIGH=Hoog
-TicketSeverityShortBLOCKING=Kritiek/Bokkerend
+TicketSeverityShortBLOCKING=Kritiek, blokkerend
ErrorBadEmailAddress=Veld '%s' foutief
MenuTicketMyAssign=Mijn tickets
@@ -60,7 +58,6 @@ OriginEmail=E-mail bron
Notify_TICKET_SENTBYMAIL=Verzend ticketbericht per e-mail
# Status
-NotRead=Niet gelezen
Read=Gelezen
Assigned=Toegekend
InProgress=Reeds bezig
@@ -126,6 +123,7 @@ TicketsActivatePublicInterfaceHelp=Met de openbare interface kunnen bezoekers ti
TicketsAutoAssignTicket=Wijs automatisch de gebruiker toe die het ticket heeft aangemaakt
TicketsAutoAssignTicketHelp=Bij het maken van een ticket kan de gebruiker automatisch aan het ticket worden toegewezen.
TicketNumberingModules=Nummering module voor tickets
+TicketsModelModule=Documentsjablonen voor tickets
TicketNotifyTiersAtCreation=Breng relatie op de hoogte bij het aanmaken
TicketsDisableCustomerEmail=Schakel e-mails altijd uit wanneer een ticket wordt gemaakt vanuit de openbare interface
TicketsPublicNotificationNewMessage=Stuur e-mail (s) wanneer een nieuw bericht is toegevoegd
@@ -233,7 +231,6 @@ TicketLogStatusChanged=Status gewijzigd: %s in %s
TicketNotNotifyTiersAtCreate=Geen bedrijf melden bij aanmaken
Unread=Niet gelezen
TicketNotCreatedFromPublicInterface=Niet beschikbaar. Ticket is niet gemaakt vanuit de openbare interface.
-PublicInterfaceNotEnabled=Publieke interface was niet ingeschakeld
ErrorTicketRefRequired=Naam van ticket is vereist
#
diff --git a/htdocs/langs/nl_NL/trips.lang b/htdocs/langs/nl_NL/trips.lang
index 642842482c6..8d07d7709ad 100644
--- a/htdocs/langs/nl_NL/trips.lang
+++ b/htdocs/langs/nl_NL/trips.lang
@@ -110,7 +110,7 @@ ExpenseReportPayment=Onkostendeclaratie
ExpenseReportsToApprove=Onkostendeclaraties te accorderen
ExpenseReportsToPay=Declaraties te betalen
ConfirmCloneExpenseReport=Weet u zeker dat u dit onkostenrapport wilt klonen?
-ExpenseReportsIk=Onkostendeclaratie kilometrage index
+ExpenseReportsIk=Configuratie van kilometervergoedingen
ExpenseReportsRules=Regels voor onkostendeclaraties
ExpenseReportIkDesc=U kunt de berekening van de kilometerkosten wijzigen per categorie en bereik die eerder zijn gedefinieerd. d is de afstand in kilometers
ExpenseReportRulesDesc=U kunt berekeningsregels maken of bijwerken. Dit onderdeel wordt gebruikt wanneer de gebruiker een nieuw onkostenrapport maakt
@@ -145,7 +145,7 @@ nolimitbyEX_DAY=per dag (geen beperking)
nolimitbyEX_MON=per maand (geen beperking)
nolimitbyEX_YEA=per jaar (geen beperking)
nolimitbyEX_EXP=per regel (geen beperking)
-CarCategory=Auto categorie
+CarCategory=Voertuig categorie
ExpenseRangeOffset=Offset-bedrag: %s
RangeIk=Afstand in km.
AttachTheNewLineToTheDocument=Koppel de regel aan een geüpload document
diff --git a/htdocs/langs/nl_NL/users.lang b/htdocs/langs/nl_NL/users.lang
index 20ea6e8fba2..d22bd138009 100644
--- a/htdocs/langs/nl_NL/users.lang
+++ b/htdocs/langs/nl_NL/users.lang
@@ -46,6 +46,8 @@ RemoveFromGroup=Verwijderen uit groep
PasswordChangedAndSentTo=Wachtwoord veranderd en verstuurd naar %s.
PasswordChangeRequest=Wachtwoord aanpassing verzoek voor %s
PasswordChangeRequestSent=Verzoek om wachtwoord te wijzigen van %s verstuurt naar %s.
+IfLoginExistPasswordRequestSent=Bij een geldig account is er een e-mail gestuurd om het wachtwoord opnieuw in te stellen.
+IfEmailExistPasswordRequestSent=Bij een geldig account is er een e-mail verzonden om het wachtwoord opnieuw in te stellen.
ConfirmPasswordReset=Bevestig wachtwoord reset
MenuUsersAndGroups=Gebruikers & groepen
LastGroupsCreated=Laatste %s groepen aangemaakt
@@ -73,6 +75,7 @@ CreateInternalUserDesc=Met dit formulier kunt u een interne gebruiker in uw bedr
InternalExternalDesc=Een interne -gebruiker is een gebruiker die deel uitmaakt van uw bedrijf / organisatie. Een externe externe -gebruiker is een klant, leverancier of andere (het aanmaken van een externe gebruiker voor een derde partij kan worden gedaan vanuit het contactrecord van de derde partij).
In beide gevallen definieert de machtiging rechten op Dolibarr, ook kan de externe gebruiker een andere menumanager hebben dan de interne gebruiker (zie Home - Setup - Display)
PermissionInheritedFromAGroup=Toestemming verleend, omdat geërfd van een bepaalde gebruikersgroep.
Inherited=Overgeërfd
+UserWillBe=De aangemaakte gebruiker zal zijn
UserWillBeInternalUser=Gemaakt gebruiker een interne gebruiker te zijn (want niet gekoppeld aan een bepaalde derde partij)
UserWillBeExternalUser=Gemaakt gebruiker zal een externe gebruiker (omdat gekoppeld aan een bepaalde derde partij)
IdPhoneCaller=Beller ID (telefoon)
@@ -108,13 +111,15 @@ DisabledInMonoUserMode=Uitgeschakeld in onderhoudsmodus
UserAccountancyCode=Gebruiker accounting code
UserLogoff=Gebruiker uitgelogd
UserLogged=Gebruiker gelogd
-DateOfEmployment=Employment date
-DateEmployment=Startdatum dienstverband
+DateOfEmployment=Datum indiensttreding
+DateEmployment=Werkgelegenheid
+DateEmploymentstart=Startdatum dienstverband
DateEmploymentEnd=Einddatum dienstverband
+RangeOfLoginValidity=Datumbereik van inloggeldigheid
CantDisableYourself=U kunt uw eigen gebruikersrecord niet uitschakelen
ForceUserExpenseValidator=Validatierapport valideren
ForceUserHolidayValidator=Forceer verlofaanvraag validator
ValidatorIsSupervisorByDefault=Standaard is de validator de supervisor van de gebruiker. Blijf leeg om dit gedrag te behouden.
UserPersonalEmail=Persoonlijke e-mail
UserPersonalMobile=Persoonlijke mobiele telefoon
-WarningNotLangOfInterface=Warning, this is the main language the user speak, not the language of the interface he choosed to see. To change the interface language visible by this user, go on tab %s
+WarningNotLangOfInterface=Pas op, dit is de hoofdtaal die de gebruiker spreekt, niet de taal van de interface die hij wil zien. Ga naar het tabblad %s om de de taal van de interface, die voor deze gebruiker zichtbaar is, te wijzigen
diff --git a/htdocs/langs/nl_NL/website.lang b/htdocs/langs/nl_NL/website.lang
index 855e09828b2..a2424762f54 100644
--- a/htdocs/langs/nl_NL/website.lang
+++ b/htdocs/langs/nl_NL/website.lang
@@ -30,7 +30,6 @@ EditInLine=Inline bewerken
AddWebsite=Website toevoegen
Webpage=Webpagina/container
AddPage=Voeg pagina/container toe
-HomePage=Startpagina
PageContainer=Pagina
PreviewOfSiteNotYetAvailable=Voorbeeld van uw website %s is nog niet beschikbaar. U moet eerst 'Een volledige websitesjabloon importeren' of alleen 'Een pagina / container toevoegen'.
RequestedPageHasNoContentYet=Gevraagde pagina met id %s heeft nog geen inhoud of cachebestand .tpl.php is verwijderd. Bewerk de inhoud van de pagina om dit op te lossen.
@@ -101,7 +100,7 @@ EmptyPage=Lege pagina
ExternalURLMustStartWithHttp=Externe URL moet beginnen met http: // of https: //
ZipOfWebsitePackageToImport=Upload het zipbestand van het website-sjabloonpakket
ZipOfWebsitePackageToLoad=of Kies een beschikbaar ingesloten websitesjabloonpakket
-ShowSubcontainers=Neem dynamische inhoud op
+ShowSubcontainers=Toon dynamische inhoud
InternalURLOfPage=Interne URL van pagina
ThisPageIsTranslationOf=Deze pagina / container is een vertaling van
ThisPageHasTranslationPages=Deze pagina / container heeft vertaling
@@ -135,5 +134,6 @@ ReplacementDoneInXPages=Vervanging gedaan in %s pagina's of containers
RSSFeed=RSS-feeds
RSSFeedDesc=U kunt via deze URL een RSS-feed krijgen van de nieuwste artikelen met het type 'blogpost'
PagesRegenerated=%s pagina ('s) / container (s) her-aangemaakt
-RegenerateWebsiteContent=Regenerate web site cache files
-AllowedInFrames=Allowed in Frames
+RegenerateWebsiteContent=Genereer cachebestanden van websites opnieuw
+AllowedInFrames=Toegestaan in frames
+DefineListOfAltLanguagesInWebsiteProperties=Definieer een lijst van alle beschikbare talen in website-eigenschappen.
diff --git a/htdocs/langs/nl_NL/withdrawals.lang b/htdocs/langs/nl_NL/withdrawals.lang
index fe5dc16fe25..b8f22e173a6 100644
--- a/htdocs/langs/nl_NL/withdrawals.lang
+++ b/htdocs/langs/nl_NL/withdrawals.lang
@@ -11,7 +11,7 @@ PaymentByBankTransferLines=Overschrijvingsorderregels
WithdrawalsReceipts=Incasso-opdrachten
WithdrawalReceipt=Incasso-opdracht
BankTransferReceipts=Overboekingsopdrachten
-BankTransferReceipt=Credit transfer order
+BankTransferReceipt=Betalingsopdracht
LatestBankTransferReceipts=Laatste %s overboekingsopdrachten
LastWithdrawalReceipts=Laatste %s incassobestanden
WithdrawalsLine=Incasso-orderregel
@@ -40,8 +40,9 @@ CreditTransferStatistics=Overboeking statistieken
Rejects=Verworpen
LastWithdrawalReceipt=Laatste %s ontvangen incasso's
MakeWithdrawRequest=Automatische incasso aanmaken
-MakeBankTransferOrder=Make a credit transfer request
+MakeBankTransferOrder=Maak een verzoek tot overboeking
WithdrawRequestsDone=%s Betalingsverzoeken voor automatische incasso geregistreerd
+BankTransferRequestsDone=%s overboekingsverzoeken geregistreerd
ThirdPartyBankCode=Bankcode van derden
NoInvoiceCouldBeWithdrawed=Geen factuur afgeschreven. Controleer of de facturen betrekking hebben op bedrijven met een geldige IBAN en dat IBAN een UMR (Unique Mandate Reference) met modus %s heeft .
ClassCredited=Classificeer creditering
@@ -63,7 +64,7 @@ InvoiceRefused=Factuur geweigerd (de afwijzing door belasten aan de klant)
StatusDebitCredit=Status debet / credit
StatusWaiting=Wachtend
StatusTrans=Verzonden
-StatusDebited=Debited
+StatusDebited=Afgeschreven
StatusCredited=Gecrediteerd
StatusPaid=Betaald
StatusRefused=Geweigerd
@@ -79,13 +80,13 @@ StatusMotif8=Andere reden
CreateForSepaFRST=Maak een domiciliëringsbestand (SEPA FRST)
CreateForSepaRCUR=Maak een domiciliëringsbestand (SEPA RCUR)
CreateAll=Maak een domiciliëringsbestand (alles)
-CreateFileForPaymentByBankTransfer=Create file for credit transfer
+CreateFileForPaymentByBankTransfer=Maak bestand aan met overboekingen
CreateSepaFileForPaymentByBankTransfer=Maak een overboekingsbestand (SEPA) aan
CreateGuichet=Alleen kantoor
CreateBanque=Alleen de bank
OrderWaiting=Wachtend op behandeling
-NotifyTransmision=Record file transmission of order
-NotifyCredit=Record credit of order
+NotifyTransmision=Registreer bestandsoverdracht van bestelling
+NotifyCredit=Vastleggen credit order
NumeroNationalEmetter=Nationale zender nummer
WithBankUsingRIB=Voor bankrekeningen die gebruik maken van RIB
WithBankUsingBANBIC=Voor bankrekeningen die gebruik maken van IBAN / BIC / SWIFT
@@ -95,10 +96,10 @@ CreditDate=Crediteer op
WithdrawalFileNotCapable=Kan geen ontvangstbewijsbestand voor uw land genereren %s (uw land wordt niet ondersteund)
ShowWithdraw=Incasso-opdracht weergeven
IfInvoiceNeedOnWithdrawPaymentWontBeClosed=Als de factuur echter ten minste één betalingsopdracht voor automatische incasso bevat die nog niet is verwerkt, wordt deze niet ingesteld als betaald om voorafgaand opnamebeheer mogelijk te maken.
-DoStandingOrdersBeforePayments=This tab allows you to request a direct debit payment order. Once done, go into menu Bank->Payment by direct debit to generate and manage the direct debit order. When direct debit order is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null.
-DoCreditTransferBeforePayments=This tab allows you to request a credit transfer order. Once done, go into menu Bank->Payment by credit transfer to generate and manage the credit transfer order. When credit transfer order is closed, payment on invoices will be automatically recorded, and invoices closed if remainder to pay is null.
-WithdrawalFile=Debit order file
-CreditTransferFile=Credit transfer file
+DoStandingOrdersBeforePayments=Op dit tabblad kunt u een betalingsopdracht voor automatische incasso aanvragen. Als u klaar bent, gaat u naar het menu Bank-> Betaling via automatische incasso om de incasso-opdracht te genereren en te beheren. Wanneer de automatische incasso-opdracht wordt afgesloten, wordt de betaling op facturen automatisch geregistreerd en worden de facturen gesloten als het te betalen restant nul is.
+DoCreditTransferBeforePayments=Op dit tabblad kunt u een overboekingsopdracht aanvragen. Als u klaar bent, gaat u naar het menu Bank-> Betaling via overschrijving om de overschrijvingsopdracht te genereren en te beheren. Wanneer de overboekingsopdracht is gesloten, wordt de betaling op facturen automatisch geregistreerd en worden de facturen gesloten als het te betalen restant nul is.
+WithdrawalFile=Debet orderbestand
+CreditTransferFile=Credit overdrachtbestand
SetToStatusSent=Stel de status in "Bestand verzonden"
ThisWillAlsoAddPaymentOnInvoice=Dit registreert ook betalingen op facturen en classificeert ze als "Betaald" als het resterende bedrag niet is betaald
StatisticsByLineStatus=Statistieken per status van lijnen
@@ -124,14 +125,15 @@ SEPAFrstOrRecur=Soort betaling
ModeRECUR=Terugkomende betaling
ModeFRST=Eenmalige incasso
PleaseCheckOne=Alleen één controleren
-CreditTransferOrderCreated=Credit transfer order %s created
+CreditTransferOrderCreated=Overboekingsopdracht %s gemaakt
DirectDebitOrderCreated=Incasso-opdracht %s gemaakt
AmountRequested=Aangevraagde hoeveelheid
SEPARCUR=SEPA CUR
SEPAFRST=SEPA FRST
ExecutionDate=Uitvoeringsdatum
CreateForSepa=Aanmaken incassobestand
-ICS=Creditor Identifier CI
+ICS=Crediteur Identifier CI voor automatische incasso
+ICSTransfer=Crediteur Identifier CI voor bankoverschrijving
END_TO_END="EndToEndId" SEPA XML-tag - Uniek ID toegewezen per transactie
USTRD="Ongestructureerde" SEPA XML-tag
ADDDAYS=Dagen toevoegen aan uitvoeringsdatum
@@ -145,4 +147,5 @@ InfoTransData=Bedrag: %s Wijze: %s Datum: %s
InfoRejectSubject=Betalingsopdracht voor automatische incasso geweigerd
InfoRejectMessage=M,
de incasso van factuur %s voor bedrijf %s, met een bedrag van %s is geweigerd door de bank.
-- %s
ModeWarning=Optie voor echte modus was niet ingesteld, we stoppen na deze simulatie
-ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know wich one to use.
+ErrorCompanyHasDuplicateDefaultBAN=Bedrijf met id %s heeft meer dan één standaard bankrekening. Er is geen manier aanwezig om te weten welke u moet gebruiken.
+ErrorICSmissing=ICS ontbreekt op bankrekening %s
diff --git a/htdocs/langs/nl_NL/workflow.lang b/htdocs/langs/nl_NL/workflow.lang
index 9d4ed65e55b..86779e7cde8 100644
--- a/htdocs/langs/nl_NL/workflow.lang
+++ b/htdocs/langs/nl_NL/workflow.lang
@@ -1,23 +1,23 @@
# Dolibarr language file - Source file is en_US - workflow
-WorkflowSetup=Workflow module setup
+WorkflowSetup=Workflow module set-up
WorkflowDesc=Deze module biedt enkele automatische acties. Standaard is de workflow open (u kunt dingen doen in de gewenste volgorde), maar hier kunt u enkele automatische acties activeren.
ThereIsNoWorkflowToModify=Er zijn geen wijzigingen in de workflow beschikbaar met de geactiveerde modules.
# Autocreate
descWORKFLOW_PROPAL_AUTOCREATE_ORDER=Automatisch een verkooporder maken nadat een offerte is ondertekend (de nieuwe bestelling heeft hetzelfde bedrag als offerte)
descWORKFLOW_PROPAL_AUTOCREATE_INVOICE=Creëer automatisch een klantfactuur nadat een offerte is ondertekend (de nieuwe factuur heeft hetzelfde bedrag als de offerte)
-descWORKFLOW_CONTRACT_AUTOCREATE_INVOICE=Maak automatisch een klant factuur aan nadat contract is gevalideerd.
+descWORKFLOW_CONTRACT_AUTOCREATE_INVOICE=Maak automatisch een klant factuur aan nadat een contract is gevalideerd.
descWORKFLOW_ORDER_AUTOCREATE_INVOICE=Creëer automatisch een klantfactuur nadat een verkooporder is gesloten (de nieuwe factuur heeft hetzelfde bedrag als de bestelling)
# Autoclassify customer proposal or order
descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Classificeer gekoppeld bronvoorstel als gefactureerd wanneer verkooporder is ingesteld op gefactureerd (en als het bedrag van de bestelling gelijk is aan het totale bedrag van het ondertekende gekoppelde voorstel)
descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Classificeer het gekoppelde bronvoorstel als gefactureerd wanneer de klantfactuur is gevalideerd (en als het factuurbedrag gelijk is aan het totale bedrag van het ondertekende gekoppelde voorstel)
descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Classificeer gekoppelde bronverkooporder als gefactureerd wanneer klantfactuur is gevalideerd (en als het factuurbedrag gelijk is aan het totale bedrag van de gekoppelde bestelling)
descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Classificeer gekoppelde bronverkooporder als gefactureerd wanneer klantfactuur is ingesteld op betaald (en als het factuurbedrag gelijk is aan het totale bedrag van de gekoppelde bestelling)
-descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Classificeer gekoppelde bronverkooporder zoals verzonden wanneer een zending is gevalideerd (en als de hoeveelheid die door alle zendingen is verzonden dezelfde is als in de te updaten bestelling)
+descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Classificeer gekoppelde bronverkooporder als verzonden wanneer een zending is gevalideerd (en als de hoeveelheid die door alle zendingen is verzonden dezelfde is als in de te updaten bestelling)
# Autoclassify purchase order
descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Classificeer het gekoppelde bronvoorstel als gefactureerd wanneer de leveranciersfactuur is gevalideerd (en als het factuurbedrag gelijk is aan het totale bedrag van het gekoppelde voorstel)
descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Classificeer gekoppelde inkooporder als gefactureerd wanneer leveranciersfactuur is gevalideerd (en als het factuurbedrag gelijk is aan het totale bedrag van de gekoppelde order)
-descWORKFLOW_BILL_ON_RECEPTION=Classify receptions to "billed" when a linked supplier order is validated
+descWORKFLOW_BILL_ON_RECEPTION=Classificeer ontvangsten als "gefactureerd" wanneer een gekoppelde leveranciersorder wordt gevalideerd
# Autoclose intervention
-descWORKFLOW_TICKET_CLOSE_INTERVENTION=Close all interventions linked to the ticket when a ticket is closed
+descWORKFLOW_TICKET_CLOSE_INTERVENTION=Sluit alle interventies die aan het ticket zijn gekoppeld wanneer een ticket is gesloten
AutomaticCreation=Automatisch aanmaken
AutomaticClassification=Automatisch classificeren
diff --git a/htdocs/langs/nl_NL/zapier.lang b/htdocs/langs/nl_NL/zapier.lang
index 770a821038b..f9f576f9fbe 100644
--- a/htdocs/langs/nl_NL/zapier.lang
+++ b/htdocs/langs/nl_NL/zapier.lang
@@ -26,4 +26,4 @@ ModuleZapierForDolibarrDesc = Zapier voor Dolibarr-module
# Admin page
#
ZapierForDolibarrSetup = Installatie van Zapier voor Dolibarr
-ZapierDescription=Interface with Zapier
+ZapierDescription=Interface met Zapier
diff --git a/htdocs/langs/pl_PL/accountancy.lang b/htdocs/langs/pl_PL/accountancy.lang
index f7abea4f251..873bbc8f7b6 100644
--- a/htdocs/langs/pl_PL/accountancy.lang
+++ b/htdocs/langs/pl_PL/accountancy.lang
@@ -48,6 +48,7 @@ CountriesExceptMe=Wszystkie kraje oprócz %s
AccountantFiles=Export source documents
ExportAccountingSourceDocHelp=With this tool, you can export the source events (list and PDFs) that were used to generate your accountancy. To export your journals, use the menu entry %s - %s.
VueByAccountAccounting=View by accounting account
+VueBySubAccountAccounting=View by accounting subaccount
MainAccountForCustomersNotDefined=Główne konto księgowe dla klientów nie zdefiniowane w ustawieniach
MainAccountForSuppliersNotDefined=Główne konto rozliczeniowe dla dostawców niezdefiniowane w konfiguracji
@@ -144,7 +145,7 @@ NotVentilatedinAccount=Nie dowiązane do konta księgowego
XLineSuccessfullyBinded=%sprodukty/usługi z powodzeniem dowiązane do konta księgowego
XLineFailedToBeBinded=%s produkty/usługi nie dowiązane do żadnego konta księgowego
-ACCOUNTING_LIMIT_LIST_VENTILATION=Number of elements to bind shown by page (maximum recommended: 50)
+ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50)
ACCOUNTING_LIST_SORT_VENTILATION_TODO=Rozpocznij sortowanie strony "Dowiązania do zrobienia" po najnowszych elementach
ACCOUNTING_LIST_SORT_VENTILATION_DONE=Rozpocznij sortowanie strony "Dowiązania ukończone" po najnowszych elementach
@@ -198,7 +199,8 @@ Docdate=Data
Docref=Odniesienie
LabelAccount=Etykieta konta
LabelOperation=Label operation
-Sens=Sens
+Sens=Direction
+AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received For an accounting account of a supplier, use Debit to record a payment you make
LetteringCode=Lettering code
Lettering=Lettering
Codejournal=Dziennik
@@ -206,7 +208,8 @@ JournalLabel=Journal label
NumPiece=ilość sztuk
TransactionNumShort=Numer transakcji
AccountingCategory=Personalized groups
-GroupByAccountAccounting=Grupuj według konta księgowego
+GroupByAccountAccounting=Group by general ledger account
+GroupBySubAccountAccounting=Group by subledger account
AccountingAccountGroupsDesc=You can define here some groups of accounting account. They will be used for personalized accounting reports.
ByAccounts=Według kont
ByPredefinedAccountGroups=By predefined groups
@@ -248,7 +251,7 @@ PaymentsNotLinkedToProduct=Payment not linked to any product / service
OpeningBalance=Opening balance
ShowOpeningBalance=Show opening balance
HideOpeningBalance=Hide opening balance
-ShowSubtotalByGroup=Show subtotal by group
+ShowSubtotalByGroup=Show subtotal by level
Pcgtype=Grupa konta
PcgtypeDesc=Group of account are used as predefined 'filter' and 'grouping' criteria for some accounting reports. For example, 'INCOME' or 'EXPENSE' are used as groups for accounting accounts of products to build the expense/income report.
@@ -271,11 +274,13 @@ DescVentilExpenseReport=Consult here the list of expense report lines bound (or
DescVentilExpenseReportMore=If you setup accounting account on type of expense report lines, the application will be able to make all the binding between your expense report lines and the accounting account of your chart of accounts, just in one click with the button "%s". If account was not set on fees dictionary or if you still have some lines not bound to any account, you will have to make a manual binding from the menu "%s".
DescVentilDoneExpenseReport=Consult here the list of the lines of expenses reports and their fees accounting account
+Closure=Annual closure
DescClosure=Consult here the number of movements by month who are not validated & fiscal years already open
OverviewOfMovementsNotValidated=Step 1/ Overview of movements not validated. (Necessary to close a fiscal year)
+AllMovementsWereRecordedAsValidated=All movements were recorded as validated
+NotAllMovementsCouldBeRecordedAsValidated=Not all movements could be recorded as validated
ValidateMovements=Validate movements
DescValidateMovements=Any modification or deletion of writing, lettering and deletes will be prohibited. All entries for an exercise must be validated otherwise closing will not be possible
-SelectMonthAndValidate=Select month and validate movements
ValidateHistory=Dowiąż automatycznie
AutomaticBindingDone=Automatyczne dowiązanie ukończone
@@ -293,6 +298,7 @@ Accounted=Accounted in ledger
NotYetAccounted=Not yet accounted in ledger
ShowTutorial=Show Tutorial
NotReconciled=Not reconciled
+WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view
## Admin
BindingOptions=Binding options
@@ -337,6 +343,7 @@ Modelcsv_LDCompta10=Export for LD Compta (v10 & higher)
Modelcsv_openconcerto=Export for OpenConcerto (Test)
Modelcsv_configurable=Export CSV Configurable
Modelcsv_FEC=Export FEC
+Modelcsv_FEC2=Export FEC (With dates generation writing / document reversed)
Modelcsv_Sage50_Swiss=Export for Sage 50 Switzerland
Modelcsv_winfic=Export Winfic - eWinfic - WinSis Compta
Modelcsv_Gestinumv3=Export for Gestinum (v3)
diff --git a/htdocs/langs/pl_PL/admin.lang b/htdocs/langs/pl_PL/admin.lang
index cfd5007cf51..5efc0a3727a 100644
--- a/htdocs/langs/pl_PL/admin.lang
+++ b/htdocs/langs/pl_PL/admin.lang
@@ -56,6 +56,8 @@ GUISetup=Wyświetlanie
SetupArea=Konfiguracja
UploadNewTemplate=Załaduj nowy szablon(y)
FormToTestFileUploadForm=Formularz do wysyłania pliku testowego (według konfiguracji)
+ModuleMustBeEnabled=The module/application %s must be enabled
+ModuleIsEnabled=The module/application %s has been enabled
IfModuleEnabled=Uwaga: tak jest skuteczne tylko wtedy, gdy moduł %s jest aktywny
RemoveLock=Usuń/zmień nazwę pliku %s o ile istnieje, aby umożliwić korzystanie z narzędzia Aktualizuj/Instaluj.
RestoreLock=Przywróć plik %s o uprawnieniach tylko do odczytu, aby wyłączyć dalsze korzystanie z narzędzia Aktualizuj/Instaluj.
@@ -85,7 +87,6 @@ ShowPreview=Pokaż podgląd
ShowHideDetails=Show-Hide details
PreviewNotAvailable=Podgląd niedostępny
ThemeCurrentlyActive=Temat obecnie aktywny
-CurrentTimeZone=Strefa czasowa PHP (server)
MySQLTimeZone=Strefa czasowa MySQL (baza danych)
TZHasNoEffect=Daty są przechowywane i zwracane przez serwer bazy danych tak, jakby były przechowywane jako przesłany ciąg. Strefa czasowa działa tylko przy użyciu funkcji UNIX_TIMESTAMP (która nie powinna być używana przez Dolibarr, więc baza danych TZ nie powinna mieć żadnego efektu, nawet jeśli zostanie zmieniona po wprowadzeniu danych).
Space=Przestrzeń
@@ -153,8 +154,8 @@ SystemToolsAreaDesc=Ten Obszar zapewnia funkcje administracyjne. Użyj menu, aby
Purge=Czyszczenie
PurgeAreaDesc=Ta strona pozwala usunąć wszystkie pliki wygenerowane lub przechowywane przez Dolibarr (pliki tymczasowe lub wszystkie pliki w katalogu %s). Korzystanie z tej funkcji zwykle nie jest konieczne. Jest to obejście dla użytkowników, których Dolibarr jest hostowany przez dostawcę, który nie oferuje uprawnień do usuwania plików wygenerowanych przez serwer WWW.
PurgeDeleteLogFile=Usuń pliki logu, wliczając %s zdefiniowany dla modułu Syslog (brak ryzyka utraty danych)
-PurgeDeleteTemporaryFiles=Usuń wszystkie pliki tymczasowe (bez ryzyka utraty danych). Uwaga: Usuwanie odbywa się tylko wtedy, gdy katalog tymczasowy został utworzony 24 godziny temu.
-PurgeDeleteTemporaryFilesShort=Usuń pliki tymczasowe
+PurgeDeleteTemporaryFiles=Delete all log and temporary files (no risk of losing data). Note: Deletion of temporary files is done only if the temp directory was created more than 24 hours ago.
+PurgeDeleteTemporaryFilesShort=Delete log and temporary files
PurgeDeleteAllFilesInDocumentsDir=Usuń wszystkie pliki z katalogu: %s. Spowoduje to usunięcie wszystkich wygenerowanych dokumentów związanych z elementami (strony trzecie, faktury itp.), plików przesłanych do modułu ECM, zrzutów kopii zapasowej bazy danych i plików tymczasowych.
PurgeRunNow=Czyść teraz
PurgeNothingToDelete=Brak katalogu lub plików do usunięcia.
@@ -256,6 +257,7 @@ ReferencedPreferredPartners=Preferowani Partnerzy
OtherResources=Inne zasoby
ExternalResources=Zasoby zewnętrzne
SocialNetworks=Sieci społecznościowe
+SocialNetworkId=Social Network ID
ForDocumentationSeeWiki=Aby zapoznać się z dokumentacją użytkownika lub dewelopera (Doc, FAQ ...), zajrzyj do Dolibarr Wiki: %s
ForAnswersSeeForum=Aby znaleźć odpowiedzi na pytania / uzyskać dodatkową pomoc, możesz skorzystać z forum Dolibarr : %s
HelpCenterDesc1=Oto niektóre zasoby pozwalające uzyskać pomoc i wsparcie z Dolibarr.
@@ -375,7 +377,7 @@ ExamplesWithCurrentSetup=Examples with current configuration
ListOfDirectories=Lista katalogów szablonów OpenDocument
ListOfDirectoriesForModelGenODT=List of directories containing templates files with OpenDocument format.
Put here full path of directories. Add a carriage return between eah directory. To add a directory of the GED module, add here DOL_DATA_ROOT/ecm/yourdirectoryname.
Files in those directories must end with .odt or .ods.
NumberOfModelFilesFound=Number of ODT/ODS template files found in these directories
-ExampleOfDirectoriesForModelGen=Przykłady składni: c: \\ mydir / Home / mydir DOL_DATA_ROOT / ECM / ecmdir
+ExampleOfDirectoriesForModelGen=Examples of syntax: c:\\myapp\\mydocumentdir\\mysubdir /home/myapp/mydocumentdir/mysubdir DOL_DATA_ROOT/ecm/ecmdir
FollowingSubstitutionKeysCanBeUsed= Aby dowiedzieć się jak stworzyć szablony dokumentów odt, przed zapisaniem ich w katalogach, zapoznaj się z dokumentacją wiki:
FullListOnOnlineDocumentation=http://wiki.dolibarr.org/index.php/Create_an_ODT_document_template
FirstnameNamePosition=Pozycja Imienia / Nazwiska
@@ -406,7 +408,7 @@ UrlGenerationParameters=Parametry do zabezpiecznie adresu URL
SecurityTokenIsUnique=Użyj unikalnego klucza zabezpieczeń dla każdego adresu
EnterRefToBuildUrl=Wprowadź odwołanie do obiektu %s
GetSecuredUrl=Pobierz obliczony adres URL
-ButtonHideUnauthorized=Hide buttons for non-admin users for unauthorized actions instead of showing greyed disabled buttons
+ButtonHideUnauthorized=Hide unauthorized action buttons also for internal users (just greyed otherwise)
OldVATRates=Poprzednia stawka VAT
NewVATRates=Nowa stawka VAT
PriceBaseTypeToChange=Zmiana dla cen opartych na wartości referencyjnej ustalonej na
@@ -1689,7 +1691,7 @@ NotTopTreeMenuPersonalized=Personalized menus not linked to a top menu entry
NewMenu=Nowe menu
MenuHandler=Menu obsługi
MenuModule=Źródło modułu
-HideUnauthorizedMenu= Ukryj nieautoryzowane menu (wyszarz)
+HideUnauthorizedMenu=Hide unauthorized menus also for internal users (just greyed otherwise)
DetailId=Id menu
DetailMenuHandler=Menu obsługi gdzie pokazać nowe menu
DetailMenuModule=Moduł nazwę w menu, jeśli pochodzą z modułem
@@ -1983,11 +1985,12 @@ EMailHost=Host of email IMAP server
MailboxSourceDirectory=Mailbox source directory
MailboxTargetDirectory=Mailbox target directory
EmailcollectorOperations=Operations to do by collector
+EmailcollectorOperationsDesc=Operations are executed from top to bottom order
MaxEmailCollectPerCollect=Max number of emails collected per collect
CollectNow=Collect now
ConfirmCloneEmailCollector=Are you sure you want to clone the Email collector %s ?
-DateLastCollectResult=Date latest collect tried
-DateLastcollectResultOk=Date latest collect successfull
+DateLastCollectResult=Date of latest collect try
+DateLastcollectResultOk=Date of latest collect success
LastResult=Latest result
EmailCollectorConfirmCollectTitle=Email collect confirmation
EmailCollectorConfirmCollect=Do you want to run the collection for this collector now ?
@@ -2005,7 +2008,7 @@ WithDolTrackingID=Message from a conversation initiated by a first email sent fr
WithoutDolTrackingID=Message from a conversation initiated by a first email NOT sent from Dolibarr
WithDolTrackingIDInMsgId=Message sent from Dolibarr
WithoutDolTrackingIDInMsgId=Message NOT sent from Dolibarr
-CreateCandidature=Create candidature
+CreateCandidature=Create job application
FormatZip=Kod pocztowy
MainMenuCode=Menu entry code (mainmenu)
ECMAutoTree=Show automatic ECM tree
@@ -2083,3 +2086,7 @@ CountryIfSpecificToOneCountry=Country (if specific to a given country)
YouMayFindSecurityAdviceHere=You may find security advisory here
ModuleActivatedMayExposeInformation=This module may expose sensitive data. If you don't need it, disable it.
ModuleActivatedDoNotUseInProduction=A module designed for the development has been enabled. Do not enable it on a production environment.
+CombinationsSeparator=Separator character for product combinations
+SeeLinkToOnlineDocumentation=See link to online documention on top menu for examples
+SHOW_SUBPRODUCT_REF_IN_PDF=If the feature "%s" of module %s is used, show details of subproducts of a kit on PDF.
+AskThisIDToYourBank=Contact your bank to get this ID
diff --git a/htdocs/langs/pl_PL/banks.lang b/htdocs/langs/pl_PL/banks.lang
index 58fe92e5f58..2da0c9d11cd 100644
--- a/htdocs/langs/pl_PL/banks.lang
+++ b/htdocs/langs/pl_PL/banks.lang
@@ -173,8 +173,8 @@ SEPAMandate=SEPA mandate
YourSEPAMandate=Your SEPA mandate
FindYourSEPAMandate=This is your SEPA mandate to authorize our company to make direct debit order to your bank. Return it signed (scan of the signed document) or send it by mail to
AutoReportLastAccountStatement=Automatically fill the field 'number of bank statement' with last statement number when making reconciliation
-CashControl=POS cash fence
-NewCashFence=New cash fence
+CashControl=POS cash desk control
+NewCashFence=New cash desk closing
BankColorizeMovement=Colorize movements
BankColorizeMovementDesc=If this function is enable, you can choose specific background color for debit or credit movements
BankColorizeMovementName1=Background color for debit movement
diff --git a/htdocs/langs/pl_PL/blockedlog.lang b/htdocs/langs/pl_PL/blockedlog.lang
index 8ca78fd8046..dae949d1149 100644
--- a/htdocs/langs/pl_PL/blockedlog.lang
+++ b/htdocs/langs/pl_PL/blockedlog.lang
@@ -35,7 +35,7 @@ logDON_DELETE=Donation logical deletion
logMEMBER_SUBSCRIPTION_CREATE=Member subscription created
logMEMBER_SUBSCRIPTION_MODIFY=Member subscription modified
logMEMBER_SUBSCRIPTION_DELETE=Member subscription logical deletion
-logCASHCONTROL_VALIDATE=Cash fence recording
+logCASHCONTROL_VALIDATE=Cash desk closing recording
BlockedLogBillDownload=Customer invoice download
BlockedLogBillPreview=Customer invoice preview
BlockedlogInfoDialog=Log Details
diff --git a/htdocs/langs/pl_PL/boxes.lang b/htdocs/langs/pl_PL/boxes.lang
index 3c3730b9e9c..9d93c3e1e90 100644
--- a/htdocs/langs/pl_PL/boxes.lang
+++ b/htdocs/langs/pl_PL/boxes.lang
@@ -46,9 +46,12 @@ BoxTitleLastModifiedDonations=Ostatnich %s zmodyfikowanych dotacji
BoxTitleLastModifiedExpenses=Ostatnich %s zmodyfikowanych raportów kosztów
BoxTitleLatestModifiedBoms=Latest %s modified BOMs
BoxTitleLatestModifiedMos=Latest %s modified Manufacturing Orders
+BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded
BoxGlobalActivity=Globalna aktywność (faktury, wnioski, zamówienia)
BoxGoodCustomers=Dobrzy klienci
BoxTitleGoodCustomers=%s dobrych klientów
+BoxScheduledJobs=Zaplanowane zadania
+BoxTitleFunnelOfProspection=Lead funnel
FailedToRefreshDataInfoNotUpToDate=Failed to refresh RSS flux. Latest successful refresh date: %s
LastRefreshDate=Data ostatniego odświeżenia
NoRecordedBookmarks=Brak zdefiniowanych zakładek
@@ -102,5 +105,7 @@ SuspenseAccountNotDefined=Suspense account isn't defined
BoxLastCustomerShipments=Last customer shipments
BoxTitleLastCustomerShipments=Latest %s customer shipments
NoRecordedShipments=No recorded customer shipment
+BoxCustomersOutstandingBillReached=Customers with oustanding limit reached
# Pages
AccountancyHome=Księgowość
+ValidatedProjects=Validated projects
diff --git a/htdocs/langs/pl_PL/cashdesk.lang b/htdocs/langs/pl_PL/cashdesk.lang
index 337d7d5708e..f420c946b3c 100644
--- a/htdocs/langs/pl_PL/cashdesk.lang
+++ b/htdocs/langs/pl_PL/cashdesk.lang
@@ -49,8 +49,8 @@ Footer=Footer
AmountAtEndOfPeriod=Amount at end of period (day, month or year)
TheoricalAmount=Theorical amount
RealAmount=Real amount
-CashFence=Cash fence
-CashFenceDone=Cash fence done for the period
+CashFence=Cash desk closing
+CashFenceDone=Cash desk closing done for the period
NbOfInvoices=Ilość faktur
Paymentnumpad=Type of Pad to enter payment
Numberspad=Numbers Pad
@@ -99,8 +99,9 @@ CashDeskRefNumberingModules=Numbering module for POS sales
CashDeskGenericMaskCodes6 = {TN} tag is used to add the terminal number
TakeposGroupSameProduct=Group same products lines
StartAParallelSale=Start a new parallel sale
-ControlCashOpening=Control cash box at opening POS
-CloseCashFence=Close cash fence
+SaleStartedAt=Sale started at %s
+ControlCashOpening=Control cash popup at opening POS
+CloseCashFence=Close cash desk control
CashReport=Cash report
MainPrinterToUse=Main printer to use
OrderPrinterToUse=Order printer to use
@@ -122,3 +123,4 @@ GiftReceipt=Gift receipt
ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled first
AllowDelayedPayment=Allow delayed payment
PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts
+WeighingScale=Weighing scale
diff --git a/htdocs/langs/pl_PL/categories.lang b/htdocs/langs/pl_PL/categories.lang
index a6dfccaf849..b0372678bc6 100644
--- a/htdocs/langs/pl_PL/categories.lang
+++ b/htdocs/langs/pl_PL/categories.lang
@@ -19,6 +19,7 @@ ProjectsCategoriesArea=Obszar tagów / kategorii projektów
UsersCategoriesArea=Obszar znaczników/kategorii użytkowników
SubCats=Podkategorie
CatList=Lista tagów / kategorii
+CatListAll=List of tags/categories (all types)
NewCategory=Nowy tag / kategoria
ModifCat=Modyfikuj tag/kategorię
CatCreated=Tag / kategoria stworzona
@@ -65,16 +66,22 @@ UsersCategoriesShort=Znaczniki/kategorie użytkowników
StockCategoriesShort=Warehouse tags/categories
ThisCategoryHasNoItems=This category does not contain any items.
CategId=Tag / ID kategorii
-CatSupList=List of vendor tags/categories
-CatCusList=Lista klientów / perspektywa tagów / kategorii
+ParentCategory=Parent tag/category
+ParentCategoryLabel=Label of parent tag/category
+CatSupList=List of vendors tags/categories
+CatCusList=List of customers/prospects tags/categories
CatProdList=Lista tagów/kategorii produktów
CatMemberList=Lista tagów/kategorii członków
-CatContactList=Lista tagów/kategorii kontaktu
-CatSupLinks=Powiązania między dostawcami i tagami/kategoriami
+CatContactList=List of contacts tags/categories
+CatProjectsList=List of projects tags/categories
+CatUsersList=List of users tags/categories
+CatSupLinks=Links between vendors and tags/categories
CatCusLinks=Powiązania między klientami / perspektyw i tagów / kategorii
CatContactsLinks=Links between contacts/addresses and tags/categories
CatProdLinks=Powiązania między produktami/usługami i tagami/kategoriami
-CatProJectLinks=Połączenia pomiędzy projektami a tagami / kategoriami
+CatMembersLinks=Związki między członkami i tagów / kategorii
+CatProjectsLinks=Połączenia pomiędzy projektami a tagami / kategoriami
+CatUsersLinks=Links between users and tags/categories
DeleteFromCat=Usuń z tagów/kategorii
ExtraFieldsCategories=Atrybuty uzupełniające
CategoriesSetup=Tagi / kategorie Konfiguracja
diff --git a/htdocs/langs/pl_PL/companies.lang b/htdocs/langs/pl_PL/companies.lang
index 0c7c3c2eb09..c5d2714854e 100644
--- a/htdocs/langs/pl_PL/companies.lang
+++ b/htdocs/langs/pl_PL/companies.lang
@@ -358,7 +358,7 @@ VATIntraCheckableOnEUSite=Check the intra-Community VAT ID on the European Commi
VATIntraManualCheck=You can also check manually on the European Commission website %s
ErrorVATCheckMS_UNAVAILABLE=Brak możliwości sprawdzenia. Usługa nie jest dostarczana dla wybranego regionu (%s).
NorProspectNorCustomer=Not prospect, nor customer
-JuridicalStatus=Legal Entity Type
+JuridicalStatus=Business entity type
Workforce=Workforce
Staff=Pracownicy
ProspectLevelShort=Potencjał
diff --git a/htdocs/langs/pl_PL/compta.lang b/htdocs/langs/pl_PL/compta.lang
index 1596c31aaa7..cb71232d049 100644
--- a/htdocs/langs/pl_PL/compta.lang
+++ b/htdocs/langs/pl_PL/compta.lang
@@ -111,7 +111,7 @@ Refund=Zwrot
SocialContributionsPayments=Płatności za ZUS/podatki
ShowVatPayment=Pokaż płatności za podatek VAT
TotalToPay=Razem do zapłaty
-BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted ascending on %s and filtered for 1 bank account
+BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted on %s and filtered on 1 bank account (with no other filters)
CustomerAccountancyCode=Customer accounting code
SupplierAccountancyCode=Vendor accounting code
CustomerAccountancyCodeShort=Kod księg. klienta
@@ -140,7 +140,7 @@ ConfirmDeleteSocialContribution=Jesteś pewien/a, że chcesz oznaczyć tą opła
ExportDataset_tax_1=Składki ZUS, podatki i płatności
CalcModeVATDebt=Tryb% Svat na rachunkowości zaangażowanie% s.
CalcModeVATEngagement=Tryb% Svat na dochody-wydatki% s.
-CalcModeDebt=Analysis of known recorded invoices even if they are not yet accounted in ledger.
+CalcModeDebt=Analysis of known recorded documents even if they are not yet accounted in ledger.
CalcModeEngagement=Analysis of known recorded payments, even if they are not yet accounted in Ledger.
CalcModeBookkeeping=Analysis of data journalized in Bookkeeping Ledger table.
CalcModeLT1= Tryb% SRE faktur klienta - dostawcy wystawia faktury% s
@@ -154,9 +154,9 @@ AnnualSummaryInputOutputMode=Saldo przychodów i kosztów, roczne podsumowanie
AnnualByCompanies=Balance of income and expenses, by predefined groups of account
AnnualByCompaniesDueDebtMode=Balance of income and expenses, detail by predefined groups, mode %sClaims-Debts%s said Commitment accounting.
AnnualByCompaniesInputOutputMode=Balance of income and expenses, detail by predefined groups, mode %sIncomes-Expenses%s said cash accounting.
-SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation on actual payments made even if they are not yet accounted in Ledger.
-SeeReportInDueDebtMode=See %sanalysis of invoices%s for a calculation based on known recorded invoices even if they are not yet accounted in Ledger.
-SeeReportInBookkeepingMode=See %sBookeeping report%s for a calculation on Bookkeeping Ledger table
+SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation based on recorded payments made even if they are not yet accounted in Ledger
+SeeReportInDueDebtMode=See %sanalysis of recorded documents%s for a calculation based on known recorded documents even if they are not yet accounted in Ledger
+SeeReportInBookkeepingMode=See %sanalysis of bookeeping ledger table%s for a report based on Bookkeeping Ledger table
RulesAmountWithTaxIncluded=- Kwoty podane są łącznie z podatkami
RulesResultDue=- It includes outstanding invoices, expenses, VAT, donations whether they are paid or not. Is also includes paid salaries. - It is based on the billing date of invoices and on the due date for expenses or tax payments. For salaries defined with Salary module, the value date of payment is used.
RulesResultInOut=- Obejmuje rzeczywiste płatności dokonywane za faktury, koszty, podatek VAT oraz wynagrodzenia. Opiera się na datach płatności faktur, wygenerowania kosztów, podatku VAT oraz wynagrodzeń. Dla darowizn brana jest pod uwagę data przekazania darowizny.
@@ -169,12 +169,15 @@ RulesResultBookkeepingPersonalized=It show record in your Ledger with accounting
SeePageForSetup=See menu %s for setup
DepositsAreNotIncluded=- Down payment invoices are not included
DepositsAreIncluded=- Down payment invoices are included
+LT1ReportByMonth=Tax 2 report by month
+LT2ReportByMonth=Tax 3 report by month
LT1ReportByCustomers=Report tax 2 by third party
LT2ReportByCustomers=Report tax 3 by third party
LT1ReportByCustomersES=Sprawozdanie trzecim RE partii
LT2ReportByCustomersES=Raport osób trzecich IRPF
VATReport=Sale tax report
VATReportByPeriods=Sale tax report by period
+VATReportByMonth=Sale tax report by month
VATReportByRates=Sale tax report by rates
VATReportByThirdParties=Sale tax report by third parties
VATReportByCustomers=Sale tax report by customer
diff --git a/htdocs/langs/pl_PL/cron.lang b/htdocs/langs/pl_PL/cron.lang
index 745767075eb..68a5f84d9e3 100644
--- a/htdocs/langs/pl_PL/cron.lang
+++ b/htdocs/langs/pl_PL/cron.lang
@@ -6,14 +6,15 @@ Permission23102 = Stwórz/zaktualizuj zaplanowane zadanie
Permission23103 = Usuń zaplanowane zadanie
Permission23104 = Wykonaj zaplanowane zadanie
# Admin
-CronSetup= Konfiguracja zarządzania zaplanowanymi zadaniami
-URLToLaunchCronJobs=URL to check and launch qualified cron jobs
-OrToLaunchASpecificJob=Albo sprawdzić i uruchomić określonej pracy
+CronSetup=Konfiguracja zarządzania zaplanowanymi zadaniami
+URLToLaunchCronJobs=URL to check and launch qualified cron jobs from a browser
+OrToLaunchASpecificJob=Or to check and launch a specific job from a browser
KeyForCronAccess=Klucz zabezpieczeń dla URL, aby uruchomić cron
FileToLaunchCronJobs=Command line to check and launch qualified cron jobs
CronExplainHowToRunUnix=W środowisku Unix należy użyć następującego wpisu crontab, aby uruchomić wiersz poleceń co 5 minut
-CronExplainHowToRunWin=W środowisku Microsoft Windows(tm) można użyć narzędzia Zaplanowane zadania, aby uruchomić linię poleceń co 5 minut
+CronExplainHowToRunWin=On Microsoft(tm) Windows environment you can use Scheduled Task tools to run the command line each 5 minutes
CronMethodDoesNotExists=Klasa %s nie zawiera żadnej metody %s
+CronMethodNotAllowed=Method %s of class %s is in blacklist of forbidden methods
CronJobDefDesc=Cron job profiles are defined into the module descriptor file. When module is activated, they are loaded and available so you can administer the jobs from the admin tools menu %s.
CronJobProfiles=List of predefined cron job profiles
# Menu
@@ -42,10 +43,11 @@ CronModule=Moduł
CronNoJobs=Brak zarejestrowanych zadań
CronPriority=Priorytet
CronLabel=Etykieta
-CronNbRun=Ilość uruchomień
-CronMaxRun=Max number launch
+CronNbRun=Number of launches
+CronMaxRun=Maximum number of launches
CronEach=Każdy
JobFinished=Zadania uruchomione i zakończone
+Scheduled=Scheduled
#Page card
CronAdd= Dodaj zadanie
CronEvery=Wykonaj każde zadanie
@@ -56,16 +58,16 @@ CronNote=Komentarz
CronFieldMandatory=Pole %s jest obowiązkowe
CronErrEndDateStartDt=Data zakończenia nie może być wcześniejsza niż data rozpoczęcia
StatusAtInstall=Status at module installation
-CronStatusActiveBtn=Włączone
+CronStatusActiveBtn=Schedule
CronStatusInactiveBtn=Wyłączone
CronTaskInactive=To zadanie jest wyłączone
CronId=ID
CronClassFile=Filename with class
-CronModuleHelp=Name of Dolibarr module directory (also work with external Dolibarr module). For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for module is product
-CronClassFileHelp=The relative path and file name to load (path is relative to web server root directory). For exemple to call the fetch method of Dolibarr Product object htdocs/product/class/product.class.php, the value for class file name is product/class/product.class.php
-CronObjectHelp=The object name to load. For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for class file name is Product
-CronMethodHelp=The object method to launch. For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for method is fetch
-CronArgsHelp=The method arguments. For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for paramters can be 0, ProductRef
+CronModuleHelp=Name of Dolibarr module directory (also work with external Dolibarr module). For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for module is product
+CronClassFileHelp=The relative path and file name to load (path is relative to web server root directory). For example to call the fetch method of Dolibarr Product object htdocs/product/class/product.class.php, the value for class file name is product/class/product.class.php
+CronObjectHelp=The object name to load. For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for class file name is Product
+CronMethodHelp=The object method to launch. For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for method is fetch
+CronArgsHelp=The method arguments. For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for paramters can be 0, ProductRef
CronCommandHelp=System linii poleceń do wykonania.
CronCreateJob=Utwórz nowe zaplanowane zadanie
CronFrom=Z
@@ -76,8 +78,14 @@ CronType_method=Call method of a PHP Class
CronType_command=Polecenie powłoki
CronCannotLoadClass=Cannot load class file %s (to use class %s)
CronCannotLoadObject=Class file %s was loaded, but object %s was not found into it
-UseMenuModuleToolsToAddCronJobs=Idź do "Strona główna - Narzędzia administracyjne - Zaplanowane zadania" aby zobaczyć i zmieniać zaplanowane zadania
+UseMenuModuleToolsToAddCronJobs=Go into menu "Home - Admin tools - Scheduled jobs" to see and edit scheduled jobs.
JobDisabled=Zadanie wyłączone
MakeLocalDatabaseDumpShort=Backup lokalnej bazy danych
-MakeLocalDatabaseDump=Create a local database dump. Parameters are: compression ('gz' or 'bz' or 'none'), backup type ('mysql' or 'pgsql'), 1, 'auto' or filename to build, number of backup files to keep
+MakeLocalDatabaseDump=Create a local database dump. Parameters are: compression ('gz' or 'bz' or 'none'), backup type ('mysql', 'pgsql', 'auto'), 1, 'auto' or filename to build, number of backup files to keep
WarningCronDelayed=Attention, for performance purpose, whatever is next date of execution of enabled jobs, your jobs may be delayed to a maximum of %s hours, before being run.
+DATAPOLICYJob=Data cleaner and anonymizer
+JobXMustBeEnabled=Job %s must be enabled
+# Cron Boxes
+LastExecutedScheduledJob=Last executed scheduled job
+NextScheduledJobExecute=Next scheduled job to execute
+NumberScheduledJobError=Number of scheduled jobs in error
diff --git a/htdocs/langs/pl_PL/errors.lang b/htdocs/langs/pl_PL/errors.lang
index 13d89600986..bd9179e37d9 100644
--- a/htdocs/langs/pl_PL/errors.lang
+++ b/htdocs/langs/pl_PL/errors.lang
@@ -5,8 +5,10 @@ NoErrorCommitIsDone=Nie ma błędu, zobowiązujemy
# Errors
ErrorButCommitIsDone=Znalezione błędy, ale mimo to możemy potwierdzić
ErrorBadEMail=Email %s is wrong
+ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record)
ErrorBadUrl=Url %s jest błędny
ErrorBadValueForParamNotAString=Bad value for your parameter. It appends generally when translation is missing.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorLoginAlreadyExists=Zaloguj %s już istnieje.
ErrorGroupAlreadyExists=Grupa %s już istnieje.
ErrorRecordNotFound=Rekord nie został znaleziony.
@@ -48,6 +50,7 @@ ErrorFieldsRequired=Niektóre pola wymagane nie były uzupełnione.
ErrorSubjectIsRequired=Temat wiadomości jest wymagany
ErrorFailedToCreateDir=Nie można utworzyć katalogu. Sprawdź, czy serwer WWW użytkownik ma uprawnienia do zapisu do katalogu dokumentów Dolibarr. Jeśli parametr safe_mode jest włączona w tym PHP, czy posiada Dolibarr php pliki do serwera internetowego użytkownika (lub grupy).
ErrorNoMailDefinedForThisUser=Nie określono adresu email dla tego użytkownika
+ErrorSetupOfEmailsNotComplete=Setup of emails is not complete
ErrorFeatureNeedJavascript=Ta funkcja wymaga do pracy aktywowanego JavaScript. Zmień to w konfiguracji - wyświetlanie.
ErrorTopMenuMustHaveAParentWithId0=Menu typu "góry" nie może mieć dominującej menu. Umieść 0 dominującej w menu lub wybrać z menu typu "Lewy".
ErrorLeftMenuMustHaveAParentId=Menu typu "Lewy" musi mieć identyfikator rodzica.
@@ -75,7 +78,7 @@ ErrorExportDuplicateProfil=Ta nazwa profil już istnieje dla tego zestawu ekspor
ErrorLDAPSetupNotComplete=Dolibarr-LDAP dopasowywania nie jest kompletna.
ErrorLDAPMakeManualTest=A. LDIF plik został wygenerowany w katalogu %s. Spróbuj załadować go ręcznie z wiersza polecenia, aby mieć więcej informacji na temat błędów.
ErrorCantSaveADoneUserWithZeroPercentage=Can't save an action with "status not started" if field "done by" is also filled.
-ErrorRefAlreadyExists=Numer identyfikacyjny używany do tworzenia już istnieje.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorPleaseTypeBankTransactionReportName=Please enter the bank statement name where the entry has to be reported (Format YYYYMM or YYYYMMDD)
ErrorRecordHasChildren=Failed to delete record since it has some child records.
ErrorRecordHasAtLeastOneChildOfType=Object has at least one child of type %s
@@ -216,7 +219,7 @@ ErrorChooseBetweenFreeEntryOrPredefinedProduct=You must choose if article is a p
ErrorDiscountLargerThanRemainToPaySplitItBefore=The discount you try to apply is larger than remain to pay. Split the discount in 2 smaller discounts before.
ErrorFileNotFoundWithSharedLink=File was not found. May be the share key was modified or file was removed recently.
ErrorProductBarCodeAlreadyExists=The product barcode %s already exists on another product reference.
-ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using virtual product to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number.
+ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using kits to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number.
ErrorDescRequiredForFreeProductLines=Description is mandatory for lines with free product
ErrorAPageWithThisNameOrAliasAlreadyExists=The page/container %s has the same name or alternative alias that the one your try to use
ErrorDuringChartLoad=Error when loading chart of accounts. If few accounts were not loaded, you can still enter them manually.
@@ -243,6 +246,16 @@ ErrorReplaceStringEmpty=Error, the string to replace into is empty
ErrorProductNeedBatchNumber=Error, product '%s' need a lot/serial number
ErrorProductDoesNotNeedBatchNumber=Error, product '%s' does not accept a lot/serial number
ErrorFailedToReadObject=Error, failed to read object of type %s
+ErrorParameterMustBeEnabledToAllwoThisFeature=Error, parameter %s must be enabled into conf/conf.php to allow use of Command Line Interface by the internal job scheduler
+ErrorLoginDateValidity=Error, this login is outside the validity date range
+ErrorValueLength=Length of field '%s' must be higher than '%s'
+ErrorReservedKeyword=The word '%s' is a reserved keyword
+ErrorNotAvailableWithThisDistribution=Not available with this distribution
+ErrorPublicInterfaceNotEnabled=Public interface was not enabled
+ErrorLanguageRequiredIfPageIsTranslationOfAnother=The language of new page must be defined if it is set as a translation of another page
+ErrorLanguageMustNotBeSourceLanguageIfPageIsTranslationOfAnother=The language of new page must not be the source language if it is set as a translation of another page
+ErrorAParameterIsRequiredForThisOperation=A parameter is mandatory for this operation
+
# Warnings
WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup.
WarningPasswordSetWithNoAccount=Hasło zostało ustawione dla tego użytkownika. Jednakże nie Konto użytkownika zostało utworzone. Więc to hasło jest przechowywane, ale nie mogą być używane do logowania do Dolibarr. Może być stosowany przez zewnętrzny moduł / interfejsu, ale jeśli nie trzeba definiować dowolną logowania ani hasła do członka, można wyłączyć opcję "Zarządzaj login dla każdego członka" od konfiguracji modułu użytkownika. Jeśli potrzebujesz zarządzać logowanie, ale nie wymagają hasła, możesz zachować to pole puste, aby uniknąć tego ostrzeżenia. Uwaga: E może być również stosowany jako login, jeśli element jest połączony do użytkownika.
@@ -267,6 +280,10 @@ WarningYourLoginWasModifiedPleaseLogin=Twój login został zmodyfikowany. Z powo
WarningAnEntryAlreadyExistForTransKey=An entry already exists for the translation key for this language
WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different recipient is limited to %s when using the mass actions on lists
WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report
+WarningProjectDraft=Project is still in draft mode. Don't forget to validate it if you plan to use tasks.
WarningProjectClosed=Project is closed. You must re-open it first.
WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list.
-WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table
+WarningFailedToAddFileIntoDatabaseIndex=Warning, failed to add file entry into ECM database index table
+WarningTheHiddenOptionIsOn=Warning, the hidden option %s is on.
+WarningCreateSubAccounts=Warning, you can't create directly a sub account, you must create a third party or an user and assign them an accounting code to find them in this list
+WarningAvailableOnlyForHTTPSServers=Available only if using HTTPS secured connection.
diff --git a/htdocs/langs/pl_PL/exports.lang b/htdocs/langs/pl_PL/exports.lang
index dd5e8ee3731..4a291b908d4 100644
--- a/htdocs/langs/pl_PL/exports.lang
+++ b/htdocs/langs/pl_PL/exports.lang
@@ -26,6 +26,8 @@ FieldTitle=pole tytuł
NowClickToGenerateToBuildExportFile=Now, select the file format in the combo box and click on "Generate" to build the export file...
AvailableFormats=Available Formats
LibraryShort=Biblioteka
+ExportCsvSeparator=Csv caracter separator
+ImportCsvSeparator=Csv caracter separator
Step=Krok
FormatedImport=Import Assistant
FormatedImportDesc1=This module allows you to update existing data or add new objects into the database from a file without technical knowledge, using an assistant.
@@ -131,3 +133,4 @@ KeysToUseForUpdates=Key (column) to use for updating existing data
NbInsert=ilość wprowadzonych linii: %s
NbUpdate=Ilość zaktualizowanych linii: %s
MultipleRecordFoundWithTheseFilters=Multiple records have been found with these filters: %s
+StocksWithBatch=Stocks and location (warehouse) of products with batch/serial number
diff --git a/htdocs/langs/pl_PL/mails.lang b/htdocs/langs/pl_PL/mails.lang
index 10ef6063468..ce291b8154c 100644
--- a/htdocs/langs/pl_PL/mails.lang
+++ b/htdocs/langs/pl_PL/mails.lang
@@ -92,6 +92,7 @@ MailingModuleDescEmailsFromUser=Emails input by user
MailingModuleDescDolibarrUsers=Users with Emails
MailingModuleDescThirdPartiesByCategories=Third parties (by categories)
SendingFromWebInterfaceIsNotAllowed=Sending from web interface is not allowed.
+EmailCollectorFilterDesc=All filters must match to have an email being collected
# Libelle des modules de liste de destinataires mailing
LineInFile=Linia w pliku %s
@@ -125,12 +126,13 @@ TagMailtoEmail=Recipient Email (including html "mailto:" link)
NoEmailSentBadSenderOrRecipientEmail=Nie wysłano wiadomości email. Zły email nadawcy lub odbiorcy. Sprawdź profil użytkownika.
# Module Notifications
Notifications=Powiadomienia
-NoNotificationsWillBeSent=Brak planowanych powiadomień mailowych dla tego wydarzenia i firmy
-ANotificationsWillBeSent=1 zgłoszenie zostanie wysłane pocztą elektroniczną
-SomeNotificationsWillBeSent=%s powiadomienia będą wysyłane przez e-mail
-AddNewNotification=Activate a new email notification target/event
-ListOfActiveNotifications=List all active targets/events for email notification
-ListOfNotificationsDone=Lista wszystkich powiadomień wysłanych maili
+NotificationsAuto=Notifications Auto.
+NoNotificationsWillBeSent=No automatic email notifications are planned for this event type and company
+ANotificationsWillBeSent=1 automatic notification will be sent by email
+SomeNotificationsWillBeSent=%s automatic notifications will be sent by email
+AddNewNotification=Subscribe to a new automatic email notification (target/event)
+ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification
+ListOfNotificationsDone=List all automatic email notifications sent
MailSendSetupIs=Konfiguracja poczty e-mail wysyłającego musi być połączone z '% s'. Tryb ten może być wykorzystywany do wysyłania masowego wysyłania.
MailSendSetupIs2=Najpierw trzeba przejść, z konta administratora, w menu% sHome - Ustawienia - e-maile% s, aby zmienić parametr '% s' na tryb '% s' używać. W tym trybie można wprowadzić ustawienia serwera SMTP dostarczonych przez usługodawcę internetowego i używać funkcji e-maila Mszę św.
MailSendSetupIs3=Jeśli masz jakieś pytania na temat konfiguracji serwera SMTP, możesz zapytać %s.
@@ -140,7 +142,7 @@ UseFormatFileEmailToTarget=Imported file must have format email;name;fir
UseFormatInputEmailToTarget=Enter a string with format email;name;firstname;other
MailAdvTargetRecipients=Recipients (advanced selection)
AdvTgtTitle=Fill input fields to preselect the third parties or contacts/addresses to target
-AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima% will target all jean, joe, start with jim but not jimo and not everything that starts with jima
+AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima%% will target all jean, joe, start with jim but not jimo and not everything that starts with jima
AdvTgtSearchIntHelp=Use interval to select int or float value
AdvTgtMinVal=Minimum value
AdvTgtMaxVal=Maximum value
@@ -162,13 +164,14 @@ AdvTgtCreateFilter=Create filter
AdvTgtOrCreateNewFilter=Name of new filter
NoContactWithCategoryFound=No contact/address with a category found
NoContactLinkedToThirdpartieWithCategoryFound=No contact/address with a category found
-OutGoingEmailSetup=Outgoing email setup
-InGoingEmailSetup=Incoming email setup
-OutGoingEmailSetupForEmailing=Outgoing email setup (for module %s)
-DefaultOutgoingEmailSetup=Default outgoing email setup
+OutGoingEmailSetup=Outgoing emails
+InGoingEmailSetup=Incoming emails
+OutGoingEmailSetupForEmailing=Outgoing emails (for module %s)
+DefaultOutgoingEmailSetup=Same configuration than the global Outgoing email setup
Information=Informacja
ContactsWithThirdpartyFilter=Contacts with third-party filter
Unanswered=Unanswered
Answered=Answered
IsNotAnAnswer=Is not answer (initial email)
IsAnAnswer=Is an answer of an initial email
+RecordCreatedByEmailCollector=Record created by the Email Collector %s from email %s
diff --git a/htdocs/langs/pl_PL/main.lang b/htdocs/langs/pl_PL/main.lang
index 401ac7b9b3c..38a2f882bf5 100644
--- a/htdocs/langs/pl_PL/main.lang
+++ b/htdocs/langs/pl_PL/main.lang
@@ -28,7 +28,9 @@ NoTemplateDefined=Szablon niedostępny dla tego typu wiadomości email
AvailableVariables=Dostępne zmienne substytucji
NoTranslation=Brak tłumaczenia
Translation=Tłumaczenie
+CurrentTimeZone=Strefa czasowa PHP (server)
EmptySearchString=Enter non empty search criterias
+EnterADateCriteria=Enter a date criteria
NoRecordFound=Rekord nie został znaleziony.
NoRecordDeleted=Brak usuniętych rekordów
NotEnoughDataYet=Za mało danych
@@ -85,6 +87,8 @@ FileWasNotUploaded=Wybrano pliku do zamontowaia, ale jeszcze nie wysłano. W tym
NbOfEntries=No. of entries
GoToWikiHelpPage=Przeczytaj pomoc online (wymaga połączenia z internetem)
GoToHelpPage=Przeczytaj pomoc
+DedicatedPageAvailable=There is a dedicated help page related to your current screen
+HomePage=Strona główna
RecordSaved=Rekord zapisany
RecordDeleted=Rekord usunięty
RecordGenerated=Rekord wygenerowany
@@ -433,6 +437,7 @@ RemainToPay=Pozostało do zapłaty
Module=Moduł/Aplikacja
Modules=Moduły/Aplikacje
Option=Opcja
+Filters=Filters
List=Lista
FullList=Pełna lista
FullConversation=Full conversation
@@ -671,7 +676,7 @@ SendMail=Wyślij wiadomość email
Email=Adres e-mail
NoEMail=Brak e-mail
AlreadyRead=Obecnie przeczytane
-NotRead=Nie przeczytane
+NotRead=Unread
NoMobilePhone=Brak telefonu komórkowego
Owner=Właściciel
FollowingConstantsWillBeSubstituted=Kolejna zawartość będzie zastąpiona wartością z korespondencji.
@@ -1107,3 +1112,8 @@ UpToDate=Up-to-date
OutOfDate=Out-of-date
EventReminder=Event Reminder
UpdateForAllLines=Update for all lines
+OnHold=Wstrzymany
+AffectTag=Affect Tag
+ConfirmAffectTag=Bulk Tag Affect
+ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected record(s)?
+CategTypeNotFound=No tag type found for type of records
diff --git a/htdocs/langs/pl_PL/modulebuilder.lang b/htdocs/langs/pl_PL/modulebuilder.lang
index d9d1d794c77..e2346e75b40 100644
--- a/htdocs/langs/pl_PL/modulebuilder.lang
+++ b/htdocs/langs/pl_PL/modulebuilder.lang
@@ -40,6 +40,7 @@ PageForCreateEditView=PHP page to create/edit/view a record
PageForAgendaTab=PHP page for event tab
PageForDocumentTab=PHP page for document tab
PageForNoteTab=PHP page for note tab
+PageForContactTab=PHP page for contact tab
PathToModulePackage=Path to zip of module/application package
PathToModuleDocumentation=Path to file of module/application documentation (%s)
SpaceOrSpecialCharAreNotAllowed=Spaces or special characters are not allowed.
@@ -77,7 +78,7 @@ IsAMeasure=Is a measure
DirScanned=Directory scanned
NoTrigger=No trigger
NoWidget=No widget
-GoToApiExplorer=Go to API explorer
+GoToApiExplorer=API explorer
ListOfMenusEntries=List of menu entries
ListOfDictionariesEntries=List of dictionaries entries
ListOfPermissionsDefined=List of defined permissions
@@ -105,7 +106,7 @@ TryToUseTheModuleBuilder=If you have knowledge of SQL and PHP, you may use the n
SeeTopRightMenu=See on the top right menu
AddLanguageFile=Add language file
YouCanUseTranslationKey=You can use here a key that is the translation key found into language file (see tab "Languages")
-DropTableIfEmpty=(Delete table if empty)
+DropTableIfEmpty=(Destroy table if empty)
TableDoesNotExists=The table %s does not exists
TableDropped=Table %s deleted
InitStructureFromExistingTable=Build the structure array string of an existing table
@@ -126,7 +127,6 @@ UseSpecificEditorURL = Use a specific editor URL
UseSpecificFamily = Use a specific family
UseSpecificAuthor = Use a specific author
UseSpecificVersion = Use a specific initial version
-ModuleMustBeEnabled=The module/application must be enabled first
IncludeRefGeneration=The reference of object must be generated automatically
IncludeRefGenerationHelp=Check this if you want to include code to manage the generation automatically of the reference
IncludeDocGeneration=I want to generate some documents from the object
@@ -140,3 +140,4 @@ TypeOfFieldsHelp=Type of fields: varchar(99), double(24,8), real, text, html,
AsciiToHtmlConverter=Ascii to HTML converter
AsciiToPdfConverter=Ascii to PDF converter
TableNotEmptyDropCanceled=Table not empty. Drop has been canceled.
+ModuleBuilderNotAllowed=The module builder is available but not allowed to your user.
diff --git a/htdocs/langs/pl_PL/other.lang b/htdocs/langs/pl_PL/other.lang
index 42937a4dc0d..fb0923edbcb 100644
--- a/htdocs/langs/pl_PL/other.lang
+++ b/htdocs/langs/pl_PL/other.lang
@@ -5,8 +5,6 @@ Tools=Narzędzia
TMenuTools=Narzędzia
ToolsDesc=All tools not included in other menu entries are grouped here. All the tools can be accessed via the left menu.
Birthday=Urodziny
-BirthdayDate=Data urodzin
-DateToBirth=Birth date
BirthdayAlertOn=urodziny wpisu aktywnych
BirthdayAlertOff=urodziny wpisu nieaktywne
TransKey=Translation of the key TransKey
@@ -16,6 +14,8 @@ PreviousMonthOfInvoice=Previous month (number 1-12) of invoice date
TextPreviousMonthOfInvoice=Previous month (text) of invoice date
NextMonthOfInvoice=Following month (number 1-12) of invoice date
TextNextMonthOfInvoice=Following month (text) of invoice date
+PreviousMonth=Previous month
+CurrentMonth=Current month
ZipFileGeneratedInto=Zip file generated into %s.
DocFileGeneratedInto=Doc file generated into %s.
JumpToLogin=Rozłączono. Idź do strony logowania...
@@ -99,6 +99,7 @@ PredefinedMailContentSendShipping=__(Hello)__\n\nPlease find shipping __REF__ at
PredefinedMailContentSendFichInter=__(Hello)__\n\nPlease find intervention __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.\n\n%s\n\n
PredefinedMailContentGeneric=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
+PredefinedMailContentSendActionComm=Event reminder "__EVENT_LABEL__" on __EVENT_DATE__ at __EVENT_TIME__
This is an automatic message, please do not reply.
DemoDesc=Dolibarr is a compact ERP/CRM supporting several business modules. A demo showcasing all modules makes no sense as this scenario never occurs (several hundred available). So, several demo profiles are available.
ChooseYourDemoProfil=Wybierz profil demo najlepiej odzwierciedlający twoje potrzeby...
ChooseYourDemoProfilMore=...or build your own profile (manual module selection)
@@ -137,7 +138,7 @@ Right=Prawo
CalculatedWeight=Obliczona waga
CalculatedVolume=Obliczona wartość
Weight=Waga
-WeightUnitton=tonne
+WeightUnitton=ton
WeightUnitkg=kg
WeightUnitg=g
WeightUnitmg=mg
@@ -258,6 +259,7 @@ ContactCreatedByEmailCollector=Contact/address created by email collector from e
ProjectCreatedByEmailCollector=Project created by email collector from email MSGID %s
TicketCreatedByEmailCollector=Ticket created by email collector from email MSGID %s
OpeningHoursFormatDesc=Use a - to separate opening and closing hours. Use a space to enter different ranges. Example: 8-12 14-18
+PrefixSession=Prefix for session ID
##### Export #####
ExportsArea=Wywóz obszarze
diff --git a/htdocs/langs/pl_PL/products.lang b/htdocs/langs/pl_PL/products.lang
index bac16142cef..cadfc326e95 100644
--- a/htdocs/langs/pl_PL/products.lang
+++ b/htdocs/langs/pl_PL/products.lang
@@ -108,7 +108,8 @@ FillWithLastServiceDates=Fill with last service line dates
MultiPricesAbility=Multiple price segments per product/service (each customer is in one price segment)
MultiPricesNumPrices=Ilość cen
DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices
-AssociatedProductsAbility=Activate kits (virtual products)
+AssociatedProductsAbility=Enable Kits (set of other products)
+VariantsAbility=Enable Variants (variations of products, for example color, size)
AssociatedProducts=Kits
AssociatedProductsNumber=Number of products composing this kit
ParentProductsNumber=Liczba dominującej opakowaniu produktu
@@ -167,8 +168,10 @@ BuyingPrices=Cena zakupu
CustomerPrices=Ceny klienta
SuppliersPrices=Ceny dostawców
SuppliersPricesOfProductsOrServices=Vendor prices (of products or services)
-CustomCode=Customs / Commodity / HS code
+CustomCode=Customs|Commodity|HS code
CountryOrigin=Kraj pochodzenia
+RegionStateOrigin=Region origin
+StateOrigin=State|Province origin
Nature=Nature of product (material/finished)
NatureOfProductShort=Nature of product
NatureOfProductDesc=Raw material or finished product
@@ -239,7 +242,7 @@ AlwaysUseFixedPrice=Zastosuj stałą cenę
PriceByQuantity=Różne ceny według ilości
DisablePriceByQty=Disable prices by quantity
PriceByQuantityRange=Zakres ilości
-MultipriceRules=Price segment rules
+MultipriceRules=Automatic prices for segment
UseMultipriceRules=Use price segment rules (defined into product module setup) to auto calculate prices of all other segments according to first segment
PercentVariationOver=%% Zmiany na% s
PercentDiscountOver=%% Rabatu na% s
diff --git a/htdocs/langs/pl_PL/recruitment.lang b/htdocs/langs/pl_PL/recruitment.lang
index 8faa1e9912f..d1f573b8bf9 100644
--- a/htdocs/langs/pl_PL/recruitment.lang
+++ b/htdocs/langs/pl_PL/recruitment.lang
@@ -73,3 +73,4 @@ JobClosedTextCandidateFound=The job position is closed. The position has been fi
JobClosedTextCanceled=The job position is closed.
ExtrafieldsJobPosition=Complementary attributes (job positions)
ExtrafieldsCandidatures=Complementary attributes (job applications)
+MakeOffer=Make an offer
diff --git a/htdocs/langs/pl_PL/sendings.lang b/htdocs/langs/pl_PL/sendings.lang
index 69db52a7677..1b1f4fc5baf 100644
--- a/htdocs/langs/pl_PL/sendings.lang
+++ b/htdocs/langs/pl_PL/sendings.lang
@@ -30,6 +30,7 @@ OtherSendingsForSameOrder=Inne wysyłki do tego zamówienia
SendingsAndReceivingForSameOrder=Shipments and receipts for this order
SendingsToValidate=Transporty do zatwierdzenia
StatusSendingCanceled=Anulowany
+StatusSendingCanceledShort=Anulowany
StatusSendingDraft=Szkic
StatusSendingValidated=Zatwierdzone (produkty do wysyłki lub już wysłane)
StatusSendingProcessed=Przetwarzany
@@ -65,6 +66,7 @@ ValidateOrderFirstBeforeShipment=W pierwszej kolejności musisz zatwierdzić zam
# Sending methods
# ModelDocument
DocumentModelTyphon=Więcej kompletny dokument model dostawy wpływy (logo. ..)
+DocumentModelStorm=More complete document model for delivery receipts and extrafields compatibility (logo...)
Error_EXPEDITION_ADDON_NUMBER_NotDefined=Stała EXPEDITION_ADDON_NUMBER nie zdefiniowano
SumOfProductVolumes=Suma wolumenów
SumOfProductWeights=Suma wag produktów
diff --git a/htdocs/langs/pl_PL/stocks.lang b/htdocs/langs/pl_PL/stocks.lang
index b7b0ba0716a..661f8362a47 100644
--- a/htdocs/langs/pl_PL/stocks.lang
+++ b/htdocs/langs/pl_PL/stocks.lang
@@ -240,3 +240,4 @@ InventoryRealQtyHelp=Set value to 0 to reset qty Keep field empty, or remove
UpdateByScaning=Update by scaning
UpdateByScaningProductBarcode=Update by scan (product barcode)
UpdateByScaningLot=Update by scan (lot|serial barcode)
+DisableStockChangeOfSubProduct=Deactivate the stock change for all the subproducts of this Kit during this movement.
diff --git a/htdocs/langs/pl_PL/ticket.lang b/htdocs/langs/pl_PL/ticket.lang
index e33e54c62e2..457e5110c6b 100644
--- a/htdocs/langs/pl_PL/ticket.lang
+++ b/htdocs/langs/pl_PL/ticket.lang
@@ -18,23 +18,21 @@
# Generic
#
-Module56000Name=Tickets
+Module56000Name=Bilety
Module56000Desc=System biletów do zarządzania kwestiami lub żądaniami
-Permission56001=See tickets
-Permission56002=Modify tickets
-Permission56003=Delete tickets
-Permission56004=Manage tickets
+Permission56001=Zobacz bilety
+Permission56002=Modyfikuj bilety
+Permission56003=Usuwaj bilety
+Permission56004=Zarządzaj biletami
Permission56005=See tickets of all third parties (not effective for external users, always be limited to the third party they depend on)
-TicketDictType=Ticket - Types
+TicketDictType=Bilet - Typ
TicketDictCategory=Ticket - Groupes
TicketDictSeverity=Ticket - Severities
TicketDictResolution=Ticket - Resolution
-TicketTypeShortBUGSOFT=Dysfonctionnement logiciel
-TicketTypeShortBUGHARD=Dysfonctionnement matériel
-TicketTypeShortCOM=Commercial question
+TicketTypeShortCOM=Commercial question
TicketTypeShortHELP=Request for functionnal help
TicketTypeShortISSUE=Issue, bug or problem
TicketTypeShortREQUEST=Change or enhancement request
@@ -44,7 +42,7 @@ TicketTypeShortOTHER=Inne
TicketSeverityShortLOW=Niski
TicketSeverityShortNORMAL=Normal
TicketSeverityShortHIGH=Wysoki
-TicketSeverityShortBLOCKING=Critical/Blocking
+TicketSeverityShortBLOCKING=Critical, Blocking
ErrorBadEmailAddress=Field '%s' incorrect
MenuTicketMyAssign=My tickets
@@ -60,7 +58,6 @@ OriginEmail=Email source
Notify_TICKET_SENTBYMAIL=Send ticket message by email
# Status
-NotRead=Not read
Read=Czytać
Assigned=Assigned
InProgress=W trakcie
@@ -126,6 +123,7 @@ TicketsActivatePublicInterfaceHelp=Public interface allow any visitors to create
TicketsAutoAssignTicket=Automatically assign the user who created the ticket
TicketsAutoAssignTicketHelp=When creating a ticket, the user can be automatically assigned to the ticket.
TicketNumberingModules=Tickets numbering module
+TicketsModelModule=Document templates for tickets
TicketNotifyTiersAtCreation=Notify third party at creation
TicketsDisableCustomerEmail=Always disable emails when a ticket is created from public interface
TicketsPublicNotificationNewMessage=Send email(s) when a new message is added
@@ -233,7 +231,6 @@ TicketLogStatusChanged=Status changed: %s to %s
TicketNotNotifyTiersAtCreate=Not notify company at create
Unread=Unread
TicketNotCreatedFromPublicInterface=Not available. Ticket was not created from public interface.
-PublicInterfaceNotEnabled=Public interface was not enabled
ErrorTicketRefRequired=Ticket reference name is required
#
diff --git a/htdocs/langs/pl_PL/website.lang b/htdocs/langs/pl_PL/website.lang
index 2d9b4e9aa97..bb7ff022723 100644
--- a/htdocs/langs/pl_PL/website.lang
+++ b/htdocs/langs/pl_PL/website.lang
@@ -30,7 +30,6 @@ EditInLine=Edytuj w linii
AddWebsite=Dodaj witrynę
Webpage=Strona/pojemnik
AddPage=Dodaj stronę
-HomePage=Strona główna
PageContainer=Strona
PreviewOfSiteNotYetAvailable=Podgląd Twej witryny %s nie jest jeszcze dostępny. Użyj wpierw 'Załaduj szablon witryny' lub 'Dodaj stronę/pojemnik'.
RequestedPageHasNoContentYet=Żądana strona o identyfikatorze %s nie ma jeszcze treści lub plik pamięci podręcznej .tpl.php został usunięty. Edytuj zawartość strony, aby to rozwiązać.
@@ -101,7 +100,7 @@ EmptyPage=Pusta strona
ExternalURLMustStartWithHttp=Zewnętrzny adres URL musi zaczynać się od http:// lub https://
ZipOfWebsitePackageToImport=Prześlij plik Zip pakietu szablonu witryny
ZipOfWebsitePackageToLoad=lub Wybierz jakiś dostępny wbudowany pakiet szablonu web witryny
-ShowSubcontainers=Uwzględnij zawartość dynamiczną
+ShowSubcontainers=Show dynamic content
InternalURLOfPage=Wewnętrzny adres URL strony
ThisPageIsTranslationOf=Ta strona/pojemnik to tłumaczenie
ThisPageHasTranslationPages=Ta strona/pojemnik ma tłumaczenie
@@ -137,3 +136,4 @@ RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using
PagesRegenerated=%s page(s)/container(s) regenerated
RegenerateWebsiteContent=Regenerate web site cache files
AllowedInFrames=Allowed in Frames
+DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languages into web site properties.
diff --git a/htdocs/langs/pl_PL/withdrawals.lang b/htdocs/langs/pl_PL/withdrawals.lang
index a9750a149e1..7c324b5c093 100644
--- a/htdocs/langs/pl_PL/withdrawals.lang
+++ b/htdocs/langs/pl_PL/withdrawals.lang
@@ -42,6 +42,7 @@ LastWithdrawalReceipt=Latest %s direct debit receipts
MakeWithdrawRequest=Make a direct debit payment request
MakeBankTransferOrder=Make a credit transfer request
WithdrawRequestsDone=%s direct debit payment requests recorded
+BankTransferRequestsDone=%s credit transfer requests recorded
ThirdPartyBankCode=Third-party bank code
NoInvoiceCouldBeWithdrawed=No invoice debited successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s.
ClassCredited=Klasyfikacja zapisane
@@ -131,7 +132,8 @@ SEPARCUR=SEPA CUR
SEPAFRST=SEPA FRST
ExecutionDate=Execution date
CreateForSepa=Create direct debit file
-ICS=Creditor Identifier CI
+ICS=Creditor Identifier CI for direct debit
+ICSTransfer=Creditor Identifier CI for bank transfer
END_TO_END="EndToEndId" SEPA XML tag - Unique id assigned per transaction
USTRD="Unstructured" SEPA XML tag
ADDDAYS=Add days to Execution Date
@@ -146,3 +148,4 @@ InfoRejectSubject=Direct debit payment order refused
InfoRejectMessage=Hello,
the direct debit payment order of invoice %s related to the company %s, with an amount of %s has been refused by the bank.
-- %s
ModeWarning=Opcja dla trybu rzeczywistego nie był ustawiony, zatrzymujemy po tej symulacji
ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know wich one to use.
+ErrorICSmissing=Missing ICS in Bank account %s
diff --git a/htdocs/langs/pt_AO/main.lang b/htdocs/langs/pt_AO/main.lang
new file mode 100644
index 00000000000..2e691473326
--- /dev/null
+++ b/htdocs/langs/pt_AO/main.lang
@@ -0,0 +1,21 @@
+# Dolibarr language file - Source file is en_US - main
+DIRECTION=ltr
+FONTFORPDF=helvetica
+FONTSIZEFORPDF=10
+SeparatorDecimal=.
+SeparatorThousand=,
+FormatDateShort=%m/%d/%Y
+FormatDateShortInput=%m/%d/%Y
+FormatDateShortJava=MM/dd/yyyy
+FormatDateShortJavaInput=MM/dd/yyyy
+FormatDateShortJQuery=mm/dd/yy
+FormatDateShortJQueryInput=mm/dd/yy
+FormatHourShortJQuery=HH:MI
+FormatHourShort=%I:%M %p
+FormatHourShortDuration=%H:%M
+FormatDateTextShort=%b %d, %Y
+FormatDateText=%B %d, %Y
+FormatDateHourShort=%m/%d/%Y %I:%M %p
+FormatDateHourSecShort=%m/%d/%Y %I:%M:%S %p
+FormatDateHourTextShort=%b %d, %Y, %I:%M %p
+FormatDateHourText=%B %d, %Y, %I:%M %p
diff --git a/htdocs/langs/pt_BR/accountancy.lang b/htdocs/langs/pt_BR/accountancy.lang
index d453360b552..e4b7f6b2454 100644
--- a/htdocs/langs/pt_BR/accountancy.lang
+++ b/htdocs/langs/pt_BR/accountancy.lang
@@ -87,7 +87,6 @@ VentilatedinAccount=Vinculado a conta contábil com sucesso
NotVentilatedinAccount=Não vinculado a conta contábil
XLineSuccessfullyBinded=%s produtos / serviços vinculados com sucesso a uma conta contábil
XLineFailedToBeBinded=%s produtos/serviços não estão vinculados a qualquer conta da Contabilidade
-ACCOUNTING_LIMIT_LIST_VENTILATION=Número de elementos a vincular mostrados por página (máximo recomendado: 50)
ACCOUNTING_LIST_SORT_VENTILATION_TODO=Iniciar a página "Vinculações a fazer" ordenando pelos elementos mais recentes
ACCOUNTING_LIST_SORT_VENTILATION_DONE=Iniciar a página "Vinculações feitas" ordenando pelos elementos mais recentes
ACCOUNTING_LENGTH_DESCRIPTION=Truncar a descrição de Produtos & Serviços nas listagens, após x caracteres (Melhor = 50)
@@ -122,10 +121,8 @@ ACCOUNTING_SERVICE_SOLD_ACCOUNT=Conta contábil padrão para os serviços vendid
ACCOUNTING_SERVICE_SOLD_INTRA_ACCOUNT=Conta contábil por padrão para os serviços vendidos na EEC (usada se não definida na ficha de serviço)
ACCOUNTING_SERVICE_SOLD_EXPORT_ACCOUNT=Conta contábil por padrão para os serviços vendidos e exportados para fora do EEC (usados se não definidos na ficha de serviço)
LabelAccount=Conta rótulo
-Sens=Significado
JournalLabel=Rótulo de jornal
TransactionNumShort=Nº da transação
-GroupByAccountAccounting=Agrupar pela conta da Contabilidade
AccountingAccountGroupsDesc=Você pode definir aqui alguns grupos de contabilidade. Eles serão usados para relatórios contábeis personalizados.
NotMatch=Não Definido
DelMonth=Mês a excluir
@@ -153,7 +150,6 @@ UnknownAccountForThirdpartyAndWaitingAccountNotDefinedBlocking=Conta de terceiro
OpeningBalance=Saldo inicial
ShowOpeningBalance=Mostrar saldo inicial
HideOpeningBalance=Ocultar saldo inicial
-ShowSubtotalByGroup=Mostrar subtotal por grupo
Pcgtype=Plano de Contas
PcgtypeDesc=O grupo de contas é usado como critério predefinido de 'filtro' e 'agrupamento' para alguns relatórios contábeis. Por exemplo, 'RENDA' ou 'DESPESA' são usados como grupos para contas contábeis de produtos para criar o relatório de despesas / receitas.
Reconcilable=Reconciliável
@@ -172,7 +168,6 @@ DescClosure=Consulte aqui o número de movimentos por mês que não são validad
OverviewOfMovementsNotValidated=Etapa 1 / Visão geral dos movimentos não validados. (Necessário para fechar um ano fiscal)
ValidateMovements=Validar movimentações
DescValidateMovements=Qualquer modificação ou exclusão de escrita, letras e exclusões será proibida. Todas as entradas para um exercício devem ser validadas, caso contrário, o fechamento não será possível
-SelectMonthAndValidate=Selecionar mês e validar movimentações
ValidateHistory=Vincular Automaticamente
AutomaticBindingDone=Vinculação automática realizada
ErrorAccountancyCodeIsAlreadyUse=Erro, você não pode excluir esta conta contábil, pois ela esta em uso
diff --git a/htdocs/langs/pt_BR/admin.lang b/htdocs/langs/pt_BR/admin.lang
index a6c2222a0d7..b3ead82fa80 100644
--- a/htdocs/langs/pt_BR/admin.lang
+++ b/htdocs/langs/pt_BR/admin.lang
@@ -33,6 +33,8 @@ UnlockNewSessions=Remover Bloqueio de Conexão
YourSession=Sua Sessão
Sessions=Sessões de Usuários
WebUserGroup=Servidor Web para usuário/grupo
+PermissionsOnFilesInWebRoot=Permissões em arquivos no diretório raiz da web
+PermissionsOnFile=Permissões no arquivo %s
NoSessionFound=Sua configuração do PHP parece não permitir listar as sessões ativas. O diretório usado para salvar sessões (%s b>) pode estar protegido (por exemplo, pelas permissões do sistema operacional ou pela diretiva PHP "open_basedir").
DBStoringCharset=Charset base de dados para armazenamento de dados (Database charset to store data)
DBSortingCharset=Charset base de dados para classificar os dados (Database charset to sort data)
@@ -71,7 +73,6 @@ UsePreviewTabs=Usar previsão de digitação na tecla 'tab'
ShowPreview=Mostrar Previsão
PreviewNotAvailable=Previsão Indisponível
ThemeCurrentlyActive=Tema Ativo
-CurrentTimeZone=Timezone PHP (do servidor apache)
MySQLTimeZone=Timezone Mysql (do servidor sql)
NextValue=Próximo Valor
NextValueForInvoices=Próximo Valor (Faturas)
@@ -121,7 +122,6 @@ SystemToolsAreaDesc=Essa área dispõem de funções administrativas. Use esse m
Purge=Purgar (apagar tudo)
PurgeAreaDesc=Esta página permite deletar todos os arquivos gerados ou armazenados pelo Dolibarr (arquivos temporários ou todos os arquivos no diretório %s). Este recurso é fornecido como uma solução alternativa aos usuários cujo a instalação esteja hospedado num servidor que impeça o acesso as pastas onde os arquivos gerados pelo Dolibarr são armazenados, para excluí-los.
PurgeDeleteLogFile=Excluir os arquivos de registro, incluindo o %s definido pelo módulo Syslog (não há risco de perda de dados)
-PurgeDeleteTemporaryFilesShort=Excluir arquivos temporários
PurgeDeleteAllFilesInDocumentsDir=Eliminar todos os arquivos do diretório %s. Isto irá excluir todos documentos (Terceiros, faturas, ...), arquivos carregados no módulo ECM, Backups e arquivos temporários
PurgeRunNow=Purgar(Apagar) Agora
PurgeNothingToDelete=Sem diretório ou arquivos para excluir
@@ -214,6 +214,7 @@ MAIN_MAIL_AUTOCOPY_TO=Copiar (Cco) todos os e-mails enviados para
MAIN_DISABLE_ALL_MAILS=Desativar todo o envio de e-mail (para fins de teste ou demonstrações)
MAIN_MAIL_FORCE_SENDTO=Envie todos os e-mails para (em vez de destinatários reais, para fins de teste)
MAIN_MAIL_ENABLED_USER_DEST_SELECT=Sugira e-mails de funcionários (se definidos) na lista de destinatários predefinidos ao escrever um novo e-mail
+MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Autorizar certificados auto-assinados
MAIN_MAIL_EMAIL_DKIM_ENABLED=Use o DKIM para gerar assinatura de e-mail
MAIN_MAIL_EMAIL_DKIM_DOMAIN=Domínio de e-mail para uso com o dkim
MAIN_SMS_SENDMODE=Método usado para enviar SMS
@@ -272,7 +273,6 @@ LanguageFilesCachedIntoShmopSharedMemory=Os arquivos .lang foram carregados na m
LanguageFile=Arquivo de idioma
ListOfDirectories=Lista de diretórios com templates de documentos abertos(.odt)
ListOfDirectoriesForModelGenODT=A lista de diretórios contém modelos de arquivos no formato OpenDocument.
Insira aqui o caminho dos diretórios. Adicione uma quebra de linha entre cada diretório. Para adicionar um diretório do módulo GED, adicione aqui DOL_DATA_ROOT/ecm/yourdirectoryname.
Os arquivos nestes diretórios devem terminar com .odt ou .ods.
-ExampleOfDirectoriesForModelGen=Exemplo de sintaxe: c:\\meudir /home/meudir DOL_DATA_ROOT/ecm/ecmdir
FollowingSubstitutionKeysCanBeUsed= Para saber como criar seus temas de documento em ODT, antes de armazená-los nesses diretórios, leia a documentação wiki:
FirstnameNamePosition=Posição do Nome/Sobrenome
KeyForWebServicesAccess=Chave para usar o Serviços Web (parâmetro "dolibarrkey" no serviço web)
@@ -1183,7 +1183,6 @@ MenuDeleted=Menu Deletado
NotTopTreeMenuPersonalized=Menus personalizados não conectados à uma entrada do menu superior
NewMenu=Novo Menu
MenuModule=Fonte do módulo
-HideUnauthorizedMenu=Esconder menus não autorizados (cinza)
DetailId=Menu ID
DetailMenuHandler=Gestor de menu onde mostra novo menu
DetailMenuModule=Nome do módulo se a entrada do menu vier de um módulo
@@ -1380,8 +1379,6 @@ EmailCollectorDescription=Adicione um trabalho agendado e uma página de configu
NewEmailCollector=Novo coletor de e-mail
MaxEmailCollectPerCollect=Número máximo de e-mails coletados por coleta
ConfirmCloneEmailCollector=Tem certeza de que deseja clonar o coletor de e-mail %s?
-DateLastCollectResult=Data da última coleta testada
-DateLastcollectResultOk=Data da última coleta bem-sucedida
LastResult=Último resultado
EmailCollectorConfirmCollectTitle=Confirmação de recebimento de e-mail
EmailCollectorConfirmCollect=Deseja executar a coleta deste coletor agora?
@@ -1449,4 +1446,7 @@ RssNote=Nota: Cada definição de feed RSS fornece um widget que você deve ativ
JumpToBoxes=Vá para Configuração -> Widgets
MeasuringUnitTypeDesc=Use aqui um valor como "tamanho", "superfície", "volume", "peso", "tempo"
MeasuringScaleDesc=A escala é o número de casas que você precisa mover a parte decimal para corresponder à unidade de referência padrão. Para o tipo de unidade "time", é o número de segundos. Valores entre 80 e 99 são valores reservados.
+TemplateAdded=Modelo adicionado
+TemplateUpdated=Modelo atualizado
+TemplateDeleted=Modelo excluído
DictionaryProductNature=Natureza do produto
diff --git a/htdocs/langs/pt_BR/banks.lang b/htdocs/langs/pt_BR/banks.lang
index 8b5063b041d..e57792e9621 100644
--- a/htdocs/langs/pt_BR/banks.lang
+++ b/htdocs/langs/pt_BR/banks.lang
@@ -134,8 +134,6 @@ ShowVariousPayment=Mostrar pagamento diverso
AddVariousPayment=Adicionar pagamento diverso
YourSEPAMandate=Seu mandato Área Única de Pagamentos em Euros
AutoReportLastAccountStatement=Preencha automaticamente o campo 'número de extrato bancário' com o último número de extrato ao fazer a reconciliação
-CashControl=Caixa de dinheiro PDV
-NewCashFence=Nova caixa
BankColorizeMovement=Colorir movimentos
BankColorizeMovementDesc=Se esta função estiver ativada, você poderá escolher uma cor de plano de fundo específica para movimentos de débito ou crédito
BankColorizeMovementName1=Cor de fundo para movimento de débito
diff --git a/htdocs/langs/pt_BR/bills.lang b/htdocs/langs/pt_BR/bills.lang
index 34fb1404b65..a20be8fd4bd 100644
--- a/htdocs/langs/pt_BR/bills.lang
+++ b/htdocs/langs/pt_BR/bills.lang
@@ -2,11 +2,8 @@
BillsCustomer=Fatura de cliente
BillsCustomersUnpaid=Faturas de clientes não pagos
BillsCustomersUnpaidForCompany=Faturas de clientes não pagas para %s
-BillsSuppliersUnpaid=Faturas de fornecedores não pagas
-BillsSuppliersUnpaidForCompany=Faturas de fornecedores não pagas para %s
BillsLate=Pagamentos atrasados
BillsStatistics=Estatísticas de faturas de clientes
-BillsStatisticsSuppliers=Estatísticas de faturas de fornecedores
DisabledBecauseDispatchedInBookkeeping=Desativado porque a nota fiscal foi despachada na contabilidade
DisabledBecauseNotLastInvoice=Desativado porque a fatura não é apagável. Algumas faturas foram gravadas após esta e ele criará buracos no balcão.
DisabledBecauseNotErasable=Desativada já que não pode ser apagada
@@ -42,16 +39,13 @@ InvoiceCustomer=Fatura de cliente
CustomerInvoice=Fatura de cliente
CustomersInvoices=Faturas de clientes
SupplierInvoice=Fatura do fornecedores
-SuppliersInvoices=Faturas de fornecedores
SupplierBill=Fatura do fornecedores
SupplierBills=Faturas de fornecedores
PaymentBack=Reembolso
CustomerInvoicePaymentBack=Reembolso
-PaymentsBack=Reembolsos
PaidBack=Reembolso pago
DeletePayment=Deletar pagamento
ConfirmDeletePayment=Você tem certeza que deseja excluir este pagamento?
-ConfirmConvertToReduc=Deseja converter este %s em um crédito disponível?
ConfirmConvertToReduc2=O valor será salvo junto a todos os descontos e poderá ser usado como desconto em uma fatura atual ou futura deste cliente.
ConfirmConvertToReducSupplier=Deseja converter este %s em um crédito disponível?
ConfirmConvertToReducSupplier2=O valor será salvo junto a todos os descontos e poderá ser usado como desconto em uma fatura atual ou futura deste fornecedor.
@@ -63,15 +57,12 @@ PaymentsReportsForYear=Relatórios de pagamentos por %s
PaymentsAlreadyDone=Pagamentos já feitos
PaymentsBackAlreadyDone=Reembolsos já realizados
PaymentRule=Regra de pagamento
-PaymentMode=Tipo de pagamento
PaymentTypeDC=Cartão de débito / crédito
IdPaymentMode=Tipo de pagamento (id)
CodePaymentMode=Tipo de pagamento (código)
LabelPaymentMode=Tipo de pagamento (etiqueta)
PaymentModeShort=Tipo de pagamento
PaymentTerm=Termo de pagamento
-PaymentConditions=Termos de pagamento
-PaymentConditionsShort=Termos de pagamento
PaymentAmount=Valor a ser pago
PaymentHigherThanReminderToPay=Pagamento superior ao valor a ser pago
ClassifyPaid=Classificar 'pago'
@@ -199,7 +190,6 @@ SendReminderBillByMail=Enviar o restante por e-mail
RelatedRecurringCustomerInvoices=Faturas recorrentes relacionadas ao cliente
MenuToValid=Validar
ClassifyBill=Classificar fatura
-SupplierBillsToPay=Faturas de fornecedores não pagas
CustomerBillsUnpaid=Faturas de clientes não pagos
SetConditions=Definir condições de pagamento
SetMode=Definir tipo de pagamento
@@ -217,7 +207,6 @@ ExportDataset_invoice_1=Faturas do cliente e detalhes da fatura
ExportDataset_invoice_2=Faturas de clientes e pagamentos
ProformaBill=Conta pro-forma:
Reductions=Reduções
-ReductionsShort=Disco.
AddDiscount=Criar desconto
EditGlobalDiscounts=Editar desconto fixo
ShowDiscount=Mostrar desconto
@@ -252,7 +241,6 @@ DescTaxAndDividendsArea=Esta área apresenta um resumo de todos os pagamentos fe
NbOfPayments=Nº. de pagamentos
SplitDiscount=Dividir desconto em dois
ConfirmSplitDiscount=Tem certeza de que deseja dividir este desconto de %s %s em dois descontos menores?
-TotalOfTwoDiscountMustEqualsOriginal=O total dos dois novos descontos deve ser igual ao valor do desconto original.
ConfirmRemoveDiscount=Você tem certeza que deseja remover este desconto?
RelatedSupplierInvoices=Faturas de fornecedores relacionadas
LatestRelatedBill=Últimas fatura correspondente
@@ -296,11 +284,9 @@ PaymentTypeTRA=Cheque administrativo
PaymentTypeShortTRA=Minuta
BankDetails=Detalhes bancário
BankCode=Código bancário
-DeskCode=Código da Agência
BankAccountNumber=Número da conta
BankAccountNumberKey=Soma de verificação
Residence=Endereço
-IBANNumber=Número da conta IBAN
IBAN=Agencia
CustomerIBAN=IBAN do cliente
SupplierIBAN=IBAN do fornecedor
@@ -319,7 +305,6 @@ IntracommunityVATNumber=ID do IVA intracomunitário
PaymentByChequeOrderedTo=Cheque pagamentos (incluindo impostos) são pagas para %s, enviar para
PaymentByChequeOrderedToShort=Cheque pagamentos (incl. Imposto) são pagas para
SendTo=Enviar para
-PaymentByTransferOnThisBankAccount=Pagamento por transferência para a seguinte conta bancária
VATIsNotUsedForInvoice=* Não aplicável ICMS art-293B de CGI
LawApplicationPart1=Pela aplicação da lei 80.335 de 12/05/80
LawApplicationPart2=os bens permanece propriedade de
@@ -371,7 +356,6 @@ TypeContact_facture_external_SERVICE=Contato de serviço de cliente
TypeContact_invoice_supplier_internal_SALESREPFOLL=Fatura de fornecedor subsequente representativa
TypeContact_invoice_supplier_external_BILLING=Contato da fatura do fornecedor
TypeContact_invoice_supplier_external_SHIPPING=Contato de remessa do fornecedor
-TypeContact_invoice_supplier_external_SERVICE=Contato de serviço do fornecedor
InvoiceFirstSituationAsk=Primeira situação da fatura
InvoiceFirstSituationDesc=A situação faturas são amarradas às situações relacionadas com uma progressão, por exemplo, a progressão de uma construção. Cada situação é amarrada a uma fatura.
InvoiceSituation=Situação da fatura
diff --git a/htdocs/langs/pt_BR/blockedlog.lang b/htdocs/langs/pt_BR/blockedlog.lang
index 390258dcf55..0a12ec89ee3 100644
--- a/htdocs/langs/pt_BR/blockedlog.lang
+++ b/htdocs/langs/pt_BR/blockedlog.lang
@@ -8,6 +8,7 @@ BrowseBlockedLog=Logs nao modificaveis
ShowAllFingerPrintsMightBeTooLong=Mostrar todos os Logs Arquivados (pode ser demorado)
ShowAllFingerPrintsErrorsMightBeTooLong=Mostrar todos os arquivos de log inválidos (pode demorar)
DownloadBlockChain=Baixar impressoes digitais
+KoCheckFingerprintValidity=A entrada de log arquivada não é válida. Isso significa que alguém (um hacker?) Modificou alguns dados desse registro depois que ele foi gravado ou apagou o registro arquivado anterior (verifique se existe a linha com o número anterior).
OkCheckFingerprintValidity=O registro de log arquivado é válido. Os dados nesta linha não foram modificados e a entrada segue a anterior.
OkCheckFingerprintValidityButChainIsKo=O log arquivado parece válido em comparação com o anterior, mas a cadeia foi previamente corrompida.
AddedByAuthority=Salvo na autoridade remota
@@ -17,7 +18,6 @@ logPAYMENT_VARIOUS_MODIFY=Pagamento (não atribuído a uma fatura) modificado
logPAYMENT_VARIOUS_DELETE=Pagamento (não atribuído a uma fatura) exclusão lógica
logBILL_VALIDATE=Fatura de cliente confirmada
logBILL_SENTBYMAIL=Fatura do cliente enviada por email
-logCASHCONTROL_VALIDATE=Gravação de caixa
Fingerprint=Impressao digial
logDOC_PREVIEW=Pré -visualização de um documento validado para imprimir ou baixar
DataOfArchivedEvent=Dados completos do evento arquivado
diff --git a/htdocs/langs/pt_BR/boxes.lang b/htdocs/langs/pt_BR/boxes.lang
index 77eb32557aa..48e343e41d6 100644
--- a/htdocs/langs/pt_BR/boxes.lang
+++ b/htdocs/langs/pt_BR/boxes.lang
@@ -35,25 +35,22 @@ BoxTitleLastModifiedDonations=Últimas %s doações modificadas
BoxTitleLatestModifiedBoms=%s BOMs modificadas recentemente
BoxTitleLatestModifiedMos=%s ordens de fabricação modificadas recentemente
BoxGlobalActivity=Atividade global (faturas, propostas, pedidos)
+BoxScheduledJobs=Tarefas agendadas
FailedToRefreshDataInfoNotUpToDate=Falha ao atualizar o fluxo de RSS. Data de atualização mais recente com êxito: %s
LastRefreshDate=Ultima data atualizacao
NoRecordedBookmarks=Nenhum marcador definido.
NoRecordedContacts=Nenhum contato registrado
NoActionsToDo=Nenhuma ação para fazer
-NoRecordedOrders=Nenhum pedido de venda registrado
NoRecordedProposals=Nenhum possível cliente registrado
NoRecordedInvoices=Nenhuma nota fiscal registrada
NoUnpaidCustomerBills=Não há notas fiscais de clientes não pagas
NoUnpaidSupplierBills=Nenhuma fatura de fornecedor não paga
-NoModifiedSupplierBills=Nenhuma fatura de fornecedor registrada
NoRecordedProducts=Nenhum registro de produtos/serviços
NoRecordedProspects=Nenhum registro de possíveis clientes
NoContractedProducts=Nenhum produtos/serviços contratados
NoRecordedContracts=Nenhum registro de contratos
NoRecordedInterventions=Nenhum registro de intervenções
-BoxLatestSupplierOrders=Últimos pedidos de compra
BoxLatestSupplierOrdersAwaitingReception=Últimos pedidos (com uma recepção pendente)
-NoSupplierOrder=Nenhum pedido de compra registrado
BoxCustomersInvoicesPerMonth=Faturas do cliente por mês
BoxSuppliersInvoicesPerMonth=Faturas do fornecedor por mês
BoxCustomersOrdersPerMonth=Pedidos de vendas por mês
diff --git a/htdocs/langs/pt_BR/cashdesk.lang b/htdocs/langs/pt_BR/cashdesk.lang
index ff2e4bbd438..3a5201ded49 100644
--- a/htdocs/langs/pt_BR/cashdesk.lang
+++ b/htdocs/langs/pt_BR/cashdesk.lang
@@ -25,8 +25,6 @@ Footer=Rodapé
AmountAtEndOfPeriod=Montante no final do período (dia, mês ou ano)
TheoricalAmount=Quantidade teórica
RealAmount=Quantidade real
-CashFence=Cerca de dinheiro
-CashFenceDone=Caixa feito para o período
NbOfInvoices=Núm. de faturas
Paymentnumpad=Tipo de Pad para inserir pagamento
Numberspad=Números de Pad
@@ -70,7 +68,6 @@ CashDeskRefNumberingModules=Módulo de numeração para vendas PDV
CashDeskGenericMaskCodes6 = A tag {TN} é usada para adicionar o número do terminal
TakeposGroupSameProduct=Agrupe as mesmas linhas de produtos
StartAParallelSale=Iniciar uma nova venda paralela
-CloseCashFence=Fechar cerca de dinheiro
CashReport=Relatório de caixa
MainPrinterToUse=Impressora principal a ser usada
OrderPrinterToUse=Solicite impressora a ser usada
diff --git a/htdocs/langs/pt_BR/categories.lang b/htdocs/langs/pt_BR/categories.lang
index fd9c6ce0047..daab834c237 100644
--- a/htdocs/langs/pt_BR/categories.lang
+++ b/htdocs/langs/pt_BR/categories.lang
@@ -56,15 +56,13 @@ UsersCategoriesShort=Tags / categorias de usuários
StockCategoriesShort=Tags / categorias de armazém
ThisCategoryHasNoItems=Esta categoria não contém nenhum item.
CategId=ID Tag / categoria
-CatCusList=Lista de cliente / perspectivas de tags / categorias
CatProdList=Lista de produtos tags / categorias
CatMemberList=Lista de membros tags / categorias
-CatContactList=Lista de contatos tags / categorias
-CatSupLinks=Ligações entre fornecedores e tags / categorias
CatCusLinks=Relação/links entre clientes / perspectivas e tags / categorias
CatContactsLinks=Links entre contatos / endereços e tags / categorias
CatProdLinks=Relação/links entre produtos / serviços e tags / categorias
-CatProJectLinks=Links entre projetos e tags/categorias
+CatMembersLinks=Ligações entre os membros e tags / categorias
+CatProjectsLinks=Links entre projetos e tags/categorias
ExtraFieldsCategories=atributos complementares
CategoriesSetup=Configuração Tags / categorias
CategorieRecursiv=Fazer a ligação com os pais tag/categoria automaticamente
diff --git a/htdocs/langs/pt_BR/compta.lang b/htdocs/langs/pt_BR/compta.lang
index a7001066d5f..1dadb249b1e 100644
--- a/htdocs/langs/pt_BR/compta.lang
+++ b/htdocs/langs/pt_BR/compta.lang
@@ -54,6 +54,7 @@ SocialContribution=Contribuição fiscal ou social
SocialContributions=Encargos sociais e fiscais
SocialContributionsDeductibles=Contribuições fiscais ou sociais dedutíveis
SocialContributionsNondeductibles=Contribuições fiscais ou sociais não dedutíveis
+DateOfSocialContribution=Data do imposto social ou fiscal
LabelContrib=Rótulo da contribuição
TypeContrib=Tipo de contribuição
MenuSpecialExpenses=Despesas especiais
@@ -85,7 +86,6 @@ VATRefund=Reembolso da taxa sobre vendas
SocialContributionsPayments=Pagamentos de impostos sociais / fiscais
ShowVatPayment=Ver Pagamentos ICMS
TotalToPay=Total a pagar
-BalanceVisibilityDependsOnSortAndFilters=O saldo é visível nessa lista somente se a tabela for ordenada ascendendo em %s e filtrada por 1 conta bancária
CustomerAccountancyCode=Código contábil do cliente
SupplierAccountancyCode=Código contábil do fornecedor
CustomerAccountancyCodeShort=Cod. cont. cli.
@@ -176,3 +176,5 @@ RulesPurchaseTurnoverIn=- Inclui todos os pagamentos efetivos das faturas feitas
RulesPurchaseTurnoverTotalPurchaseJournal=Inclui todas as linhas de débito no diário de compras.
ReportPurchaseTurnover=Volume de negócios de compra faturada
ReportPurchaseTurnoverCollected=Rotatividade de compras coletadas
+IncludeVarpaysInResults =Incluir vários pagamentos nos relatórios
+IncludeLoansInResults =Incluir empréstimos nos relatórios
diff --git a/htdocs/langs/pt_BR/cron.lang b/htdocs/langs/pt_BR/cron.lang
index 343355e7a5f..eed6598232e 100644
--- a/htdocs/langs/pt_BR/cron.lang
+++ b/htdocs/langs/pt_BR/cron.lang
@@ -4,8 +4,6 @@ Permission23102 =Criar / atualização de tarefa agendada
Permission23103 =Excluir trabalho agendado
Permission23104 =Executar trabalho agendado
CronSetup=Configuração do gerenciamento de trabalho agendado
-URLToLaunchCronJobs=URL para verificar e iniciar os cron jobs qualificados
-OrToLaunchASpecificJob=Ou checkar e iniciar um specifico trabalho
KeyForCronAccess=Chave seguranca para URL que lanca tarefas cron
FileToLaunchCronJobs=Linha de comando para checar e iniciar tarefas cron qualificadas
CronExplainHowToRunUnix=No ambiente Unix você deve usar a seguinte entrada crontab para executar a linha de comando a cada 5 minutos
@@ -29,7 +27,6 @@ CronNbRun=Número de lançamentos
CronMaxRun=Número máximo de lançamentos
JobFinished=Trabalho iniciado e terminado
CronAdd=Adicionar tarefa
-CronEvery=Executar cada tarefa
CronObject=Instância/Objeto a se criar
CronSaveSucess=Salvo com sucesso
CronFieldMandatory=O campo %s é obrigatório
@@ -44,12 +41,13 @@ CronMethodHelp=O método do objeto a ser lançado. Por exemplo, para chamar
CronArgsHelp=Os argumentos do método. Por exemplo, para chamar o método fetch do objeto Dolibarr Product /htdocs/product/class/product.class.php, o valor dos parâmetros pode ser 0, ProductRef i>
CronCommandHelp=A linha de comando de sistema que deve ser executada.
CronCreateJob=Criar uma nova Tarefa agendada
-CronType=Tipo de tarefa
CronType_method=Chamar método de uma Classe PHP
CronType_command=Comando Shell
CronCannotLoadClass=Não é possível carregar o arquivo de classe %s (para usar a classe %s)
CronCannotLoadObject=O arquivo de classe %s foi carregado, mas o objeto %s não foi encontrado nele
+UseMenuModuleToolsToAddCronJobs=Vá para o menu "Página inicial - Ferramentas administrativas - Trabalhos agendados" para ver e editar os trabalhos agendados.
JobDisabled=Tarefa desativada
MakeLocalDatabaseDumpShort=Backup do banco de dados local
MakeLocalDatabaseDump=Crie um despejo de banco de dados local. Os parâmetros são: compression ('gz' ou 'bz' ou 'none'), tipo de backup ('mysql', 'pgsql', 'auto'), 1, 'auto' ou nome de arquivo para construir, número de arquivos de backup para manter
WarningCronDelayed=Atenção, para fins de desempenho, seja qual for a próxima data de execução de tarefas habilitadas, suas tarefas podem ser atrasadas em até um máximo de %s horas, antes de serem executadas.
+DATAPOLICYJob=Limpador de dados e anonimizador
diff --git a/htdocs/langs/pt_BR/errors.lang b/htdocs/langs/pt_BR/errors.lang
index afe2c1ac0b2..971fb3d2fe0 100644
--- a/htdocs/langs/pt_BR/errors.lang
+++ b/htdocs/langs/pt_BR/errors.lang
@@ -60,7 +60,6 @@ ErrorNoAccountancyModuleLoaded=Módulo de Contabilidade não ativado
ErrorExportDuplicateProfil=Este nome de perfil já existe para este lote de exportação.
ErrorLDAPSetupNotComplete=A correspondência Dolibarr-LDAP não está completa.
ErrorLDAPMakeManualTest=foi criado unn Arquivo .ldif na pasta %s. Trate de gastor manualmente este Arquivo a partir da linha de comandos para Obter mais detalles acerca do error.
-ErrorRefAlreadyExists=A ref. utilizada para a criação já existe.
ErrorRecordHasAtLeastOneChildOfType=Object tem pelo menos um filho do tipo %s
ErrorModuleRequireJavascript=Javascript não deve ser desativado para ter esse recurso funcionando. Para ativar / desativar o Javascript, vá ao menu Home-> Configuração-> Display.
ErrorPasswordsMustMatch=Deve existir correspondência entre as senhas digitadas
@@ -163,6 +162,7 @@ ErrorBatchNoFoundForProductInWarehouse=Nenhum lote / série encontrado para o pr
ErrorBatchNoFoundEnoughQuantityForProductInWarehouse=Quantidade insuficiente para este lote / série para o produto "%s" "no armazém"%s ".
ErrorOnlyOneFieldForGroupByIsPossible=Apenas 1 campo para o 'Agrupar por' é possível (outros são descartados)
ErrorReplaceStringEmpty=Erro, a cadeia de caracteres para substituir está vazia
+ErrorPublicInterfaceNotEnabled=A interface pública não foi ativada
WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Seu parâmetro PHP upload_max_filesize (%s) é maior que o parâmetro PHP post_max_size (%s). Esta não é uma configuração consistente.
WarningPasswordSetWithNoAccount=A senha foi definida para esse membro. No entanto, nenhuma conta de usuário foi criada. Portanto, esta senha é armazenada, mas não pode ser usado para acessar Dolibarr. Ele pode ser usado por um módulo / interface externa, mas se você não precisa definir qualquer login nem palavra-passe para um membro, você pode desabilitar a opção "Gerenciar um login para cada membro" da configuração do módulo-Membro. Se você precisa para gerenciar um login, mas não precisa de qualquer senha, você pode manter este campo em branco para evitar este aviso. Nota: E-mail pode também ser utilizado como uma entre o membro se está ligado a um utilizador.
WarningMandatorySetupNotComplete=Clique aqui para configurar os parâmetros obrigatórios
@@ -183,4 +183,3 @@ WarningSomeLinesWithNullHourlyRate=Algumas vezes foram registrados por alguns us
WarningYourLoginWasModifiedPleaseLogin=O seu login foi modificado. Por questões de segurança, você terá de autenticar-se com o seu novo login antes da próxima ação.
WarningProjectClosed=O projeto está fechado. Você deve reabri-lo primeiro.
WarningSomeBankTransactionByChequeWereRemovedAfter=Algumas transações bancárias foram removidas após geração do recebimento, incluindo elas. Portanto, o número de cheques e o total de recebimento podem diferir do número e do total na lista.
-WarningFailedToAddFileIntoDatabaseIndex=Aviso, falha ao adicionar entrada de arquivo na tabela de índice do banco de dados ECM
diff --git a/htdocs/langs/pt_BR/exports.lang b/htdocs/langs/pt_BR/exports.lang
index 63bff69e01d..4475adb3a39 100644
--- a/htdocs/langs/pt_BR/exports.lang
+++ b/htdocs/langs/pt_BR/exports.lang
@@ -6,6 +6,8 @@ NotImportedFields=Os campos de arquivo de origem não importado
ExportModelSaved=Exportar perfil salvo como %s .
ImportModelName=Nome do perfil de importação
DatasetToImport=Conjunto de dados a importar
+ExportCsvSeparator=Separador de caracteres csv
+ImportCsvSeparator=Separador de caracteres csv
FormatedImportDesc1=Este módulo permite atualizar dados existentes ou adicionar novos objetos ao banco de dados a partir de um arquivo sem conhecimento técnico, usando um assistente.
NoImportableData=Não existe tipo de dados importavel (não existe nenhum módulo com definições de dados importavel ativado)
FileSuccessfullyBuilt=Arquivo gerado
diff --git a/htdocs/langs/pt_BR/mails.lang b/htdocs/langs/pt_BR/mails.lang
index e0efe3c7f34..54faf80d28a 100644
--- a/htdocs/langs/pt_BR/mails.lang
+++ b/htdocs/langs/pt_BR/mails.lang
@@ -71,9 +71,6 @@ TagUnsubscribe=Atalho para se desenscrever
EMailRecipient=E-mail do destinatário
TagMailtoEmail=E-mail do destinatário (incluindo o link "mailto:" em html)
NoEmailSentBadSenderOrRecipientEmail=Nenhum e-mail enviado. Bad remetente ou destinatário de e-mail. Verifique perfil de usuário.
-AddNewNotification=Ativar um novo alvo / evento de notificação por e-mail
-ListOfActiveNotifications=Listar todos os destinos/eventos ativos para notificação por e-mail
-ListOfNotificationsDone=Listar todas as notificações de e-mail enviadas
MailSendSetupIs=Configuração do envio de e-mails foi configurado a '%s'. Este modo não pode ser usado para envios de massa de e-mails.
MailSendSetupIs2=Voçê precisa primeiramente acessar com uma conta de Administrador o menu %sInicio - Configurações - E-mails%s para mudar o parâmetro '%s' para usar o modo '%s'. Neste modo você pode entrar a configuração do servidor SMTP fornecido pelo seu Provedor de Acesso a Internet e usar a funcionalidade de envios de massa de e-mails.
MailSendSetupIs3=Se tiver perguntas sobre como configurar o seu servidor SMTP voçê pode perguntar %s.
@@ -94,8 +91,4 @@ AdvTgtDeleteFilter=Excluir filtro
AdvTgtSaveFilter=Salvar filtro
NoContactWithCategoryFound=Nenhum foi encontrado nenhum contato/endereço com uma categoria
NoContactLinkedToThirdpartieWithCategoryFound=Nenhum foi encontrado nenhum contato/endereço com uma categoria
-OutGoingEmailSetup=Configuração de e-mail de saída
-InGoingEmailSetup=Configuração de e-mail de entrada
-OutGoingEmailSetupForEmailing=Configuração de email de saída (para o módulo %s)
-DefaultOutgoingEmailSetup=Configuração de e-mail de saída padrão
ContactsWithThirdpartyFilter=Contatos com filtro de terceiros
diff --git a/htdocs/langs/pt_BR/main.lang b/htdocs/langs/pt_BR/main.lang
index c0d7d0ed2ac..7792b3ddc3c 100644
--- a/htdocs/langs/pt_BR/main.lang
+++ b/htdocs/langs/pt_BR/main.lang
@@ -21,6 +21,7 @@ FormatDateHourTextShort=%d %b, %Y, %I:%M %p
FormatDateHourText=%d %B, %Y, %I:%M %p
DatabaseConnection=Login à Base de Dados
NoTemplateDefined=Nenhum modelo disponível para este tipo de email
+CurrentTimeZone=Timezone PHP (do servidor apache)
EmptySearchString=Digite critérios na pesquisa
NoRecordFound=Nenhum registro encontrado
NoRecordDeleted=Nenhum registro foi deletado
@@ -65,6 +66,7 @@ FileWasNotUploaded=O arquivo foi selecionado, mas nao foi ainda enviado. Clique
NbOfEntries=N°. de entradas
GoToWikiHelpPage=Ler a ajuda online (necessário acesso a Internet)
GoToHelpPage=Consulte a ajuda (pode necessitar de acesso à internet)
+HomePage=Pagina inicial
RecordDeleted=Registro apagado
RecordGenerated=Registro gerado
LevelOfFeature=Nível de funções
@@ -532,3 +534,4 @@ NotUsedForThisCustomer=Não usado para este cliente
AmountMustBePositive=O valor deve ser positivo
ByStatus=Por status
DateOfBirth=Data de nascimento
+OnHold=Em espera
diff --git a/htdocs/langs/pt_BR/modulebuilder.lang b/htdocs/langs/pt_BR/modulebuilder.lang
index 3c474204a64..e5120fa2996 100644
--- a/htdocs/langs/pt_BR/modulebuilder.lang
+++ b/htdocs/langs/pt_BR/modulebuilder.lang
@@ -51,7 +51,6 @@ UseSpecificEditorURL =Use um URL de editor específico
UseSpecificFamily =Use uma família específica
UseSpecificAuthor =Use um autor específico
UseSpecificVersion =Use uma versão inicial específica
-ModuleMustBeEnabled=O módulo/aplicativo deve ser ativado primeiro
IncludeRefGeneration=A referência do objeto deve ser gerada automaticamente
IncludeRefGenerationHelp=Marque aqui se desejar incluir código para gerenciar a geração automaticamente da referência
IncludeDocGeneration=Gerar alguns documentos a partir do objeto
diff --git a/htdocs/langs/pt_BR/other.lang b/htdocs/langs/pt_BR/other.lang
index 2c7d8cbc922..3bb86856d85 100644
--- a/htdocs/langs/pt_BR/other.lang
+++ b/htdocs/langs/pt_BR/other.lang
@@ -92,7 +92,7 @@ DirWasRemoved=a pasta foi eliminado
FeatureNotYetAvailable=Funcionalidade ainda não disponível na versão atual
Left=Esquerda
Right=Direita
-WeightUnitton=tonelada
+WeightUnitton=t
VolumeUnitgallon=gallão
SizeUnitfoot=pe
BugTracker=Incidências
diff --git a/htdocs/langs/pt_BR/products.lang b/htdocs/langs/pt_BR/products.lang
index 6f9b9ca7a94..ca73468eb49 100644
--- a/htdocs/langs/pt_BR/products.lang
+++ b/htdocs/langs/pt_BR/products.lang
@@ -115,7 +115,6 @@ AlwaysUseNewPrice=Usar sempre preço atual do produto/serviço
AlwaysUseFixedPrice=Usar preço fixo
PriceByQuantity=Diferentes preços por quantidade
PriceByQuantityRange=Intervalo de quantidade
-MultipriceRules=Regras de preços por segmento
PercentVariationOver=%% variação sobre %s
PercentDiscountOver=%% disconto sobre %s
VariantRefExample=Exemplos: COR, TAMANHO
diff --git a/htdocs/langs/pt_BR/sendings.lang b/htdocs/langs/pt_BR/sendings.lang
index c686aba270c..88024602add 100644
--- a/htdocs/langs/pt_BR/sendings.lang
+++ b/htdocs/langs/pt_BR/sendings.lang
@@ -17,6 +17,7 @@ KeepToShip=Permaneça para enviar
KeepToShipShort=Permanecer
SendingsAndReceivingForSameOrder=Envios e recibos para esse pedido
SendingsToValidate=Envios a Confirmar
+StatusSendingCanceledShort=Cancelada
StatusSendingValidated=Validado (produtos a enviar o enviados)
SendingSheet=Folha de embarque
ConfirmDeleteSending=Tem certeza que quer remover este envio?
diff --git a/htdocs/langs/pt_BR/ticket.lang b/htdocs/langs/pt_BR/ticket.lang
index 14a27fd797e..2f52343c451 100644
--- a/htdocs/langs/pt_BR/ticket.lang
+++ b/htdocs/langs/pt_BR/ticket.lang
@@ -97,7 +97,6 @@ TicketChangeStatus=Alterar status
TicketConfirmChangeStatus=Confirma alteração de situação %s ?
TicketLogStatusChanged=Situação modificada de%s para %s
TicketNotCreatedFromPublicInterface=Não disponível. O ticket não foi criado a partir da interface pública.
-PublicInterfaceNotEnabled=A interface pública não foi ativada
ErrorTicketRefRequired=O nome de referência do ticket é obrigatório
TicketLogMesgReadBy=Tíquete %s lido por %s
TicketLogAssignedTo=Tíquete %s assinalado para %s
diff --git a/htdocs/langs/pt_BR/withdrawals.lang b/htdocs/langs/pt_BR/withdrawals.lang
index 5d560f9548b..dd45990f9a9 100644
--- a/htdocs/langs/pt_BR/withdrawals.lang
+++ b/htdocs/langs/pt_BR/withdrawals.lang
@@ -64,7 +64,6 @@ ModeRECUR=Pagamento recorrente
PleaseCheckOne=Favor marcar apenas um
DirectDebitOrderCreated=Pedido de débito direto %s criado
CreateForSepa=Crie um arquivo de débito direto
-ICS=Identificador do credor
END_TO_END=Tag SEPA XML "EndToEndId" - ID exclusivo atribuído por transação
USTRD=Tag SEPA XML "não estruturada"
ADDDAYS=Adicionar dias à data de execução
diff --git a/htdocs/langs/pt_PT/accountancy.lang b/htdocs/langs/pt_PT/accountancy.lang
index c94ba9653ef..a39273a24c0 100644
--- a/htdocs/langs/pt_PT/accountancy.lang
+++ b/htdocs/langs/pt_PT/accountancy.lang
@@ -48,6 +48,7 @@ CountriesExceptMe=Todos os países, exceto %s
AccountantFiles=Export source documents
ExportAccountingSourceDocHelp=With this tool, you can export the source events (list and PDFs) that were used to generate your accountancy. To export your journals, use the menu entry %s - %s.
VueByAccountAccounting=View by accounting account
+VueBySubAccountAccounting=View by accounting subaccount
MainAccountForCustomersNotDefined=Principal conta contábil para clientes não definidos na configuração
MainAccountForSuppliersNotDefined=Conta contábil principal para fornecedores não definidos na configuração
@@ -144,7 +145,7 @@ NotVentilatedinAccount=Não vinculado à conta contabilística
XLineSuccessfullyBinded=produtos / serviços %s vinculados com êxito a uma conta contábil
XLineFailedToBeBinded=%s produtos/serviços não foram vinculados a uma conta contabilística
-ACCOUNTING_LIMIT_LIST_VENTILATION=Number of elements to bind shown by page (maximum recommended: 50)
+ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50)
ACCOUNTING_LIST_SORT_VENTILATION_TODO=Comece a ordenação da página "Vinculação a efetuar" pelos elementos mais recentes
ACCOUNTING_LIST_SORT_VENTILATION_DONE=Comece a ordenação da página "Vinculação efetuada" pelos elementos mais recentes
@@ -198,7 +199,8 @@ Docdate=Data
Docref=Referência
LabelAccount=Etiqueta de conta
LabelOperation=Operação de etiqueta
-Sens=Sentido
+Sens=Direction
+AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received For an accounting account of a supplier, use Debit to record a payment you make
LetteringCode=Código de rotulação
Lettering=Lettering
Codejournal=Diário
@@ -206,7 +208,8 @@ JournalLabel=Journal label
NumPiece=Número da peça
TransactionNumShort=Núm. de transação
AccountingCategory=Grupos personalizados
-GroupByAccountAccounting=Agrupar por conta contabilística
+GroupByAccountAccounting=Group by general ledger account
+GroupBySubAccountAccounting=Group by subledger account
AccountingAccountGroupsDesc=Você pode definir aqui alguns grupos de conta contábil. Eles serão usados para relatórios contábeis personalizados.
ByAccounts=Por contas
ByPredefinedAccountGroups=Por grupos predefinidos
@@ -248,7 +251,7 @@ PaymentsNotLinkedToProduct=Pagamento não vinculado a nenhum produto / serviço
OpeningBalance=Opening balance
ShowOpeningBalance=Show opening balance
HideOpeningBalance=Hide opening balance
-ShowSubtotalByGroup=Show subtotal by group
+ShowSubtotalByGroup=Show subtotal by level
Pcgtype=Grupo de conta
PcgtypeDesc=Group of account are used as predefined 'filter' and 'grouping' criteria for some accounting reports. For example, 'INCOME' or 'EXPENSE' are used as groups for accounting accounts of products to build the expense/income report.
@@ -271,11 +274,13 @@ DescVentilExpenseReport=Consulte aqui a lista de linhas do relatório de despesa
DescVentilExpenseReportMore=Se você configurar uma conta contábil no tipo de linhas de relatório de despesas, o aplicativo poderá fazer toda a ligação entre suas linhas de relatório de despesas e a conta contábil do seu plano de contas, em apenas um clique com o botão "%s" strong>. Se a conta não foi definida no dicionário de taxas ou se você ainda tiver algumas linhas não vinculadas a nenhuma conta, será necessário fazer uma ligação manual no menu " %s strong>".
DescVentilDoneExpenseReport=Consulte aqui a lista das linhas de relatórios de despesas e os seus honorários da conta contabilística
+Closure=Annual closure
DescClosure=Consult here the number of movements by month who are not validated & fiscal years already open
OverviewOfMovementsNotValidated=Step 1/ Overview of movements not validated. (Necessary to close a fiscal year)
+AllMovementsWereRecordedAsValidated=All movements were recorded as validated
+NotAllMovementsCouldBeRecordedAsValidated=Not all movements could be recorded as validated
ValidateMovements=Validate movements
DescValidateMovements=Any modification or deletion of writing, lettering and deletes will be prohibited. All entries for an exercise must be validated otherwise closing will not be possible
-SelectMonthAndValidate=Select month and validate movements
ValidateHistory=Vincular automaticamente
AutomaticBindingDone=Vinculação automática efetuada
@@ -293,6 +298,7 @@ Accounted=Contabilizado no ledger
NotYetAccounted=Ainda não contabilizado no razão
ShowTutorial=Show Tutorial
NotReconciled=Not reconciled
+WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view
## Admin
BindingOptions=Binding options
@@ -337,6 +343,7 @@ Modelcsv_LDCompta10=Export for LD Compta (v10 & higher)
Modelcsv_openconcerto=Export for OpenConcerto (Test)
Modelcsv_configurable=Exportar CSV configurável
Modelcsv_FEC=Export FEC
+Modelcsv_FEC2=Export FEC (With dates generation writing / document reversed)
Modelcsv_Sage50_Swiss=Export for Sage 50 Switzerland
Modelcsv_winfic=Export Winfic - eWinfic - WinSis Compta
Modelcsv_Gestinumv3=Export for Gestinum (v3)
diff --git a/htdocs/langs/pt_PT/admin.lang b/htdocs/langs/pt_PT/admin.lang
index b2961d731ca..77d70a3f040 100644
--- a/htdocs/langs/pt_PT/admin.lang
+++ b/htdocs/langs/pt_PT/admin.lang
@@ -56,6 +56,8 @@ GUISetup=Aparência
SetupArea=Configuração
UploadNewTemplate=Carregar novo(s) modelo(s)
FormToTestFileUploadForm=Formulário para testar o envio de ficheiro (de acordo com a configuração)
+ModuleMustBeEnabled=The module/application %s must be enabled
+ModuleIsEnabled=The module/application %s has been enabled
IfModuleEnabled=Nota: sim, só é eficaz se o módulo %s estiver ativado
RemoveLock=Remova / renomeie o arquivo %s se existir, para permitir o uso da ferramenta Atualizar / Instalar.
RestoreLock=Restaure o arquivo %s , apenas com permissão de leitura, para desativar qualquer uso posterior da ferramenta Atualizar / Instalar.
@@ -85,7 +87,6 @@ ShowPreview=Mostrar pré-visualização
ShowHideDetails=Show-Hide details
PreviewNotAvailable=Pré-visualização não disponível
ThemeCurrentlyActive=Tema atualmente ativo
-CurrentTimeZone=Zona Horária PHP (servidor)
MySQLTimeZone=Fuso Horário MySQL (base de dados)
TZHasNoEffect=As datas são armazenadas e retornadas pelo servidor de banco de dados como se fossem mantidas como uma string enviada. O fuso horário só tem efeito ao usar a função UNIX_TIMESTAMP (que não deve ser usada pelo Dolibarr, portanto, o banco de dados TZ não deve ter efeito, mesmo se for alterado depois que os dados forem inseridos).
Space=Área
@@ -153,8 +154,8 @@ SystemToolsAreaDesc=Esta área fornece funções de administração. Use o menu
Purge=Limpar
PurgeAreaDesc=Esta página permite excluir todos os arquivos gerados ou armazenados pelo Dolibarr (arquivos temporários ou todos os arquivos no diretório %s ). Usar esse recurso normalmente não é necessário. Ele é fornecido como uma solução alternativa para usuários cujo Dolibarr é hospedado por um provedor que não oferece permissões para excluir arquivos gerados pelo servidor da web.
PurgeDeleteLogFile=Eliminar os ficheiros de registo, incluindo %s definido para o módulo Syslog (não existe risco de perda de dados)
-PurgeDeleteTemporaryFiles=Exclua todos os arquivos temporários (sem risco de perder dados). Nota: A exclusão é feita apenas se o diretório temporário foi criado 24 horas atrás.
-PurgeDeleteTemporaryFilesShort=Eliminar ficheiros temporários
+PurgeDeleteTemporaryFiles=Delete all log and temporary files (no risk of losing data). Note: Deletion of temporary files is done only if the temp directory was created more than 24 hours ago.
+PurgeDeleteTemporaryFilesShort=Delete log and temporary files
PurgeDeleteAllFilesInDocumentsDir=Exclua todos os arquivos do diretório: %s . Isso excluirá todos os documentos gerados relacionados aos elementos (terceiros, faturas etc ...), arquivos carregados no módulo ECM, despejos de backup de banco de dados e arquivos temporários.
PurgeRunNow=Limpar agora
PurgeNothingToDelete=Nenhuma diretoria ou ficheiros para eliminar.
@@ -256,6 +257,7 @@ ReferencedPreferredPartners=Parceiros preferidos
OtherResources=Outros recursos
ExternalResources=External Resources
SocialNetworks=Redes sociais
+SocialNetworkId=Social Network ID
ForDocumentationSeeWiki=Para a documentação de utilizador, programador ou Perguntas Frequentes (FAQ), consulte o wiki do Dolibarr %s
ForAnswersSeeForum=Para outras questões, como efectuar as consultas, pode utilizar o forum do Dolibarr: %s
HelpCenterDesc1=Aqui estão alguns recursos para obter ajuda e suporte com o Dolibarr.
@@ -375,7 +377,7 @@ ExamplesWithCurrentSetup=Exemplos com configuração atual
ListOfDirectories=Lista de diretórios com modelos OpenDocument
ListOfDirectoriesForModelGenODT=Lista de diretórios que contêm ficheiros template com formato OpenDocument.
Digite aqui o caminho completo dos diretórios. Adicione um "Enter" entre cada diratório. Para adicionar um diretório do módulo GCE, adicione aqui DOL_DATA_ROOT/ecm/seudiretorio.
Ficheiros nesses diretórios têm de acabar com .odt ou .ods.
NumberOfModelFilesFound=Número de arquivos de modelo ODT / ODS encontrados nesses diretórios
-ExampleOfDirectoriesForModelGen=Exemplos de sintaxe: c:\\mydir /home/mydir DOL_DATA_ROOT/ecm/ecmdir
+ExampleOfDirectoriesForModelGen=Examples of syntax: c:\\myapp\\mydocumentdir\\mysubdir /home/myapp/mydocumentdir/mysubdir DOL_DATA_ROOT/ecm/ecmdir
FollowingSubstitutionKeysCanBeUsed= Para saber como criar os seus modelos de documentos ODT, antes de armazená-los nestes diretórios, leia a documentação no wiki:
FullListOnOnlineDocumentation=http://wiki.dolibarr.org/index.php/Create_an_ODT_document_template
FirstnameNamePosition=Posição do primeiro nome/último nome
@@ -406,7 +408,7 @@ UrlGenerationParameters=Parâmetros para tornar URLs seguros
SecurityTokenIsUnique=Use um parâmetro securekey único para cada URL
EnterRefToBuildUrl=Digite a referência para o objeto %s
GetSecuredUrl=Obter URL seguro
-ButtonHideUnauthorized=Ocultar botões para usuários não administradores para ações não autorizadas, em vez de mostrar botões desativados acinzentados
+ButtonHideUnauthorized=Hide unauthorized action buttons also for internal users (just greyed otherwise)
OldVATRates=Taxa de IVA antiga
NewVATRates=Nova taxa de IVA
PriceBaseTypeToChange=Modificar nos preços com valor de referência base definido em
@@ -1689,7 +1691,7 @@ NotTopTreeMenuPersonalized=Menus personalizados não ligados a uma entrada do me
NewMenu=Novo menu
MenuHandler=Gestor de menus
MenuModule=Módulo origem
-HideUnauthorizedMenu= Ocultar menus não autorizados (cinza)
+HideUnauthorizedMenu=Hide unauthorized menus also for internal users (just greyed otherwise)
DetailId=Id do menu
DetailMenuHandler=Gestor de menus onde será exibido o novo menu
DetailMenuModule=Nome do módulo, no caso da entrada do menu ser resultante de um módulo
@@ -1983,11 +1985,12 @@ EMailHost=Host do servidor IMAP de e-mail
MailboxSourceDirectory=Diretório de origem da caixa de correio
MailboxTargetDirectory=Diretório de destino da caixa de correio
EmailcollectorOperations=Operações para fazer pelo coletor
+EmailcollectorOperationsDesc=Operations are executed from top to bottom order
MaxEmailCollectPerCollect=Max number of emails collected per collect
CollectNow=Recolher agora
ConfirmCloneEmailCollector=Are you sure you want to clone the Email collector %s ?
-DateLastCollectResult=Date latest collect tried
-DateLastcollectResultOk=Date latest collect successfull
+DateLastCollectResult=Date of latest collect try
+DateLastcollectResultOk=Date of latest collect success
LastResult=Latest result
EmailCollectorConfirmCollectTitle=Confirmação de recebimento de email
EmailCollectorConfirmCollect=Do you want to run the collection for this collector now ?
@@ -2005,7 +2008,7 @@ WithDolTrackingID=Message from a conversation initiated by a first email sent fr
WithoutDolTrackingID=Message from a conversation initiated by a first email NOT sent from Dolibarr
WithDolTrackingIDInMsgId=Message sent from Dolibarr
WithoutDolTrackingIDInMsgId=Message NOT sent from Dolibarr
-CreateCandidature=Create candidature
+CreateCandidature=Create job application
FormatZip=Código postal
MainMenuCode=Menu entry code (mainmenu)
ECMAutoTree=Show automatic ECM tree
@@ -2083,3 +2086,7 @@ CountryIfSpecificToOneCountry=Country (if specific to a given country)
YouMayFindSecurityAdviceHere=You may find security advisory here
ModuleActivatedMayExposeInformation=This module may expose sensitive data. If you don't need it, disable it.
ModuleActivatedDoNotUseInProduction=A module designed for the development has been enabled. Do not enable it on a production environment.
+CombinationsSeparator=Separator character for product combinations
+SeeLinkToOnlineDocumentation=See link to online documention on top menu for examples
+SHOW_SUBPRODUCT_REF_IN_PDF=If the feature "%s" of module %s is used, show details of subproducts of a kit on PDF.
+AskThisIDToYourBank=Contact your bank to get this ID
diff --git a/htdocs/langs/pt_PT/banks.lang b/htdocs/langs/pt_PT/banks.lang
index 2401d4caf2a..34eb2d63a88 100644
--- a/htdocs/langs/pt_PT/banks.lang
+++ b/htdocs/langs/pt_PT/banks.lang
@@ -173,8 +173,8 @@ SEPAMandate=Mandato SEPA
YourSEPAMandate=Seu mandato SEPA
FindYourSEPAMandate=Este é o seu mandato da SEPA para autorizar a nossa empresa a efetuar um pedido de débito direto ao seu banco. Devolva-o assinado (digitalização do documento assinado) ou envie-o por correio para
AutoReportLastAccountStatement=Automatically fill the field 'number of bank statement' with last statement number when making reconciliation
-CashControl=POS cash fence
-NewCashFence=New cash fence
+CashControl=POS cash desk control
+NewCashFence=New cash desk closing
BankColorizeMovement=Colorize movements
BankColorizeMovementDesc=If this function is enable, you can choose specific background color for debit or credit movements
BankColorizeMovementName1=Background color for debit movement
diff --git a/htdocs/langs/pt_PT/bills.lang b/htdocs/langs/pt_PT/bills.lang
index 9489ccfabda..ce7dadc46fc 100644
--- a/htdocs/langs/pt_PT/bills.lang
+++ b/htdocs/langs/pt_PT/bills.lang
@@ -6,11 +6,11 @@ BillsCustomer=Fatura a cliente
BillsSuppliers=Faturas do fornecedor
BillsCustomersUnpaid=Faturas a receber de clientes
BillsCustomersUnpaidForCompany=Faturas a clientes não pagas para %s
-BillsSuppliersUnpaid=Unpaid vendor invoices
-BillsSuppliersUnpaidForCompany=Unpaid vendors invoices for %s
+BillsSuppliersUnpaid=Faturas de fornecedores não pagas
+BillsSuppliersUnpaidForCompany=Faturas de fornecedores não pagas para %s
BillsLate=Pagamentos em atraso
BillsStatistics=Estatísticas das faturas a clientes
-BillsStatisticsSuppliers=Vendors invoices statistics
+BillsStatisticsSuppliers=Estatísticas de faturas de fornecedores
DisabledBecauseDispatchedInBookkeeping=Desativado porque a fatura foi enviada para a contabilidade
DisabledBecauseNotLastInvoice=Desativado porque a fatura não pode ser apagada. Algumas faturas foram registradas após esta e irão criar furos no contador.
DisabledBecauseNotErasable=Desativar porque não pode ser eliminado
@@ -25,10 +25,10 @@ InvoiceProFormaAsk=Fatura Pró-Forma
InvoiceProFormaDesc=A Fatura Pró-Forma é uma imagem de uma fatura, mas não tem valor contabilístico.
InvoiceReplacement=Fatura de Substituição
InvoiceReplacementAsk=Fatura de Substituição para a Fatura
-InvoiceReplacementDesc=Replacement invoice is used to completely replace an invoice with no payment already received.
Note: Only invoices with no payment on it can be replaced. If the invoice you replace is not yet closed, it will be automatically closed to 'abandoned'.
+InvoiceReplacementDesc= Fatura de substituição é usada para substituir completamente uma fatura sem pagamento já recebido.
Nota: Apenas as faturas sem pagamento podem ser substituídas. Se a fatura que você substituiu ainda não foi fechada, ela será automaticamente encerrada como 'abandonada'.
InvoiceAvoir=Nota de Crédito
InvoiceAvoirAsk=Nota de crédito para corrigir a fatura
-InvoiceAvoirDesc=The credit note is a negative invoice used to correct the fact that an invoice shows an amount that differs from the amount actually paid (eg the customer paid too much by mistake, or will not pay the complete amount since some products were returned).
+InvoiceAvoirDesc=A nota de crédito é uma fatura negativa usada para corrigir o fato de que uma fatura mostra um valor diferente do valor efetivamente pago (por exemplo, o cliente pagou muito por engano ou não pagará o valor completo porque alguns produtos foram devolvidos) .
invoiceAvoirWithLines=Criar Nota de Crédito com as linhas da fatura de origem
invoiceAvoirWithPaymentRestAmount=Criar nota de crédito com fatura não paga de origem
invoiceAvoirLineWithPaymentRestAmount=Nota de crédito para o restante valor não pago
@@ -41,7 +41,7 @@ CorrectionInvoice=Correção da Fatura
UsedByInvoice=Utilizado para pagar a fatura %s
ConsumedBy=Consumida por
NotConsumed=Não consumiu
-NoReplacableInvoice=No replaceable invoices
+NoReplacableInvoice=Sem faturas substituíveis
NoInvoiceToCorrect=Nenhuma Fatura para corrigir
InvoiceHasAvoir=Era fonte de uma ou várias notas de crédito
CardBill=Ficha da Fatura
@@ -54,23 +54,23 @@ InvoiceCustomer=Fatura a cliente
CustomerInvoice=Fatura a cliente
CustomersInvoices=Faturas a clientes
SupplierInvoice=Fatura de fornecedor
-SuppliersInvoices=Vendors invoices
+SuppliersInvoices=Faturas de fornecedores
SupplierBill=Fatura de fornecedor
SupplierBills=faturas de fornecedores
Payment=Pagamento
-PaymentBack=Refund
+PaymentBack=Restituição
CustomerInvoicePaymentBack=Refund
Payments=Pagamentos
-PaymentsBack=Refunds
+PaymentsBack=Reembolsos
paymentInInvoiceCurrency=na moeda das faturas
PaidBack=Reembolsada
DeletePayment=Eliminar pagamento
ConfirmDeletePayment=Tem a certeza que deseja eliminar este pagamento?
-ConfirmConvertToReduc=Do you want to convert this %s into an available credit?
+ConfirmConvertToReduc=Deseja converter este %s em um crédito disponível?
ConfirmConvertToReduc2=The amount will be saved among all discounts and could be used as a discount for a current or a future invoice for this customer.
ConfirmConvertToReducSupplier=Do you want to convert this %s into an available credit?
ConfirmConvertToReducSupplier2=The amount will be saved among all discounts and could be used as a discount for a current or a future invoice for this vendor.
-SupplierPayments=Vendor payments
+SupplierPayments=Pagamentos a fornecedores
ReceivedPayments=Pagamentos recebidos
ReceivedCustomersPayments=Pagamentos recebidos dos clientes
PayedSuppliersPayments=Payments paid to vendors
@@ -78,9 +78,9 @@ ReceivedCustomersPaymentsToValid=Pagamentos recebidos dos clientes para validar
PaymentsReportsForYear=Relatórios de pagamentos para %s
PaymentsReports=Relatórios de pagamentos
PaymentsAlreadyDone=Pagamentos já efetuados
-PaymentsBackAlreadyDone=Refunds already done
+PaymentsBackAlreadyDone=Reembolsos já feitos
PaymentRule=Estado do Pagamento
-PaymentMode=Payment Type
+PaymentMode=Tipo de pagamento
PaymentTypeDC=Cartão de débito/crédito
PaymentTypePP=PayPal
IdPaymentMode=Payment Type (id)
@@ -88,8 +88,8 @@ CodePaymentMode=Payment Type (code)
LabelPaymentMode=Payment Type (label)
PaymentModeShort=Payment Type
PaymentTerm=Payment Term
-PaymentConditions=Payment Terms
-PaymentConditionsShort=Payment Terms
+PaymentConditions=Termos de pagamento
+PaymentConditionsShort=Termos de pagamento
PaymentAmount=Montante a Pagar
PaymentHigherThanReminderToPay=Pagamento superior ao valor a pagar
HelpPaymentHigherThanReminderToPay=Atenção, o valor do pagamento de uma ou mais contas é maior do que o valor pendente a pagar. Edite sua entrada, caso contrário, confirme e considere a criação de uma nota de crédito para o excesso recebido para cada fatura paga em excesso.
@@ -106,7 +106,7 @@ AddBill=Criar fatura ou nota de crédito
AddToDraftInvoices=Adicionar à fatura rascunho
DeleteBill=Eliminar fatura
SearchACustomerInvoice=Procurar por uma fatura a cliente
-SearchASupplierInvoice=Search for a vendor invoice
+SearchASupplierInvoice=Pesquise uma fatura de fornecedor
CancelBill=Cancelar uma fatura
SendRemindByMail=Enviar um lembrete por E-Mail
DoPayment=Inserir pagamento
@@ -145,17 +145,17 @@ BillShortStatusClosedUnpaid=Fechada por pagar
BillShortStatusClosedPaidPartially=Paga (parcialmente)
PaymentStatusToValidShort=Por validar
ErrorVATIntraNotConfigured=Número de IVA intracomunitário ainda não definido
-ErrorNoPaiementModeConfigured=No default payment type defined. Go to Invoice module setup to fix this.
-ErrorCreateBankAccount=Create a bank account, then go to Setup panel of Invoice module to define payment types
+ErrorNoPaiementModeConfigured=Nenhum tipo de pagamento padrão definido. Vá para a configuração do módulo de fatura para corrigir isso.
+ErrorCreateBankAccount=Crie uma conta bancária e vá para o painel Configuração do módulo Fatura para definir os tipos de pagamento
ErrorBillNotFound=Fatura %s inexistente
ErrorInvoiceAlreadyReplaced=Erro, você tentou validar uma fatura para substituir a fatura %s. Mas este já foi substituído pela nota fiscal %s.
ErrorDiscountAlreadyUsed=Erro, a remessa está já assignada
ErrorInvoiceAvoirMustBeNegative=Erro, uma fatura deste tipo deve ter um montante negativo
-ErrorInvoiceOfThisTypeMustBePositive=Error, this type of invoice must have an amount excluding tax positive (or null)
+ErrorInvoiceOfThisTypeMustBePositive=Erro, este tipo de fatura deve ter um valor sem imposto positivo (ou nulo)
ErrorCantCancelIfReplacementInvoiceNotValidated=Erro, não pode cancelar uma fatura que tenha sido substituída por uma outra fatura e que se encontra ainda em rascunho
ErrorThisPartOrAnotherIsAlreadyUsedSoDiscountSerieCantBeRemoved=Essa parte ou outra já é usada para que as séries de descontos não possam ser removidas.
BillFrom=Emissor
-BillTo=Enviar a
+BillTo=Cliente
ActionsOnBill=Ações sobre a fatura
RecurringInvoiceTemplate=Fatura de modelo / recorrente
NoQualifiedRecurringInvoiceTemplateFound=Nenhuma fatura de modelo recorrente qualificada para geração.
@@ -167,13 +167,13 @@ LatestTemplateInvoices=Últimas facturas modelo %s
LatestCustomerTemplateInvoices=Últimas facturas de modelo de cliente %s
LatestSupplierTemplateInvoices=Latest %s vendor template invoices
LastCustomersBills=Últimas %s faturas a clientes
-LastSuppliersBills=Latest %s vendor invoices
+LastSuppliersBills=Faturas de fornecedor %s mais recentes
AllBills=Todas as faturas
AllCustomerTemplateInvoices=Todas as faturas modelo
OtherBills=Outras faturas
DraftBills=Faturas rascunho
CustomersDraftInvoices=Faturas provisórias a cliente
-SuppliersDraftInvoices=Vendor draft invoices
+SuppliersDraftInvoices=Rascunho de faturas de fornecedor
Unpaid=Pendentes
ErrorNoPaymentDefined=Error No payment defined
ConfirmDeleteBill=Tem a certeza que deseja eliminar esta fatura?
@@ -183,7 +183,7 @@ ConfirmClassifyPaidBill=Tem a certeza que pretende alterar a fatura %s pa
ConfirmCancelBill=Tem a certeza que pretende cancelar a fatura %s?
ConfirmCancelBillQuestion=Porque é que pretende classificar esta fatura como 'abandonada'?
ConfirmClassifyPaidPartially=Tem a certeza que pretende alterar a fatura %s para o estado de paga?
-ConfirmClassifyPaidPartiallyQuestion=This invoice has not been paid completely. What is the reason for closing this invoice?
+ConfirmClassifyPaidPartiallyQuestion=Esta fatura não foi totalmente paga. Qual o motivo do fechamento desta fatura?
ConfirmClassifyPaidPartiallyReasonAvoir=O restante (%s %s) b> é um desconto concedido porque o pagamento foi feito antes do prazo. Regularizo o IVA com uma nota de crédito.
ConfirmClassifyPaidPartiallyReasonDiscount=O restante (%s %s) b> é um desconto concedido porque o pagamento foi feito antes do prazo.
ConfirmClassifyPaidPartiallyReasonDiscountNoVat=O restante (%s %s) b> é um desconto concedido porque o pagamento foi feito antes do prazo. Aceito perder o IVA sobre esse desconto.
@@ -257,11 +257,11 @@ DateInvoice=Data da fatura
DatePointOfTax=Ponto de imposto
NoInvoice=Nenhuma fatura
ClassifyBill=Classificar a fatura
-SupplierBillsToPay=Unpaid vendor invoices
+SupplierBillsToPay=Faturas de fornecedores não pagas
CustomerBillsUnpaid=Faturas a receber de clientes
NonPercuRecuperable=Não recuperável
-SetConditions=Set Payment Terms
-SetMode=Set Payment Type
+SetConditions=Definir termos de pagamento
+SetMode=Definir Tipo de Pagamento
SetRevenuStamp=Definir selo fiscal
Billed=Faturado
RecurringInvoices=Faturas recorrentes
@@ -278,9 +278,9 @@ ExportDataset_invoice_1=Faturas de clientes e detalhes da fatura
ExportDataset_invoice_2=Faturas a clientes e pagamentos
ProformaBill=Fatura pró-forma:
Reduction=Redução
-ReductionShort=Disc.
+ReductionShort=Disco.
Reductions=Descontos
-ReductionsShort=Disc.
+ReductionsShort=Disco.
Discounts=Descontos
AddDiscount=Adicionar Desconto
AddRelativeDiscount=Criar desconto relativo
@@ -289,7 +289,7 @@ AddGlobalDiscount=Criar desconto fixo
EditGlobalDiscounts=Editar descontos fixos
AddCreditNote=Criar nota de crédito
ShowDiscount=Ver o deposito
-ShowReduc=Show the discount
+ShowReduc=Mostre o desconto
ShowSourceInvoice=Show the source invoice
RelativeDiscount=Desconto relativo
GlobalDiscount=Desconto fixo
@@ -337,12 +337,12 @@ WatermarkOnDraftBill=Marca de agua em faturas rascunho (nada sem está vazia)
InvoiceNotChecked=Nenhuma fatura selecionada
ConfirmCloneInvoice=Tem a certeza que pretende clonar esta fatura %s?
DisabledBecauseReplacedInvoice=Ação desativada porque a fatura foi substituída
-DescTaxAndDividendsArea=This area presents a summary of all payments made for special expenses. Only records with payments during the fixed year are included here.
+DescTaxAndDividendsArea=Esta área apresenta um resumo de todos os pagamentos feitos para despesas especiais. Somente registros com pagamentos durante o ano fixo são incluídos aqui.
NbOfPayments=N.ª de pagamentos
SplitDiscount=Dividido em duas desconto
-ConfirmSplitDiscount=Are you sure you want to split this discount of %s %s into two smaller discounts?
+ConfirmSplitDiscount=Tem certeza de que deseja dividir este desconto de %s %s em dois descontos menores?
TypeAmountOfEachNewDiscount=Quantidade de entrada para cada uma das duas partes:
-TotalOfTwoDiscountMustEqualsOriginal=The total of the two new discounts must be equal to the original discount amount.
+TotalOfTwoDiscountMustEqualsOriginal=O total dos dois novos descontos deve ser igual ao valor do desconto original.
ConfirmRemoveDiscount=Tem certeza que deseja remover este desconto?
RelatedBill=Fatura relacionada
RelatedBills=Faturas relacionadas
@@ -410,7 +410,7 @@ PaymentConditionShort14D=14 dias
PaymentCondition14D=14 dias
PaymentConditionShort14DENDMONTH=14 dias do final do mês
PaymentCondition14DENDMONTH=Dentro de 14 dias após o final do mês
-FixAmount=Fixed amount - 1 line with label '%s'
+FixAmount=Quantidade fixa - 1 linha com rótulo '%s'
VarAmount=Quantidade variável (%% total.)
VarAmountOneLine=Quantidade variável (%% tot.) - 1 linha com o rótulo '%s'
VarAmountAllLines=Variable amount (%% tot.) - all same lines
@@ -435,16 +435,16 @@ PaymentTypeFAC=Fator
PaymentTypeShortFAC=Fator
BankDetails=Dados bancários
BankCode=Código banco
-DeskCode=Branch code
+DeskCode=Código da Agência
BankAccountNumber=Número conta
BankAccountNumberKey=Checksum
Residence=Direcção
-IBANNumber=IBAN account number
+IBANNumber=Número da conta IBAN
IBAN=IBAN
CustomerIBAN=IBAN of customer
SupplierIBAN=IBAN of vendor
BIC=BIC/SWIFT
-BICNumber=BIC/SWIFT code
+BICNumber=Código BIC / SWIFT
ExtraInfos=Informações complementarias
RegulatedOn=Regulado em
ChequeNumber=Cheque nº
@@ -458,11 +458,11 @@ PhoneNumber=Tel.
FullPhoneNumber=telefone
TeleFax=Fax
PrettyLittleSentence=Aceito o pagamento mediante cheques a meu nome dos valores em divida, na qualidade de membro de uma empresa autorizada por a Administração Fiscal.
-IntracommunityVATNumber=Intra-Community VAT ID
-PaymentByChequeOrderedTo=Check payments (including tax) are payable to %s, send to
-PaymentByChequeOrderedToShort=Check payments (incl. tax) are payable to
+IntracommunityVATNumber=ID de IVA intracomunitário
+PaymentByChequeOrderedTo=Os pagamentos em cheque (incluindo impostos) devem ser pagos a %s, enviar para
+PaymentByChequeOrderedToShort=Pagamentos de cheques (incluindo impostos) devem ser pagos a
SendTo=- Enviando Para
-PaymentByTransferOnThisBankAccount=Payment by transfer to the following bank account
+PaymentByTransferOnThisBankAccount=Pagamento por transferência para a seguinte conta bancária
VATIsNotUsedForInvoice=* IVA não aplicável art-293B do CGI
LawApplicationPart1=Por aplicação da lei 80.335 de 12/05/80
LawApplicationPart2=As mercadorias permanecem em propriedade de
@@ -473,18 +473,18 @@ UseLine=Aplicar
UseDiscount=Aplicar Desconto
UseCredit=Uso de crédito
UseCreditNoteInInvoicePayment=Reduzir o pagamento com este deposito
-MenuChequeDeposits=Check Deposits
+MenuChequeDeposits=Depósitos de cheques
MenuCheques=Gestão cheques
-MenuChequesReceipts=Check receipts
+MenuChequesReceipts=Verifique os recibos
NewChequeDeposit=Novo deposito
-ChequesReceipts=Check receipts
-ChequesArea=Check deposits area
-ChequeDeposits=Check deposits
+ChequesReceipts=Verifique os recibos
+ChequesArea=Área de depósitos de cheques
+ChequeDeposits=Depósitos de cheques
Cheques=Cheques
DepositId=Depósito de identificação
NbCheque=Número de cheques
CreditNoteConvertedIntoDiscount=Esta nota de crédito %s, foi convertida no desconto %s
-UsBillingContactAsIncoiveRecipientIfExist=Use contact/address with type 'billing contact' instead of third-party address as recipient for invoices
+UsBillingContactAsIncoiveRecipientIfExist=Use o contato / endereço com o tipo 'contato para cobrança' em vez do endereço de terceiros como destinatário das faturas
ShowUnpaidAll=Mostrar todas as faturas não pagas
ShowUnpaidLateOnly=Mostrar apenas faturas atrasadas não pagas
PaymentInvoiceRef=Pagamento da fatura %s
@@ -497,19 +497,19 @@ CantRemovePaymentWithOneInvoicePaid=Não é possível remover o pagamento, uma v
ExpectedToPay=Pagamento esperado
CantRemoveConciliatedPayment=Não é possível remover o pagamento reconciliado
PayedByThisPayment=Pago por esse pagamento
-ClosePaidInvoicesAutomatically=Classify automatically all standard, down payment or replacement invoices as "Paid" when payment is done entirely.
-ClosePaidCreditNotesAutomatically=Classify automatically all credit notes as "Paid" when refund is done entirely.
+ClosePaidInvoicesAutomatically=Classifica automaticamente todas as faturas padrão, de adiantamento ou de substituição como "Pagas" quando o pagamento é feito inteiramente.
+ClosePaidCreditNotesAutomatically=Classifica automaticamente todas as notas de crédito como "Pagas" quando o reembolso é feito totalmente.
ClosePaidContributionsAutomatically=Classify automatically all social or fiscal contributions as "Paid" when payment is done entirely.
-AllCompletelyPayedInvoiceWillBeClosed=All invoices with no remainder to pay will be automatically closed with status "Paid".
+AllCompletelyPayedInvoiceWillBeClosed=Todas as faturas sem sobras a pagar serão automaticamente encerradas com o status "Pago".
ToMakePayment=Pagar
ToMakePaymentBack=Reembolsar
ListOfYourUnpaidInvoices=Lista de faturas não pagas
NoteListOfYourUnpaidInvoices=Nota: Esta lista apenas contém fatura de terceiros dos quais você está definido como representante de vendas.
-RevenueStamp=Tax stamp
+RevenueStamp=Selo fiscal
YouMustCreateInvoiceFromThird=This option is only available when creating an invoice from tab "Customer" of third party
YouMustCreateInvoiceFromSupplierThird=This option is only available when creating an invoice from tab "Vendor" of third party
YouMustCreateStandardInvoiceFirstDesc=Você precisa criar uma fatura padrão primeiro e convertê-la em "modelo" para criar uma nova fatura modelo
-PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template (old implementation of Sponge template)
+PDFCrabeDescription=Fatura PDF template Crabe. Um modelo de fatura completo (implementação antiga do modelo Sponge)
PDFSpongeDescription=Modelo PDF da fatura Esponja. Um modelo de fatura completo
PDFCrevetteDescription=Modelo PDF da fatura Crevette. Um modelo de fatura completo para faturas de situação
TerreNumRefModelDesc1=Devolve o número com o formato %syymm-nnnn para facturas standard e %syymm-nnnn para notas de crédito em que yy é ano, mm é mês e nnnn é uma sequência sem pausa e sem retorno a 0
@@ -523,14 +523,15 @@ TypeContact_facture_internal_SALESREPFOLL=Representante que dá seguimento à fa
TypeContact_facture_external_BILLING=Contacto na fatura do cliente
TypeContact_facture_external_SHIPPING=Contacto com o transporte do cliente
TypeContact_facture_external_SERVICE=Contactar o serviço ao cliente
-TypeContact_invoice_supplier_internal_SALESREPFOLL=Representative following-up vendor invoice
+TypeContact_invoice_supplier_internal_SALESREPFOLL=Fatura de fornecedor de acompanhamento representativo
TypeContact_invoice_supplier_external_BILLING=Contacto da fatura do fornecedor
TypeContact_invoice_supplier_external_SHIPPING=Contacto da expedição do fornecedor
-TypeContact_invoice_supplier_external_SERVICE=Vendor service contact
+TypeContact_invoice_supplier_external_SERVICE=Contato de serviço do fornecedor
# Situation invoices
InvoiceFirstSituationAsk=Fatura da primeira situação
InvoiceFirstSituationDesc=As faturas de situação b> estão vinculadas a situações relacionadas a uma progressão, por exemplo, a progressão de uma construção. Cada situação está vinculada a uma fatura.
InvoiceSituation=Fatura de situação
+PDFInvoiceSituation=Fatura de situação
InvoiceSituationAsk=Fatura seguindo a situação
InvoiceSituationDesc=Crie uma nova situação seguindo uma já existente
SituationAmount=Valor da fatura da situação (líquida)
@@ -575,3 +576,7 @@ BILL_SUPPLIER_DELETEInDolibarr=Supplier invoice deleted
UnitPriceXQtyLessDiscount=Unit price x Qty - Discount
CustomersInvoicesArea=Customer billing area
SupplierInvoicesArea=Supplier billing area
+FacParentLine=Invoice Line Parent
+SituationTotalRayToRest=Remainder to pay without taxe
+PDFSituationTitle=Situation n° %d
+SituationTotalProgress=Total progress %d %%
diff --git a/htdocs/langs/pt_PT/blockedlog.lang b/htdocs/langs/pt_PT/blockedlog.lang
index d50a1d77f48..798b7e6a075 100644
--- a/htdocs/langs/pt_PT/blockedlog.lang
+++ b/htdocs/langs/pt_PT/blockedlog.lang
@@ -35,7 +35,7 @@ logDON_DELETE=Exclusão lógica de doação
logMEMBER_SUBSCRIPTION_CREATE=Inscrição de membro criada
logMEMBER_SUBSCRIPTION_MODIFY=Inscrição de membro modificada
logMEMBER_SUBSCRIPTION_DELETE=Exclusão lógica de assinatura de membro
-logCASHCONTROL_VALIDATE=Cash fence recording
+logCASHCONTROL_VALIDATE=Cash desk closing recording
BlockedLogBillDownload=Download da fatura do cliente
BlockedLogBillPreview=Pré-visualização da fatura do cliente
BlockedlogInfoDialog=Detalhes do log
diff --git a/htdocs/langs/pt_PT/boxes.lang b/htdocs/langs/pt_PT/boxes.lang
index bfe70c39c7e..145da5f3ee4 100644
--- a/htdocs/langs/pt_PT/boxes.lang
+++ b/htdocs/langs/pt_PT/boxes.lang
@@ -1,18 +1,18 @@
# Dolibarr language file - Source file is en_US - boxes
BoxLoginInformation=Login Information
-BoxLastRssInfos=RSS Information
-BoxLastProducts=Latest %s Products/Services
+BoxLastRssInfos=Informação RSS
+BoxLastProducts=Produtos / serviços %s mais recentes
BoxProductsAlertStock=Alertas de stock para produtos
BoxLastProductsInContract=Os %s últimos produtos/serviços contratados
-BoxLastSupplierBills=Latest Vendor invoices
-BoxLastCustomerBills=Latest Customer invoices
+BoxLastSupplierBills=Últimas faturas do fornecedor
+BoxLastCustomerBills=Últimas faturas do cliente
BoxOldestUnpaidCustomerBills=Faturas a clientes não pagas mais antigas
-BoxOldestUnpaidSupplierBills=Oldest unpaid vendor invoices
+BoxOldestUnpaidSupplierBills=Faturas de fornecedores não pagas mais antigas
BoxLastProposals=Últimos orçamentos
BoxLastProspects=Últimas prospeções modificadas
BoxLastCustomers=Últimos clientes modificados
BoxLastSuppliers=Últimos fornecedores modificados
-BoxLastCustomerOrders=Latest sales orders
+BoxLastCustomerOrders=Últimos pedidos de venda
BoxLastActions=Últimas ações
BoxLastContracts=Últimos contratos
BoxLastContacts=Últimos contactos/endereços
@@ -21,23 +21,23 @@ BoxFicheInter=Últimas intervenções
BoxCurrentAccounts=Saldo de abertura das contas
BoxTitleMemberNextBirthdays=Birthdays of this month (members)
BoxTitleLastRssInfos=Últimas %s notícias de %s
-BoxTitleLastProducts=Products/Services: last %s modified
+BoxTitleLastProducts=Produtos / serviços: último %s modificado
BoxTitleProductsAlertStock=Produtos: alerta de stock
BoxTitleLastSuppliers=Últimos %s fornecedores registados
-BoxTitleLastModifiedSuppliers=Vendors: last %s modified
-BoxTitleLastModifiedCustomers=Customers: last %s modified
+BoxTitleLastModifiedSuppliers=Fornecedores: última modificação %s
+BoxTitleLastModifiedCustomers=Clientes: última modificação %s
BoxTitleLastCustomersOrProspects=Últimos %s clientes ou prospeções
-BoxTitleLastCustomerBills=Latest %s modified Customer invoices
-BoxTitleLastSupplierBills=Latest %s modified Vendor invoices
-BoxTitleLastModifiedProspects=Prospects: last %s modified
+BoxTitleLastCustomerBills=Faturas do cliente modificadas %s mais recentes
+BoxTitleLastSupplierBills=Faturas de fornecedor modificadas %s mais recentes
+BoxTitleLastModifiedProspects=Perspectivas: última modificação %s
BoxTitleLastModifiedMembers=Últimos %s membros
BoxTitleLastFicheInter=Últimas %s intervenções modificadas
-BoxTitleOldestUnpaidCustomerBills=Customer Invoices: oldest %s unpaid
-BoxTitleOldestUnpaidSupplierBills=Vendor Invoices: oldest %s unpaid
+BoxTitleOldestUnpaidCustomerBills=Faturas do cliente: %s mais antiga não paga
+BoxTitleOldestUnpaidSupplierBills=Faturas do fornecedor: %s mais antigo não pago
BoxTitleCurrentAccounts=Contas em aberto: saldos
BoxTitleSupplierOrdersAwaitingReception=Supplier orders awaiting reception
-BoxTitleLastModifiedContacts=Contacts/Addresses: last %s modified
-BoxMyLastBookmarks=Bookmarks: latest %s
+BoxTitleLastModifiedContacts=Contatos / endereços: último %s modificado
+BoxMyLastBookmarks=Marcadores: último %s
BoxOldestExpiredServices=Mais antigos ativos de serviços vencidos
BoxLastExpiredServices=Últimos %s contactos mais antigos com serviços ativos expirados
BoxTitleLastActionsToDo=Últimas %s ações a fazer
@@ -46,36 +46,39 @@ BoxTitleLastModifiedDonations=Últimos %s donativos modificados
BoxTitleLastModifiedExpenses=Últimos %s relatórios de despesas modificados
BoxTitleLatestModifiedBoms=Latest %s modified BOMs
BoxTitleLatestModifiedMos=Latest %s modified Manufacturing Orders
+BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded
BoxGlobalActivity=Atividade global (faturas, orçamentos, encomendas)
BoxGoodCustomers=Bons clientes
BoxTitleGoodCustomers=%s bons clientes
-FailedToRefreshDataInfoNotUpToDate=Failed to refresh RSS flux. Latest successful refresh date: %s
+BoxScheduledJobs=Trabalhos agendadas
+BoxTitleFunnelOfProspection=Lead funnel
+FailedToRefreshDataInfoNotUpToDate=Falha ao atualizar o fluxo RSS. Data da última atualização bem-sucedida: %s
LastRefreshDate=Última data de atualização
NoRecordedBookmarks=Não existem marcadores definidos.
ClickToAdd=Clique aqui para adicionar.
NoRecordedCustomers=Nenhum cliente registado
NoRecordedContacts=Nenhum contacto registado
NoActionsToDo=Sem ações a realizar
-NoRecordedOrders=No recorded sales orders
+NoRecordedOrders=Nenhum pedido de venda registrado
NoRecordedProposals=Sem orçamentos registados
NoRecordedInvoices=Nenhuma fatura a cliente registada
NoUnpaidCustomerBills=Nenhuma fatura a clientes pendente de pagamento
-NoUnpaidSupplierBills=No unpaid vendor invoices
-NoModifiedSupplierBills=No recorded vendor invoices
+NoUnpaidSupplierBills=Sem faturas de fornecedores não pagas
+NoModifiedSupplierBills=Nenhuma fatura de fornecedor registrada
NoRecordedProducts=Nenhum produto/serviço registado
NoRecordedProspects=Nenhuma prospecção registada
NoContractedProducts=Não contractados produtos / serviços
NoRecordedContracts=Sem contratos registrados
NoRecordedInterventions=Nenhuma intervenção registada
-BoxLatestSupplierOrders=Latest purchase orders
+BoxLatestSupplierOrders=Últimos pedidos de compra
BoxLatestSupplierOrdersAwaitingReception=Latest Purchase Orders (with a pending reception)
-NoSupplierOrder=No recorded purchase order
+NoSupplierOrder=Nenhum pedido de compra registrado
BoxCustomersInvoicesPerMonth=Customer Invoices per month
BoxSuppliersInvoicesPerMonth=Vendor Invoices per month
BoxCustomersOrdersPerMonth=Sales Orders per month
BoxSuppliersOrdersPerMonth=Vendor Orders per month
BoxProposalsPerMonth=Orçamentos por mês
-NoTooLowStockProducts=No products are under the low stock limit
+NoTooLowStockProducts=Nenhum produto está abaixo do limite mínimo de estoque
BoxProductDistribution=Products/Services Distribution
ForObject=On %s
BoxTitleLastModifiedSupplierBills=Vendor Invoices: last %s modified
@@ -102,5 +105,7 @@ SuspenseAccountNotDefined=Suspense account isn't defined
BoxLastCustomerShipments=Last customer shipments
BoxTitleLastCustomerShipments=Latest %s customer shipments
NoRecordedShipments=No recorded customer shipment
+BoxCustomersOutstandingBillReached=Customers with oustanding limit reached
# Pages
AccountancyHome=Contabilidade
+ValidatedProjects=Validated projects
diff --git a/htdocs/langs/pt_PT/cashdesk.lang b/htdocs/langs/pt_PT/cashdesk.lang
index d1dba40375b..4c30714cba3 100644
--- a/htdocs/langs/pt_PT/cashdesk.lang
+++ b/htdocs/langs/pt_PT/cashdesk.lang
@@ -49,8 +49,8 @@ Footer=Footer
AmountAtEndOfPeriod=Amount at end of period (day, month or year)
TheoricalAmount=Theorical amount
RealAmount=Real amount
-CashFence=Cash fence
-CashFenceDone=Cash fence done for the period
+CashFence=Cash desk closing
+CashFenceDone=Cash desk closing done for the period
NbOfInvoices=Nº de faturas
Paymentnumpad=Type of Pad to enter payment
Numberspad=Numbers Pad
@@ -99,8 +99,9 @@ CashDeskRefNumberingModules=Numbering module for POS sales
CashDeskGenericMaskCodes6 = {TN} tag is used to add the terminal number
TakeposGroupSameProduct=Group same products lines
StartAParallelSale=Start a new parallel sale
-ControlCashOpening=Control cash box at opening POS
-CloseCashFence=Close cash fence
+SaleStartedAt=Sale started at %s
+ControlCashOpening=Control cash popup at opening POS
+CloseCashFence=Close cash desk control
CashReport=Cash report
MainPrinterToUse=Main printer to use
OrderPrinterToUse=Order printer to use
@@ -122,3 +123,4 @@ GiftReceipt=Gift receipt
ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled first
AllowDelayedPayment=Allow delayed payment
PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts
+WeighingScale=Weighing scale
diff --git a/htdocs/langs/pt_PT/categories.lang b/htdocs/langs/pt_PT/categories.lang
index bd0e39a4308..57c37b4515a 100644
--- a/htdocs/langs/pt_PT/categories.lang
+++ b/htdocs/langs/pt_PT/categories.lang
@@ -19,6 +19,7 @@ ProjectsCategoriesArea=Área de etiquetas/categorias de projetos
UsersCategoriesArea=Users tags/categories area
SubCats=Subcategorias
CatList=Lista de etiquetas/categorias
+CatListAll=List of tags/categories (all types)
NewCategory=Nova etiqueta/categoria
ModifCat=Modificar etiqueta/categoria
CatCreated=Etiqueta/categoria criada
@@ -65,16 +66,22 @@ UsersCategoriesShort=Users tags/categories
StockCategoriesShort=Warehouse tags/categories
ThisCategoryHasNoItems=This category does not contain any items.
CategId=ID de etiqueta/categoria
-CatSupList=Lista de tags / categorias de fornecedores
-CatCusList=Lista de etiquetas/categorias de clientes/prospecções
+ParentCategory=Parent tag/category
+ParentCategoryLabel=Label of parent tag/category
+CatSupList=List of vendors tags/categories
+CatCusList=List of customers/prospects tags/categories
CatProdList=Lista de etiquetas/categorias de produtos
CatMemberList=Lista de etiquetas/categorias de membros
-CatContactList=Lista de etiquetas/categorias de contactos
-CatSupLinks=Ligações entre fornecedores e etiquetas/categorias
+CatContactList=List of contacts tags/categories
+CatProjectsList=List of projects tags/categories
+CatUsersList=List of users tags/categories
+CatSupLinks=Links between vendors and tags/categories
CatCusLinks=Ligações entre clientes/prospecções e etiquetas/categorias
CatContactsLinks=Links between contacts/addresses and tags/categories
CatProdLinks=Ligações entre produtos/serviços e etiquetas/categorias
-CatProJectLinks=Ligações entre os projetos e etiquetas/categorias
+CatMembersLinks=Links between members and tags/categories
+CatProjectsLinks=Ligações entre os projetos e etiquetas/categorias
+CatUsersLinks=Links between users and tags/categories
DeleteFromCat=Remover das etiquetas/categoria
ExtraFieldsCategories=Atributos Complementares
CategoriesSetup=Configuração de etiquetas/categorias
diff --git a/htdocs/langs/pt_PT/companies.lang b/htdocs/langs/pt_PT/companies.lang
index 0c75b753e4c..6e9e1163487 100644
--- a/htdocs/langs/pt_PT/companies.lang
+++ b/htdocs/langs/pt_PT/companies.lang
@@ -358,7 +358,7 @@ VATIntraCheckableOnEUSite=Verifique o ID do IVA intracomunitário no site da Com
VATIntraManualCheck=Você também pode verificar manualmente no site da Comissão Europeia %s
ErrorVATCheckMS_UNAVAILABLE=Verificação Impossivel. O serviço de verificação não é prestado pelo país membro (%s).
NorProspectNorCustomer=Não é cliente potencial, nem cliente
-JuridicalStatus=Tipo de Entidade Legal
+JuridicalStatus=Business entity type
Workforce=Workforce
Staff=Funcionários
ProspectLevelShort=Cli. Potenc.
diff --git a/htdocs/langs/pt_PT/compta.lang b/htdocs/langs/pt_PT/compta.lang
index 429e6922009..03ccdc3308f 100644
--- a/htdocs/langs/pt_PT/compta.lang
+++ b/htdocs/langs/pt_PT/compta.lang
@@ -11,7 +11,7 @@ FeatureIsSupportedInInOutModeOnly=Função disponível somente ao modo contas CR
VATReportBuildWithOptionDefinedInModule=Montantes apresentados aqui são calculadas usando as regras definidas pelo Imposto de configuração do módulo.
LTReportBuildWithOptionDefinedInModule=Os valores mostrados aqui são calculados usando regras definidas pela configuração da empresa.
Param=Parametrização
-RemainingAmountPayment=Amount payment remaining:
+RemainingAmountPayment=Valor do pagamento restante:
Account=Conta
Accountparent=Conta pai
Accountsparent=Contas pai
@@ -111,9 +111,9 @@ Refund=Reembolso
SocialContributionsPayments=Pagamentos de impostos sociais/fiscais
ShowVatPayment=Ver Pagamentos IVA
TotalToPay=Total a Pagar
-BalanceVisibilityDependsOnSortAndFilters=O saldo é visível nesta lista apenas se a tabela estiver classificada como ascendente no %s e filtrada para uma conta bancária
+BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted on %s and filtered on 1 bank account (with no other filters)
CustomerAccountancyCode=Código de contabilidade do cliente
-SupplierAccountancyCode=Vendor accounting code
+SupplierAccountancyCode=Código de contabilidade do fornecedor
CustomerAccountancyCodeShort=Cust. conta. código
SupplierAccountancyCodeShort=Sup. conta. código
AccountNumber=Número de conta
@@ -140,7 +140,7 @@ ConfirmDeleteSocialContribution=Tem certeza de que deseja eliminar este pagament
ExportDataset_tax_1=Impostos e pagamentos sociais e fiscais
CalcModeVATDebt=Modo %sVAT no compromisso accounting%s b>.
CalcModeVATEngagement=Modo %sVAT em rendimentos-expenses%s b>.
-CalcModeDebt=Análise de faturas registradas, mesmo que ainda não estejam contabilizadas no razão.
+CalcModeDebt=Analysis of known recorded documents even if they are not yet accounted in ledger.
CalcModeEngagement=Análise de pagamentos registrados conhecidos, mesmo que eles ainda não sejam contabilizados no Ledger.
CalcModeBookkeeping=Análise de dados com periodicidade na tabela Ledger de contabilidade.
CalcModeLT1= Modo %sRE nas faturas do cliente - fornecedores invoices%s b>
@@ -154,11 +154,11 @@ AnnualSummaryInputOutputMode=Balanço da receita e despesas, resumo anual
AnnualByCompanies=Saldo de receitas e despesas, por grupos predefinidos de conta
AnnualByCompaniesDueDebtMode=Saldo de receitas e despesas, detalhe por grupos predefinidos, modo %sClaims-Debts%s b> disse Contabilidade de compromisso b>.
AnnualByCompaniesInputOutputMode=Saldo de receitas e despesas, detalhe por grupos predefinidos, modo %sIncomes-Expenses%s b> disse contabilidade de caixa b>.
-SeeReportInInputOutputMode=Consulte %sanálise de payments%s para um cálculo de pagamentos reais efetuados, mesmo que eles ainda não tenham sido contabilizados no Ledger.
-SeeReportInDueDebtMode=Consulte %sanálise de invoices%s para um cálculo baseado em faturas registradas conhecidas, mesmo que elas ainda não tenham sido contabilizadas no Ledger.
-SeeReportInBookkeepingMode=Consulte %sRelatório de reservas%s b> para um cálculo na tabela Razão da contabilidade b>
+SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation based on recorded payments made even if they are not yet accounted in Ledger
+SeeReportInDueDebtMode=See %sanalysis of recorded documents%s for a calculation based on known recorded documents even if they are not yet accounted in Ledger
+SeeReportInBookkeepingMode=See %sanalysis of bookeeping ledger table%s for a report based on Bookkeeping Ledger table
RulesAmountWithTaxIncluded=- Os montantes exibidos contêm todas as taxas incluídas
-RulesResultDue=- It includes outstanding invoices, expenses, VAT, donations whether they are paid or not. Is also includes paid salaries. - It is based on the billing date of invoices and on the due date for expenses or tax payments. For salaries defined with Salary module, the value date of payment is used.
+RulesResultDue=- Inclui faturas pendentes, despesas, IVA, doações pagas ou não. Inclui também salários pagos. - Baseia-se na data de cobrança das faturas e na data de vencimento das despesas ou pagamentos de impostos. Para salários definidos com o módulo Salários, é utilizada a data-valor de pagamento.
RulesResultInOut=- Inclui os pagamentos reais feitos em faturas, despesas, IVA e salários. - Baseia-se nas datas de pagamento das faturas, despesas, IVA e salários. A data de doação para doação.
RulesCADue=- It includes the customer's due invoices whether they are paid or not. - It is based on the billing date of these invoices.
RulesCAIn=- It includes all the effective payments of invoices received from customers. - It is based on the payment date of these invoices
@@ -169,12 +169,15 @@ RulesResultBookkeepingPersonalized=Ele mostra um registro em seu livro contábil
SeePageForSetup=Veja o menu %s para configuração
DepositsAreNotIncluded=- As faturas de adiantamento não estão incluídas
DepositsAreIncluded=- As faturas de adiantamento estão incluídas
+LT1ReportByMonth=Tax 2 report by month
+LT2ReportByMonth=Tax 3 report by month
LT1ReportByCustomers=Denunciar imposto 2 por terceiros
LT2ReportByCustomers=Denunciar imposto 3 por terceiros
LT1ReportByCustomersES=Relatório de terceiros RE
LT2ReportByCustomersES=Relatório de terceiros IRPF
VATReport=Relatório fiscal de venda
VATReportByPeriods=Relatório fiscal de vendas por período
+VATReportByMonth=Sale tax report by month
VATReportByRates=Relatório fiscal de venda por taxas
VATReportByThirdParties=Relatório fiscal de vendas de terceiros
VATReportByCustomers=Relatório fiscal de venda por cliente
diff --git a/htdocs/langs/pt_PT/cron.lang b/htdocs/langs/pt_PT/cron.lang
index 4f3f47748fe..d6f7062e193 100644
--- a/htdocs/langs/pt_PT/cron.lang
+++ b/htdocs/langs/pt_PT/cron.lang
@@ -1,19 +1,20 @@
# Dolibarr language file - Source file is en_US - cron
# About page
# Right
-Permission23101 = Ler trabalho 'Agendado'
-Permission23102 = Criar/atualizar trabalho agendado
-Permission23103 = Eliminar trabalho agendado
-Permission23104 = Executar Trabalho Agendado
+Permission23101 = Ler tarefa 'Agendada'
+Permission23102 = Criar/atualizar tarefa 'Agendada'
+Permission23103 = Eliminar tarefa 'Agendada'
+Permission23104 = Executar tarefa 'Agendada'
# Admin
-CronSetup= Configuração da gestão de tarefas agendadas
-URLToLaunchCronJobs=URL to check and launch qualified cron jobs
-OrToLaunchASpecificJob=Or to check and launch a specific job
-KeyForCronAccess=Security key for URL to launch cron jobs
+CronSetup=Configuração da gestão de tarefas agendadas
+URLToLaunchCronJobs=URL to check and launch qualified cron jobs from a browser
+OrToLaunchASpecificJob=Or to check and launch a specific job from a browser
+KeyForCronAccess=Código de segurança para URL para iniciar tarefas qualificadas
FileToLaunchCronJobs=Command line to check and launch qualified cron jobs
CronExplainHowToRunUnix=On Unix environment you should use the following crontab entry to run the command line each 5 minutes
-CronExplainHowToRunWin=On Microsoft(tm) Windows environement you can use Scheduled task tools to run the command line each 5 minutes
+CronExplainHowToRunWin=On Microsoft(tm) Windows environment you can use Scheduled Task tools to run the command line each 5 minutes
CronMethodDoesNotExists=Class %s does not contains any method %s
+CronMethodNotAllowed=Method %s of class %s is in blacklist of forbidden methods
CronJobDefDesc=Cron job profiles are defined into the module descriptor file. When module is activated, they are loaded and available so you can administer the jobs from the admin tools menu %s.
CronJobProfiles=List of predefined cron job profiles
# Menu
@@ -22,12 +23,12 @@ EnabledAndDisabled=Ativado e desativado
CronLastOutput=Latest run output
CronLastResult=Latest result code
CronCommand=Comando
-CronList=Tarefas agendadas
-CronDelete=Delete scheduled jobs
-CronConfirmDelete=Tem certeza de que deseja eliminar estes trabalhos agendados?
-CronExecute=Launch scheduled job
-CronConfirmExecute=Tem certeza de que deseja executar esses trabalhos agendados agora?
-CronInfo=Módulo de trabalhos agendados permite agendar trabalhos para executá-los automaticamente. Os trabalhos também podem ser iniciados manualmente.
+CronList=Trabalhos agendadas
+CronDelete=Eliminar tarefas agendadas
+CronConfirmDelete=Tem a certeza que deseja eliminar estas tarefas agendadas?
+CronExecute=Iniciar tarefa agendada
+CronConfirmExecute=Tem a certeza de que deseja executar agora estas tarefas agendadas?
+CronInfo=O módulo de tarefas agendadas permite agendar tarefas para executá-las automaticamente. As tarefas também podem ser iniciadas manualmente.
CronTask=Tarefa
CronNone=Nenhuma
CronDtStart=Não antes
@@ -39,16 +40,17 @@ CronFrequency=Frequência
CronClass=Classe
CronMethod=Método
CronModule=Módulo
-CronNoJobs=Nenhumas tarefas registadas
+CronNoJobs=Sem tarefas registadas
CronPriority=Prioridade
CronLabel=Etiqueta
-CronNbRun=N.º de Execução
-CronMaxRun=Max number launch
+CronNbRun=Number of launches
+CronMaxRun=Maximum number of launches
CronEach=Cada
-JobFinished=Terafa lançada e concluída
+JobFinished=Tarefa iniciada e concluída
+Scheduled=Scheduled
#Page card
CronAdd= Adicionar tarefas
-CronEvery=Executar cada trabalho
+CronEvery=Executar cada tarefa
CronObject=Instância/Objeto para criar
CronArgs=Parâmetros
CronSaveSucess=Guardado com sucesso
@@ -56,28 +58,34 @@ CronNote=Comentário
CronFieldMandatory=Os campos %s são obrigatórios
CronErrEndDateStartDt=A data de fim não pode ser anterior à data de início
StatusAtInstall=Estado da instalação do módulo
-CronStatusActiveBtn=Ativar
+CronStatusActiveBtn=Schedule
CronStatusInactiveBtn=Desativar
-CronTaskInactive=Esta tarefa está desactivada
+CronTaskInactive=Esta tarefa está desativada
CronId=Id
CronClassFile=Filename with class
-CronModuleHelp=Name of Dolibarr module directory (also work with external Dolibarr module). For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for module is product
-CronClassFileHelp=The relative path and file name to load (path is relative to web server root directory). For exemple to call the fetch method of Dolibarr Product object htdocs/product/class/product.class.php, the value for class file name is product/class/product.class.php
-CronObjectHelp=The object name to load. For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for class file name is Product
-CronMethodHelp=The object method to launch. For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for method is fetch
-CronArgsHelp=The method arguments. For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for paramters can be 0, ProductRef
+CronModuleHelp=Name of Dolibarr module directory (also work with external Dolibarr module). For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for module is product
+CronClassFileHelp=The relative path and file name to load (path is relative to web server root directory). For example to call the fetch method of Dolibarr Product object htdocs/product/class/product.class.php, the value for class file name is product/class/product.class.php
+CronObjectHelp=The object name to load. For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for class file name is Product
+CronMethodHelp=The object method to launch. For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for method is fetch
+CronArgsHelp=The method arguments. For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for paramters can be 0, ProductRef
CronCommandHelp=The system command line to execute.
-CronCreateJob=Create new Scheduled Job
+CronCreateJob=Criar nova 'Tarefa Agendada'
CronFrom=De
# Info
# Common
-CronType=Tipo de trabalho
+CronType=Tipo de tarefa
CronType_method=Call method of a PHP Class
CronType_command=Shell command
CronCannotLoadClass=Cannot load class file %s (to use class %s)
CronCannotLoadObject=Class file %s was loaded, but object %s was not found into it
-UseMenuModuleToolsToAddCronJobs=Go into menu "Home - Admin tools - Scheduled jobs" to see and edit scheduled jobs.
+UseMenuModuleToolsToAddCronJobs=Go into menu "Home - Admin tools - Scheduled jobs" to see and edit scheduled jobs.
JobDisabled=Job disabled
MakeLocalDatabaseDumpShort=Local database backup
-MakeLocalDatabaseDump=Create a local database dump. Parameters are: compression ('gz' or 'bz' or 'none'), backup type ('mysql' or 'pgsql'), 1, 'auto' or filename to build, number of backup files to keep
+MakeLocalDatabaseDump=Create a local database dump. Parameters are: compression ('gz' or 'bz' or 'none'), backup type ('mysql', 'pgsql', 'auto'), 1, 'auto' or filename to build, number of backup files to keep
WarningCronDelayed=Attention, for performance purpose, whatever is next date of execution of enabled jobs, your jobs may be delayed to a maximum of %s hours, before being run.
+DATAPOLICYJob=Data cleaner and anonymizer
+JobXMustBeEnabled=Job %s must be enabled
+# Cron Boxes
+LastExecutedScheduledJob=Last executed scheduled job
+NextScheduledJobExecute=Next scheduled job to execute
+NumberScheduledJobError=Number of scheduled jobs in error
diff --git a/htdocs/langs/pt_PT/errors.lang b/htdocs/langs/pt_PT/errors.lang
index 1750e06b3f6..57f8d93ee48 100644
--- a/htdocs/langs/pt_PT/errors.lang
+++ b/htdocs/langs/pt_PT/errors.lang
@@ -5,8 +5,10 @@ NoErrorCommitIsDone=Nenhum erro
# Errors
ErrorButCommitIsDone=Erros encontrados, mas a validação foi efetuada apesar disso
ErrorBadEMail=Email %s is wrong
+ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record)
ErrorBadUrl=O url %s está errado
ErrorBadValueForParamNotAString=Valor ruim para o seu parâmetro. Acrescenta geralmente quando falta a tradução.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorLoginAlreadyExists=O login %s já existe.
ErrorGroupAlreadyExists=O grupo %s já existe.
ErrorRecordNotFound=Registo não foi encontrado.
@@ -48,6 +50,7 @@ ErrorFieldsRequired=Não se indicaram alguns campos obrigatórios
ErrorSubjectIsRequired=O tópico do email é obrigatório
ErrorFailedToCreateDir=Erro na criação de uma pasta. Verifique se o usuário do servidor Web tem acesso de escrita aos documentos Dolibarr. Se o parâmetro safe_mode b> está ativo no PHP, Verifique se os arquivos php do Dolibarr são da propriedade do usuário do servidor web.
ErrorNoMailDefinedForThisUser=E-Mail não definido para este utilizador
+ErrorSetupOfEmailsNotComplete=Setup of emails is not complete
ErrorFeatureNeedJavascript=Esta Funcionalidade precisa de javascript activo para funcionar. Modifique em configuração->ambiente.
ErrorTopMenuMustHaveAParentWithId0=Um menu do tipo 'Superior' não pode ter um menu pai. Coloque 0 ao ID pai ou busque um menu do tipo 'esquerdo'
ErrorLeftMenuMustHaveAParentId=Um menu do tipo 'esquerdo' deve de ter um ID de pai
@@ -75,7 +78,7 @@ ErrorExportDuplicateProfil=Este nome de perfil já existe para este conjunto de
ErrorLDAPSetupNotComplete=A configuração Dolibarr-LDAP é incompleta.
ErrorLDAPMakeManualTest=Foi criado um Ficheiro .ldif na pasta %s. Trate de gerir manualmente este Ficheiro desde a linha de comandos para Obter mais detalhes acerca do erro.
ErrorCantSaveADoneUserWithZeroPercentage=Não é possível salvar uma ação com "status não iniciado" se o campo "concluído por" também estiver preenchido.
-ErrorRefAlreadyExists=A referencia utilizada para a criação já existe
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorPleaseTypeBankTransactionReportName=Por favor, insira o nome do extrato bancário onde a entrada deve ser relatada (Formato AAAA ou AAAAMMDD)
ErrorRecordHasChildren=Falha ao excluir registro, pois possui alguns registros filhos.
ErrorRecordHasAtLeastOneChildOfType=O objeto tem pelo menos um elemento do tipo %s
@@ -216,7 +219,7 @@ ErrorChooseBetweenFreeEntryOrPredefinedProduct=Você deve escolher se o artigo
ErrorDiscountLargerThanRemainToPaySplitItBefore=O desconto que você tenta aplicar é maior do que continuar a pagar. Divida o desconto em 2 descontos menores antes.
ErrorFileNotFoundWithSharedLink=Ficheiro não encontrado. É possível que a chave de partilha tenha sido modificada ou o ficheiro tenha sido removido recentemente.
ErrorProductBarCodeAlreadyExists=O código de barras do produto %s já existe em outra referência de produto.
-ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Observe também que não é possível usar o produto virtual para aumentar / diminuir automaticamente subprodutos quando pelo menos um subproduto (ou subproduto de subprodutos) precisa de um número de série / lote.
+ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using kits to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number.
ErrorDescRequiredForFreeProductLines=A descrição é obrigatória para linhas com produto livre
ErrorAPageWithThisNameOrAliasAlreadyExists=A página / container %s strong> tem o mesmo nome ou alias alternativo que você usa
ErrorDuringChartLoad=Error when loading chart of accounts. If few accounts were not loaded, you can still enter them manually.
@@ -243,6 +246,16 @@ ErrorReplaceStringEmpty=Error, the string to replace into is empty
ErrorProductNeedBatchNumber=Error, product '%s' need a lot/serial number
ErrorProductDoesNotNeedBatchNumber=Error, product '%s' does not accept a lot/serial number
ErrorFailedToReadObject=Error, failed to read object of type %s
+ErrorParameterMustBeEnabledToAllwoThisFeature=Error, parameter %s must be enabled into conf/conf.php to allow use of Command Line Interface by the internal job scheduler
+ErrorLoginDateValidity=Error, this login is outside the validity date range
+ErrorValueLength=Length of field '%s' must be higher than '%s'
+ErrorReservedKeyword=The word '%s' is a reserved keyword
+ErrorNotAvailableWithThisDistribution=Not available with this distribution
+ErrorPublicInterfaceNotEnabled=Public interface was not enabled
+ErrorLanguageRequiredIfPageIsTranslationOfAnother=The language of new page must be defined if it is set as a translation of another page
+ErrorLanguageMustNotBeSourceLanguageIfPageIsTranslationOfAnother=The language of new page must not be the source language if it is set as a translation of another page
+ErrorAParameterIsRequiredForThisOperation=A parameter is mandatory for this operation
+
# Warnings
WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup.
WarningPasswordSetWithNoAccount=Uma senha foi definida para este membro. No entanto, nenhuma conta de usuário foi criada. Portanto, essa senha é armazenada, mas não pode ser usada para fazer login no Dolibarr. Pode ser usado por um módulo externo / interface, mas se você não precisa definir nenhum login nem senha para um membro, você pode desativar a opção "Gerenciar um login para cada membro" da configuração do módulo de membro. Se você precisar gerenciar um login, mas não precisar de nenhuma senha, poderá manter esse campo vazio para evitar esse aviso. Nota: O email também pode ser usado como um login se o membro estiver vinculado a um usuário.
@@ -267,6 +280,10 @@ WarningYourLoginWasModifiedPleaseLogin=O seu login foi modificado. Por motivos d
WarningAnEntryAlreadyExistForTransKey=Já existe uma entrada para a chave de tradução para este idioma
WarningNumberOfRecipientIsRestrictedInMassAction=Atenção, o número de destinatários diferentes é limitado a %s b> ao usar as ações em massa nas listas
WarningDateOfLineMustBeInExpenseReportRange=Atenção, a data da linha não está no intervalo do relatório de despesas
+WarningProjectDraft=Project is still in draft mode. Don't forget to validate it if you plan to use tasks.
WarningProjectClosed=Project is closed. You must re-open it first.
WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list.
-WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table
+WarningFailedToAddFileIntoDatabaseIndex=Warning, failed to add file entry into ECM database index table
+WarningTheHiddenOptionIsOn=Warning, the hidden option %s is on.
+WarningCreateSubAccounts=Warning, you can't create directly a sub account, you must create a third party or an user and assign them an accounting code to find them in this list
+WarningAvailableOnlyForHTTPSServers=Available only if using HTTPS secured connection.
diff --git a/htdocs/langs/pt_PT/exports.lang b/htdocs/langs/pt_PT/exports.lang
index 519f3985bc9..083e48f5527 100644
--- a/htdocs/langs/pt_PT/exports.lang
+++ b/htdocs/langs/pt_PT/exports.lang
@@ -26,6 +26,8 @@ FieldTitle=Campo título
NowClickToGenerateToBuildExportFile=Agora, selecione o formato de arquivo na caixa de combinação e clique em "Generate" para construir o arquivo de exportação ...
AvailableFormats=Formatos Disponíveis
LibraryShort=Biblioteca
+ExportCsvSeparator=Csv caracter separator
+ImportCsvSeparator=Csv caracter separator
Step=Passo
FormatedImport=Assistente de Importação
FormatedImportDesc1=Este módulo permite-lhe atualizar os dados existentes ou adicionar novos objetos na base de dados a partir de um ficheiro sem conhecimentos técnicos, utilizando um assistente.
@@ -131,3 +133,4 @@ KeysToUseForUpdates=Chave (coluna) a ser usada para atualizar b> dados ex
NbInsert=Número de linhas inseridas: %s
NbUpdate=Número de linhas atualizadas: %s
MultipleRecordFoundWithTheseFilters=Foram encontrados vários registos com esses filtros: %s
+StocksWithBatch=Stocks and location (warehouse) of products with batch/serial number
diff --git a/htdocs/langs/pt_PT/mails.lang b/htdocs/langs/pt_PT/mails.lang
index 4711f17de75..48aee28e94b 100644
--- a/htdocs/langs/pt_PT/mails.lang
+++ b/htdocs/langs/pt_PT/mails.lang
@@ -92,6 +92,7 @@ MailingModuleDescEmailsFromUser=Entrada de e-mails pelo usuário
MailingModuleDescDolibarrUsers=Usuários com e-mails
MailingModuleDescThirdPartiesByCategories=Terceiros (por categorias)
SendingFromWebInterfaceIsNotAllowed=Envio de interface web não é permitido.
+EmailCollectorFilterDesc=All filters must match to have an email being collected
# Libelle des modules de liste de destinataires mailing
LineInFile=Linha %s em Ficheiro
@@ -125,12 +126,13 @@ TagMailtoEmail=Recipient Email (including html "mailto:" link)
NoEmailSentBadSenderOrRecipientEmail=Nenhum email enviado. Remetente incorreto ou email do destinatário. Verifique o perfil do usuário.
# Module Notifications
Notifications=Notificações
-NoNotificationsWillBeSent=Nenhuma notificação por e-mail está prevista para este evento e empresa
-ANotificationsWillBeSent=1 notificação vai a ser enviada por e-mail
-SomeNotificationsWillBeSent=%s Notificações vão ser enviadas por e-mail
-AddNewNotification=Ativar um novo alvo/evento de notificação por e-mail
-ListOfActiveNotifications=Listar todos os destinos / eventos ativos para notificação por email
-ListOfNotificationsDone=Lista de todas as notificações de e-mail enviado
+NotificationsAuto=Notifications Auto.
+NoNotificationsWillBeSent=No automatic email notifications are planned for this event type and company
+ANotificationsWillBeSent=1 automatic notification will be sent by email
+SomeNotificationsWillBeSent=%s automatic notifications will be sent by email
+AddNewNotification=Subscribe to a new automatic email notification (target/event)
+ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification
+ListOfNotificationsDone=List all automatic email notifications sent
MailSendSetupIs=A configuração do envio de email foi configurada para '%s'. Este modo não pode ser usado para enviar e-mails em massa.
MailSendSetupIs2=Você deve primeiro ir, com uma conta admin, no menu %sHome - Setup - EMails%s para alterar o parâmetro '%s' strong> para usar o modo '%s'. Com esse modo, você pode inserir a configuração do servidor SMTP fornecido pelo seu provedor de serviços de Internet e usar o recurso de envio de email em massa.
MailSendSetupIs3=Se você tiver alguma dúvida sobre como configurar seu servidor SMTP, você pode perguntar para %s.
@@ -140,7 +142,7 @@ UseFormatFileEmailToTarget=O arquivo importado deve ter formato email;
UseFormatInputEmailToTarget=Insira uma string com o formato email; nome; nome; outro strong>
MailAdvTargetRecipients=Destinatários (seleção avançada)
AdvTgtTitle=Preencha os campos de entrada para pré-selecionar os terceiros ou contatos / endereços para segmentar
-AdvTgtSearchTextHelp=Use %% como curingas. Por exemplo, para encontrar todos os itens como jean, joe, jim b>, você pode inserir j%% b>, você também pode usar; como separador por valor e use! por exceto este valor. Por exemplo, jean; joe; jim%%;! Jimo;! Jima% b> terá como alvo todo o jean, joe, comece com jim mas não jimo e nem tudo que começar com jima
+AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima%% will target all jean, joe, start with jim but not jimo and not everything that starts with jima
AdvTgtSearchIntHelp=Use interval para selecionar int ou valor float
AdvTgtMinVal=Valor mínimo
AdvTgtMaxVal=Valor máximo
@@ -162,13 +164,14 @@ AdvTgtCreateFilter=Criar filtro
AdvTgtOrCreateNewFilter=Nome do novo filtro
NoContactWithCategoryFound=Nenhum contato / endereço com uma categoria encontrada
NoContactLinkedToThirdpartieWithCategoryFound=Nenhum contato / endereço com uma categoria encontrada
-OutGoingEmailSetup=Configuração de email de saída
-InGoingEmailSetup=Configuração de email de entrada
-OutGoingEmailSetupForEmailing=Outgoing email setup (for module %s)
-DefaultOutgoingEmailSetup=Configuração de email de saída padrão
+OutGoingEmailSetup=Outgoing emails
+InGoingEmailSetup=Incoming emails
+OutGoingEmailSetupForEmailing=Outgoing emails (for module %s)
+DefaultOutgoingEmailSetup=Same configuration than the global Outgoing email setup
Information=Informação
ContactsWithThirdpartyFilter=Contacts with third-party filter
Unanswered=Unanswered
Answered=Answered
IsNotAnAnswer=Is not answer (initial email)
IsAnAnswer=Is an answer of an initial email
+RecordCreatedByEmailCollector=Record created by the Email Collector %s from email %s
diff --git a/htdocs/langs/pt_PT/main.lang b/htdocs/langs/pt_PT/main.lang
index d49765da4c1..2fb27694a89 100644
--- a/htdocs/langs/pt_PT/main.lang
+++ b/htdocs/langs/pt_PT/main.lang
@@ -28,7 +28,9 @@ NoTemplateDefined=Nenhum modelo disponível para este tipo de e-mail
AvailableVariables=Variáveis de substituição disponíveis
NoTranslation=Sem tradução
Translation=Tradução
+CurrentTimeZone=Zona Horária PHP (servidor)
EmptySearchString=Introduza alguns critérios de pesquisa
+EnterADateCriteria=Enter a date criteria
NoRecordFound=Nenhum foi encontrado nenhum registo
NoRecordDeleted=Nenhum registo eliminado
NotEnoughDataYet=Não existe dados suficientes
@@ -85,6 +87,8 @@ FileWasNotUploaded=Um ficheiro foi seleccionada para ser anexado, mas ainda não
NbOfEntries=N.º de entradas
GoToWikiHelpPage=Consultar ajuda online (necessita de acesso à Internet)
GoToHelpPage=Ir para páginas de ajuda
+DedicatedPageAvailable=There is a dedicated help page related to your current screen
+HomePage=Página Inicial
RecordSaved=Registo Guardado
RecordDeleted=Registo eliminado
RecordGenerated=Registo gerado
@@ -433,6 +437,7 @@ RemainToPay=Montante por pagar
Module=Módulo/Aplicação
Modules=Módulos/Aplicações
Option=Opção
+Filters=Filters
List=Lista
FullList=Lista Completa
FullConversation=Conversa completa
@@ -671,7 +676,7 @@ SendMail=Enviar e-mail
Email=Email
NoEMail=Sem e-mail
AlreadyRead=Já lido
-NotRead=Não lido
+NotRead=Unread
NoMobilePhone=Sem telefone móvel
Owner=Proprietário
FollowingConstantsWillBeSubstituted=As seguintes constantes serão substituidas pelo seu valor correspondente.
@@ -1107,3 +1112,8 @@ UpToDate=Actualizado
OutOfDate=Desactualizado
EventReminder=Lembrete de evento
UpdateForAllLines=Update for all lines
+OnHold=On hold
+AffectTag=Affect Tag
+ConfirmAffectTag=Bulk Tag Affect
+ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected record(s)?
+CategTypeNotFound=No tag type found for type of records
diff --git a/htdocs/langs/pt_PT/modulebuilder.lang b/htdocs/langs/pt_PT/modulebuilder.lang
index 416c94c117f..f4005f2db69 100644
--- a/htdocs/langs/pt_PT/modulebuilder.lang
+++ b/htdocs/langs/pt_PT/modulebuilder.lang
@@ -40,6 +40,7 @@ PageForCreateEditView=Página PHP para criar/editar/visualizar um registo
PageForAgendaTab=Página PHP para guia de evento
PageForDocumentTab=Página PHP para guia do documento
PageForNoteTab=Página do PHP para a guia de nota
+PageForContactTab=PHP page for contact tab
PathToModulePackage=Caminho para o ficheiro pacote .zip do módulo/aplicação
PathToModuleDocumentation=Path to file of module/application documentation (%s)
SpaceOrSpecialCharAreNotAllowed=Espaços ou caracteres especiais não são permitidos.
@@ -77,7 +78,7 @@ IsAMeasure=É uma medida
DirScanned=Diretório varrido
NoTrigger=Nenhum gatilho
NoWidget=Nenhum widget
-GoToApiExplorer=Ir para o explorador de API
+GoToApiExplorer=API explorer
ListOfMenusEntries=Lista de entradas do menu
ListOfDictionariesEntries=List of dictionaries entries
ListOfPermissionsDefined=Lista de permissões definidas
@@ -105,7 +106,7 @@ TryToUseTheModuleBuilder=Se você tem conhecimento de SQL e PHP, você pode usar
SeeTopRightMenu=Veja span> no menu superior direito
AddLanguageFile=Adicionar ficheiro de idiomas
YouCanUseTranslationKey=Você pode usar aqui uma chave que é a chave de tradução encontrada no arquivo de idioma (veja a aba "Idiomas")
-DropTableIfEmpty=(Excluir tabela se vazia)
+DropTableIfEmpty=(Destroy table if empty)
TableDoesNotExists=A tabela %s não existe
TableDropped=Tabela %s excluída
InitStructureFromExistingTable=Construir a cadeia de matriz de estrutura de uma tabela existente
@@ -126,7 +127,6 @@ UseSpecificEditorURL = Use a specific editor URL
UseSpecificFamily = Use a specific family
UseSpecificAuthor = Use a specific author
UseSpecificVersion = Use a specific initial version
-ModuleMustBeEnabled=The module/application must be enabled first
IncludeRefGeneration=The reference of object must be generated automatically
IncludeRefGenerationHelp=Check this if you want to include code to manage the generation automatically of the reference
IncludeDocGeneration=I want to generate some documents from the object
@@ -140,3 +140,4 @@ TypeOfFieldsHelp=Type of fields: varchar(99), double(24,8), real, text, html,
AsciiToHtmlConverter=Ascii to HTML converter
AsciiToPdfConverter=Ascii to PDF converter
TableNotEmptyDropCanceled=Table not empty. Drop has been canceled.
+ModuleBuilderNotAllowed=The module builder is available but not allowed to your user.
diff --git a/htdocs/langs/pt_PT/other.lang b/htdocs/langs/pt_PT/other.lang
index ce2b87ce1ac..eb83548c18c 100644
--- a/htdocs/langs/pt_PT/other.lang
+++ b/htdocs/langs/pt_PT/other.lang
@@ -5,8 +5,6 @@ Tools=Utilidades
TMenuTools=Ferramentas
ToolsDesc=Todas as ferramentas não incluídas em outras entradas do menu estão agrupadas aqui. Todas as ferramentas podem ser acessadas através do menu à esquerda.
Birthday=Aniversario
-BirthdayDate=Data de nascimento
-DateToBirth=Birth date
BirthdayAlertOn=Alerta de aniversário activo
BirthdayAlertOff=Alerta aniversário inativo
TransKey=Tradução da chave TransKey
@@ -16,6 +14,8 @@ PreviousMonthOfInvoice=Mês anterior (número 1-12) à data da fatura
TextPreviousMonthOfInvoice=Mês anterior (texto) da data da fatura
NextMonthOfInvoice=Mês seguinte (número 1-12) à data da fatura
TextNextMonthOfInvoice=Mês seguinte (texto) à data da fatura
+PreviousMonth=Previous month
+CurrentMonth=Current month
ZipFileGeneratedInto=Ficheiro zip gerado em %s.
DocFileGeneratedInto=Ficheiro doc gerado em %s.
JumpToLogin=Desconectado. Vá para a página de inicio de sessão...
@@ -99,6 +99,7 @@ PredefinedMailContentSendShipping=__(Hello)__\n\nPlease find shipping __REF__ at
PredefinedMailContentSendFichInter=__(Hello)__\n\nPlease find intervention __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
PredefinedMailContentLink=Você pode clicar no link abaixo para fazer seu pagamento, se ainda não estiver pronto.\n\n%s\n\n
PredefinedMailContentGeneric=__(Olá)__\n\n\n__(Atenciosamente)__\n\n__USER_SIGNATURE__
+PredefinedMailContentSendActionComm=Event reminder "__EVENT_LABEL__" on __EVENT_DATE__ at __EVENT_TIME__
This is an automatic message, please do not reply.
DemoDesc=O Dolibarr é um ERP/CRM compacto que suporta vários módulos de negócios. Uma demonstração mostrando todos os módulos não faz sentido porque esse cenário nunca ocorre (várias centenas disponíveis). Assim, vários perfis de demonstração estão disponíveis.
ChooseYourDemoProfil=Escolha o perfil de demonstração que melhor se adequa às suas necessidades ...
ChooseYourDemoProfilMore=...ou crie o seu próprio perfil (seleção manual de módulo)
@@ -137,7 +138,7 @@ Right=Direito
CalculatedWeight=Peso calculado
CalculatedVolume=Volume calculado
Weight=Peso
-WeightUnitton=Toneladas
+WeightUnitton=ton
WeightUnitkg=kg
WeightUnitg=g
WeightUnitmg=mg
@@ -258,6 +259,7 @@ ContactCreatedByEmailCollector=Contact/address created by email collector from e
ProjectCreatedByEmailCollector=Project created by email collector from email MSGID %s
TicketCreatedByEmailCollector=Ticket created by email collector from email MSGID %s
OpeningHoursFormatDesc=Use a - to separate opening and closing hours. Use a space to enter different ranges. Example: 8-12 14-18
+PrefixSession=Prefix for session ID
##### Export #####
ExportsArea=Área de Exportações
diff --git a/htdocs/langs/pt_PT/products.lang b/htdocs/langs/pt_PT/products.lang
index c3b0fc3d5eb..1645e82dee9 100644
--- a/htdocs/langs/pt_PT/products.lang
+++ b/htdocs/langs/pt_PT/products.lang
@@ -108,7 +108,8 @@ FillWithLastServiceDates=Fill with last service line dates
MultiPricesAbility=Multiple price segments per product/service (each customer is in one price segment)
MultiPricesNumPrices=Nº de preços
DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices
-AssociatedProductsAbility=Activate kits (virtual products)
+AssociatedProductsAbility=Enable Kits (set of other products)
+VariantsAbility=Enable Variants (variations of products, for example color, size)
AssociatedProducts=Kits
AssociatedProductsNumber=Number of products composing this kit
ParentProductsNumber=Número de produtos de embalagem fonte
@@ -167,8 +168,10 @@ BuyingPrices=Preços de compra
CustomerPrices=Preços aos clientes
SuppliersPrices=Preços de fornecedor
SuppliersPricesOfProductsOrServices=Vendor prices (of products or services)
-CustomCode=Código Aduaneiro / Commodity / HS
+CustomCode=Customs|Commodity|HS code
CountryOrigin=País de origem
+RegionStateOrigin=Region origin
+StateOrigin=State|Province origin
Nature=Nature of product (material/finished)
NatureOfProductShort=Nature of product
NatureOfProductDesc=Raw material or finished product
@@ -239,7 +242,7 @@ AlwaysUseFixedPrice=Utilizar o preço fixo
PriceByQuantity=Preços diferentes por quantidade
DisablePriceByQty=Desativar preços por quantidade
PriceByQuantityRange=Gama de quantidades
-MultipriceRules=Regras de segmento de preço
+MultipriceRules=Automatic prices for segment
UseMultipriceRules=Utilizar regras de segmento de preço (definidas na configuração do módulo do produto) para calcular automaticamente os preços de todos os outros segmentos de acordo com o primeiro segmento
PercentVariationOver=variação %% sobre %s
PercentDiscountOver=%% desconto sobre %s
diff --git a/htdocs/langs/pt_PT/recruitment.lang b/htdocs/langs/pt_PT/recruitment.lang
index b11245de51e..eb48df47240 100644
--- a/htdocs/langs/pt_PT/recruitment.lang
+++ b/htdocs/langs/pt_PT/recruitment.lang
@@ -73,3 +73,4 @@ JobClosedTextCandidateFound=The job position is closed. The position has been fi
JobClosedTextCanceled=The job position is closed.
ExtrafieldsJobPosition=Complementary attributes (job positions)
ExtrafieldsCandidatures=Complementary attributes (job applications)
+MakeOffer=Make an offer
diff --git a/htdocs/langs/pt_PT/sendings.lang b/htdocs/langs/pt_PT/sendings.lang
index 156fc7a9c54..f66f4fbc0fe 100644
--- a/htdocs/langs/pt_PT/sendings.lang
+++ b/htdocs/langs/pt_PT/sendings.lang
@@ -30,6 +30,7 @@ OtherSendingsForSameOrder=Outros Envios deste Pedido
SendingsAndReceivingForSameOrder=Envios e receções para esta encomenda
SendingsToValidate=Expedições por validar
StatusSendingCanceled=Cancelado
+StatusSendingCanceledShort=Cancelado
StatusSendingDraft=Rascunho
StatusSendingValidated=Validado (produtos a enviar ou enviados)
StatusSendingProcessed=Processado
@@ -65,6 +66,7 @@ ValidateOrderFirstBeforeShipment=Deve validar a encomenda antes de poder efetuar
# Sending methods
# ModelDocument
DocumentModelTyphon=Modelo de documento mais completo para a entrega recibos (logo. ..)
+DocumentModelStorm=More complete document model for delivery receipts and extrafields compatibility (logo...)
Error_EXPEDITION_ADDON_NUMBER_NotDefined=EXPEDITION_ADDON_NUMBER constante não definida
SumOfProductVolumes=Soma dos volumes dos produtos
SumOfProductWeights=Soma dos pesos dos produtos
diff --git a/htdocs/langs/pt_PT/stocks.lang b/htdocs/langs/pt_PT/stocks.lang
index 2ad95e6aadc..749a693d3b6 100644
--- a/htdocs/langs/pt_PT/stocks.lang
+++ b/htdocs/langs/pt_PT/stocks.lang
@@ -240,3 +240,4 @@ InventoryRealQtyHelp=Set value to 0 to reset qty Keep field empty, or remove
UpdateByScaning=Update by scaning
UpdateByScaningProductBarcode=Update by scan (product barcode)
UpdateByScaningLot=Update by scan (lot|serial barcode)
+DisableStockChangeOfSubProduct=Deactivate the stock change for all the subproducts of this Kit during this movement.
diff --git a/htdocs/langs/pt_PT/ticket.lang b/htdocs/langs/pt_PT/ticket.lang
index 4ef4dab738e..3b45f4471c9 100644
--- a/htdocs/langs/pt_PT/ticket.lang
+++ b/htdocs/langs/pt_PT/ticket.lang
@@ -31,10 +31,8 @@ TicketDictType=Ticket - Types
TicketDictCategory=Ticket - Groupes
TicketDictSeverity=Ticket - Severities
TicketDictResolution=Ticket - Resolution
-TicketTypeShortBUGSOFT=Lógica do sistema de desconexão
-TicketTypeShortBUGHARD=Disfonctionnement matériel
-TicketTypeShortCOM=Questão comercial
+TicketTypeShortCOM=Questão comercial
TicketTypeShortHELP=Request for functionnal help
TicketTypeShortISSUE=Issue, bug or problem
TicketTypeShortREQUEST=Change or enhancement request
@@ -44,7 +42,7 @@ TicketTypeShortOTHER=Outro
TicketSeverityShortLOW=Baixo
TicketSeverityShortNORMAL=Normal
TicketSeverityShortHIGH=Alto
-TicketSeverityShortBLOCKING=Crítico / Bloqueio
+TicketSeverityShortBLOCKING=Critical, Blocking
ErrorBadEmailAddress=Campo '%s' incorreto
MenuTicketMyAssign=Os meus tickets
@@ -60,7 +58,6 @@ OriginEmail=Fonte de e-mail
Notify_TICKET_SENTBYMAIL=Send ticket message by email
# Status
-NotRead=Não lido
Read=Ler
Assigned=Atribuído
InProgress=Em progresso
@@ -126,6 +123,7 @@ TicketsActivatePublicInterfaceHelp=A interface pública permite que qualquer vis
TicketsAutoAssignTicket=Atribuir automaticamente o usuário que criou o ticket
TicketsAutoAssignTicketHelp=Ao criar um ticket, o usuário pode ser atribuído automaticamente ao ticket.
TicketNumberingModules=Módulo de numeração de ingressos
+TicketsModelModule=Document templates for tickets
TicketNotifyTiersAtCreation=Notify third party at creation
TicketsDisableCustomerEmail=Always disable emails when a ticket is created from public interface
TicketsPublicNotificationNewMessage=Send email(s) when a new message is added
@@ -233,7 +231,6 @@ TicketLogStatusChanged=Status changed: %s to %s
TicketNotNotifyTiersAtCreate=Não notificar a empresa na criação
Unread=Não lida
TicketNotCreatedFromPublicInterface=Not available. Ticket was not created from public interface.
-PublicInterfaceNotEnabled=Public interface was not enabled
ErrorTicketRefRequired=Ticket reference name is required
#
diff --git a/htdocs/langs/pt_PT/website.lang b/htdocs/langs/pt_PT/website.lang
index c18079450fb..9b4a56eab98 100644
--- a/htdocs/langs/pt_PT/website.lang
+++ b/htdocs/langs/pt_PT/website.lang
@@ -30,7 +30,6 @@ EditInLine=Editar em linha
AddWebsite=Adicionar site da Web
Webpage=Página/recipiente da Web
AddPage=Adicionar página/recipiente
-HomePage=Página Inicial
PageContainer=Página
PreviewOfSiteNotYetAvailable=Pré-visualização do seu site %s strong> ainda não disponível. Você deve primeiro ' Importar um modelo de site completo strong>' ou apenas ' Adicionar uma página / contêiner strong>'.
RequestedPageHasNoContentYet=Página solicitada com o ID %s ainda não tem conteúdo, ou o arquivo de cache .tpl.php foi removido. Edite o conteúdo da página para resolver isso.
@@ -101,7 +100,7 @@ EmptyPage=Página vazia
ExternalURLMustStartWithHttp=O URL externo deve começar com http: // ou https: //
ZipOfWebsitePackageToImport=Upload the Zip file of the website template package
ZipOfWebsitePackageToLoad=or Choose an available embedded website template package
-ShowSubcontainers=Incluir conteúdo dinâmico
+ShowSubcontainers=Show dynamic content
InternalURLOfPage=URL interno da página
ThisPageIsTranslationOf=This page/container is a translation of
ThisPageHasTranslationPages=Esta página / contêiner tem tradução
@@ -137,3 +136,4 @@ RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using
PagesRegenerated=%s page(s)/container(s) regenerated
RegenerateWebsiteContent=Regenerate web site cache files
AllowedInFrames=Allowed in Frames
+DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languages into web site properties.
diff --git a/htdocs/langs/pt_PT/withdrawals.lang b/htdocs/langs/pt_PT/withdrawals.lang
index 56a6745c1c0..e0badd9bf68 100644
--- a/htdocs/langs/pt_PT/withdrawals.lang
+++ b/htdocs/langs/pt_PT/withdrawals.lang
@@ -42,6 +42,7 @@ LastWithdrawalReceipt=Últimos recibos de débito direto %s
MakeWithdrawRequest=Efetuar um pedido de pagamento por débito direto
MakeBankTransferOrder=Make a credit transfer request
WithdrawRequestsDone=Pedidos de pagamento por débito direto %s registrados
+BankTransferRequestsDone=%s credit transfer requests recorded
ThirdPartyBankCode=Third-party bank code
NoInvoiceCouldBeWithdrawed=Nenhuma fatura debitada com sucesso. Verifique se as faturas estão em empresas com um IBAN válido e se o IBAN tem uma UMR (Unique Mandate Reference) com o modo %s strong>.
ClassCredited=Classificar como creditado
@@ -131,7 +132,8 @@ SEPARCUR=SEPA CUR
SEPAFRST=SEPA FRST
ExecutionDate=Data de execução
CreateForSepa=Criar ficheiro de débito direto
-ICS=Creditor Identifier CI
+ICS=Creditor Identifier CI for direct debit
+ICSTransfer=Creditor Identifier CI for bank transfer
END_TO_END="EndToEndId" SEPA XML tag - Unique id assigned per transaction
USTRD="Unstructured" SEPA XML tag
ADDDAYS=Add days to Execution Date
@@ -146,3 +148,4 @@ InfoRejectSubject=Pedido de pagamento por débito direto recusado
InfoRejectMessage=Olá,
a ordem de pagamento de débito directo da factura %s relacionada com a empresa %s, com uma quantidade de %s foi recusada pelo banco.
%s
ModeWarning=Opção para o modo real não foi definido, nós paramos depois desta simulação
ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know wich one to use.
+ErrorICSmissing=Missing ICS in Bank account %s
diff --git a/htdocs/langs/ro_RO/accountancy.lang b/htdocs/langs/ro_RO/accountancy.lang
index db1f0e59b3f..729619f6738 100644
--- a/htdocs/langs/ro_RO/accountancy.lang
+++ b/htdocs/langs/ro_RO/accountancy.lang
@@ -48,6 +48,7 @@ CountriesExceptMe=Toate țările, cu excepția %s
AccountantFiles=Export documente sursă
ExportAccountingSourceDocHelp=Cu acest instrument, puteți exporta evenimentele sursă (listă și PDF-uri) care au fost utilizate pentru a vă genera înregistrările contabile. Pentru a vă exporta jurnalele, utilizați intrarea din meniu %s-%s.
VueByAccountAccounting=Vizualizare după contul contabil
+VueBySubAccountAccounting=Vizualizați după subcont contabil
MainAccountForCustomersNotDefined=Contul contabil principal pentru clienții care nu sunt definiți în configurare
MainAccountForSuppliersNotDefined=Contul contabil principal pentru furnizorii care nu sunt definiți în configurare
@@ -144,7 +145,7 @@ NotVentilatedinAccount=Nu este asociat cu contul contabil
XLineSuccessfullyBinded=%s produse/servicii legate cu succes de un cont contabil
XLineFailedToBeBinded=Produsele / serviciile %s nu au fost asociate niciunui cont contabil
-ACCOUNTING_LIMIT_LIST_VENTILATION=Număr de elemente de legat afișate de pagină (maximum recomandat: 50)
+ACCOUNTING_LIMIT_LIST_VENTILATION=Numărul maxim de linii în liste și pe pagina de legare (recomandat: 50)
ACCOUNTING_LIST_SORT_VENTILATION_TODO=Începeți sortarea paginii "Asocieri de făcut" după cele mai recente elemente
ACCOUNTING_LIST_SORT_VENTILATION_DONE=Începeți sortarea paginii "Asocieri făcute" după cele mai recente elemente
@@ -198,7 +199,8 @@ Docdate=Data
Docref=Referinţă
LabelAccount=Etichetă cont
LabelOperation=Etichetarea operaţiei
-Sens=Sens
+Sens=Direcţie
+AccountingDirectionHelp=Pentru un cont contabil al unui client, utilizați Credit pentru a înregistra o plată pe care ați primit-o Pentru un cont contabil al unui furnizor, utilizați Debit pentru a înregistra o plată pe care o efectuați
LetteringCode=Codul de scriere
Lettering=Numerotare
Codejournal=Journal
@@ -206,7 +208,8 @@ JournalLabel=Eticheta jurnalului
NumPiece=Număr nota contabila
TransactionNumShort=Numărul tranzacţiei
AccountingCategory=Grupuri personalizate
-GroupByAccountAccounting=Grupează după contul contabil
+GroupByAccountAccounting=Grupare după cont registru
+GroupBySubAccountAccounting=Grupare după cont de subregistru
AccountingAccountGroupsDesc=Puteți defini aici câteva grupuri de conturi de contabilitate. Acestea vor fi utilizate pentru rapoarte contabile personalizate.
ByAccounts=Prin conturi
ByPredefinedAccountGroups=Prin grupuri predefinite
@@ -248,7 +251,7 @@ PaymentsNotLinkedToProduct=Plata nu legată de vreun produs/serviciu
OpeningBalance=Sold iniţial de deschidere
ShowOpeningBalance=Afişează soldurile de deschidere
HideOpeningBalance=Ascunde soldurile de deschidere
-ShowSubtotalByGroup=Afişare subtotal după grupă
+ShowSubtotalByGroup=Afișează subtotalul după nivel
Pcgtype=Grup de conturi
PcgtypeDesc=Grupele de conturi sunt utilizate ca criterii predefinite de 'filtrare' și 'grupare' pentru unele rapoarte contabile. De exemplu, 'VENITURI' sau 'CHELTUIELI' sunt utilizate ca grupe pentru conturile contabile ale produselor pentru a construi raportul de cheltuieli/venituri.
@@ -271,11 +274,13 @@ DescVentilExpenseReport=Consultați aici lista liniilor de raportare a cheltuiel
DescVentilExpenseReportMore=Dacă configurați contul de contabilitate pe linii de raportare a tipurilor de cheltuieli, aplicația va putea face toate legătura între liniile dvs. de raportare a cheltuielilor și contul contabil al planului dvs. de conturi, într-un singur clic „%s“ . În cazul în care contul nu a fost stabilit în dicționar de taxe sau dacă aveți încă anumite linii care nu sunt legate de niciun cont, va trebui să faceți o legare manuală din meniu %s ".
DescVentilDoneExpenseReport=Consultați aici lista liniilor rapoartelor privind cheltuielile și contul contabil a taxelor lor
+Closure=Închidere anuală
DescClosure=Consultați aici numărul de tranzacţii lunare care nu sunt validate și se află în anii fiscali deschişi
OverviewOfMovementsNotValidated=Pasul 1 / Prezentarea generală a tranzacţiilor nevalidate. (Necesar pentru a închide un an fiscal)
+AllMovementsWereRecordedAsValidated=Toate mișcările au fost înregistrate ca validate
+NotAllMovementsCouldBeRecordedAsValidated=Nu toate mișcările au putut fi înregistrate ca validate
ValidateMovements=Vallidare trasferuri
DescValidateMovements= Orice modificare sau ștergere a înregistrărilor va fi interzisă. Toate intrările pentru un exercițiu financiar trebuie validate, altfel închiderea nu va fi posibilă
-SelectMonthAndValidate=Selectează luna şi validează trasferurile
ValidateHistory=Asociază automat
AutomaticBindingDone=Asociere automată făcută
@@ -293,6 +298,7 @@ Accounted=Contabilizat în jurnal - Cartea Mare
NotYetAccounted=Nu a fost încă înregistrată în jurnal - Cartea Mare
ShowTutorial=Arată tutorial
NotReconciled=Nu este conciliat
+WarningRecordWithoutSubledgerAreExcluded=Atenție, toate operațiunile fără cont de subregistru definit sunt filtrate și excluse din această vizualizare
## Admin
BindingOptions=Opțiuni de legare
@@ -337,6 +343,7 @@ Modelcsv_LDCompta10=Export pentru LD Compta (v10 & mai nou)
Modelcsv_openconcerto=Export pentru OpenConcerto (Test)
Modelcsv_configurable=Exportați CSV configurabil
Modelcsv_FEC=Exportă fişier FEC
+Modelcsv_FEC2=Export FEC (cu scriere de date generate/document inversat)
Modelcsv_Sage50_Swiss=Export pentru Sage 50 Switzerland
Modelcsv_winfic=Export Winfic - eWinfic - WinSis Compta
Modelcsv_Gestinumv3=Export pentru Gestinum (v3)
diff --git a/htdocs/langs/ro_RO/admin.lang b/htdocs/langs/ro_RO/admin.lang
index 604e4a99a94..d131e90ac86 100644
--- a/htdocs/langs/ro_RO/admin.lang
+++ b/htdocs/langs/ro_RO/admin.lang
@@ -56,6 +56,8 @@ GUISetup=Afişare
SetupArea=Setări
UploadNewTemplate=Încărcați șabloane noi
FormToTestFileUploadForm=Formular pentru testarear încărcării de fişiere (în funcţie de configurare)
+ModuleMustBeEnabled=Modulul/aplicația %s trebuie să fie activată
+ModuleIsEnabled=Modulul/aplicația %s a fost activată
IfModuleEnabled=Notă: Da este folositor numai dacă modul %s este activat
RemoveLock=Eliminați / redenumiți fișierul %s dacă există, pentru a permite utilizarea instrumentului Actualizare / Instalare.
RestoreLock=Restaurați fișierul %s , numai cu permisiunea de citire, pentru a dezactiva orice viitoare utilizare a instrumentului Actualizare / Instalare.
@@ -85,7 +87,6 @@ ShowPreview=Arată previzualizare
ShowHideDetails=Afişare-Ascundere detalii
PreviewNotAvailable=Preview nu este disponibil
ThemeCurrentlyActive=Tema activă în prezent
-CurrentTimeZone=TimeZone PHP (server)
MySQLTimeZone=TimeZone MySql (database)
TZHasNoEffect=Datele sunt stocate și returnate de serverul de baze de date ca și cum ar fi păstrate ca șir trimis. Fusul orar are efect doar atunci când se folosește funcția UNIX_TIMESTAMP (care nu ar trebui să fie utilizată de Dolibarr, astfel că baza de date TZ nu ar trebui să aibă efect, chiar dacă este schimbată după introducerea datelor).
Space=Spaţiu
@@ -153,8 +154,8 @@ SystemToolsAreaDesc=Această zonă oferă funcții de administrare. Utilizați m
Purge=Curăţenie
PurgeAreaDesc=Această pagină vă permite să ștergeți toate fișierele generate sau stocate de Dolibarr (fișiere temporare sau toate fișierele din directorul %s ). Utilizarea acestei funcții nu este în mod normal necesară. Este oferită ca soluție pentru utilizatorii care găzduiesc Dolibarr la un furnizor care nu oferă permisiuni de ștergere a fișierelor generate de serverul web.
PurgeDeleteLogFile=Ștergeți fișierele din jurnal, inclusiv %s b> definite pentru modulul Syslog (fără risc de pierdere a datelor)
-PurgeDeleteTemporaryFiles=Ștergeți toate fișierele temporare (fără riscul de a pierde date). Notă: Ștergerea se face numai dacă directorul temporar a fost creat acum 24 de ore.
-PurgeDeleteTemporaryFilesShort=Sterge fisiere temporare
+PurgeDeleteTemporaryFiles= Ștergeți toate fișierele jurnal și temporare (fără risc de pierdere a datelor). Notă: Ștergerea fișierelor temporare se face numai dacă directorul temporar a fost creat acum mai mult de 24 de ore.
+PurgeDeleteTemporaryFilesShort=Ștergeți fișierele jurnal și temporare
PurgeDeleteAllFilesInDocumentsDir=Ștergeți toate fișierele din directorul: %s. \nAceasta va șterge toate documentele generate legate de elemente (terțe părți, facturi etc.), fișierele încărcate în modulul ECM, gropile de rezervă pentru baze de date și fișierele temporare .
PurgeRunNow=Elimină acum
PurgeNothingToDelete=Nici un director sau fișier de șters.
@@ -256,6 +257,7 @@ ReferencedPreferredPartners=Parteneri preferati
OtherResources=Alte resurse
ExternalResources=Resurse externe
SocialNetworks=Retele sociale
+SocialNetworkId=ID reţea socială
ForDocumentationSeeWiki=Pentru utilizator sau developer documentaţia (doc, FAQs ...), aruncăm o privire la Dolibarr Wiki: %s
ForAnswersSeeForum=Pentru orice alte întrebări / ajutor, se poate utiliza Dolibarr forum: %s
HelpCenterDesc1=Iată câteva resurse pentru a obține ajutor și asistență cu Dolibarr.
@@ -375,7 +377,7 @@ ExamplesWithCurrentSetup=Exemple cu configurația curentă
ListOfDirectories=Lista de directoare OpenDocument template-uri
ListOfDirectoriesForModelGenODT=Lista de directoare care conţin fişiere șablon in format OpenDocument.
puneţi aici intreaga cale de directoare. Intoarceţi-va la inceputul textului la fiecare director. Pentru a adăuga un director de modul GED, adăugaţi aici DOL_DATA_ROOT/ecm/yourdirectoryname.
Fişierele în aceste directoare trebuie să se termine cu .odt or .ods.
NumberOfModelFilesFound=Numărul de fișiere șablon ODT / ODS găsite în aceste directoare
-ExampleOfDirectoriesForModelGen=Exemple de sintaxa: c: mydir \\ / Home / mydir DOL_DATA_ROOT / ECM / ecmdir
+ExampleOfDirectoriesForModelGen=Exemple de sintaxă: c:\\ myapp\\mydocumentdir\\mysubdir /home/myapp/mydocumentdir/mysubdir DOL_DATA_ROOT/ecm/ecmdir
FollowingSubstitutionKeysCanBeUsed= Pentru a şti cum să vă creaţi şabloane DOCX, ODT documente, înainte de a le stoca în aceste directoare, citiţi documentaţia wiki:
FullListOnOnlineDocumentation=http://wiki.dolibarr.org/index.php/Create_an_ODT_document_template
FirstnameNamePosition=Poziţia Prenume / Nume
@@ -406,7 +408,7 @@ UrlGenerationParameters=Parametrii pentru a asigura URL-uri
SecurityTokenIsUnique=Utilizaţi un unic parametru securekey pentru fiecare URL
EnterRefToBuildUrl=Introduceţi de referinţă pentru %s obiect
GetSecuredUrl=Obţineţi URL-ul calculat
-ButtonHideUnauthorized=Ascundeți butoanele pentru utilizatorii care nu sunt administratori pentru acțiuni neautorizate, în loc să apară butoane dezactivate în culoarea gri
+ButtonHideUnauthorized= Ascunde butoanele de acțiune neautorizate și pentru utilizatorii interni (doar gri în caz contrar)
OldVATRates=Vechea rată TVA
NewVATRates=Noua rată TVA
PriceBaseTypeToChange=Modifică la prețuri cu valoarea de referință de bază definit pe
@@ -1689,7 +1691,7 @@ NotTopTreeMenuPersonalized=Meniuri personalizate care nu sunt legate de o intrar
NewMenu=New meniul
MenuHandler=Meniu manipulant
MenuModule=Sursa de modul
-HideUnauthorizedMenu= Ascunde meniuri neautorizate (gri)
+HideUnauthorizedMenu=Ascunde meniurile neautorizate și pentru utilizatorii interni (doar gri altfel)
DetailId=Id-ul pentru meniul
DetailMenuHandler=Meniu manipulant în cazul în care pentru a arăta noul meniu
DetailMenuModule=Modul de intrare în meniu numele dacă provin dintr-un modul
@@ -1983,11 +1985,12 @@ EMailHost=Gazdă a serverului de email IMAP
MailboxSourceDirectory=Directorul sursă al cutiei poștale
MailboxTargetDirectory=Directorul ţintă al cutiei poștale
EmailcollectorOperations=Operațiuni de făcut de către colector
+EmailcollectorOperationsDesc=Operațiunile sunt executate în ordinea de sus în jos
MaxEmailCollectPerCollect=Număr maxim de email-uri colectae per operaţiune
CollectNow=Colectați acum
ConfirmCloneEmailCollector=Eşti sigur că vrei să clonezi colectorul de email %s?
-DateLastCollectResult=Data ultimei încercări de colectare
-DateLastcollectResultOk=Data ultimei colectări efectuate cu succes
+DateLastCollectResult=Data ultimei încercări de colectare
+DateLastcollectResultOk=Data ultimei colectări cu succes
LastResult=Ultimul rezultat
EmailCollectorConfirmCollectTitle=Confirmarea colectării de emailuri
EmailCollectorConfirmCollect=Doriți să rulați acum colecția pentru acest colector?
@@ -2005,7 +2008,7 @@ WithDolTrackingID=Mesaj dintr-o conversație inițiată de un prim e-mail trimis
WithoutDolTrackingID=Mesaj dintr-o conversație inițiată de un prim e-mail NU trimis de la Dolibarr
WithDolTrackingIDInMsgId=Mesaj transmis de la Dolibarr
WithoutDolTrackingIDInMsgId= Mesajul NU a fost trimis de la Dolibarr
-CreateCandidature=Creare candidatură
+CreateCandidature=Creare aplicare la job
FormatZip=Zip
MainMenuCode=Codul de introducere a meniului (meniu principal)
ECMAutoTree=Afișați arborele ECM automat
@@ -2083,3 +2086,7 @@ CountryIfSpecificToOneCountry=Țară (dacă este specifică unei anumite țări)
YouMayFindSecurityAdviceHere=Aici puteți găsi recomandări de securitate
ModuleActivatedMayExposeInformation=Acest modul poate expune date sensibile. Dacă nu aveți nevoie de el, dezactivați-l.
ModuleActivatedDoNotUseInProduction=Un modul conceput pentru dezvoltare a fost activat. Nu-l activați într-un mediu de producție.
+CombinationsSeparator=Caracter separator pentru combinații de produse
+SeeLinkToOnlineDocumentation=Pentru exemple, consultați linkul către documentația online din meniul de sus
+SHOW_SUBPRODUCT_REF_IN_PDF=Dacă se folosește caracteristica "%s" a modulului %s, afișați detalii despre subprodusele unui kit în PDF.
+AskThisIDToYourBank=Contactați banca dvs. pentru a obține acest ID
diff --git a/htdocs/langs/ro_RO/banks.lang b/htdocs/langs/ro_RO/banks.lang
index 5e85e7eb2bc..ceffaaa830d 100644
--- a/htdocs/langs/ro_RO/banks.lang
+++ b/htdocs/langs/ro_RO/banks.lang
@@ -173,8 +173,8 @@ SEPAMandate=Mandat SEPA
YourSEPAMandate=Mandatul dvs. SEPA
FindYourSEPAMandate=Acesta este mandatul dvs. SEPA pentru a autoriza compania noastră să efectueze un ordin de debitare directă către banca dvs. Reveniți semnat (scanarea documentului semnat) sau trimiteți-l prin poștă la
AutoReportLastAccountStatement=Completați automat câmpul "numărul extrasului de cont" cu ultimul număr al declarației atunci când efectuați reconcilierea
-CashControl= Limită de numerar POS
-NewCashFence= Limită nouă de numerar
+CashControl=Control POS casierie
+NewCashFence=Închidere nouă de casierie
BankColorizeMovement=Colorează tranzacţiile
BankColorizeMovementDesc=Dacă această funcţie este activată, poţi alege o culoare de fundal personalizată pentru tranzacţiile de debit sau de credit
BankColorizeMovementName1=Culoarea de fundal pentru tranzacţiile de debit
diff --git a/htdocs/langs/ro_RO/blockedlog.lang b/htdocs/langs/ro_RO/blockedlog.lang
index fb1ab84c5eb..aadcbc5379c 100644
--- a/htdocs/langs/ro_RO/blockedlog.lang
+++ b/htdocs/langs/ro_RO/blockedlog.lang
@@ -35,7 +35,7 @@ logDON_DELETE=Ştergerea logică a donaţiei
logMEMBER_SUBSCRIPTION_CREATE=Abonamentul de membru a fost creat
logMEMBER_SUBSCRIPTION_MODIFY=Abonamentul de membru a fost modificat
logMEMBER_SUBSCRIPTION_DELETE=Ștergerea logică a abonamentului de membru
-logCASHCONTROL_VALIDATE=Înregistrarea limitei de bani
+logCASHCONTROL_VALIDATE= Înregistrare închidere casierie
BlockedLogBillDownload=Descărcarea facturii clientului
BlockedLogBillPreview=Previzualizarea facturii clientului
BlockedlogInfoDialog=Detalii înregistrare
diff --git a/htdocs/langs/ro_RO/boxes.lang b/htdocs/langs/ro_RO/boxes.lang
index c258d9aee69..061ab4052d7 100644
--- a/htdocs/langs/ro_RO/boxes.lang
+++ b/htdocs/langs/ro_RO/boxes.lang
@@ -46,9 +46,12 @@ BoxTitleLastModifiedDonations=Ultimele %s donaţii modificate
BoxTitleLastModifiedExpenses=Ultimele %s deconturi modificare
BoxTitleLatestModifiedBoms=Ultimile %sbonuri de consum modificate
BoxTitleLatestModifiedMos=Ultimile %s comenzi de producţie modificate
+BoxTitleLastOutstandingBillReached=Clienţii cu restanţe mai mari decât limita de credit acceptată
BoxGlobalActivity=Activitate globală ( facturi, oferte, comenzi)
BoxGoodCustomers=Clienţi buni
BoxTitleGoodCustomers=%s Clienţi buni
+BoxScheduledJobs=Joburi programate
+BoxTitleFunnelOfProspection=Lead funnel
FailedToRefreshDataInfoNotUpToDate=Actualizarea fluxului RSS a eșuat. Ultima actualizare reușită: %s
LastRefreshDate=Ultima dată reîmprospătare
NoRecordedBookmarks=Niciun bookmark definit.
@@ -102,5 +105,7 @@ SuspenseAccountNotDefined=Contul suspendat nu este definit
BoxLastCustomerShipments=Ultimile livrări către clienţi
BoxTitleLastCustomerShipments=Ultimile %s livrări către clienţi
NoRecordedShipments=Nici o livrare către clienţi
+BoxCustomersOutstandingBillReached=Clienţi care au epuizat limita de credit
# Pages
AccountancyHome=Contabilitate
+ValidatedProjects=Proiecte validate
diff --git a/htdocs/langs/ro_RO/cashdesk.lang b/htdocs/langs/ro_RO/cashdesk.lang
index a1d61daa35e..d8622b9d3ee 100644
--- a/htdocs/langs/ro_RO/cashdesk.lang
+++ b/htdocs/langs/ro_RO/cashdesk.lang
@@ -49,8 +49,8 @@ Footer=Subsol
AmountAtEndOfPeriod=Valoare la sfârșitul perioadei (zi, lună sau an)
TheoricalAmount=Valoare teoretică
RealAmount=Sumă reală
-CashFence=Limită cash
-CashFenceDone=Limita de bani realizată pentru perioada
+CashFence=Închidere casierie
+CashFenceDone=Închiderea casei de marcat efectuată pentru perioada respectivă
NbOfInvoices=Nr facturi
Paymentnumpad=Tipul de pad utilizat pentru introducerea plăţii
Numberspad=Suport de numere
@@ -99,8 +99,9 @@ CashDeskRefNumberingModules=Modul de numerotare pentru vânzările POS
CashDeskGenericMaskCodes6 = Tag-ul {TN} este utilizat pentru adăugarea numărului de terminal
TakeposGroupSameProduct=Grupează liniile cu produse identice
StartAParallelSale=Iniţiază o vânzare paralelă
-ControlCashOpening=Controlează sertarul de bani la deschiderea POS
-CloseCashFence=Închidere plafon de numerar
+SaleStartedAt=Vânzarea a început la %s
+ControlCashOpening=Controlați sertarul de numerar la deschiderea POS
+CloseCashFence= Închideți controlul casieriei
CashReport=Raport numerar
MainPrinterToUse=Imprimantă principală de utilizat
OrderPrinterToUse=Imprimantă utilizată pentru comenzi
@@ -121,4 +122,5 @@ GiftReceiptButton=Adaugă un buton "Bon cadou"
GiftReceipt=Bon cadou
ModuleReceiptPrinterMustBeEnabled= \nModulul Imprimanta bonuri trebuie să fi fost activat mai întâi
AllowDelayedPayment= Permite plata cu întârziere
-PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts
+PrintPaymentMethodOnReceipts=Tipăriți metoda de plată pe bonuri|chitanțe
+WeighingScale=Cântar
diff --git a/htdocs/langs/ro_RO/categories.lang b/htdocs/langs/ro_RO/categories.lang
index 921c1fbbdb8..5bce5a6db56 100644
--- a/htdocs/langs/ro_RO/categories.lang
+++ b/htdocs/langs/ro_RO/categories.lang
@@ -19,6 +19,7 @@ ProjectsCategoriesArea=Tag-uri/categorii proiecte
UsersCategoriesArea=Tag-uri/categorii utilizatori
SubCats=Subcategorii
CatList=Lista tag-uri/categorii
+CatListAll=Listă tag-uri/categorii (toate tipurile)
NewCategory=Tag/categorie nouă
ModifCat=Modifică tag/categorie
CatCreated=Tag/categorie creată
@@ -65,16 +66,22 @@ UsersCategoriesShort=Tag-uri/categorii utilizatori
StockCategoriesShort=Tag-uri/categorii depozite
ThisCategoryHasNoItems=Această categorie nu conţine nici un element.
CategId=ID tag/categorie
+ParentCategory=Tag/categorie părinte
+ParentCategoryLabel=Etichetă tag/categorie părinte
CatSupList=Listă tag-uri/categorii furnizori
-CatCusList=Listă taguri/categorii clienţi/prospecţi
+CatCusList=Listă tag-uri/categorii clienţi/prospecţi
CatProdList=Listă tag-uri/categorii produse
CatMemberList=Listă tag-uri/categorii membri
CatContactList=Listă tag-uri/categorii contacte
-CatSupLinks=Asocieri între furnizori şi tag-uri/categorii
+CatProjectsList=Listă tag-uri/categorii proiecte
+CatUsersList=Listă tag-uri/categorii utilizatori
+CatSupLinks=Legături între furnizori și tag-uri/categorii
CatCusLinks=Asocieri între clienţi/prospecţi şi tag-uri/categorii
CatContactsLinks=Asocieri între contacte/adrese şi tag-uri/categorii
CatProdLinks=Asocieri între produse/servicii şi tag-uri/categorii
-CatProJectLinks=Asocieri între proiecte și tag-uri/categorii
+CatMembersLinks=Legături între membri şi tag-uri/categorii
+CatProjectsLinks=Asocieri între proiecte și tag-uri/categorii
+CatUsersLinks=Legături între utilizatori şi tag-uri/categorii
DeleteFromCat=Elimină din tag-uri/categoriii
ExtraFieldsCategories=Atribute complementare
CategoriesSetup=Configurare tag-uri/categorii
diff --git a/htdocs/langs/ro_RO/companies.lang b/htdocs/langs/ro_RO/companies.lang
index 08129c19f16..044d0a52957 100644
--- a/htdocs/langs/ro_RO/companies.lang
+++ b/htdocs/langs/ro_RO/companies.lang
@@ -358,7 +358,7 @@ VATIntraCheckableOnEUSite=Verificați codul TV intracomunitar pe site-ul web al
VATIntraManualCheck=De asemenea, puteți verifica manual pe site-ul web al UE %s
ErrorVATCheckMS_UNAVAILABLE=Verificare imposibilă. Verificaţi dacă serviciul este furnizat de către statul membru ( %s).
NorProspectNorCustomer=Nici prospect, nici client
-JuridicalStatus=Tip entitate juridică
+JuridicalStatus=Tipul entității comerciale
Workforce=Forţa de muncă
Staff=Angajati
ProspectLevelShort=Potenţial
diff --git a/htdocs/langs/ro_RO/compta.lang b/htdocs/langs/ro_RO/compta.lang
index ea0496677f0..bd3bde9e637 100644
--- a/htdocs/langs/ro_RO/compta.lang
+++ b/htdocs/langs/ro_RO/compta.lang
@@ -111,7 +111,7 @@ Refund=Rambursare
SocialContributionsPayments=Plata taxe sociale sau fiscale
ShowVatPayment=Arata plata TVA
TotalToPay=Total de plată
-BalanceVisibilityDependsOnSortAndFilters=Soldul este vizibil în această listă numai dacă tabelul este sortat ascendent pe %s și filtrat pentru 1 cont bancar
+BalanceVisibilityDependsOnSortAndFilters= Soldul este vizibil în această listă numai dacă tabelul este sortat și filtrat pe %s 1 cont bancar (fără alte filtre)
CustomerAccountancyCode=Codul contabilității clienților
SupplierAccountancyCode=Codul contabil al furnizorului
CustomerAccountancyCodeShort=Cont contabil client
@@ -140,7 +140,7 @@ ConfirmDeleteSocialContribution=Sunteţi sigur că doriţi să ştergeţi aceast
ExportDataset_tax_1=Taxe sociale și fiscale și plăți
CalcModeVATDebt=Mod %s TVA pe baza contabilității de angajament %s.
CalcModeVATEngagement=Mod %s TVA pe baza venituri-cheltuieli%s.
-CalcModeDebt=Analiza facturilor înregistrate cunoscute, chiar dacă acestea nu sunt încă înregistrate în registru.
+CalcModeDebt= Analiza documentelor înregistrate cunoscute chiar dacă acestea nu sunt încă introduse în registru contabil.
CalcModeEngagement=Analiza plăților înregistrate cunoscute, chiar dacă acestea nu sunt încă înregistrate în registru.
CalcModeBookkeeping=Analiza datelor publicate în tabelul registrului contabil.
CalcModeLT1= Mode %sRE pe facturi clienţi - facturi furnizori %s
@@ -154,9 +154,9 @@ AnnualSummaryInputOutputMode=Balanța de venituri și cheltuieli, rezumat anual
AnnualByCompanies=Soldul veniturilor și al cheltuielilor, pe grupuri predefinite de cont
AnnualByCompaniesDueDebtMode=Soldul veniturilor și cheltuielilor, detaliu după grupuri predefinite, modul %sCereri-Datorii%s a spus Contabilitatea de angajament .
AnnualByCompaniesInputOutputMode=Soldul veniturilor și cheltuielilor, detaliile după grupuri predefinite, modul %sVenituri-cheltuieli%s a spus contabilitatea numerică .
-SeeReportInInputOutputMode=Vedeți %sanaliza plăților%s pentru un calcul al plăților actuale efectuate chiar dacă acestea nu sunt încă înregistrate în registru.
-SeeReportInDueDebtMode=Vedeți %sanaliza facturilor%s pentru un calcul bazat pe facturi înregistrate cunoscute, chiar dacă acestea nu sunt încă înregistrate în registru.
-SeeReportInBookkeepingMode=Vedeți %sraportul contabil%s pentru un calcul la Tabelul registrului contabil
+SeeReportInInputOutputMode=Consultați %s analiza plăților %s pentru un calcul bazat pe plățile înregistrate efectuate chiar dacă acestea nu sunt încă contabilizate în Registru
+SeeReportInDueDebtMode=Consultați %s analiza documentelor înregistrate %s pentru un calcul pe baza documentelor înregistrate cunoscute, chiar dacă acestea nu sunt încă contabilizate în Registru
+SeeReportInBookkeepingMode=Consultați %sanaliza registrului contabil%s pentru un raport bazat pe Registrul de contabilitate
RulesAmountWithTaxIncluded=- Valoarea afişată este cu toate taxele incluse
RulesResultDue=- Include facturi restante, cheltuieli, TVA, donații indiferent dacă sunt plătite sau nu. Include și salariile plătite. - se bazează pe data de emitere a facturilor și data scadenței pentru cheltuieli sau plăți fiscale. Pentru salariile definite cu modulul Salarii, se utilizează data plăţii.
RulesResultInOut=- Include plățile efective pe facturi, cheltuieli,TVA și salarii. - Se ia în calcul data plăţii facturilor, cheltuielilor, TVA-ului și salariilor .
@@ -169,12 +169,15 @@ RulesResultBookkeepingPersonalized=Se înregistrează în registrul dvs. cu cont
SeePageForSetup=Vedeți meniul %s pentru configurare
DepositsAreNotIncluded=- Facturile de plată în avans nu sunt incluse
DepositsAreIncluded=- Sunt incluse facturile de plată în avans
+LT1ReportByMonth=Taxa 2 raportare lunară
+LT2ReportByMonth=Taxa 3 raportare lunară
LT1ReportByCustomers=Raportați taxa 2 de către un terț
LT2ReportByCustomers=Raportați taxa 3 de către un terț
LT1ReportByCustomersES=Raport pe terţ RE
LT2ReportByCustomersES=Raport de terţă parte IRPF
VATReport=Raport privind impozitul pe vânzare
VATReportByPeriods=Raport privind impozitul pe vânzare după perioadă
+VATReportByMonth=Taxa pe vânzări TVA raportare lunară
VATReportByRates=Raport privind impozitul pe vânzare pe tarife
VATReportByThirdParties=Raportul privind impozitul pe vânzări de către terți
VATReportByCustomers=Raportul privind impozitul pe vânzări de către client
diff --git a/htdocs/langs/ro_RO/cron.lang b/htdocs/langs/ro_RO/cron.lang
index 352feb51e3e..fbfafaf8424 100644
--- a/htdocs/langs/ro_RO/cron.lang
+++ b/htdocs/langs/ro_RO/cron.lang
@@ -7,13 +7,14 @@ Permission23103 = Şterge Job programat
Permission23104 = Execută Job programat
# Admin
CronSetup=Setare Managementul joburilor programate
-URLToLaunchCronJobs=URL pentru a verifica și a lansa sarcini cron calificate
-OrToLaunchASpecificJob=Sau pentru a verifica și a lansa un anumit job
+URLToLaunchCronJobs=Adresă URL pentru a verifica și lansa joburi cron calificate din browser
+OrToLaunchASpecificJob=Sau pentru a verifica și lansa un anumit task dintr-un browser
KeyForCronAccess=Cheie de securitate pentru URL de lansare a joburilor cron
FileToLaunchCronJobs=Linie de comanda pentru a verifica și a lansa sarcini cron calificate
CronExplainHowToRunUnix=Pe mediul Unix veţi utiliza instrumentul crontab pentru a rula urmatoarea linia de comanda la fiecare 5 minute
CronExplainHowToRunWin=În mediul Microsoft (tm) Windows, puteți utiliza instrumentele programate pentru a executa linia de comandă la fiecare 5 minute
CronMethodDoesNotExists= Clasa %s nu conține metoda %s
+CronMethodNotAllowed=Metoda %s clasei %seste în lista neagră a metodelor interzise
CronJobDefDesc=Profilele sarcinilor Cron sunt definite în fișierul descriptor de module. Când modulul este activat, acestea sunt încărcate și disponibile, astfel încât să puteți administra lucrările din meniul instrumentelor de administrare%s.
CronJobProfiles=Lista profilurilor sarcinilor cron predefinite
# Menu
@@ -46,6 +47,7 @@ CronNbRun=Numărul de lansări
CronMaxRun=Număr maxim de lansări
CronEach=Fiecare
JobFinished=Job lansat şi terminat
+Scheduled=Programat
#Page card
CronAdd= Adaugă joburi
CronEvery=Executa fiecare job
@@ -56,7 +58,7 @@ CronNote=Comenteaza
CronFieldMandatory=Câmpurile %s sunt obligatorii
CronErrEndDateStartDt=Data de sfârşit nu poate fi înaintea datei de început
StatusAtInstall=Stare la instalarea modulului
-CronStatusActiveBtn=Activare
+CronStatusActiveBtn=Programare
CronStatusInactiveBtn=Dezactivare
CronTaskInactive=Acest post este dezactivat
CronId=Id
@@ -82,3 +84,8 @@ MakeLocalDatabaseDumpShort=Backup local baza de date
MakeLocalDatabaseDump=Creați o bază de date locală. Parametrii sunt: compresie ("gz" sau "bz" sau "none"), tipul de backup (mysql, pgsql, auto) 1, "auto" sau nume de fișier de construit, număr de fișiere de rezervă de păstrat
WarningCronDelayed=Atenție, în scopul performanței, indiferent de data următoare a executării activităţilor activate, este posibil ca activităţile dvs. să fie întârziate la maximum %s ore înainte de a rula
DATAPOLICYJob=Curățător de date și anonimizator
+JobXMustBeEnabled=Jobul %s trebuie să fie activat
+# Cron Boxes
+LastExecutedScheduledJob=Ultima execuţie a jobului programat
+NextScheduledJobExecute=Următoarea execuţie a jobului programat
+NumberScheduledJobError=Numărul de joburi programate cu eroare
diff --git a/htdocs/langs/ro_RO/errors.lang b/htdocs/langs/ro_RO/errors.lang
index 2a7f2df8659..01159bce39a 100644
--- a/htdocs/langs/ro_RO/errors.lang
+++ b/htdocs/langs/ro_RO/errors.lang
@@ -5,8 +5,10 @@ NoErrorCommitIsDone=Ncio eroare, dăm commit
# Errors
ErrorButCommitIsDone=Erori constatate dar încă nevalidate
ErrorBadEMail=Emailul %s este greșit
+ErrorBadMXDomain=Email-ul %s pare greșit (domeniul nu are nicio înregistrare MX validă)
ErrorBadUrl=Url-ul %s este greşit
ErrorBadValueForParamNotAString=Valoare greșită pentru parametru. Se adaugă, în general, atunci când traducerea lipsește.
+ErrorRefAlreadyExists=Referinţa %s există deja.
ErrorLoginAlreadyExists=Login %s există deja.
ErrorGroupAlreadyExists=Grupul %s există deja.
ErrorRecordNotFound=Înregistrarea nu a fost găsit.
@@ -48,6 +50,7 @@ ErrorFieldsRequired=Unele campuri obligatorii nu au fost ocupate.
ErrorSubjectIsRequired=Tema e-mailului este necesară
ErrorFailedToCreateDir=Nu a reuşit să creeze un director. Verificaţi ca server Web utilizator are permisiuni pentru a scrie în directorul de Dolibarr documente. Dacă safe_mode parametru este activat pe această PHP, Dolibarr verifica faptul că fişierele PHP detine la server web utilizator (sau grup).
ErrorNoMailDefinedForThisUser=Nu mail definite pentru acest utilizator
+ErrorSetupOfEmailsNotComplete=Configurarea email-urilor nu este finalizată
ErrorFeatureNeedJavascript=Această caracteristică JavaScript trebuie activat pentru a fi la locul de muncă. Schimbare în acest setup - display.
ErrorTopMenuMustHaveAParentWithId0=Un meniu de tip "Top" nu poate avea un părinte de meniu. Pune-0 în meniul părinte sau alege un meniu de tip "stânga".
ErrorLeftMenuMustHaveAParentId=Un meniu de tip "stânga" trebuie să aibă o mamă id.
@@ -75,7 +78,7 @@ ErrorExportDuplicateProfil=Acest profil nume există deja pentru acest set de ex
ErrorLDAPSetupNotComplete=Dolibarr-LDAP de potrivire nu este completă.
ErrorLDAPMakeManualTest=A. Ldif fişier a fost generat în directorul %s. Încercaţi să încărcaţi manual de la linia de comandă pentru a avea mai multe informatii cu privire la erori.
ErrorCantSaveADoneUserWithZeroPercentage=Nu se poate salva o acțiune cu "starea nu a început" dacă se completează și câmpul "efectuat de".
-ErrorRefAlreadyExists=Ref utilizate pentru crearea există deja.
+ErrorRefAlreadyExists=Referinţa %s există deja.
ErrorPleaseTypeBankTransactionReportName=Introduceți numele contului bancar unde trebuie raportată înregistrarea (Format YYYYMM sau YYYYMMDD)
ErrorRecordHasChildren=Nu s-a reușit ștergerea înregistrării deoarece are unele înregistrări copii.
ErrorRecordHasAtLeastOneChildOfType=Obiectul are cel puțin o copie de tipul %s
@@ -216,7 +219,7 @@ ErrorChooseBetweenFreeEntryOrPredefinedProduct=Trebuie să alegeți dacă artico
ErrorDiscountLargerThanRemainToPaySplitItBefore=Reducerea pe care încercați să o aplicați este mai mare decât restul de plată. Împărțiți reducerea în 2 reduceri mai mici înainte.
ErrorFileNotFoundWithSharedLink=Dosarul nu a fost găsit. Poate fi modificată cheia de distribuire sau fișierul a fost eliminat recent.
ErrorProductBarCodeAlreadyExists=Codul de bare al produsului %s există deja în altă referință la produs.
-ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Rețineți, de asemenea, că utilizarea produsului virtual pentru a avea o creștere / scădere automată a subproduselor nu este posibilă atunci când cel puțin un subprodus (sau subprodus de subproduse) are nevoie de un număr serial / lot.
+ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Rețineți, de asemenea, că utilizarea kiturilor pentru a crește/micșora automat subprodusele nu este posibilă atunci când cel puțin un subprodus (sau subprodus al subproduselor) are nevoie de un număr de serie/lot.
ErrorDescRequiredForFreeProductLines=Descrierea este obligatorie pentru liniile cu produse gratuite
ErrorAPageWithThisNameOrAliasAlreadyExists=Pagina/containerul %s are același nume sau un alias alternativ ca cel pe care încercați să îl utilizați
ErrorDuringChartLoad=Eroare la încărcarea schemei de conturi. În cazul în care câteva conturi nu au fost încărcate, le puteți introduce în continuare manual.
@@ -243,6 +246,16 @@ ErrorReplaceStringEmpty=Eroare, şirul înlocuitor este gol
ErrorProductNeedBatchNumber=Eroare, produsul '%s' necesită un număr de lot/serie
ErrorProductDoesNotNeedBatchNumber=Eroare, produsul '%s' nu acceptă un număr de lot/serie
ErrorFailedToReadObject=Eroare, nu am putut citi tipul obiectului %s
+ErrorParameterMustBeEnabledToAllwoThisFeature=Eroare, parametrul %s trebuie să fie activat în conf / conf.php pentru a permite utilizarea interfeței de linie de comandă de către programatorul de job-uri intern
+ErrorLoginDateValidity=Eroare, această conectare se află în afara intervalului temporal valabil
+ErrorValueLength=Lungimea câmpului '%s' trebuie să fie mai mare de '%s'
+ErrorReservedKeyword=Cuvântul '%s' este un cuvânt cheie rezervat
+ErrorNotAvailableWithThisDistribution=Nu este disponibil cu această distribuție
+ErrorPublicInterfaceNotEnabled=Interfaţa publică nu a fost activată
+ErrorLanguageRequiredIfPageIsTranslationOfAnother=Limba noii pagini trebuie definită dacă este setată ca traducere a altei pagini
+ErrorLanguageMustNotBeSourceLanguageIfPageIsTranslationOfAnother= Limba nooi pagini nu trebuie să fie limba sursă dacă este setată ca traducere a altei pagini
+ErrorAParameterIsRequiredForThisOperation=Un parametru este obligatoriu pentru această operațiune
+
# Warnings
WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Parametrul tău PHP upload_max_filesize (%s) este mai mare decât paramentrul PHP post_max_size (%s). Aceasta nu este o configuraţie consistentă.
WarningPasswordSetWithNoAccount= O parolă a fost trimisă către acest membru. Cu toate acestea, nu a fost creat nici un cont de utilizator. Astfel, această parolă este stocată, dar nu poate fi utilizată pentru autentificare. Poate fi utilizată de către un modul / interfată externă, dar dacă nu aveți nevoie să definiți un utilizator sau o parolă pentru un membru, puteți dezactiva opțiunea "Gestionați o conectare pentru fiecare membru" din modul de configurare membri. În cazul în care aveți nevoie să gestionați un utilizator, dar nu este nevoie de parolă, aveți posibilitatea să păstrați acest câmp gol pentru a evita acest avertisment. Notă: Adresa de e-mail poate fi utilizată ca utilizator la autentificare, în cazul în care membrul este legat de un utilizator.
@@ -267,6 +280,10 @@ WarningYourLoginWasModifiedPleaseLogin=Utilizatorul-ul a fost modificat. Din mot
WarningAnEntryAlreadyExistForTransKey=Există deja o intrare pentru cheia de traducere pentru această limbă
WarningNumberOfRecipientIsRestrictedInMassAction=Avertisment, numărul destinatarului diferit este limitat la %s când se utilizează acțiunile de masă din liste
WarningDateOfLineMustBeInExpenseReportRange=Avertisment, data liniei nu este în intervalul raportului de cheltuieli
+WarningProjectDraft=Proiectul este încă în modul schiţă. Nu uitați să îl validați dacă intenționați să utilizați sarcini.
WarningProjectClosed=Proiectul este închis. Trebuie să-l redeschideți mai întâi.
WarningSomeBankTransactionByChequeWereRemovedAfter=Anumite tranzacţii bancare au fost eliminate după ce a fost generat extrasul care le includea. Aşa că numărul de cecuri şi totalul extrasului pot diferi de cele din listă.
-WarningFailedToAddFileIntoDatabaseIndex=Avertizare, nu am putut adăuga fişierul în tabela index a ECM
+WarningFailedToAddFileIntoDatabaseIndex=Atenţie , nu s-a putut adăuga fișierului în tabela index al bazei de date ECM
+WarningTheHiddenOptionIsOn=Atenţie, opţiunea ascunsă %s este activă.
+WarningCreateSubAccounts=Atenție, nu puteți crea direct un cont secundar, trebuie să creați un terț sau un utilizator și să le atribuiți un cod contabil pentru a le găsi în această listă
+WarningAvailableOnlyForHTTPSServers=Disponibil numai dacă se utilizează conexiunea securizată HTTPS.
diff --git a/htdocs/langs/ro_RO/exports.lang b/htdocs/langs/ro_RO/exports.lang
index 34a37b99469..08f9a64d27e 100644
--- a/htdocs/langs/ro_RO/exports.lang
+++ b/htdocs/langs/ro_RO/exports.lang
@@ -133,3 +133,4 @@ KeysToUseForUpdates=Tastă (coloană) de utilizat pentru actualizarea dat
NbInsert=Numărul liniilor inserate: %s
NbUpdate=Numărul liniilor actualizate: %s
MultipleRecordFoundWithTheseFilters=Au fost găsite mai multe înregistrări cu ajutorul acestor filtre: %s
+StocksWithBatch=Stocuri și locație (depozit) a produselor cu număr de lot/serie
diff --git a/htdocs/langs/ro_RO/mails.lang b/htdocs/langs/ro_RO/mails.lang
index c021a5391ca..70ecbe53f8e 100644
--- a/htdocs/langs/ro_RO/mails.lang
+++ b/htdocs/langs/ro_RO/mails.lang
@@ -92,6 +92,7 @@ MailingModuleDescEmailsFromUser=Emailuri introduse de utilizator
MailingModuleDescDolibarrUsers=Utilizatorii cu emailuri
MailingModuleDescThirdPartiesByCategories=Terți (pe categorii)
SendingFromWebInterfaceIsNotAllowed=Trimiterea de pe interfața web nu este permisă.
+EmailCollectorFilterDesc=Toate filtrele trebuie să se potrivească pentru ca un email să fie colectat
# Libelle des modules de liste de destinataires mailing
LineInFile=Linia %s în fişierul
@@ -125,12 +126,13 @@ TagMailtoEmail=Email destinatar (inclusiv linkul html "mailto:")
NoEmailSentBadSenderOrRecipientEmail=Nu a fost trimis niciun email. Expeditor sau destinatar email greșit . Verificați profilul utilizatorului.
# Module Notifications
Notifications=Anunturi
-NoNotificationsWillBeSent=Nu notificări prin email sunt planificate pentru acest eveniment şi a companiei
-ANotificationsWillBeSent=1 notificarea va fi trimis prin e-mail
-SomeNotificationsWillBeSent=%s notificări vor fi trimise prin e-mail
-AddNewNotification=Activați o nouă țintă/eveniment de notificare prin email
-ListOfActiveNotifications=Afișați toate țintele / evenimentele active pentru notificarea prin email
-ListOfNotificationsDone=Lista toate notificările e-mail trimis
+NotificationsAuto=Notificări automate
+NoNotificationsWillBeSent=Nu sunt planificate notificări automate prin e-mail pentru acest tip de eveniment și companie
+ANotificationsWillBeSent=1 notificare automată va fi transmisă pe email
+SomeNotificationsWillBeSent=%s notificări automate vor fi transmise pe email
+AddNewNotification=Abonare la o nouă notificare automată prin email (țintă/eveniment)
+ListOfActiveNotifications=Enumerați toate abonamentele active (ținte/evenimente) pentru notificări automate prin email
+ListOfNotificationsDone=Afişaţi toate notificările automate trimise prin email
MailSendSetupIs=Configurarea trimiterii e-mail a fost de configurat la '%s'. Acest mod nu poate fi utilizat pentru a trimite email-uri în masă.
MailSendSetupIs2=Trebuie mai întâi să mergi, cu un cont de administrator, în meniu%sHome - Setup - EMails%s pentru a schimba parametrul '%s' de utilizare în modul '%s'. Cu acest mod, puteți introduce configurarea serverului SMTP furnizat de furnizorul de servicii Internet și de a folosi facilitatea Mass email .
MailSendSetupIs3=Daca aveti intrebari cu privire la modul de configurare al serverului SMTP, puteți cere la %s.
@@ -140,7 +142,7 @@ UseFormatFileEmailToTarget=Fișierul importat trebuie să aibă format
UseFormatInputEmailToTarget=Introduceți un șir cu formatul de email ; nume; prenume; altul
MailAdvTargetRecipients=Destinatari (selecție avansată)
AdvTgtTitle=Completați câmpurile de introducere pentru a preselecta terții sau contactele/adresele vizate
-AdvTgtSearchTextHelp=Utilizați %% ca metacaractere. De exemplu, pentru a găsi toate elementele cum ar fi jean, joe, jim , puteți introduce j%% , de asemenea, puteți utiliza; ca separator pentru valoare și utilizați ! pentru excepția acestei valori. De exemplu, jean; joe; jim%%;! Jimo;! Jima% va viza toate jean, joe, începe cu jim dar nu jimo și nu tot ce începe cu jima
+AdvTgtSearchTextHelp= Se utilizează %% ca metacaracter. De exemplu, pentru a găsi toate articolele cum ar fi jean, joe, jim, puteți introduce j%%, puteți utiliza și; ca separator pentru valoare și folosiți ! pentru exceptarea acestei valori. De exemplu jean; joe; jim%%;!Jimo;!Jima%% va viza toate jean, joe, cele care încep cu jim dar nu jimo și tot ce nu începe cu jima
AdvTgtSearchIntHelp=Utilizați intervalul pentru a selecta valoarea int sau float
AdvTgtMinVal=Valoare minima
AdvTgtMaxVal=Valoare maxima
@@ -162,13 +164,14 @@ AdvTgtCreateFilter=Creare filtru
AdvTgtOrCreateNewFilter=Numele noului filtru
NoContactWithCategoryFound=Nu s-a găsit niciun contact / adresă cu o categorie
NoContactLinkedToThirdpartieWithCategoryFound=Nu s-a găsit niciun contact / adresă cu o categorie
-OutGoingEmailSetup=Setarea emailului de ieșire
-InGoingEmailSetup=Configurarea emailului de primire
-OutGoingEmailSetupForEmailing=Setup email de ieşire( pentru modulul %s)
-DefaultOutgoingEmailSetup=Configurarea implicită a emailurilor de ieșire
+OutGoingEmailSetup= Email-uri trimise
+InGoingEmailSetup=Email-uri primite
+OutGoingEmailSetupForEmailing=Email-uri trimise (pentru modulul %s)
+DefaultOutgoingEmailSetup=Aceeași configurație ca şi configurarea globală de trimitere email
Information=Informatie
ContactsWithThirdpartyFilter=Contacte cu filtrul terț
Unanswered=Fără răspuns
Answered=Răspuns
IsNotAnAnswer=Nu răspunde (e-mail inițial)
IsAnAnswer= Este un răspuns al unui email inițial
+RecordCreatedByEmailCollector=Înregistrare creată de colectorul de email %sdin adresa %s
diff --git a/htdocs/langs/ro_RO/main.lang b/htdocs/langs/ro_RO/main.lang
index 58dea3a79cb..3d3b79a3fcf 100644
--- a/htdocs/langs/ro_RO/main.lang
+++ b/htdocs/langs/ro_RO/main.lang
@@ -28,7 +28,9 @@ NoTemplateDefined=Nu există șablon disponibil pentru acest tip de email
AvailableVariables=Variabile de substituţie disponibile
NoTranslation=Fără traducere
Translation=Traduceri
+CurrentTimeZone=TimeZone PHP (server)
EmptySearchString=Introdu criterii de căutare valide
+EnterADateCriteria= Introduceți un criteriu de tip dată
NoRecordFound=Nicio înregistrare gasită
NoRecordDeleted=Nu s-au șters înregistrări
NotEnoughDataYet=Nu sunt date
@@ -85,6 +87,8 @@ FileWasNotUploaded=Un fișier este selectat pentru atașament, dar nu a fost în
NbOfEntries=Numărul de intrări
GoToWikiHelpPage=Citeşte ajutorul online (Acces la Internet necesar)
GoToHelpPage=Citeşte Ajutorul
+DedicatedPageAvailable=Există o pagină de ajutor dedicată legată de ecranul curent
+HomePage=Acasă
RecordSaved=Înregistrare salvată
RecordDeleted=Înregistrare ştearsă
RecordGenerated=Înregistrată generată
@@ -433,6 +437,7 @@ RemainToPay=Rămas de plată
Module=Modul/Aplicaţie
Modules=Module/Aplicații
Option=Opţiune
+Filters=Filtre
List=Listă
FullList=Listă completă
FullConversation=Conversaţie integrală
@@ -671,7 +676,7 @@ SendMail=Trimite un email
Email=Email
NoEMail=Niciun email
AlreadyRead=Citit deja
-NotRead=Necitit
+NotRead=Necitită
NoMobilePhone=Fără număr mobil
Owner=Proprietar
FollowingConstantsWillBeSubstituted=Următoarele constante vor fi înlocuite cu valoarea corespunzătoare.
@@ -1107,3 +1112,8 @@ UpToDate=Actualizat la zi
OutOfDate=Expirat
EventReminder=Memento eveniment
UpdateForAllLines=Actualizare pentru toate liniile
+OnHold=În aşteptare
+AffectTag=Afectează eticheta
+ConfirmAffectTag=Afectare multiplă etichete
+ConfirmAffectTagQuestion=Sigur doriți să afectați etichetele înregistrărilor %s selectat(e)?
+CategTypeNotFound=Nu s-a găsit niciun tip de etichetă pentru tipul de înregistrări
diff --git a/htdocs/langs/ro_RO/modulebuilder.lang b/htdocs/langs/ro_RO/modulebuilder.lang
index 090269ab52f..219513f661d 100644
--- a/htdocs/langs/ro_RO/modulebuilder.lang
+++ b/htdocs/langs/ro_RO/modulebuilder.lang
@@ -40,6 +40,7 @@ PageForCreateEditView=Pagina PHP pentru a crea/edita/vizualiza o înregistrare
PageForAgendaTab=Pagina PHP pentru fila eveniment
PageForDocumentTab=Pagina PHP pentru fila document
PageForNoteTab=Pagina PHP pentru fila note
+PageForContactTab=Pagina PHP pentru fila contact
PathToModulePackage=Calea pentru zipul pachetului de module/aplicații
PathToModuleDocumentation=Calea către fişierul documentaţie al modulului/aplicaţiei (%s)
SpaceOrSpecialCharAreNotAllowed=Spațiile sau caracterele speciale nu sunt permise.
@@ -77,7 +78,7 @@ IsAMeasure=Este o măsură
DirScanned=Directorul scanat
NoTrigger=Niciun declanșator
NoWidget=Nu există widget
-GoToApiExplorer=Mergeți la exploratorul API
+GoToApiExplorer=Explorer API
ListOfMenusEntries=Lista intrărilor din meniu
ListOfDictionariesEntries=Listă înregistrări dicţionare
ListOfPermissionsDefined=Lista permisiunilor definite
@@ -105,7 +106,7 @@ TryToUseTheModuleBuilder=Dacă aveți cunoștințe despre SQL și PHP, puteți f
SeeTopRightMenu=Vedeți din meniul din dreapta sus
AddLanguageFile=Adăugați fișierul de limbă
YouCanUseTranslationKey=Puteți folosi aici o cheie care este cheia de traducere găsită în fișierul de limbă (vezi fila "Limbi")
-DropTableIfEmpty=(Ștergeți tabelul dacă este gol)
+DropTableIfEmpty=(Distruge tabelul dacă este gol)
TableDoesNotExists=Tabelul %s nu există
TableDropped=Tabelul %s a fost șters
InitStructureFromExistingTable=Construiți șirul de structură al unui tabel existent
@@ -126,7 +127,6 @@ UseSpecificEditorURL = Utilizează un URL specificat de editor
UseSpecificFamily = Utilizează o familie specifică
UseSpecificAuthor = Utilizează un autor specific
UseSpecificVersion = Utilizează o versiune iniţială specifică
-ModuleMustBeEnabled=Modulul/aplicaţia trebuie activată mai întâi
IncludeRefGeneration=Referinţa obiectului trebuie să fie generată automat
IncludeRefGenerationHelp=Bifează aceasta dacă vrei să incluzi cod de management pentru generarea automată a referinţei
IncludeDocGeneration=Vreau să generez documente din obiect
@@ -140,3 +140,4 @@ TypeOfFieldsHelp=Tip de câmpuri: varchar (99), double(24,8), real, text, ht
AsciiToHtmlConverter=Convertor ASCII la HTML
AsciiToPdfConverter=Convertor ASCII la PDF
TableNotEmptyDropCanceled=Tabelul nu este gol. Operaţiunea de drop a fost anulată.
+ModuleBuilderNotAllowed=Generatorul de module este disponibil, dar nu este permis utilizatorului dvs.
diff --git a/htdocs/langs/ro_RO/other.lang b/htdocs/langs/ro_RO/other.lang
index 545383cb7a3..71fadeb9d6a 100644
--- a/htdocs/langs/ro_RO/other.lang
+++ b/htdocs/langs/ro_RO/other.lang
@@ -5,8 +5,6 @@ Tools=Instrumente
TMenuTools=Instrumente
ToolsDesc=Toate instrumentele care nu sunt incluse în alte intrări în meniu sunt grupate aici. Toate instrumentele pot fi accesate prin meniul din stânga.
Birthday=Zi de naştere
-BirthdayDate=Data naştere
-DateToBirth=Data naşterii
BirthdayAlertOn=ziua de nastere de alertă activă
BirthdayAlertOff=ziua de nastere de alertă inactiv
TransKey=Traducerea cheii TransKey
@@ -16,6 +14,8 @@ PreviousMonthOfInvoice=Luna anterioară (numărul 1-12) de la data facturării
TextPreviousMonthOfInvoice=Luna anterioară (textul) datei facturii
NextMonthOfInvoice=Luna următoare (numărul 1-12) de la data facturării
TextNextMonthOfInvoice=În luna următoare (textul) datei facturii
+PreviousMonth=Luna anterioară
+CurrentMonth=Luna curentă
ZipFileGeneratedInto=Fișierul Zip generat în %s .
DocFileGeneratedInto=Fișierul doc generat în %s .
JumpToLogin=Deconectată. Accesați pagina de conectare ...
@@ -99,6 +99,7 @@ PredefinedMailContentSendShipping=__(Salut)__\n\nVeți găsi transportul __REF__
PredefinedMailContentSendFichInter=__(Salut)__\n\nConsultați intervenția __REF__ atașată\n\n\n__(Cu sinceritate)__\n\n__USER_SIGNATURE__
PredefinedMailContentLink=Puteți face clic pe linkul de mai jos pentru a efectua plata dacă nu este deja făcută.\n\n%s\n\n
PredefinedMailContentGeneric=__(Salut)__\n\n\n__(Cu sinceritate)__\n\n__USER_SIGNATURE__
+PredefinedMailContentSendActionComm=Memento eveniment "__EVENT_LABEL__" în data de __EVENT_DATE__ la ora __EVENT_TIME__
Acesta este un mesaj automat, vă rugăm să nu răspundeți.
DemoDesc=Dolibarr este un sistem ERP/CRM compact care suportă mai multe module de afaceri. O prezentare Demo pentru toate modulele nu are sens deoarece acest scenariu nu se produce niciodată (câteva sute disponibile). Deci, sunt disponibile mai multe profiluri demo.
ChooseYourDemoProfil=Alegeți profilul demo care se potrivește cel mai bine nevoilor dvs. ...
ChooseYourDemoProfilMore=... sau construiți propriul profil (selectarea manuală a modulelor)
@@ -137,7 +138,7 @@ Right=Dreapta
CalculatedWeight=Calculat în greutate
CalculatedVolume=Calculat volum
Weight=Greutate
-WeightUnitton=tonner
+WeightUnitton=tonă
WeightUnitkg=kg
WeightUnitg=g
WeightUnitmg=mg
@@ -258,6 +259,7 @@ ContactCreatedByEmailCollector=Contact/adresă creată de colectorul de email-ur
ProjectCreatedByEmailCollector=Proiect creat de colectorul de email-uri din email-ul cu MSGID %s
TicketCreatedByEmailCollector=Tichet creat de colectorul de email-uri din email-ul cu MSGID %s
OpeningHoursFormatDesc=Foloseşte un - pentru a separa orele de lucru. Foloseşte un spaţiu pentru a introduce intervale oarare diferite. Exemplu: 8-12 14-18
+PrefixSession=Prefix pentru ID-ul sesiunii
##### Export #####
ExportsArea=Export
diff --git a/htdocs/langs/ro_RO/products.lang b/htdocs/langs/ro_RO/products.lang
index b65779946bc..e623fd9e6cb 100644
--- a/htdocs/langs/ro_RO/products.lang
+++ b/htdocs/langs/ro_RO/products.lang
@@ -108,7 +108,8 @@ FillWithLastServiceDates=Completează cu data ultimelor linii de servicii
MultiPricesAbility=Segmente multiple de preț pentru fiecare produs / serviciu (fiecare client se află într-un singur segment de preț)
MultiPricesNumPrices=Numărul de preţ
DefaultPriceType=Baza prețurilor în mod implicit (cu sau fără taxe) la adăugarea noilor prețuri de vânzare
-AssociatedProductsAbility=Activeaz kit-uri (produse virtuale)
+AssociatedProductsAbility=Activare kit-uri (set de alte produse)
+VariantsAbility=Activare variante (variații ale produselor, de exemplu, culoare, dimensiune)
AssociatedProducts=Kit-uri
AssociatedProductsNumber=Numărul de produse care compun acest kit
ParentProductsNumber=Numărul pachetelor produselor părinte
@@ -169,6 +170,8 @@ SuppliersPrices=Prețurile furnizorului
SuppliersPricesOfProductsOrServices=Prețurile furnizorilor (de produse sau servicii)
CustomCode=Cod vamal/Marfă/Cod HS
CountryOrigin=Ţara de origine
+RegionStateOrigin=Regiune de origine
+StateOrigin=Judeţ/regiune de origine
Nature=Natură produs(materie primă/produs finit)
NatureOfProductShort=Natură produs
NatureOfProductDesc=Materie primă sau produs finit
@@ -239,7 +242,7 @@ AlwaysUseFixedPrice=Foloseşte preţul fix
PriceByQuantity=Preţuri diferite pe cantitate
DisablePriceByQty=Dezactivați prețurile în funcție de cantitate
PriceByQuantityRange=Interval cantitate
-MultipriceRules=Regulile segmentului de prețuri
+MultipriceRules=Prețuri automate pentru segment
UseMultipriceRules=Utilizați regulile segmentului de preț (definite în configurarea modulului de produs) pentru a calcula automat prețurile tuturor celorlalte segmente în funcție de primul segment
PercentVariationOver=Variația %% peste %s
PercentDiscountOver=%% reducere peste %s
diff --git a/htdocs/langs/ro_RO/recruitment.lang b/htdocs/langs/ro_RO/recruitment.lang
index d2fb1c6d642..b09ecb6b976 100644
--- a/htdocs/langs/ro_RO/recruitment.lang
+++ b/htdocs/langs/ro_RO/recruitment.lang
@@ -73,3 +73,4 @@ JobClosedTextCandidateFound=Oferta de job este închisă. Postul a fost ocupat.
JobClosedTextCanceled=Oferta de job este închisă.
ExtrafieldsJobPosition=Atribute complementare (oferte job)
ExtrafieldsCandidatures=Atribute complementare (aplicări job)
+MakeOffer=Fă o ofertă
diff --git a/htdocs/langs/ro_RO/sendings.lang b/htdocs/langs/ro_RO/sendings.lang
index 763d028c91f..8e18a146120 100644
--- a/htdocs/langs/ro_RO/sendings.lang
+++ b/htdocs/langs/ro_RO/sendings.lang
@@ -30,6 +30,7 @@ OtherSendingsForSameOrder=Alte livrări pentru această comandă
SendingsAndReceivingForSameOrder=Expedieri și documente pentru această comandă
SendingsToValidate=Livrări de validat
StatusSendingCanceled=Anulată
+StatusSendingCanceledShort=Anulata
StatusSendingDraft=Schiţă
StatusSendingValidated=Validată (produse de livrat sau deja livrate)
StatusSendingProcessed=Procesată
@@ -65,6 +66,7 @@ ValidateOrderFirstBeforeShipment=Mai întâi trebuie să validezi comanda înain
# Sending methods
# ModelDocument
DocumentModelTyphon=Model complet pentru dispoziţie de livrare (logo. ..)
+DocumentModelStorm=Modele de documente mult mai complete pentru chitanțe de livrare și compatibilitate cu câmpurile suplimentare(sigla ...)
Error_EXPEDITION_ADDON_NUMBER_NotDefined=Constanta EXPEDITION_ADDON_NUMBER nu este definită
SumOfProductVolumes=Volumul total al produselor
SumOfProductWeights=Greutatea totală a produselor
diff --git a/htdocs/langs/ro_RO/stocks.lang b/htdocs/langs/ro_RO/stocks.lang
index ae3b0d063aa..440c6e7fc47 100644
--- a/htdocs/langs/ro_RO/stocks.lang
+++ b/htdocs/langs/ro_RO/stocks.lang
@@ -240,3 +240,4 @@ InventoryRealQtyHelp=Setați valoarea la 0 pentru a reseta câmpul cantitate
UpdateByScaning=Actualizare prin scanare
UpdateByScaningProductBarcode=Actualizare prin scanare (cod de bare produs)
UpdateByScaningLot=Actualizare prin scanare (cod de bare lot|serie)
+DisableStockChangeOfSubProduct= Dezactivare modificare de stoc pentru toate subprodusele acestui kit în timpul acestei mișcări.
diff --git a/htdocs/langs/ro_RO/ticket.lang b/htdocs/langs/ro_RO/ticket.lang
index 6c582307da8..70ee1b31ebd 100644
--- a/htdocs/langs/ro_RO/ticket.lang
+++ b/htdocs/langs/ro_RO/ticket.lang
@@ -31,10 +31,8 @@ TicketDictType=Tipuri de tichete
TicketDictCategory=Tichet - Grupuri
TicketDictSeverity=Tichet - Severități
TicketDictResolution=Tichet - Rezoluție
-TicketTypeShortBUGSOFT=Logică disfuncţională
-TicketTypeShortBUGHARD=Material disfuncţional
-TicketTypeShortCOM=Întrebare comercială
+TicketTypeShortCOM=Întrebare comercială
TicketTypeShortHELP=Solicitare funcţionalitate
TicketTypeShortISSUE=Solicitare, eroare sau problemă
TicketTypeShortREQUEST=Solicitare de modificare sau îmbunătăţire
@@ -44,7 +42,7 @@ TicketTypeShortOTHER=Altele
TicketSeverityShortLOW=Scăzut
TicketSeverityShortNORMAL=Normal
TicketSeverityShortHIGH=Mare
-TicketSeverityShortBLOCKING=Critic / Blocaj
+TicketSeverityShortBLOCKING=Critic, blocant
ErrorBadEmailAddress=Câmpul "%s" este incorect
MenuTicketMyAssign=Tichetele mele
@@ -60,7 +58,6 @@ OriginEmail=Sursa emailului
Notify_TICKET_SENTBYMAIL=Trimite mesaj tichet pe email
# Status
-NotRead=Necitit
Read=Citit
Assigned=Atribuit
InProgress=In progres
@@ -126,6 +123,7 @@ TicketsActivatePublicInterfaceHelp=Interfața publică permite vizitatorilor să
TicketsAutoAssignTicket=Desemnați automat utilizatorul care a creat tichetul
TicketsAutoAssignTicketHelp=La crearea unui tichet, utilizatorul poate fi automat alocat tichetului.
TicketNumberingModules=Modul de numerotare a tichetelor
+TicketsModelModule=Şabloane documente pentru tichete
TicketNotifyTiersAtCreation=Notificați terțul la creare
TicketsDisableCustomerEmail=Dezactivați întotdeauna email-urile atunci când un tichet este creat din interfața publică
TicketsPublicNotificationNewMessage=Trimite email(uri) când un mesaj nou este adăugat
@@ -233,7 +231,6 @@ TicketLogStatusChanged=Starea modificată: %s la %s
TicketNotNotifyTiersAtCreate=Nu notificați compania la crearea
Unread=Necitită
TicketNotCreatedFromPublicInterface=Indisponibil. Tichetul nu a fost creat din interfaţa publică.
-PublicInterfaceNotEnabled=Interfaţa publică nu a fost activată
ErrorTicketRefRequired=Denumirea de referință al tichetului este necesară
#
diff --git a/htdocs/langs/ro_RO/website.lang b/htdocs/langs/ro_RO/website.lang
index 5e2dab5d97a..f1ca739ae33 100644
--- a/htdocs/langs/ro_RO/website.lang
+++ b/htdocs/langs/ro_RO/website.lang
@@ -30,7 +30,6 @@ EditInLine=Editați inline
AddWebsite=Adaugă pagina web
Webpage=Pagina web / container
AddPage=Adăugați o pagină / un container
-HomePage=Acasă
PageContainer=Pagina
PreviewOfSiteNotYetAvailable=Previzualizarea site-ului dvs. web %s nu este încă disponibil. Mai întâi trebuie să ' Importați un șablon complet de site-uri web ' sau doar ' Adăugați o pagină / container '.
RequestedPageHasNoContentYet=Pagina solicitată cu id %s nu are încă conținut, sau fișierul cache cache.php a fost eliminat. Editați conținutul paginii pentru a rezolva această problemă.
@@ -101,7 +100,7 @@ EmptyPage=Pagina goală
ExternalURLMustStartWithHttp=Adresa URL externă trebuie să înceapă cu http:// sau https://
ZipOfWebsitePackageToImport=Încărcați fișierul Zip cu pachetul șablon website
ZipOfWebsitePackageToLoad=sau Alegeți un pachet șablon website încorporat disponibil
-ShowSubcontainers=Includeți conținut dinamic
+ShowSubcontainers=Afişare conţinut dinamic
InternalURLOfPage=Adresa URL internă a paginii
ThisPageIsTranslationOf=Această pagină/recipient este o traducere a
ThisPageHasTranslationPages=Această pagină / recipient are traducere
@@ -137,3 +136,4 @@ RSSFeedDesc=Puteți obține un flux RSS al celor mai recente articole cu tipul '
PagesRegenerated=%s pagină(i) /container(e) regenerate
RegenerateWebsiteContent=Regenerați fișierele cache ale site-ului web
AllowedInFrames=Permis în Frame-uri
+DefineListOfAltLanguagesInWebsiteProperties=Definiți lista tuturor limbilor disponibile în proprietățile site-ului web.
diff --git a/htdocs/langs/ro_RO/withdrawals.lang b/htdocs/langs/ro_RO/withdrawals.lang
index d0c4e6162c6..7bffe55a8e5 100644
--- a/htdocs/langs/ro_RO/withdrawals.lang
+++ b/htdocs/langs/ro_RO/withdrawals.lang
@@ -42,6 +42,7 @@ LastWithdrawalReceipt=Ultimele încasări de debit direct %s
MakeWithdrawRequest=Efectuați o solicitare de plată cu debit direct
MakeBankTransferOrder=Solicitare transfer de credit
WithdrawRequestsDone=%s au fost înregistrate cererile de debitare directă
+BankTransferRequestsDone=%s solicitări de transfer de credit înregistrate
ThirdPartyBankCode=Codul bancar al terțului
NoInvoiceCouldBeWithdrawed=Nici o factură nu a fost debitată cu succes. Verificați dacă facturile sunt pe companiile cu un IBAN valabil și că IBAN are un UMR (referință unică de mandat) cu modul %s .
ClassCredited=Clasifica creditat
@@ -131,7 +132,8 @@ SEPARCUR=SEPA CUR
SEPAFRST=SEPA FRST
ExecutionDate=Data executării
CreateForSepa=Creați un fișier de debit direct
-ICS=Identificatorul creditorului CI
+ICS=Identificator creditor CI pentru debit direct
+ICSTransfer=Identificator creditor CI pentru transfer bancar
END_TO_END=Eticheta "EndToEndId" SEPA XML - Id unic atribuit pentru fiecare tranzacție
USTRD=Eticheta XML "nestructurată" SEPA
ADDDAYS=Adăugați zile la data de executare
@@ -146,3 +148,4 @@ InfoRejectSubject=Comanda de debitare directă a fost refuzată
InfoRejectMessage=Bună ziua,
ordinul de plată prin debit direct al facturii %s aferente companiei %s, cu o sumă de %s a fost refuzată de bancă.
- %s
ModeWarning=Opţiunea pentru modul real, nu a fost stabilit, ne oprim după această simulare
ErrorCompanyHasDuplicateDefaultBAN=Compania cu id %s are mai multe conturi bancare implicite. Nu se poate determina cel care se doreşte a fi utilizat.
+ErrorICSmissing=ICS lipsă în contul bancar %s
diff --git a/htdocs/langs/ru_RU/accountancy.lang b/htdocs/langs/ru_RU/accountancy.lang
index bc73a4d82a0..4518c9cc151 100644
--- a/htdocs/langs/ru_RU/accountancy.lang
+++ b/htdocs/langs/ru_RU/accountancy.lang
@@ -48,6 +48,7 @@ CountriesExceptMe=All countries except %s
AccountantFiles=Export source documents
ExportAccountingSourceDocHelp=With this tool, you can export the source events (list and PDFs) that were used to generate your accountancy. To export your journals, use the menu entry %s - %s.
VueByAccountAccounting=View by accounting account
+VueBySubAccountAccounting=View by accounting subaccount
MainAccountForCustomersNotDefined=Main accounting account for customers not defined in setup
MainAccountForSuppliersNotDefined=Main accounting account for vendors not defined in setup
@@ -144,7 +145,7 @@ NotVentilatedinAccount=Not bound to the accounting account
XLineSuccessfullyBinded=%s products/services successfully bound to an accounting account
XLineFailedToBeBinded=%s products/services were not bound to any accounting account
-ACCOUNTING_LIMIT_LIST_VENTILATION=Number of elements to bind shown by page (maximum recommended: 50)
+ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50)
ACCOUNTING_LIST_SORT_VENTILATION_TODO=Begin the sorting of the page "Binding to do" by the most recent elements
ACCOUNTING_LIST_SORT_VENTILATION_DONE=Begin the sorting of the page "Binding done" by the most recent elements
@@ -198,7 +199,8 @@ Docdate=Дата
Docref=Ссылка
LabelAccount=Метка бухгалтерского счёта
LabelOperation=Label operation
-Sens=Sens
+Sens=Direction
+AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received For an accounting account of a supplier, use Debit to record a payment you make
LetteringCode=Lettering code
Lettering=Lettering
Codejournal=Журнал
@@ -206,7 +208,8 @@ JournalLabel=Journal label
NumPiece=Piece number
TransactionNumShort=Num. transaction
AccountingCategory=Personalized groups
-GroupByAccountAccounting=Group by accounting account
+GroupByAccountAccounting=Group by general ledger account
+GroupBySubAccountAccounting=Group by subledger account
AccountingAccountGroupsDesc=You can define here some groups of accounting account. They will be used for personalized accounting reports.
ByAccounts=By accounts
ByPredefinedAccountGroups=By predefined groups
@@ -248,7 +251,7 @@ PaymentsNotLinkedToProduct=Payment not linked to any product / service
OpeningBalance=Opening balance
ShowOpeningBalance=Show opening balance
HideOpeningBalance=Hide opening balance
-ShowSubtotalByGroup=Show subtotal by group
+ShowSubtotalByGroup=Show subtotal by level
Pcgtype=Group of account
PcgtypeDesc=Group of account are used as predefined 'filter' and 'grouping' criteria for some accounting reports. For example, 'INCOME' or 'EXPENSE' are used as groups for accounting accounts of products to build the expense/income report.
@@ -271,11 +274,13 @@ DescVentilExpenseReport=Consult here the list of expense report lines bound (or
DescVentilExpenseReportMore=If you setup accounting account on type of expense report lines, the application will be able to make all the binding between your expense report lines and the accounting account of your chart of accounts, just in one click with the button "%s". If account was not set on fees dictionary or if you still have some lines not bound to any account, you will have to make a manual binding from the menu "%s".
DescVentilDoneExpenseReport=Consult here the list of the lines of expenses reports and their fees accounting account
+Closure=Annual closure
DescClosure=Consult here the number of movements by month who are not validated & fiscal years already open
OverviewOfMovementsNotValidated=Step 1/ Overview of movements not validated. (Necessary to close a fiscal year)
+AllMovementsWereRecordedAsValidated=All movements were recorded as validated
+NotAllMovementsCouldBeRecordedAsValidated=Not all movements could be recorded as validated
ValidateMovements=Validate movements
DescValidateMovements=Any modification or deletion of writing, lettering and deletes will be prohibited. All entries for an exercise must be validated otherwise closing will not be possible
-SelectMonthAndValidate=Select month and validate movements
ValidateHistory=Bind Automatically
AutomaticBindingDone=Automatic binding done
@@ -293,6 +298,7 @@ Accounted=Accounted in ledger
NotYetAccounted=Not yet accounted in ledger
ShowTutorial=Show Tutorial
NotReconciled=Не согласовано
+WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view
## Admin
BindingOptions=Binding options
@@ -337,6 +343,7 @@ Modelcsv_LDCompta10=Export for LD Compta (v10 & higher)
Modelcsv_openconcerto=Export for OpenConcerto (Test)
Modelcsv_configurable=Export CSV Configurable
Modelcsv_FEC=Export FEC
+Modelcsv_FEC2=Export FEC (With dates generation writing / document reversed)
Modelcsv_Sage50_Swiss=Export for Sage 50 Switzerland
Modelcsv_winfic=Export Winfic - eWinfic - WinSis Compta
Modelcsv_Gestinumv3=Export for Gestinum (v3)
diff --git a/htdocs/langs/ru_RU/admin.lang b/htdocs/langs/ru_RU/admin.lang
index 8894f182715..f8d2f6942fd 100644
--- a/htdocs/langs/ru_RU/admin.lang
+++ b/htdocs/langs/ru_RU/admin.lang
@@ -56,6 +56,8 @@ GUISetup=Внешний вид
SetupArea=Настройка
UploadNewTemplate=Загрузить новый шаблон(ы)
FormToTestFileUploadForm=Форма для проверки загрузки файлов (в зависимости от настройки)
+ModuleMustBeEnabled=The module/application %s must be enabled
+ModuleIsEnabled=The module/application %s has been enabled
IfModuleEnabled=Примечание: "Да" влияет только тогда, когда модуль %s включен
RemoveLock=Удалите/переименуйте файл %s, если он существует, чтобы разрешить использование инструмента обновления/установки.
RestoreLock=Восстановите файл %s с разрешением только для чтение, чтобы отключить дальнейшее использование инструмента обновления/установки.
@@ -85,7 +87,6 @@ ShowPreview=Предварительный просмотр
ShowHideDetails=Show-Hide details
PreviewNotAvailable=Предварительный просмотр не доступен
ThemeCurrentlyActive=Текущая тема
-CurrentTimeZone=Текущий часовой пояс в настройках PHP
MySQLTimeZone=Часовой пояс БД (MySQL)
TZHasNoEffect=Даты хранятся и возвращаются сервером базы данных, как если бы они хранились в виде переданной строки. Часовой пояс действует только при использовании функции UNIX_TIMESTAMP (которая не должна использоваться Dolibarr, поэтому часовая зона (TZ) базы данных не должна иметь никакого эффекта, даже если она изменилась после ввода данных).
Space=Пробел
@@ -153,8 +154,8 @@ SystemToolsAreaDesc=Эта область обеспечивает функци
Purge=Очистить
PurgeAreaDesc=Эта страница позволяет вам удалить все файлы, созданные или сохраненные Dolibarr (временные файлы или все файлы в каталоге %s ). Использование этой функции обычно не требуется. Он предоставляется в качестве обходного пути для пользователей, чей Dolibarr размещен поставщиком, который не предлагает разрешения на удаление файлов, созданных веб-сервером.
PurgeDeleteLogFile=Удаление файлов журналов, включая %s определенный для модуля Syslog (без риска потери данных)
-PurgeDeleteTemporaryFiles=Удалить все временные файлы (без риска потери данных). Примечание: Удаление выполняется только в том случае, если временный каталог был создан 24 часа назад.
-PurgeDeleteTemporaryFilesShort=Удаление временных файлов
+PurgeDeleteTemporaryFiles=Delete all log and temporary files (no risk of losing data). Note: Deletion of temporary files is done only if the temp directory was created more than 24 hours ago.
+PurgeDeleteTemporaryFilesShort=Delete log and temporary files
PurgeDeleteAllFilesInDocumentsDir=Удалить все файлы в каталоге: %s . Это удалит все сгенерированные документы, связанные с элементами (контрагенты, счета и т.д.), файлы, загруженные в модуль ECM, резервные копии базы данных и временные файлы.
PurgeRunNow=Очистить сейчас
PurgeNothingToDelete=Нет директории или файла для удаления.
@@ -256,6 +257,7 @@ ReferencedPreferredPartners=Предпочитаемые партнёры
OtherResources=Другие источники
ExternalResources=Внешние Ресурсы
SocialNetworks=Социальные сети
+SocialNetworkId=Social Network ID
ForDocumentationSeeWiki=Для получения документации пользователя или разработчика (документация, часто задаваемые вопросы...), посетите Dolibarr Wiki: %s
ForAnswersSeeForum=Для любых других вопросов / помощи, вы можете использовать форум Dolibarr: %s
HelpCenterDesc1=Вот некоторые ресурсы для получения помощи и поддержки с Dolibarr.
@@ -375,7 +377,7 @@ ExamplesWithCurrentSetup=Примеры с текущей конфигураци
ListOfDirectories=Список каталогов с шаблонами OpenDocument
ListOfDirectoriesForModelGenODT=Список каталогов, содержащих файлы шаблонов в формате OpenDocument.
Укажите здесь полный путь к каталогу. Каждый каталог с новой строки. Чтобы добавить каталог GED-модуля, добавьте здесь DOL_DATA_ROOT/ecm/yourdirectoryname .
Файлы в этих каталогах должны заканчиваться на .odt или .ods .
NumberOfModelFilesFound=Количество файлов шаблонов ODT/ODS, найденных в этих каталогах
-ExampleOfDirectoriesForModelGen=Примеры синтаксиса: C: \\ MYDIR / home / mydir DOL_DATA_ROOT / ecm / ecmdir
+ExampleOfDirectoriesForModelGen=Examples of syntax: c:\\myapp\\mydocumentdir\\mysubdir /home/myapp/mydocumentdir/mysubdir DOL_DATA_ROOT/ecm/ecmdir
FollowingSubstitutionKeysCanBeUsed= Прежде чем сохранить шаблоны в этих каталогах прочитайте документацию на Wiki чтобы узнать, как создать свой шаблоны ODT документов:
FullListOnOnlineDocumentation=http://wiki.dolibarr.org/index.php/Create_an_ODT_document_template
FirstnameNamePosition=Расположение Имени / Фамилиии
@@ -406,7 +408,7 @@ UrlGenerationParameters=Параметры безопасных URL`ов
SecurityTokenIsUnique=Использовать уникальный параметр securekey для каждого URL
EnterRefToBuildUrl=Введите ссылку на объект %s
GetSecuredUrl=Получить рассчитанный URL
-ButtonHideUnauthorized=Скрыть кнопки для пользователей без прав администратора для несанкционированных действий вместо отображения серых отключенных кнопок
+ButtonHideUnauthorized=Hide unauthorized action buttons also for internal users (just greyed otherwise)
OldVATRates=Предыдущее значение НДС
NewVATRates=Новое значение НДС
PriceBaseTypeToChange=Изменять базовые цены на определенную величину
@@ -1689,7 +1691,7 @@ NotTopTreeMenuPersonalized=Персонализированные меню, не
NewMenu=Новое меню
MenuHandler=Меню обработчик
MenuModule=Исходный модуль
-HideUnauthorizedMenu= Скрыть несанкционированного меню (серый)
+HideUnauthorizedMenu=Hide unauthorized menus also for internal users (just greyed otherwise)
DetailId=Идентификатор меню
DetailMenuHandler=Обработчик меню, где показывать новое меню
DetailMenuModule=Имя модуля, если пункт меню взят из модуля
@@ -1983,11 +1985,12 @@ EMailHost=Host of email IMAP server
MailboxSourceDirectory=Mailbox source directory
MailboxTargetDirectory=Mailbox target directory
EmailcollectorOperations=Operations to do by collector
+EmailcollectorOperationsDesc=Operations are executed from top to bottom order
MaxEmailCollectPerCollect=Max number of emails collected per collect
CollectNow=Collect now
ConfirmCloneEmailCollector=Are you sure you want to clone the Email collector %s ?
-DateLastCollectResult=Date latest collect tried
-DateLastcollectResultOk=Date latest collect successfull
+DateLastCollectResult=Date of latest collect try
+DateLastcollectResultOk=Date of latest collect success
LastResult=Latest result
EmailCollectorConfirmCollectTitle=Email collect confirmation
EmailCollectorConfirmCollect=Do you want to run the collection for this collector now ?
@@ -2005,7 +2008,7 @@ WithDolTrackingID=Message from a conversation initiated by a first email sent fr
WithoutDolTrackingID=Message from a conversation initiated by a first email NOT sent from Dolibarr
WithDolTrackingIDInMsgId=Message sent from Dolibarr
WithoutDolTrackingIDInMsgId=Message NOT sent from Dolibarr
-CreateCandidature=Create candidature
+CreateCandidature=Create job application
FormatZip=Индекс
MainMenuCode=Menu entry code (mainmenu)
ECMAutoTree=Show automatic ECM tree
@@ -2083,3 +2086,7 @@ CountryIfSpecificToOneCountry=Country (if specific to a given country)
YouMayFindSecurityAdviceHere=You may find security advisory here
ModuleActivatedMayExposeInformation=This module may expose sensitive data. If you don't need it, disable it.
ModuleActivatedDoNotUseInProduction=A module designed for the development has been enabled. Do not enable it on a production environment.
+CombinationsSeparator=Separator character for product combinations
+SeeLinkToOnlineDocumentation=See link to online documention on top menu for examples
+SHOW_SUBPRODUCT_REF_IN_PDF=If the feature "%s" of module %s is used, show details of subproducts of a kit on PDF.
+AskThisIDToYourBank=Contact your bank to get this ID
diff --git a/htdocs/langs/ru_RU/banks.lang b/htdocs/langs/ru_RU/banks.lang
index 8c02e198885..a735e4ba31a 100644
--- a/htdocs/langs/ru_RU/banks.lang
+++ b/htdocs/langs/ru_RU/banks.lang
@@ -173,8 +173,8 @@ SEPAMandate=Мандат SEPA
YourSEPAMandate=Ваш мандат SEPA
FindYourSEPAMandate=This is your SEPA mandate to authorize our company to make direct debit order to your bank. Return it signed (scan of the signed document) or send it by mail to
AutoReportLastAccountStatement=Automatically fill the field 'number of bank statement' with last statement number when making reconciliation
-CashControl=POS cash fence
-NewCashFence=New cash fence
+CashControl=POS cash desk control
+NewCashFence=New cash desk closing
BankColorizeMovement=Colorize movements
BankColorizeMovementDesc=If this function is enable, you can choose specific background color for debit or credit movements
BankColorizeMovementName1=Background color for debit movement
diff --git a/htdocs/langs/ru_RU/blockedlog.lang b/htdocs/langs/ru_RU/blockedlog.lang
index 99bf472eed0..74164531cae 100644
--- a/htdocs/langs/ru_RU/blockedlog.lang
+++ b/htdocs/langs/ru_RU/blockedlog.lang
@@ -35,7 +35,7 @@ logDON_DELETE=Donation logical deletion
logMEMBER_SUBSCRIPTION_CREATE=Member subscription created
logMEMBER_SUBSCRIPTION_MODIFY=Member subscription modified
logMEMBER_SUBSCRIPTION_DELETE=Member subscription logical deletion
-logCASHCONTROL_VALIDATE=Cash fence recording
+logCASHCONTROL_VALIDATE=Cash desk closing recording
BlockedLogBillDownload=Customer invoice download
BlockedLogBillPreview=Customer invoice preview
BlockedlogInfoDialog=Log Details
diff --git a/htdocs/langs/ru_RU/boxes.lang b/htdocs/langs/ru_RU/boxes.lang
index b8e47954693..5656e826dc1 100644
--- a/htdocs/langs/ru_RU/boxes.lang
+++ b/htdocs/langs/ru_RU/boxes.lang
@@ -46,9 +46,12 @@ BoxTitleLastModifiedDonations=Последние %sизмененные пож
BoxTitleLastModifiedExpenses=Latest %s modified expense reports
BoxTitleLatestModifiedBoms=Latest %s modified BOMs
BoxTitleLatestModifiedMos=Latest %s modified Manufacturing Orders
+BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded
BoxGlobalActivity=Глобальная активность (фактуры, предложения, заказы)
BoxGoodCustomers=Хорошие клиенты
BoxTitleGoodCustomers=%s Good customers
+BoxScheduledJobs=Запланированные задания
+BoxTitleFunnelOfProspection=Lead funnel
FailedToRefreshDataInfoNotUpToDate=Failed to refresh RSS flux. Latest successful refresh date: %s
LastRefreshDate=Дата последнего обновления
NoRecordedBookmarks=Закладки не созданы.
@@ -102,5 +105,7 @@ SuspenseAccountNotDefined=Suspense account isn't defined
BoxLastCustomerShipments=Last customer shipments
BoxTitleLastCustomerShipments=Latest %s customer shipments
NoRecordedShipments=No recorded customer shipment
+BoxCustomersOutstandingBillReached=Customers with oustanding limit reached
# Pages
AccountancyHome=Бухгалтерия
+ValidatedProjects=Validated projects
diff --git a/htdocs/langs/ru_RU/cashdesk.lang b/htdocs/langs/ru_RU/cashdesk.lang
index 9b2073aed88..4a435be4e06 100644
--- a/htdocs/langs/ru_RU/cashdesk.lang
+++ b/htdocs/langs/ru_RU/cashdesk.lang
@@ -49,8 +49,8 @@ Footer=Нижний колонтитул
AmountAtEndOfPeriod=Сумма на конец периода (день, месяц или год)
TheoricalAmount=Теоретическая сумма
RealAmount=Действительная сумма
-CashFence=Cash fence
-CashFenceDone=Cash fence done for the period
+CashFence=Cash desk closing
+CashFenceDone=Cash desk closing done for the period
NbOfInvoices=Кол-во счетов-фактур
Paymentnumpad=Type of Pad to enter payment
Numberspad=Numbers Pad
@@ -99,8 +99,9 @@ CashDeskRefNumberingModules=Numbering module for POS sales
CashDeskGenericMaskCodes6 = {TN} tag is used to add the terminal number
TakeposGroupSameProduct=Group same products lines
StartAParallelSale=Start a new parallel sale
-ControlCashOpening=Control cash box at opening POS
-CloseCashFence=Close cash fence
+SaleStartedAt=Sale started at %s
+ControlCashOpening=Control cash popup at opening POS
+CloseCashFence=Close cash desk control
CashReport=Cash report
MainPrinterToUse=Main printer to use
OrderPrinterToUse=Order printer to use
@@ -122,3 +123,4 @@ GiftReceipt=Gift receipt
ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled first
AllowDelayedPayment=Allow delayed payment
PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts
+WeighingScale=Weighing scale
diff --git a/htdocs/langs/ru_RU/categories.lang b/htdocs/langs/ru_RU/categories.lang
index c1fd9fc39d7..fc188dff315 100644
--- a/htdocs/langs/ru_RU/categories.lang
+++ b/htdocs/langs/ru_RU/categories.lang
@@ -19,6 +19,7 @@ ProjectsCategoriesArea=Раздел тегов/категорий проекто
UsersCategoriesArea=Раздел тегов/категорий пользователей
SubCats=Подкатегории
CatList=Список тегов/категорий
+CatListAll=List of tags/categories (all types)
NewCategory=Новый тег/категория
ModifCat=Изменить тег/категорию
CatCreated=Тег/категория созданы
@@ -65,16 +66,22 @@ UsersCategoriesShort=Теги/категории пользователей
StockCategoriesShort=Warehouse tags/categories
ThisCategoryHasNoItems=This category does not contain any items.
CategId=ID тега/категории
-CatSupList=List of vendor tags/categories
-CatCusList=Список тегов/категорий клиента/потенциального клиента
+ParentCategory=Parent tag/category
+ParentCategoryLabel=Label of parent tag/category
+CatSupList=List of vendors tags/categories
+CatCusList=List of customers/prospects tags/categories
CatProdList=Список тегов/категорий товаров
CatMemberList=Список тегов/категорий участников
-CatContactList=Список тегов/категорий контактов
-CatSupLinks=Связи между поставщиками и тегами/категориями
+CatContactList=List of contacts tags/categories
+CatProjectsList=List of projects tags/categories
+CatUsersList=List of users tags/categories
+CatSupLinks=Links between vendors and tags/categories
CatCusLinks=Связи между клиентами/потенц. клиентами и тегами/категориями
CatContactsLinks=Links between contacts/addresses and tags/categories
CatProdLinks=Связи между продуктами/услугами и тегами/категориями
-CatProJectLinks=Связи между проектами и тегами/категориями
+CatMembersLinks=Связи между участниками и тегами/категориями
+CatProjectsLinks=Связи между проектами и тегами/категориями
+CatUsersLinks=Links between users and tags/categories
DeleteFromCat=Удалить из тега/категории
ExtraFieldsCategories=Дополнительные атрибуты
CategoriesSetup=Настройка тегов/категорий
diff --git a/htdocs/langs/ru_RU/companies.lang b/htdocs/langs/ru_RU/companies.lang
index 53e53122d77..2f8f9c2005b 100644
--- a/htdocs/langs/ru_RU/companies.lang
+++ b/htdocs/langs/ru_RU/companies.lang
@@ -358,7 +358,7 @@ VATIntraCheckableOnEUSite=Проверьте идентификатора НДС
VATIntraManualCheck=Вы также можете проверить его вручную на сайте Европейской Комиссии %s
ErrorVATCheckMS_UNAVAILABLE=Проверка невозможна. Сервис проверки не предоставляется государством-членом ЕС (%s).
NorProspectNorCustomer=Не потенциальный клиент, не клиент
-JuridicalStatus=Тип юридического лица
+JuridicalStatus=Business entity type
Workforce=Workforce
Staff=Сотрудники
ProspectLevelShort=Потенциальный
diff --git a/htdocs/langs/ru_RU/compta.lang b/htdocs/langs/ru_RU/compta.lang
index f9002c431a6..c7e9361c99f 100644
--- a/htdocs/langs/ru_RU/compta.lang
+++ b/htdocs/langs/ru_RU/compta.lang
@@ -111,7 +111,7 @@ Refund=Refund
SocialContributionsPayments=Social/fiscal taxes payments
ShowVatPayment=Показать оплате НДС
TotalToPay=Всего к оплате
-BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted ascending on %s and filtered for 1 bank account
+BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted on %s and filtered on 1 bank account (with no other filters)
CustomerAccountancyCode=Customer accounting code
SupplierAccountancyCode=Vendor accounting code
CustomerAccountancyCodeShort=Cust. account. code
@@ -140,7 +140,7 @@ ConfirmDeleteSocialContribution=Are you sure you want to delete this social/fisc
ExportDataset_tax_1=Social and fiscal taxes and payments
CalcModeVATDebt=Mode %sVAT on commitment accounting%s.
CalcModeVATEngagement=Mode %sVAT on incomes-expenses%s.
-CalcModeDebt=Analysis of known recorded invoices even if they are not yet accounted in ledger.
+CalcModeDebt=Analysis of known recorded documents even if they are not yet accounted in ledger.
CalcModeEngagement=Analysis of known recorded payments, even if they are not yet accounted in Ledger.
CalcModeBookkeeping=Analysis of data journalized in Bookkeeping Ledger table.
CalcModeLT1= Режим %sRE на счетах клиентов - счетах поставщиков%s
@@ -154,9 +154,9 @@ AnnualSummaryInputOutputMode=Баланс доходов и расходов, г
AnnualByCompanies=Balance of income and expenses, by predefined groups of account
AnnualByCompaniesDueDebtMode=Balance of income and expenses, detail by predefined groups, mode %sClaims-Debts%s said Commitment accounting.
AnnualByCompaniesInputOutputMode=Balance of income and expenses, detail by predefined groups, mode %sIncomes-Expenses%s said cash accounting.
-SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation on actual payments made even if they are not yet accounted in Ledger.
-SeeReportInDueDebtMode=See %sanalysis of invoices%s for a calculation based on known recorded invoices even if they are not yet accounted in Ledger.
-SeeReportInBookkeepingMode=See %sBookeeping report%s for a calculation on Bookkeeping Ledger table
+SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation based on recorded payments made even if they are not yet accounted in Ledger
+SeeReportInDueDebtMode=See %sanalysis of recorded documents%s for a calculation based on known recorded documents even if they are not yet accounted in Ledger
+SeeReportInBookkeepingMode=See %sanalysis of bookeeping ledger table%s for a report based on Bookkeeping Ledger table
RulesAmountWithTaxIncluded= - Суммы даны с учётом всех налогов
RulesResultDue=- It includes outstanding invoices, expenses, VAT, donations whether they are paid or not. Is also includes paid salaries. - It is based on the billing date of invoices and on the due date for expenses or tax payments. For salaries defined with Salary module, the value date of payment is used.
RulesResultInOut=- It includes the real payments made on invoices, expenses, VAT and salaries. - It is based on the payment dates of the invoices, expenses, VAT and salaries. The donation date for donation.
@@ -169,12 +169,15 @@ RulesResultBookkeepingPersonalized=It show record in your Ledger with accounting
SeePageForSetup=See menu %s for setup
DepositsAreNotIncluded=- Down payment invoices are not included
DepositsAreIncluded=- Down payment invoices are included
+LT1ReportByMonth=Tax 2 report by month
+LT2ReportByMonth=Tax 3 report by month
LT1ReportByCustomers=Report tax 2 by third party
LT2ReportByCustomers=Report tax 3 by third party
LT1ReportByCustomersES=Report by third party RE
LT2ReportByCustomersES=Доклад третьей стороной IRPF
VATReport=Sale tax report
VATReportByPeriods=Sale tax report by period
+VATReportByMonth=Sale tax report by month
VATReportByRates=Sale tax report by rates
VATReportByThirdParties=Sale tax report by third parties
VATReportByCustomers=Sale tax report by customer
diff --git a/htdocs/langs/ru_RU/cron.lang b/htdocs/langs/ru_RU/cron.lang
index c21b1597510..d65f1c21c33 100644
--- a/htdocs/langs/ru_RU/cron.lang
+++ b/htdocs/langs/ru_RU/cron.lang
@@ -7,13 +7,14 @@ Permission23103 = Удалить Запланированную задачу
Permission23104 = Выполнить запланированную задачу
# Admin
CronSetup=Настройки запланированных заданий
-URLToLaunchCronJobs=URL to check and launch qualified cron jobs
-OrToLaunchASpecificJob=Или проверить и запустить специальную задачу
+URLToLaunchCronJobs=URL to check and launch qualified cron jobs from a browser
+OrToLaunchASpecificJob=Or to check and launch a specific job from a browser
KeyForCronAccess=Ключ безопасности для запуска запланированных заданий
FileToLaunchCronJobs=Command line to check and launch qualified cron jobs
CronExplainHowToRunUnix=В системах Unix-like вы должны задать crontab для выполнения команды каждые 5 минут.
CronExplainHowToRunWin=On Microsoft(tm) Windows environment you can use Scheduled Task tools to run the command line each 5 minutes
CronMethodDoesNotExists=Class %s does not contains any method %s
+CronMethodNotAllowed=Method %s of class %s is in blacklist of forbidden methods
CronJobDefDesc=Cron job profiles are defined into the module descriptor file. When module is activated, they are loaded and available so you can administer the jobs from the admin tools menu %s.
CronJobProfiles=List of predefined cron job profiles
# Menu
@@ -46,6 +47,7 @@ CronNbRun=Number of launches
CronMaxRun=Maximum number of launches
CronEach=Каждый
JobFinished=Задание запущено и завершено
+Scheduled=Scheduled
#Page card
CronAdd= Добавить задание
CronEvery=Execute job each
@@ -56,7 +58,7 @@ CronNote=Комментарий
CronFieldMandatory=Поле %s является обязательным
CronErrEndDateStartDt=Дата окончания не может быть раньше даты начала
StatusAtInstall=Status at module installation
-CronStatusActiveBtn=Включено
+CronStatusActiveBtn=Schedule
CronStatusInactiveBtn=Выключать
CronTaskInactive=Задание отключено
CronId=ID
@@ -76,8 +78,14 @@ CronType_method=Call method of a PHP Class
CronType_command=Команда командной строки
CronCannotLoadClass=Cannot load class file %s (to use class %s)
CronCannotLoadObject=Class file %s was loaded, but object %s was not found into it
-UseMenuModuleToolsToAddCronJobs=Go into menu "Home - Admin tools - Scheduled jobs" to see and edit scheduled jobs.
+UseMenuModuleToolsToAddCronJobs=Go into menu "Home - Admin tools - Scheduled jobs" to see and edit scheduled jobs.
JobDisabled=Job disabled
MakeLocalDatabaseDumpShort=Local database backup
MakeLocalDatabaseDump=Create a local database dump. Parameters are: compression ('gz' or 'bz' or 'none'), backup type ('mysql', 'pgsql', 'auto'), 1, 'auto' or filename to build, number of backup files to keep
WarningCronDelayed=Attention, for performance purpose, whatever is next date of execution of enabled jobs, your jobs may be delayed to a maximum of %s hours, before being run.
+DATAPOLICYJob=Data cleaner and anonymizer
+JobXMustBeEnabled=Job %s must be enabled
+# Cron Boxes
+LastExecutedScheduledJob=Last executed scheduled job
+NextScheduledJobExecute=Next scheduled job to execute
+NumberScheduledJobError=Number of scheduled jobs in error
diff --git a/htdocs/langs/ru_RU/errors.lang b/htdocs/langs/ru_RU/errors.lang
index d9a8f880d67..3bcf15212e8 100644
--- a/htdocs/langs/ru_RU/errors.lang
+++ b/htdocs/langs/ru_RU/errors.lang
@@ -5,8 +5,10 @@ NoErrorCommitIsDone=Нет ошибок, мы принимаем
# Errors
ErrorButCommitIsDone=Обнаружены ошибки, но мы подтвердиле несмотря на это
ErrorBadEMail=Email %s is wrong
+ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record)
ErrorBadUrl=Url %s неправильно
ErrorBadValueForParamNotAString=Bad value for your parameter. It appends generally when translation is missing.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorLoginAlreadyExists=Логин %s уже существует.
ErrorGroupAlreadyExists=Группа %s уже существует.
ErrorRecordNotFound=Запись не найдена.
@@ -48,6 +50,7 @@ ErrorFieldsRequired=Некоторые обязательные поля не б
ErrorSubjectIsRequired=The email topic is required
ErrorFailedToCreateDir=Не удалось создать каталог. Убедитесь, что веб-сервер пользователь имеет разрешения на запись в каталог Dolibarr документы. Если параметр safe_mode включен по этому PHP, проверьте, что Dolibarr PHP файлы принадлежат к веб-серверу пользователей (или группы).
ErrorNoMailDefinedForThisUser=Нет определена почта для этого пользователя
+ErrorSetupOfEmailsNotComplete=Setup of emails is not complete
ErrorFeatureNeedJavascript=Эта функция JavaScript должны быть активированы на работу. Изменить это в настройки - дисплей.
ErrorTopMenuMustHaveAParentWithId0=Меню типа 'Top' не может быть родителем меню. Положить 0 родителей в меню или выбрать меню типа 'левых'.
ErrorLeftMenuMustHaveAParentId=Меню типа 'левых' должен иметь родителя ID.
@@ -75,7 +78,7 @@ ErrorExportDuplicateProfil=Имя этого профиля уже сущесв
ErrorLDAPSetupNotComplete=Dolibarr-LDAP соответствия не является полной.
ErrorLDAPMakeManualTest=. LDIF файл был создан в директории %s. Попробуйте загрузить его вручную из командной строки, чтобы иметь больше информации об ошибках.
ErrorCantSaveADoneUserWithZeroPercentage=Can't save an action with "status not started" if field "done by" is also filled.
-ErrorRefAlreadyExists=Ссылки, используемые для создания, уже существует.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorPleaseTypeBankTransactionReportName=Please enter the bank statement name where the entry has to be reported (Format YYYYMM or YYYYMMDD)
ErrorRecordHasChildren=Failed to delete record since it has some child records.
ErrorRecordHasAtLeastOneChildOfType=Object has at least one child of type %s
@@ -216,7 +219,7 @@ ErrorChooseBetweenFreeEntryOrPredefinedProduct=You must choose if article is a p
ErrorDiscountLargerThanRemainToPaySplitItBefore=The discount you try to apply is larger than remain to pay. Split the discount in 2 smaller discounts before.
ErrorFileNotFoundWithSharedLink=File was not found. May be the share key was modified or file was removed recently.
ErrorProductBarCodeAlreadyExists=The product barcode %s already exists on another product reference.
-ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using virtual product to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number.
+ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using kits to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number.
ErrorDescRequiredForFreeProductLines=Description is mandatory for lines with free product
ErrorAPageWithThisNameOrAliasAlreadyExists=The page/container %s has the same name or alternative alias that the one your try to use
ErrorDuringChartLoad=Error when loading chart of accounts. If few accounts were not loaded, you can still enter them manually.
@@ -243,6 +246,16 @@ ErrorReplaceStringEmpty=Error, the string to replace into is empty
ErrorProductNeedBatchNumber=Error, product '%s' need a lot/serial number
ErrorProductDoesNotNeedBatchNumber=Error, product '%s' does not accept a lot/serial number
ErrorFailedToReadObject=Error, failed to read object of type %s
+ErrorParameterMustBeEnabledToAllwoThisFeature=Error, parameter %s must be enabled into conf/conf.php to allow use of Command Line Interface by the internal job scheduler
+ErrorLoginDateValidity=Error, this login is outside the validity date range
+ErrorValueLength=Length of field '%s' must be higher than '%s'
+ErrorReservedKeyword=The word '%s' is a reserved keyword
+ErrorNotAvailableWithThisDistribution=Not available with this distribution
+ErrorPublicInterfaceNotEnabled=Public interface was not enabled
+ErrorLanguageRequiredIfPageIsTranslationOfAnother=The language of new page must be defined if it is set as a translation of another page
+ErrorLanguageMustNotBeSourceLanguageIfPageIsTranslationOfAnother=The language of new page must not be the source language if it is set as a translation of another page
+ErrorAParameterIsRequiredForThisOperation=A parameter is mandatory for this operation
+
# Warnings
WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup.
WarningPasswordSetWithNoAccount=A password was set for this member. However, no user account was created. So this password is stored but can't be used to login to Dolibarr. It may be used by an external module/interface but if you don't need to define any login nor password for a member, you can disable option "Manage a login for each member" from Member module setup. If you need to manage a login but don't need any password, you can keep this field empty to avoid this warning. Note: Email can also be used as a login if the member is linked to a user.
@@ -267,6 +280,10 @@ WarningYourLoginWasModifiedPleaseLogin=Your login was modified. For security pur
WarningAnEntryAlreadyExistForTransKey=An entry already exists for the translation key for this language
WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different recipient is limited to %s when using the mass actions on lists
WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report
+WarningProjectDraft=Project is still in draft mode. Don't forget to validate it if you plan to use tasks.
WarningProjectClosed=Project is closed. You must re-open it first.
WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list.
-WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table
+WarningFailedToAddFileIntoDatabaseIndex=Warning, failed to add file entry into ECM database index table
+WarningTheHiddenOptionIsOn=Warning, the hidden option %s is on.
+WarningCreateSubAccounts=Warning, you can't create directly a sub account, you must create a third party or an user and assign them an accounting code to find them in this list
+WarningAvailableOnlyForHTTPSServers=Available only if using HTTPS secured connection.
diff --git a/htdocs/langs/ru_RU/exports.lang b/htdocs/langs/ru_RU/exports.lang
index 380635eca51..5fbbcfd4665 100644
--- a/htdocs/langs/ru_RU/exports.lang
+++ b/htdocs/langs/ru_RU/exports.lang
@@ -26,6 +26,8 @@ FieldTitle=Поле название
NowClickToGenerateToBuildExportFile=Now, select the file format in the combo box and click on "Generate" to build the export file...
AvailableFormats=Available Formats
LibraryShort=Библиотека
+ExportCsvSeparator=Csv caracter separator
+ImportCsvSeparator=Csv caracter separator
Step=Шаг
FormatedImport=Import Assistant
FormatedImportDesc1=This module allows you to update existing data or add new objects into the database from a file without technical knowledge, using an assistant.
@@ -131,3 +133,4 @@ KeysToUseForUpdates=Key (column) to use for updating existing data
NbInsert=Number of inserted lines: %s
NbUpdate=Number of updated lines: %s
MultipleRecordFoundWithTheseFilters=Multiple records have been found with these filters: %s
+StocksWithBatch=Stocks and location (warehouse) of products with batch/serial number
diff --git a/htdocs/langs/ru_RU/mails.lang b/htdocs/langs/ru_RU/mails.lang
index 1da962648ec..aa01654c759 100644
--- a/htdocs/langs/ru_RU/mails.lang
+++ b/htdocs/langs/ru_RU/mails.lang
@@ -92,6 +92,7 @@ MailingModuleDescEmailsFromUser=Emails input by user
MailingModuleDescDolibarrUsers=Users with Emails
MailingModuleDescThirdPartiesByCategories=Third parties (by categories)
SendingFromWebInterfaceIsNotAllowed=Sending from web interface is not allowed.
+EmailCollectorFilterDesc=All filters must match to have an email being collected
# Libelle des modules de liste de destinataires mailing
LineInFile=Линия %s в файл
@@ -125,12 +126,13 @@ TagMailtoEmail=Recipient Email (including html "mailto:" link)
NoEmailSentBadSenderOrRecipientEmail=No email sent. Bad sender or recipient email. Verify user profile.
# Module Notifications
Notifications=Уведомления
-NoNotificationsWillBeSent=Нет электронной почте уведомления, планируется к этому мероприятию и компании
-ANotificationsWillBeSent=1 уведомление будет отправлено по электронной почте
-SomeNotificationsWillBeSent=%s уведомления будут отправлены по электронной почте
-AddNewNotification=Activate a new email notification target/event
-ListOfActiveNotifications=List all active targets/events for email notification
-ListOfNotificationsDone=Список всех уведомлений по электронной почте отправлено
+NotificationsAuto=Notifications Auto.
+NoNotificationsWillBeSent=No automatic email notifications are planned for this event type and company
+ANotificationsWillBeSent=1 automatic notification will be sent by email
+SomeNotificationsWillBeSent=%s automatic notifications will be sent by email
+AddNewNotification=Subscribe to a new automatic email notification (target/event)
+ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification
+ListOfNotificationsDone=List all automatic email notifications sent
MailSendSetupIs=Configuration of email sending has been setup to '%s'. This mode can't be used to send mass emailing.
MailSendSetupIs2=You must first go, with an admin account, into menu %sHome - Setup - EMails%s to change parameter '%s' to use mode '%s'. With this mode, you can enter setup of the SMTP server provided by your Internet Service Provider and use Mass emailing feature.
MailSendSetupIs3=If you have any questions on how to setup your SMTP server, you can ask to %s.
@@ -140,7 +142,7 @@ UseFormatFileEmailToTarget=Imported file must have format email;name;fir
UseFormatInputEmailToTarget=Enter a string with format email;name;firstname;other
MailAdvTargetRecipients=Recipients (advanced selection)
AdvTgtTitle=Fill input fields to preselect the third parties or contacts/addresses to target
-AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima% will target all jean, joe, start with jim but not jimo and not everything that starts with jima
+AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima%% will target all jean, joe, start with jim but not jimo and not everything that starts with jima
AdvTgtSearchIntHelp=Use interval to select int or float value
AdvTgtMinVal=Minimum value
AdvTgtMaxVal=Maximum value
@@ -162,13 +164,14 @@ AdvTgtCreateFilter=Create filter
AdvTgtOrCreateNewFilter=Name of new filter
NoContactWithCategoryFound=No contact/address with a category found
NoContactLinkedToThirdpartieWithCategoryFound=No contact/address with a category found
-OutGoingEmailSetup=Outgoing email setup
-InGoingEmailSetup=Incoming email setup
-OutGoingEmailSetupForEmailing=Outgoing email setup (for module %s)
-DefaultOutgoingEmailSetup=Default outgoing email setup
+OutGoingEmailSetup=Outgoing emails
+InGoingEmailSetup=Incoming emails
+OutGoingEmailSetupForEmailing=Outgoing emails (for module %s)
+DefaultOutgoingEmailSetup=Same configuration than the global Outgoing email setup
Information=Информация
ContactsWithThirdpartyFilter=Contacts with third-party filter
Unanswered=Unanswered
Answered=Answered
IsNotAnAnswer=Is not answer (initial email)
IsAnAnswer=Is an answer of an initial email
+RecordCreatedByEmailCollector=Record created by the Email Collector %s from email %s
diff --git a/htdocs/langs/ru_RU/main.lang b/htdocs/langs/ru_RU/main.lang
index bcd5f1ea608..bbccccbc886 100644
--- a/htdocs/langs/ru_RU/main.lang
+++ b/htdocs/langs/ru_RU/main.lang
@@ -28,7 +28,9 @@ NoTemplateDefined=Для этого типа электронной почты
AvailableVariables=Доступны переменные для замены
NoTranslation=Нет перевода
Translation=Перевод
+CurrentTimeZone=Текущий часовой пояс в настройках PHP
EmptySearchString=Enter non empty search criterias
+EnterADateCriteria=Enter a date criteria
NoRecordFound=Запись не найдена
NoRecordDeleted=Нет удаленных записей
NotEnoughDataYet=Недостаточно данных
@@ -85,6 +87,8 @@ FileWasNotUploaded=Файл выбран как вложение, но пока
NbOfEntries=Кол-во записей
GoToWikiHelpPage=Читать интернет-справку (необходим доступ к Интернету)
GoToHelpPage=Читать помощь
+DedicatedPageAvailable=There is a dedicated help page related to your current screen
+HomePage=Home Page
RecordSaved=Запись сохранена
RecordDeleted=Запись удалена
RecordGenerated=Запись сгенерирована
@@ -433,6 +437,7 @@ RemainToPay=Осталось заплатить
Module=Модуль/Приложение
Modules=Модули/Приложения
Option=Опция
+Filters=Filters
List=Список
FullList=Полный список
FullConversation=Full conversation
@@ -671,7 +676,7 @@ SendMail=Отправить письмо
Email=Адрес электронной почты
NoEMail=Нет Email
AlreadyRead=Прочитано
-NotRead=Не прочитано
+NotRead=Unread
NoMobilePhone=Нет мобильного телефона
Owner=Владелец
FollowingConstantsWillBeSubstituted=Следующие константы будут подменять соответствующие значения.
@@ -1107,3 +1112,8 @@ UpToDate=Up-to-date
OutOfDate=Out-of-date
EventReminder=Event Reminder
UpdateForAllLines=Update for all lines
+OnHold=On hold
+AffectTag=Affect Tag
+ConfirmAffectTag=Bulk Tag Affect
+ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected record(s)?
+CategTypeNotFound=No tag type found for type of records
diff --git a/htdocs/langs/ru_RU/modulebuilder.lang b/htdocs/langs/ru_RU/modulebuilder.lang
index 460aef8103b..845dd12624d 100644
--- a/htdocs/langs/ru_RU/modulebuilder.lang
+++ b/htdocs/langs/ru_RU/modulebuilder.lang
@@ -40,6 +40,7 @@ PageForCreateEditView=PHP page to create/edit/view a record
PageForAgendaTab=PHP page for event tab
PageForDocumentTab=PHP page for document tab
PageForNoteTab=PHP page for note tab
+PageForContactTab=PHP page for contact tab
PathToModulePackage=Path to zip of module/application package
PathToModuleDocumentation=Path to file of module/application documentation (%s)
SpaceOrSpecialCharAreNotAllowed=Spaces or special characters are not allowed.
@@ -77,7 +78,7 @@ IsAMeasure=Is a measure
DirScanned=Directory scanned
NoTrigger=No trigger
NoWidget=No widget
-GoToApiExplorer=Go to API explorer
+GoToApiExplorer=API explorer
ListOfMenusEntries=List of menu entries
ListOfDictionariesEntries=List of dictionaries entries
ListOfPermissionsDefined=List of defined permissions
@@ -105,7 +106,7 @@ TryToUseTheModuleBuilder=If you have knowledge of SQL and PHP, you may use the n
SeeTopRightMenu=See on the top right menu
AddLanguageFile=Add language file
YouCanUseTranslationKey=You can use here a key that is the translation key found into language file (see tab "Languages")
-DropTableIfEmpty=(Delete table if empty)
+DropTableIfEmpty=(Destroy table if empty)
TableDoesNotExists=The table %s does not exists
TableDropped=Table %s deleted
InitStructureFromExistingTable=Build the structure array string of an existing table
@@ -126,7 +127,6 @@ UseSpecificEditorURL = Use a specific editor URL
UseSpecificFamily = Use a specific family
UseSpecificAuthor = Use a specific author
UseSpecificVersion = Use a specific initial version
-ModuleMustBeEnabled=The module/application must be enabled first
IncludeRefGeneration=The reference of object must be generated automatically
IncludeRefGenerationHelp=Check this if you want to include code to manage the generation automatically of the reference
IncludeDocGeneration=I want to generate some documents from the object
@@ -140,3 +140,4 @@ TypeOfFieldsHelp=Type of fields: varchar(99), double(24,8), real, text, html,
AsciiToHtmlConverter=Ascii to HTML converter
AsciiToPdfConverter=Ascii to PDF converter
TableNotEmptyDropCanceled=Table not empty. Drop has been canceled.
+ModuleBuilderNotAllowed=The module builder is available but not allowed to your user.
diff --git a/htdocs/langs/ru_RU/other.lang b/htdocs/langs/ru_RU/other.lang
index 390b2716c41..975a61e5488 100644
--- a/htdocs/langs/ru_RU/other.lang
+++ b/htdocs/langs/ru_RU/other.lang
@@ -5,8 +5,6 @@ Tools=Инструменты
TMenuTools=Инструменты
ToolsDesc=All tools not included in other menu entries are grouped here. All the tools can be accessed via the left menu.
Birthday=День рождения
-BirthdayDate=Birthday date
-DateToBirth=Birth date
BirthdayAlertOn=рождения активного оповещения
BirthdayAlertOff=рождения оповещения неактивные
TransKey=Translation of the key TransKey
@@ -16,6 +14,8 @@ PreviousMonthOfInvoice=Previous month (number 1-12) of invoice date
TextPreviousMonthOfInvoice=Previous month (text) of invoice date
NextMonthOfInvoice=Following month (number 1-12) of invoice date
TextNextMonthOfInvoice=Following month (text) of invoice date
+PreviousMonth=Previous month
+CurrentMonth=Current month
ZipFileGeneratedInto=Zip file generated into %s.
DocFileGeneratedInto=Doc file generated into %s.
JumpToLogin=Disconnected. Go to login page...
@@ -99,6 +99,7 @@ PredefinedMailContentSendShipping=__(Hello)__\n\nPlease find shipping __REF__ at
PredefinedMailContentSendFichInter=__(Hello)__\n\nPlease find intervention __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.\n\n%s\n\n
PredefinedMailContentGeneric=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
+PredefinedMailContentSendActionComm=Event reminder "__EVENT_LABEL__" on __EVENT_DATE__ at __EVENT_TIME__
This is an automatic message, please do not reply.
DemoDesc=Dolibarr is a compact ERP/CRM supporting several business modules. A demo showcasing all modules makes no sense as this scenario never occurs (several hundred available). So, several demo profiles are available.
ChooseYourDemoProfil=Choose the demo profile that best suits your needs...
ChooseYourDemoProfilMore=...or build your own profile (manual module selection)
@@ -137,7 +138,7 @@ Right=Право
CalculatedWeight=расчетный вес
CalculatedVolume=Beregnet volum
Weight=Вес
-WeightUnitton=tonne
+WeightUnitton=ton
WeightUnitkg=кг
WeightUnitg=G
WeightUnitmg=мг
@@ -258,6 +259,7 @@ ContactCreatedByEmailCollector=Contact/address created by email collector from e
ProjectCreatedByEmailCollector=Project created by email collector from email MSGID %s
TicketCreatedByEmailCollector=Ticket created by email collector from email MSGID %s
OpeningHoursFormatDesc=Use a - to separate opening and closing hours. Use a space to enter different ranges. Example: 8-12 14-18
+PrefixSession=Prefix for session ID
##### Export #####
ExportsArea=Экспорт области
diff --git a/htdocs/langs/ru_RU/products.lang b/htdocs/langs/ru_RU/products.lang
index dd1b39584f5..e399136ba48 100644
--- a/htdocs/langs/ru_RU/products.lang
+++ b/htdocs/langs/ru_RU/products.lang
@@ -108,7 +108,8 @@ FillWithLastServiceDates=Fill with last service line dates
MultiPricesAbility=Multiple price segments per product/service (each customer is in one price segment)
MultiPricesNumPrices=Кол-во цен
DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices
-AssociatedProductsAbility=Activate kits (virtual products)
+AssociatedProductsAbility=Enable Kits (set of other products)
+VariantsAbility=Enable Variants (variations of products, for example color, size)
AssociatedProducts=Kits
AssociatedProductsNumber=Number of products composing this kit
ParentProductsNumber=Количество родительских упаковочных продуктов
@@ -167,8 +168,10 @@ BuyingPrices=Цены на покупку
CustomerPrices=Цены клиентов
SuppliersPrices=Vendor prices
SuppliersPricesOfProductsOrServices=Vendor prices (of products or services)
-CustomCode=Таможенный / Товарный / HS код
+CustomCode=Customs|Commodity|HS code
CountryOrigin=Страна происхождения
+RegionStateOrigin=Region origin
+StateOrigin=State|Province origin
Nature=Nature of product (material/finished)
NatureOfProductShort=Nature of product
NatureOfProductDesc=Raw material or finished product
@@ -239,7 +242,7 @@ AlwaysUseFixedPrice=Использовать фиксированную цену
PriceByQuantity=Разные цены по количеству
DisablePriceByQty=Отключить цены по количеству
PriceByQuantityRange=Диапазон количества
-MultipriceRules=Правила ценового сегмента
+MultipriceRules=Automatic prices for segment
UseMultipriceRules=Use price segment rules (defined into product module setup) to auto calculate prices of all other segments according to first segment
PercentVariationOver=%% вариация над %s
PercentDiscountOver=%% скидка на %s
diff --git a/htdocs/langs/ru_RU/recruitment.lang b/htdocs/langs/ru_RU/recruitment.lang
index f113cfbe396..71fa83a3e38 100644
--- a/htdocs/langs/ru_RU/recruitment.lang
+++ b/htdocs/langs/ru_RU/recruitment.lang
@@ -73,3 +73,4 @@ JobClosedTextCandidateFound=The job position is closed. The position has been fi
JobClosedTextCanceled=The job position is closed.
ExtrafieldsJobPosition=Complementary attributes (job positions)
ExtrafieldsCandidatures=Complementary attributes (job applications)
+MakeOffer=Make an offer
diff --git a/htdocs/langs/ru_RU/sendings.lang b/htdocs/langs/ru_RU/sendings.lang
index 83633eb27c1..8f423ba15d8 100644
--- a/htdocs/langs/ru_RU/sendings.lang
+++ b/htdocs/langs/ru_RU/sendings.lang
@@ -30,6 +30,7 @@ OtherSendingsForSameOrder=Другие поставки для этого зак
SendingsAndReceivingForSameOrder=Shipments and receipts for this order
SendingsToValidate=Поставки для проверки
StatusSendingCanceled=Отменена
+StatusSendingCanceledShort=Отменена
StatusSendingDraft=Черновик
StatusSendingValidated=Утверждена (товары для отправки или уже отправлены)
StatusSendingProcessed=Обработано
@@ -65,6 +66,7 @@ ValidateOrderFirstBeforeShipment=You must first validate the order before being
# Sending methods
# ModelDocument
DocumentModelTyphon=Более полная модель документа для доставки квитанций (logo. ..)
+DocumentModelStorm=More complete document model for delivery receipts and extrafields compatibility (logo...)
Error_EXPEDITION_ADDON_NUMBER_NotDefined=Постоянное EXPEDITION_ADDON_NUMBER не определена
SumOfProductVolumes=Сумма сторон товара
SumOfProductWeights=Вес товара в сумме
diff --git a/htdocs/langs/ru_RU/stocks.lang b/htdocs/langs/ru_RU/stocks.lang
index e06e1cebd17..d561e35bfae 100644
--- a/htdocs/langs/ru_RU/stocks.lang
+++ b/htdocs/langs/ru_RU/stocks.lang
@@ -240,3 +240,4 @@ InventoryRealQtyHelp=Set value to 0 to reset qty Keep field empty, or remove
UpdateByScaning=Update by scaning
UpdateByScaningProductBarcode=Update by scan (product barcode)
UpdateByScaningLot=Update by scan (lot|serial barcode)
+DisableStockChangeOfSubProduct=Deactivate the stock change for all the subproducts of this Kit during this movement.
diff --git a/htdocs/langs/ru_RU/ticket.lang b/htdocs/langs/ru_RU/ticket.lang
index 99c9e52ce56..708af1e5769 100644
--- a/htdocs/langs/ru_RU/ticket.lang
+++ b/htdocs/langs/ru_RU/ticket.lang
@@ -31,10 +31,8 @@ TicketDictType=Ticket - Types
TicketDictCategory=Ticket - Groupes
TicketDictSeverity=Ticket - Severities
TicketDictResolution=Ticket - Resolution
-TicketTypeShortBUGSOFT=Dysfonctionnement logiciel
-TicketTypeShortBUGHARD=Dysfonctionnement matériel
-TicketTypeShortCOM=Commercial question
+TicketTypeShortCOM=Commercial question
TicketTypeShortHELP=Request for functionnal help
TicketTypeShortISSUE=Issue, bug or problem
TicketTypeShortREQUEST=Change or enhancement request
@@ -44,7 +42,7 @@ TicketTypeShortOTHER=Другое
TicketSeverityShortLOW=Низкий
TicketSeverityShortNORMAL=Normal
TicketSeverityShortHIGH=Высокий
-TicketSeverityShortBLOCKING=Critical/Blocking
+TicketSeverityShortBLOCKING=Critical, Blocking
ErrorBadEmailAddress=Field '%s' incorrect
MenuTicketMyAssign=My tickets
@@ -60,7 +58,6 @@ OriginEmail=Email source
Notify_TICKET_SENTBYMAIL=Send ticket message by email
# Status
-NotRead=Не прочитано
Read=Читать
Assigned=Assigned
InProgress=Выполняется
@@ -126,6 +123,7 @@ TicketsActivatePublicInterfaceHelp=Public interface allow any visitors to create
TicketsAutoAssignTicket=Automatically assign the user who created the ticket
TicketsAutoAssignTicketHelp=When creating a ticket, the user can be automatically assigned to the ticket.
TicketNumberingModules=Tickets numbering module
+TicketsModelModule=Document templates for tickets
TicketNotifyTiersAtCreation=Notify third party at creation
TicketsDisableCustomerEmail=Always disable emails when a ticket is created from public interface
TicketsPublicNotificationNewMessage=Send email(s) when a new message is added
@@ -233,7 +231,6 @@ TicketLogStatusChanged=Status changed: %s to %s
TicketNotNotifyTiersAtCreate=Not notify company at create
Unread=Unread
TicketNotCreatedFromPublicInterface=Not available. Ticket was not created from public interface.
-PublicInterfaceNotEnabled=Public interface was not enabled
ErrorTicketRefRequired=Ticket reference name is required
#
diff --git a/htdocs/langs/ru_RU/website.lang b/htdocs/langs/ru_RU/website.lang
index 4b46043e5a1..775344b328a 100644
--- a/htdocs/langs/ru_RU/website.lang
+++ b/htdocs/langs/ru_RU/website.lang
@@ -30,7 +30,6 @@ EditInLine=Edit inline
AddWebsite=Add website
Webpage=Web page/container
AddPage=Add page/container
-HomePage=Home Page
PageContainer=Страница
PreviewOfSiteNotYetAvailable=Preview of your website %s not yet available. You must first 'Import a full website template' or just 'Add a page/container'.
RequestedPageHasNoContentYet=Requested page with id %s has no content yet, or cache file .tpl.php was removed. Edit content of the page to solve this.
@@ -101,7 +100,7 @@ EmptyPage=Empty page
ExternalURLMustStartWithHttp=External URL must start with http:// or https://
ZipOfWebsitePackageToImport=Upload the Zip file of the website template package
ZipOfWebsitePackageToLoad=or Choose an available embedded website template package
-ShowSubcontainers=Include dynamic content
+ShowSubcontainers=Show dynamic content
InternalURLOfPage=Internal URL of page
ThisPageIsTranslationOf=This page/container is a translation of
ThisPageHasTranslationPages=This page/container has translation
@@ -137,3 +136,4 @@ RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using
PagesRegenerated=%s page(s)/container(s) regenerated
RegenerateWebsiteContent=Regenerate web site cache files
AllowedInFrames=Allowed in Frames
+DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languages into web site properties.
diff --git a/htdocs/langs/ru_RU/withdrawals.lang b/htdocs/langs/ru_RU/withdrawals.lang
index e7d2417a55d..d93b73ddd37 100644
--- a/htdocs/langs/ru_RU/withdrawals.lang
+++ b/htdocs/langs/ru_RU/withdrawals.lang
@@ -42,6 +42,7 @@ LastWithdrawalReceipt=Latest %s direct debit receipts
MakeWithdrawRequest=Make a direct debit payment request
MakeBankTransferOrder=Make a credit transfer request
WithdrawRequestsDone=%s direct debit payment requests recorded
+BankTransferRequestsDone=%s credit transfer requests recorded
ThirdPartyBankCode=Third-party bank code
NoInvoiceCouldBeWithdrawed=No invoice debited successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s.
ClassCredited=Классифицировать зачисленных
@@ -131,7 +132,8 @@ SEPARCUR=SEPA CUR
SEPAFRST=SEPA FRST
ExecutionDate=Execution date
CreateForSepa=Create direct debit file
-ICS=Creditor Identifier CI
+ICS=Creditor Identifier CI for direct debit
+ICSTransfer=Creditor Identifier CI for bank transfer
END_TO_END="EndToEndId" SEPA XML tag - Unique id assigned per transaction
USTRD="Unstructured" SEPA XML tag
ADDDAYS=Add days to Execution Date
@@ -146,3 +148,4 @@ InfoRejectSubject=Direct debit payment order refused
InfoRejectMessage=Hello,
the direct debit payment order of invoice %s related to the company %s, with an amount of %s has been refused by the bank.
-- %s
ModeWarning=Вариант для реального режима не был установлен, мы останавливаемся после этого моделирования
ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know wich one to use.
+ErrorICSmissing=Missing ICS in Bank account %s
diff --git a/htdocs/langs/ru_UA/products.lang b/htdocs/langs/ru_UA/products.lang
deleted file mode 100644
index 6e900475275..00000000000
--- a/htdocs/langs/ru_UA/products.lang
+++ /dev/null
@@ -1,2 +0,0 @@
-# Dolibarr language file - Source file is en_US - products
-CustomCode=Customs / Commodity / HS code
diff --git a/htdocs/langs/sk_SK/accountancy.lang b/htdocs/langs/sk_SK/accountancy.lang
index 5b1f85a55c1..c4ce2ba8726 100644
--- a/htdocs/langs/sk_SK/accountancy.lang
+++ b/htdocs/langs/sk_SK/accountancy.lang
@@ -48,6 +48,7 @@ CountriesExceptMe=All countries except %s
AccountantFiles=Export source documents
ExportAccountingSourceDocHelp=With this tool, you can export the source events (list and PDFs) that were used to generate your accountancy. To export your journals, use the menu entry %s - %s.
VueByAccountAccounting=View by accounting account
+VueBySubAccountAccounting=View by accounting subaccount
MainAccountForCustomersNotDefined=Main accounting account for customers not defined in setup
MainAccountForSuppliersNotDefined=Main accounting account for vendors not defined in setup
@@ -144,7 +145,7 @@ NotVentilatedinAccount=Nie je viazaný na účet
XLineSuccessfullyBinded=%s products/services successfully bound to an accounting account
XLineFailedToBeBinded=%s produkty / služby neboli viazané na žiadny účtovný účet
-ACCOUNTING_LIMIT_LIST_VENTILATION=Number of elements to bind shown by page (maximum recommended: 50)
+ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50)
ACCOUNTING_LIST_SORT_VENTILATION_TODO=Začnite triediť stránku "Väzba urobiť" najnovšími prvkami
ACCOUNTING_LIST_SORT_VENTILATION_DONE=Začnite triediť stránku "Väzba vykonaná" najnovšími prvkami
@@ -198,7 +199,8 @@ Docdate=dátum
Docref=referencie
LabelAccount=Značkový účet
LabelOperation=Label operation
-Sens=sens
+Sens=Direction
+AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received For an accounting account of a supplier, use Debit to record a payment you make
LetteringCode=Lettering code
Lettering=Lettering
Codejournal=časopis
@@ -206,7 +208,8 @@ JournalLabel=Journal label
NumPiece=Číslo kusu
TransactionNumShort=Num. transakcie
AccountingCategory=Personalized groups
-GroupByAccountAccounting=Skupinové účty
+GroupByAccountAccounting=Group by general ledger account
+GroupBySubAccountAccounting=Group by subledger account
AccountingAccountGroupsDesc=You can define here some groups of accounting account. They will be used for personalized accounting reports.
ByAccounts=By accounts
ByPredefinedAccountGroups=By predefined groups
@@ -248,7 +251,7 @@ PaymentsNotLinkedToProduct=Payment not linked to any product / service
OpeningBalance=Opening balance
ShowOpeningBalance=Show opening balance
HideOpeningBalance=Hide opening balance
-ShowSubtotalByGroup=Show subtotal by group
+ShowSubtotalByGroup=Show subtotal by level
Pcgtype=Group of account
PcgtypeDesc=Group of account are used as predefined 'filter' and 'grouping' criteria for some accounting reports. For example, 'INCOME' or 'EXPENSE' are used as groups for accounting accounts of products to build the expense/income report.
@@ -271,11 +274,13 @@ DescVentilExpenseReport=Consult here the list of expense report lines bound (or
DescVentilExpenseReportMore=If you setup accounting account on type of expense report lines, the application will be able to make all the binding between your expense report lines and the accounting account of your chart of accounts, just in one click with the button "%s". If account was not set on fees dictionary or if you still have some lines not bound to any account, you will have to make a manual binding from the menu "%s".
DescVentilDoneExpenseReport=Consult here the list of the lines of expenses reports and their fees accounting account
+Closure=Annual closure
DescClosure=Consult here the number of movements by month who are not validated & fiscal years already open
OverviewOfMovementsNotValidated=Step 1/ Overview of movements not validated. (Necessary to close a fiscal year)
+AllMovementsWereRecordedAsValidated=All movements were recorded as validated
+NotAllMovementsCouldBeRecordedAsValidated=Not all movements could be recorded as validated
ValidateMovements=Validate movements
DescValidateMovements=Any modification or deletion of writing, lettering and deletes will be prohibited. All entries for an exercise must be validated otherwise closing will not be possible
-SelectMonthAndValidate=Select month and validate movements
ValidateHistory=Priradzovať automaticky
AutomaticBindingDone=Automatické priradenie dokončené
@@ -293,6 +298,7 @@ Accounted=Accounted in ledger
NotYetAccounted=Not yet accounted in ledger
ShowTutorial=Show Tutorial
NotReconciled=Nezlúčené
+WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view
## Admin
BindingOptions=Binding options
@@ -337,6 +343,7 @@ Modelcsv_LDCompta10=Export for LD Compta (v10 & higher)
Modelcsv_openconcerto=Export for OpenConcerto (Test)
Modelcsv_configurable=Export CSV Configurable
Modelcsv_FEC=Export FEC
+Modelcsv_FEC2=Export FEC (With dates generation writing / document reversed)
Modelcsv_Sage50_Swiss=Export for Sage 50 Switzerland
Modelcsv_winfic=Export Winfic - eWinfic - WinSis Compta
Modelcsv_Gestinumv3=Export for Gestinum (v3)
diff --git a/htdocs/langs/sk_SK/admin.lang b/htdocs/langs/sk_SK/admin.lang
index 22c255b5c06..5d56e6cdbf8 100644
--- a/htdocs/langs/sk_SK/admin.lang
+++ b/htdocs/langs/sk_SK/admin.lang
@@ -56,6 +56,8 @@ GUISetup=Zobraziť
SetupArea=Setup
UploadNewTemplate=Upload new template(s)
FormToTestFileUploadForm=Formulár pre testovanie nahrávania súborov (podľa nastavenia)
+ModuleMustBeEnabled=The module/application %s must be enabled
+ModuleIsEnabled=The module/application %s has been enabled
IfModuleEnabled=Poznámka: áno je účinné len vtedy, ak je modul %s zapnutý
RemoveLock=Remove/rename file %s if it exists, to allow usage of the Update/Install tool.
RestoreLock=Restore file %s, with read permission only, to disable any further use of the Update/Install tool.
@@ -85,7 +87,6 @@ ShowPreview=Zobraziť náhľad
ShowHideDetails=Show-Hide details
PreviewNotAvailable=Náhľad nie je k dispozícii
ThemeCurrentlyActive=Téma aktívnej
-CurrentTimeZone=Časové pásmo PHP (server)
MySQLTimeZone=TimeZone MySql (databáza)
TZHasNoEffect=Dates are stored and returned by database server as if they were kept as submitted string. The timezone has effect only when using the UNIX_TIMESTAMP function (that should not be used by Dolibarr, so database TZ should have no effect, even if changed after data was entered).
Space=Miesto
@@ -153,8 +154,8 @@ SystemToolsAreaDesc=This area provides administration functions. Use the menu to
Purge=Očistiť
PurgeAreaDesc=This page allows you to delete all files generated or stored by Dolibarr (temporary files or all files in %s directory). Using this feature is not normally necessary. It is provided as a workaround for users whose Dolibarr is hosted by a provider that does not offer permissions to delete files generated by the web server.
PurgeDeleteLogFile=Delete log files, including %s defined for Syslog module (no risk of losing data)
-PurgeDeleteTemporaryFiles=Delete all temporary files (no risk of losing data). Note: Deletion is done only if the temp directory was created 24 hours ago.
-PurgeDeleteTemporaryFilesShort=Delete temporary files
+PurgeDeleteTemporaryFiles=Delete all log and temporary files (no risk of losing data). Note: Deletion of temporary files is done only if the temp directory was created more than 24 hours ago.
+PurgeDeleteTemporaryFilesShort=Delete log and temporary files
PurgeDeleteAllFilesInDocumentsDir=Delete all files in directory: %s. This will delete all generated documents related to elements (third parties, invoices etc...), files uploaded into the ECM module, database backup dumps and temporary files.
PurgeRunNow=Vyčistiť teraz
PurgeNothingToDelete=Žiadne súbory alebo priečinky na zmazanie
@@ -256,6 +257,7 @@ ReferencedPreferredPartners=Preferovaní partneri
OtherResources=Other resources
ExternalResources=External Resources
SocialNetworks=Social Networks
+SocialNetworkId=Social Network ID
ForDocumentationSeeWiki=Pre používateľov alebo vývojárov dokumentácie (doc, FAQs ...) pozrite sa na Dolibarr Wiki: %s
ForAnswersSeeForum=V prípade akýchkoľvek ďalších otázok / help, môžete použiť fórum Dolibarr: %s
HelpCenterDesc1=Here are some resources for getting help and support with Dolibarr.
@@ -375,7 +377,7 @@ ExamplesWithCurrentSetup=Examples with current configuration
ListOfDirectories=Zoznam OpenDocument šablóny zoznamov
ListOfDirectoriesForModelGenODT=List of directories containing templates files with OpenDocument format.
Put here full path of directories. Add a carriage return between eah directory. To add a directory of the GED module, add here DOL_DATA_ROOT/ecm/yourdirectoryname.
Files in those directories must end with .odt or .ods.
NumberOfModelFilesFound=Number of ODT/ODS template files found in these directories
-ExampleOfDirectoriesForModelGen=Príklady syntaxe: c: \\ mydir / Home / mydir DOL_DATA_ROOT / ECM / ecmdir
+ExampleOfDirectoriesForModelGen=Examples of syntax: c:\\myapp\\mydocumentdir\\mysubdir /home/myapp/mydocumentdir/mysubdir DOL_DATA_ROOT/ecm/ecmdir
FollowingSubstitutionKeysCanBeUsed= Ak chcete vedieť, ako vytvoriť svoje ODT šablóny dokumentov pred ich uložením do týchto adresárov, prečítajte si wiki dokumentácie:
FullListOnOnlineDocumentation=http://wiki.dolibarr.org/index.php/Create_an_ODT_document_template
FirstnameNamePosition=Pozícia Meno / Priezvisko
@@ -406,7 +408,7 @@ UrlGenerationParameters=Parametre na zabezpečenie URL
SecurityTokenIsUnique=Používame unikátny securekey parameter pre každú adresu URL
EnterRefToBuildUrl=Zadajte odkaz na objekt %s
GetSecuredUrl=Získajte vypočítanú URL
-ButtonHideUnauthorized=Hide buttons for non-admin users for unauthorized actions instead of showing greyed disabled buttons
+ButtonHideUnauthorized=Hide unauthorized action buttons also for internal users (just greyed otherwise)
OldVATRates=Staré Sadzba DPH
NewVATRates=Nová sadzba DPH
PriceBaseTypeToChange=Zmeniť na cenách s hodnotou základného odkazu uvedeného na
@@ -1689,7 +1691,7 @@ NotTopTreeMenuPersonalized=Personalized menus not linked to a top menu entry
NewMenu=Nová ponuka
MenuHandler=Menu handler
MenuModule=Modul zdroja
-HideUnauthorizedMenu= Skryť neoprávneným menu (sivá)
+HideUnauthorizedMenu=Hide unauthorized menus also for internal users (just greyed otherwise)
DetailId=Id ponuka
DetailMenuHandler=Menu handler, kde má novú ponuku
DetailMenuModule=Názov modulu, pokiaľ položky ponuky pochádzajú z modulu
@@ -1983,11 +1985,12 @@ EMailHost=Host of email IMAP server
MailboxSourceDirectory=Mailbox source directory
MailboxTargetDirectory=Mailbox target directory
EmailcollectorOperations=Operations to do by collector
+EmailcollectorOperationsDesc=Operations are executed from top to bottom order
MaxEmailCollectPerCollect=Max number of emails collected per collect
CollectNow=Collect now
ConfirmCloneEmailCollector=Are you sure you want to clone the Email collector %s ?
-DateLastCollectResult=Date latest collect tried
-DateLastcollectResultOk=Date latest collect successfull
+DateLastCollectResult=Date of latest collect try
+DateLastcollectResultOk=Date of latest collect success
LastResult=Latest result
EmailCollectorConfirmCollectTitle=Email collect confirmation
EmailCollectorConfirmCollect=Do you want to run the collection for this collector now ?
@@ -2005,7 +2008,7 @@ WithDolTrackingID=Message from a conversation initiated by a first email sent fr
WithoutDolTrackingID=Message from a conversation initiated by a first email NOT sent from Dolibarr
WithDolTrackingIDInMsgId=Message sent from Dolibarr
WithoutDolTrackingIDInMsgId=Message NOT sent from Dolibarr
-CreateCandidature=Create candidature
+CreateCandidature=Create job application
FormatZip=Zips
MainMenuCode=Menu entry code (mainmenu)
ECMAutoTree=Show automatic ECM tree
@@ -2083,3 +2086,7 @@ CountryIfSpecificToOneCountry=Country (if specific to a given country)
YouMayFindSecurityAdviceHere=You may find security advisory here
ModuleActivatedMayExposeInformation=This module may expose sensitive data. If you don't need it, disable it.
ModuleActivatedDoNotUseInProduction=A module designed for the development has been enabled. Do not enable it on a production environment.
+CombinationsSeparator=Separator character for product combinations
+SeeLinkToOnlineDocumentation=See link to online documention on top menu for examples
+SHOW_SUBPRODUCT_REF_IN_PDF=If the feature "%s" of module %s is used, show details of subproducts of a kit on PDF.
+AskThisIDToYourBank=Contact your bank to get this ID
diff --git a/htdocs/langs/sk_SK/banks.lang b/htdocs/langs/sk_SK/banks.lang
index 471e6830858..3000af0f069 100644
--- a/htdocs/langs/sk_SK/banks.lang
+++ b/htdocs/langs/sk_SK/banks.lang
@@ -173,8 +173,8 @@ SEPAMandate=SEPA mandate
YourSEPAMandate=Your SEPA mandate
FindYourSEPAMandate=This is your SEPA mandate to authorize our company to make direct debit order to your bank. Return it signed (scan of the signed document) or send it by mail to
AutoReportLastAccountStatement=Automatically fill the field 'number of bank statement' with last statement number when making reconciliation
-CashControl=POS cash fence
-NewCashFence=New cash fence
+CashControl=POS cash desk control
+NewCashFence=New cash desk closing
BankColorizeMovement=Colorize movements
BankColorizeMovementDesc=If this function is enable, you can choose specific background color for debit or credit movements
BankColorizeMovementName1=Background color for debit movement
diff --git a/htdocs/langs/sk_SK/blockedlog.lang b/htdocs/langs/sk_SK/blockedlog.lang
index bce0ea3bd25..05233648848 100644
--- a/htdocs/langs/sk_SK/blockedlog.lang
+++ b/htdocs/langs/sk_SK/blockedlog.lang
@@ -35,7 +35,7 @@ logDON_DELETE=Donation logical deletion
logMEMBER_SUBSCRIPTION_CREATE=Member subscription created
logMEMBER_SUBSCRIPTION_MODIFY=Member subscription modified
logMEMBER_SUBSCRIPTION_DELETE=Member subscription logical deletion
-logCASHCONTROL_VALIDATE=Cash fence recording
+logCASHCONTROL_VALIDATE=Cash desk closing recording
BlockedLogBillDownload=Customer invoice download
BlockedLogBillPreview=Customer invoice preview
BlockedlogInfoDialog=Log Details
diff --git a/htdocs/langs/sk_SK/boxes.lang b/htdocs/langs/sk_SK/boxes.lang
index dea1fdff8da..eb5e417ed1e 100644
--- a/htdocs/langs/sk_SK/boxes.lang
+++ b/htdocs/langs/sk_SK/boxes.lang
@@ -46,9 +46,12 @@ BoxTitleLastModifiedDonations=Najnovšie %s upravené príspevky
BoxTitleLastModifiedExpenses=Najnovšie %s upravené správy o výdavkoch
BoxTitleLatestModifiedBoms=Latest %s modified BOMs
BoxTitleLatestModifiedMos=Latest %s modified Manufacturing Orders
+BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded
BoxGlobalActivity=Globálna aktivita (faktúry, návrhy, objednávky)
BoxGoodCustomers=Top zákazníci
BoxTitleGoodCustomers=%s Top zákazníkov
+BoxScheduledJobs=Naplánované úlohy
+BoxTitleFunnelOfProspection=Lead funnel
FailedToRefreshDataInfoNotUpToDate=Failed to refresh RSS flux. Latest successful refresh date: %s
LastRefreshDate=Najnovší čas obnovenia
NoRecordedBookmarks=Žiadne záložky definované.
@@ -102,5 +105,7 @@ SuspenseAccountNotDefined=Suspense account isn't defined
BoxLastCustomerShipments=Last customer shipments
BoxTitleLastCustomerShipments=Latest %s customer shipments
NoRecordedShipments=No recorded customer shipment
+BoxCustomersOutstandingBillReached=Customers with oustanding limit reached
# Pages
AccountancyHome=Účtovníctvo
+ValidatedProjects=Validated projects
diff --git a/htdocs/langs/sk_SK/cashdesk.lang b/htdocs/langs/sk_SK/cashdesk.lang
index 849dfa5d97a..0c85aa44b53 100644
--- a/htdocs/langs/sk_SK/cashdesk.lang
+++ b/htdocs/langs/sk_SK/cashdesk.lang
@@ -49,8 +49,8 @@ Footer=Footer
AmountAtEndOfPeriod=Amount at end of period (day, month or year)
TheoricalAmount=Theorical amount
RealAmount=Real amount
-CashFence=Cash fence
-CashFenceDone=Cash fence done for the period
+CashFence=Cash desk closing
+CashFenceDone=Cash desk closing done for the period
NbOfInvoices=Nb faktúr
Paymentnumpad=Type of Pad to enter payment
Numberspad=Numbers Pad
@@ -99,8 +99,9 @@ CashDeskRefNumberingModules=Numbering module for POS sales
CashDeskGenericMaskCodes6 = {TN} tag is used to add the terminal number
TakeposGroupSameProduct=Group same products lines
StartAParallelSale=Start a new parallel sale
-ControlCashOpening=Control cash box at opening POS
-CloseCashFence=Close cash fence
+SaleStartedAt=Sale started at %s
+ControlCashOpening=Control cash popup at opening POS
+CloseCashFence=Close cash desk control
CashReport=Cash report
MainPrinterToUse=Main printer to use
OrderPrinterToUse=Order printer to use
@@ -122,3 +123,4 @@ GiftReceipt=Gift receipt
ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled first
AllowDelayedPayment=Allow delayed payment
PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts
+WeighingScale=Weighing scale
diff --git a/htdocs/langs/sk_SK/categories.lang b/htdocs/langs/sk_SK/categories.lang
index 1f28159b136..9c7e4ed9951 100644
--- a/htdocs/langs/sk_SK/categories.lang
+++ b/htdocs/langs/sk_SK/categories.lang
@@ -19,6 +19,7 @@ ProjectsCategoriesArea=Projects tags/categories area
UsersCategoriesArea=Users tags/categories area
SubCats=Sub-categories
CatList=List of tags/categories
+CatListAll=List of tags/categories (all types)
NewCategory=New tag/category
ModifCat=Modify tag/category
CatCreated=Tag/category created
@@ -65,16 +66,22 @@ UsersCategoriesShort=Users tags/categories
StockCategoriesShort=Warehouse tags/categories
ThisCategoryHasNoItems=This category does not contain any items.
CategId=Tag/category id
-CatSupList=List of vendor tags/categories
-CatCusList=List of customer/prospect tags/categories
+ParentCategory=Parent tag/category
+ParentCategoryLabel=Label of parent tag/category
+CatSupList=List of vendors tags/categories
+CatCusList=List of customers/prospects tags/categories
CatProdList=List of products tags/categories
CatMemberList=List of members tags/categories
-CatContactList=List of contact tags/categories
-CatSupLinks=Links between suppliers and tags/categories
+CatContactList=List of contacts tags/categories
+CatProjectsList=List of projects tags/categories
+CatUsersList=List of users tags/categories
+CatSupLinks=Links between vendors and tags/categories
CatCusLinks=Links between customers/prospects and tags/categories
CatContactsLinks=Links between contacts/addresses and tags/categories
CatProdLinks=Links between products/services and tags/categories
-CatProJectLinks=Links between projects and tags/categories
+CatMembersLinks=Links between members and tags/categories
+CatProjectsLinks=Links between projects and tags/categories
+CatUsersLinks=Links between users and tags/categories
DeleteFromCat=Remove from tags/category
ExtraFieldsCategories=Doplnkové atribúty
CategoriesSetup=Tags/categories setup
diff --git a/htdocs/langs/sk_SK/companies.lang b/htdocs/langs/sk_SK/companies.lang
index 1aae4a6f624..fc39a7f1038 100644
--- a/htdocs/langs/sk_SK/companies.lang
+++ b/htdocs/langs/sk_SK/companies.lang
@@ -358,7 +358,7 @@ VATIntraCheckableOnEUSite=Check the intra-Community VAT ID on the European Commi
VATIntraManualCheck=You can also check manually on the European Commission website %s
ErrorVATCheckMS_UNAVAILABLE=Skontrolujte, nie je možné. Skontrolujte, služba nie je poskytovaná členským štátom (%s).
NorProspectNorCustomer=Not prospect, nor customer
-JuridicalStatus=Legal Entity Type
+JuridicalStatus=Business entity type
Workforce=Workforce
Staff=Employees
ProspectLevelShort=Potenciál
diff --git a/htdocs/langs/sk_SK/compta.lang b/htdocs/langs/sk_SK/compta.lang
index 86356ba2d4a..2f3486a9535 100644
--- a/htdocs/langs/sk_SK/compta.lang
+++ b/htdocs/langs/sk_SK/compta.lang
@@ -111,7 +111,7 @@ Refund=Refund
SocialContributionsPayments=Social/fiscal taxes payments
ShowVatPayment=Zobraziť DPH platbu
TotalToPay=Celkom k zaplateniu
-BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted ascending on %s and filtered for 1 bank account
+BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted on %s and filtered on 1 bank account (with no other filters)
CustomerAccountancyCode=Customer accounting code
SupplierAccountancyCode=Vendor accounting code
CustomerAccountancyCodeShort=Cust. account. code
@@ -140,7 +140,7 @@ ConfirmDeleteSocialContribution=Are you sure you want to delete this social/fisc
ExportDataset_tax_1=Social and fiscal taxes and payments
CalcModeVATDebt=Režim %sVAT na záväzky accounting%s.
CalcModeVATEngagement=Režim %sVAT z príjmov-expense%sS.
-CalcModeDebt=Analysis of known recorded invoices even if they are not yet accounted in ledger.
+CalcModeDebt=Analysis of known recorded documents even if they are not yet accounted in ledger.
CalcModeEngagement=Analysis of known recorded payments, even if they are not yet accounted in Ledger.
CalcModeBookkeeping=Analysis of data journalized in Bookkeeping Ledger table.
CalcModeLT1= Mode %sRE on customer invoices - suppliers invoices%s
@@ -154,9 +154,9 @@ AnnualSummaryInputOutputMode=Bilancia príjmov a výdavkov, ročné zhrnutie
AnnualByCompanies=Balance of income and expenses, by predefined groups of account
AnnualByCompaniesDueDebtMode=Balance of income and expenses, detail by predefined groups, mode %sClaims-Debts%s said Commitment accounting.
AnnualByCompaniesInputOutputMode=Balance of income and expenses, detail by predefined groups, mode %sIncomes-Expenses%s said cash accounting.
-SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation on actual payments made even if they are not yet accounted in Ledger.
-SeeReportInDueDebtMode=See %sanalysis of invoices%s for a calculation based on known recorded invoices even if they are not yet accounted in Ledger.
-SeeReportInBookkeepingMode=See %sBookeeping report%s for a calculation on Bookkeeping Ledger table
+SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation based on recorded payments made even if they are not yet accounted in Ledger
+SeeReportInDueDebtMode=See %sanalysis of recorded documents%s for a calculation based on known recorded documents even if they are not yet accounted in Ledger
+SeeReportInBookkeepingMode=See %sanalysis of bookeeping ledger table%s for a report based on Bookkeeping Ledger table
RulesAmountWithTaxIncluded=- Uvedené sumy sú so všetkými daňami
RulesResultDue=- It includes outstanding invoices, expenses, VAT, donations whether they are paid or not. Is also includes paid salaries. - It is based on the billing date of invoices and on the due date for expenses or tax payments. For salaries defined with Salary module, the value date of payment is used.
RulesResultInOut=- It includes the real payments made on invoices, expenses, VAT and salaries. - It is based on the payment dates of the invoices, expenses, VAT and salaries. The donation date for donation.
@@ -169,12 +169,15 @@ RulesResultBookkeepingPersonalized=It show record in your Ledger with accounting
SeePageForSetup=See menu %s for setup
DepositsAreNotIncluded=- Down payment invoices are not included
DepositsAreIncluded=- Down payment invoices are included
+LT1ReportByMonth=Tax 2 report by month
+LT2ReportByMonth=Tax 3 report by month
LT1ReportByCustomers=Report tax 2 by third party
LT2ReportByCustomers=Report tax 3 by third party
LT1ReportByCustomersES=Report by third party RE
LT2ReportByCustomersES=Správa o treťou stranou IRPF
VATReport=Sale tax report
VATReportByPeriods=Sale tax report by period
+VATReportByMonth=Sale tax report by month
VATReportByRates=Sale tax report by rates
VATReportByThirdParties=Sale tax report by third parties
VATReportByCustomers=Sale tax report by customer
diff --git a/htdocs/langs/sk_SK/cron.lang b/htdocs/langs/sk_SK/cron.lang
index ba8fc86897a..1631b6c9038 100644
--- a/htdocs/langs/sk_SK/cron.lang
+++ b/htdocs/langs/sk_SK/cron.lang
@@ -6,14 +6,15 @@ Permission23102 = Vytvoriť / upraviť naplánovanú úlohu
Permission23103 = Odstrániť naplánovanú úlohu
Permission23104 = Spustiť naplánovanú úlohu
# Admin
-CronSetup= Naplánované úlohy správy Nastavenie
-URLToLaunchCronJobs=URL to check and launch qualified cron jobs
-OrToLaunchASpecificJob=Or to check and launch a specific job
+CronSetup=Naplánované úlohy správy Nastavenie
+URLToLaunchCronJobs=URL to check and launch qualified cron jobs from a browser
+OrToLaunchASpecificJob=Or to check and launch a specific job from a browser
KeyForCronAccess=Bezpečnostný kľúč pre URL spustiť cron
FileToLaunchCronJobs=Command line to check and launch qualified cron jobs
CronExplainHowToRunUnix=On Unix environment you should use the following crontab entry to run the command line each 5 minutes
-CronExplainHowToRunWin=On Microsoft(tm) Windows environement you can use Scheduled task tools to run the command line each 5 minutes
+CronExplainHowToRunWin=On Microsoft(tm) Windows environment you can use Scheduled Task tools to run the command line each 5 minutes
CronMethodDoesNotExists=Class %s does not contains any method %s
+CronMethodNotAllowed=Method %s of class %s is in blacklist of forbidden methods
CronJobDefDesc=Cron job profiles are defined into the module descriptor file. When module is activated, they are loaded and available so you can administer the jobs from the admin tools menu %s.
CronJobProfiles=List of predefined cron job profiles
# Menu
@@ -42,10 +43,11 @@ CronModule=Modul
CronNoJobs=Žiadny registrovaný práce
CronPriority=Priorita
CronLabel=Štítok
-CronNbRun=Nb. začať
-CronMaxRun=Max number launch
+CronNbRun=Number of launches
+CronMaxRun=Maximum number of launches
CronEach=Každý
JobFinished=Práca zahájená a dokončená
+Scheduled=Scheduled
#Page card
CronAdd= Pridať pracovných miest
CronEvery=Execute job each
@@ -56,16 +58,16 @@ CronNote=Komentár
CronFieldMandatory=Pole je povinné %s
CronErrEndDateStartDt=Dátum ukončenia nemôže byť pred dátumom začatia
StatusAtInstall=Status at module installation
-CronStatusActiveBtn=Umožniť
+CronStatusActiveBtn=Schedule
CronStatusInactiveBtn=Zakázať
CronTaskInactive=Táto úloha je zakázaný
CronId=Id
CronClassFile=Filename with class
-CronModuleHelp=Name of Dolibarr module directory (also work with external Dolibarr module). For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for module is product
-CronClassFileHelp=The relative path and file name to load (path is relative to web server root directory). For exemple to call the fetch method of Dolibarr Product object htdocs/product/class/product.class.php, the value for class file name is product/class/product.class.php
-CronObjectHelp=The object name to load. For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for class file name is Product
-CronMethodHelp=The object method to launch. For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for method is fetch
-CronArgsHelp=The method arguments. For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for paramters can be 0, ProductRef
+CronModuleHelp=Name of Dolibarr module directory (also work with external Dolibarr module). For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for module is product
+CronClassFileHelp=The relative path and file name to load (path is relative to web server root directory). For example to call the fetch method of Dolibarr Product object htdocs/product/class/product.class.php, the value for class file name is product/class/product.class.php
+CronObjectHelp=The object name to load. For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for class file name is Product
+CronMethodHelp=The object method to launch. For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for method is fetch
+CronArgsHelp=The method arguments. For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for paramters can be 0, ProductRef
CronCommandHelp=Systém príkazového riadka spustiť.
CronCreateJob=Create new Scheduled Job
CronFrom=Z
@@ -76,8 +78,14 @@ CronType_method=Call method of a PHP Class
CronType_command=Shell príkaz
CronCannotLoadClass=Cannot load class file %s (to use class %s)
CronCannotLoadObject=Class file %s was loaded, but object %s was not found into it
-UseMenuModuleToolsToAddCronJobs=Go into menu "Home - Admin tools - Scheduled jobs" to see and edit scheduled jobs.
+UseMenuModuleToolsToAddCronJobs=Go into menu "Home - Admin tools - Scheduled jobs" to see and edit scheduled jobs.
JobDisabled=Job disabled
MakeLocalDatabaseDumpShort=Local database backup
-MakeLocalDatabaseDump=Create a local database dump. Parameters are: compression ('gz' or 'bz' or 'none'), backup type ('mysql' or 'pgsql'), 1, 'auto' or filename to build, number of backup files to keep
+MakeLocalDatabaseDump=Create a local database dump. Parameters are: compression ('gz' or 'bz' or 'none'), backup type ('mysql', 'pgsql', 'auto'), 1, 'auto' or filename to build, number of backup files to keep
WarningCronDelayed=Attention, for performance purpose, whatever is next date of execution of enabled jobs, your jobs may be delayed to a maximum of %s hours, before being run.
+DATAPOLICYJob=Data cleaner and anonymizer
+JobXMustBeEnabled=Job %s must be enabled
+# Cron Boxes
+LastExecutedScheduledJob=Last executed scheduled job
+NextScheduledJobExecute=Next scheduled job to execute
+NumberScheduledJobError=Number of scheduled jobs in error
diff --git a/htdocs/langs/sk_SK/errors.lang b/htdocs/langs/sk_SK/errors.lang
index 2b0b88987e9..30e9dea3094 100644
--- a/htdocs/langs/sk_SK/errors.lang
+++ b/htdocs/langs/sk_SK/errors.lang
@@ -5,8 +5,10 @@ NoErrorCommitIsDone=Žiadna chyba sa zaväzujeme
# Errors
ErrorButCommitIsDone=Boli nájdené chyby, ale my overiť aj cez to
ErrorBadEMail=Email %s is wrong
+ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record)
ErrorBadUrl=Url %s je zle
ErrorBadValueForParamNotAString=Bad value for your parameter. It appends generally when translation is missing.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorLoginAlreadyExists=Prihlásenie %s už existuje.
ErrorGroupAlreadyExists=Skupina %s už existuje.
ErrorRecordNotFound=Záznam nie je nájdený.
@@ -48,6 +50,7 @@ ErrorFieldsRequired=Niektoré požadované pole sa nevypĺňa.
ErrorSubjectIsRequired=The email topic is required
ErrorFailedToCreateDir=Nepodarilo sa vytvoriť adresár. Uistite sa, že webový server má užívateľ oprávnenie na zápis do adresára dokumentov Dolibarr. Ak je parameter safe_mode je povolené na tomto PHP, skontrolujte, či Dolibarr php súbory, vlastné pre užívateľa webového servera (alebo skupina).
ErrorNoMailDefinedForThisUser=Žiadna pošta definované pre tohto používateľa
+ErrorSetupOfEmailsNotComplete=Setup of emails is not complete
ErrorFeatureNeedJavascript=Táto funkcia potrebujete mať Java scripty byť aktivovaný do práce. Zmeniť v nastavení - displej.
ErrorTopMenuMustHaveAParentWithId0=Ponuka typu "top" nemôže mať rodič menu. Dajte 0 do nadradenej ponuky alebo zvoliť ponuku typu "vľavo".
ErrorLeftMenuMustHaveAParentId=Ponuka typu "ľavica", musí mať rodič id.
@@ -75,7 +78,7 @@ ErrorExportDuplicateProfil=This profile name already exists for this export set.
ErrorLDAPSetupNotComplete=Dolibarr-LDAP zhoda nie je úplná.
ErrorLDAPMakeManualTest=. LDIF súbor bol vytvorený v adresári %s. Skúste načítať ručne z príkazového riadku získať viac informácií o chybách.
ErrorCantSaveADoneUserWithZeroPercentage=Can't save an action with "status not started" if field "done by" is also filled.
-ErrorRefAlreadyExists=Ref používa pre tvorbu už existuje.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorPleaseTypeBankTransactionReportName=Please enter the bank statement name where the entry has to be reported (Format YYYYMM or YYYYMMDD)
ErrorRecordHasChildren=Failed to delete record since it has some child records.
ErrorRecordHasAtLeastOneChildOfType=Object has at least one child of type %s
@@ -216,7 +219,7 @@ ErrorChooseBetweenFreeEntryOrPredefinedProduct=You must choose if article is a p
ErrorDiscountLargerThanRemainToPaySplitItBefore=The discount you try to apply is larger than remain to pay. Split the discount in 2 smaller discounts before.
ErrorFileNotFoundWithSharedLink=File was not found. May be the share key was modified or file was removed recently.
ErrorProductBarCodeAlreadyExists=The product barcode %s already exists on another product reference.
-ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using virtual product to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number.
+ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using kits to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number.
ErrorDescRequiredForFreeProductLines=Description is mandatory for lines with free product
ErrorAPageWithThisNameOrAliasAlreadyExists=The page/container %s has the same name or alternative alias that the one your try to use
ErrorDuringChartLoad=Error when loading chart of accounts. If few accounts were not loaded, you can still enter them manually.
@@ -243,6 +246,16 @@ ErrorReplaceStringEmpty=Error, the string to replace into is empty
ErrorProductNeedBatchNumber=Error, product '%s' need a lot/serial number
ErrorProductDoesNotNeedBatchNumber=Error, product '%s' does not accept a lot/serial number
ErrorFailedToReadObject=Error, failed to read object of type %s
+ErrorParameterMustBeEnabledToAllwoThisFeature=Error, parameter %s must be enabled into conf/conf.php to allow use of Command Line Interface by the internal job scheduler
+ErrorLoginDateValidity=Error, this login is outside the validity date range
+ErrorValueLength=Length of field '%s' must be higher than '%s'
+ErrorReservedKeyword=The word '%s' is a reserved keyword
+ErrorNotAvailableWithThisDistribution=Not available with this distribution
+ErrorPublicInterfaceNotEnabled=Public interface was not enabled
+ErrorLanguageRequiredIfPageIsTranslationOfAnother=The language of new page must be defined if it is set as a translation of another page
+ErrorLanguageMustNotBeSourceLanguageIfPageIsTranslationOfAnother=The language of new page must not be the source language if it is set as a translation of another page
+ErrorAParameterIsRequiredForThisOperation=A parameter is mandatory for this operation
+
# Warnings
WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup.
WarningPasswordSetWithNoAccount=A password was set for this member. However, no user account was created. So this password is stored but can't be used to login to Dolibarr. It may be used by an external module/interface but if you don't need to define any login nor password for a member, you can disable option "Manage a login for each member" from Member module setup. If you need to manage a login but don't need any password, you can keep this field empty to avoid this warning. Note: Email can also be used as a login if the member is linked to a user.
@@ -267,6 +280,10 @@ WarningYourLoginWasModifiedPleaseLogin=Your login was modified. For security pur
WarningAnEntryAlreadyExistForTransKey=An entry already exists for the translation key for this language
WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different recipient is limited to %s when using the mass actions on lists
WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report
+WarningProjectDraft=Project is still in draft mode. Don't forget to validate it if you plan to use tasks.
WarningProjectClosed=Project is closed. You must re-open it first.
WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list.
-WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table
+WarningFailedToAddFileIntoDatabaseIndex=Warning, failed to add file entry into ECM database index table
+WarningTheHiddenOptionIsOn=Warning, the hidden option %s is on.
+WarningCreateSubAccounts=Warning, you can't create directly a sub account, you must create a third party or an user and assign them an accounting code to find them in this list
+WarningAvailableOnlyForHTTPSServers=Available only if using HTTPS secured connection.
diff --git a/htdocs/langs/sk_SK/exports.lang b/htdocs/langs/sk_SK/exports.lang
index 5d9514819a8..a9991f8c0fd 100644
--- a/htdocs/langs/sk_SK/exports.lang
+++ b/htdocs/langs/sk_SK/exports.lang
@@ -26,6 +26,8 @@ FieldTitle=Polia názov
NowClickToGenerateToBuildExportFile=Now, select the file format in the combo box and click on "Generate" to build the export file...
AvailableFormats=Available Formats
LibraryShort=Knižnica
+ExportCsvSeparator=Csv caracter separator
+ImportCsvSeparator=Csv caracter separator
Step=Krok
FormatedImport=Import Assistant
FormatedImportDesc1=This module allows you to update existing data or add new objects into the database from a file without technical knowledge, using an assistant.
@@ -131,3 +133,4 @@ KeysToUseForUpdates=Key (column) to use for updating existing data
NbInsert=Number of inserted lines: %s
NbUpdate=Number of updated lines: %s
MultipleRecordFoundWithTheseFilters=Multiple records have been found with these filters: %s
+StocksWithBatch=Stocks and location (warehouse) of products with batch/serial number
diff --git a/htdocs/langs/sk_SK/mails.lang b/htdocs/langs/sk_SK/mails.lang
index d8f41131b19..5c0b127f7e3 100644
--- a/htdocs/langs/sk_SK/mails.lang
+++ b/htdocs/langs/sk_SK/mails.lang
@@ -92,6 +92,7 @@ MailingModuleDescEmailsFromUser=Emails input by user
MailingModuleDescDolibarrUsers=Users with Emails
MailingModuleDescThirdPartiesByCategories=Third parties (by categories)
SendingFromWebInterfaceIsNotAllowed=Sending from web interface is not allowed.
+EmailCollectorFilterDesc=All filters must match to have an email being collected
# Libelle des modules de liste de destinataires mailing
LineInFile=Linka %s v súbore
@@ -125,12 +126,13 @@ TagMailtoEmail=Recipient Email (including html "mailto:" link)
NoEmailSentBadSenderOrRecipientEmail=No email sent. Bad sender or recipient email. Verify user profile.
# Module Notifications
Notifications=Upozornenie
-NoNotificationsWillBeSent=Žiadne oznámenia e-mailom sú naplánované pre túto udalosť a spoločnosť
-ANotificationsWillBeSent=1 bude zaslaný e-mailom
-SomeNotificationsWillBeSent=%s oznámenia bude zaslané e-mailom
-AddNewNotification=Activate a new email notification target/event
-ListOfActiveNotifications=List all active targets/events for email notification
-ListOfNotificationsDone=Vypísať všetky e-maily odosielané oznámenia
+NotificationsAuto=Notifications Auto.
+NoNotificationsWillBeSent=No automatic email notifications are planned for this event type and company
+ANotificationsWillBeSent=1 automatic notification will be sent by email
+SomeNotificationsWillBeSent=%s automatic notifications will be sent by email
+AddNewNotification=Subscribe to a new automatic email notification (target/event)
+ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification
+ListOfNotificationsDone=List all automatic email notifications sent
MailSendSetupIs=Configuration of email sending has been setup to '%s'. This mode can't be used to send mass emailing.
MailSendSetupIs2=You must first go, with an admin account, into menu %sHome - Setup - EMails%s to change parameter '%s' to use mode '%s'. With this mode, you can enter setup of the SMTP server provided by your Internet Service Provider and use Mass emailing feature.
MailSendSetupIs3=If you have any questions on how to setup your SMTP server, you can ask to %s.
@@ -140,7 +142,7 @@ UseFormatFileEmailToTarget=Imported file must have format email;name;fir
UseFormatInputEmailToTarget=Enter a string with format email;name;firstname;other
MailAdvTargetRecipients=Recipients (advanced selection)
AdvTgtTitle=Fill input fields to preselect the third parties or contacts/addresses to target
-AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima% will target all jean, joe, start with jim but not jimo and not everything that starts with jima
+AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima%% will target all jean, joe, start with jim but not jimo and not everything that starts with jima
AdvTgtSearchIntHelp=Use interval to select int or float value
AdvTgtMinVal=Minimum value
AdvTgtMaxVal=Maximum value
@@ -162,13 +164,14 @@ AdvTgtCreateFilter=Create filter
AdvTgtOrCreateNewFilter=Name of new filter
NoContactWithCategoryFound=No contact/address with a category found
NoContactLinkedToThirdpartieWithCategoryFound=No contact/address with a category found
-OutGoingEmailSetup=Outgoing email setup
-InGoingEmailSetup=Incoming email setup
-OutGoingEmailSetupForEmailing=Outgoing email setup (for module %s)
-DefaultOutgoingEmailSetup=Default outgoing email setup
+OutGoingEmailSetup=Outgoing emails
+InGoingEmailSetup=Incoming emails
+OutGoingEmailSetupForEmailing=Outgoing emails (for module %s)
+DefaultOutgoingEmailSetup=Same configuration than the global Outgoing email setup
Information=Informácie
ContactsWithThirdpartyFilter=Contacts with third-party filter
Unanswered=Unanswered
Answered=Answered
IsNotAnAnswer=Is not answer (initial email)
IsAnAnswer=Is an answer of an initial email
+RecordCreatedByEmailCollector=Record created by the Email Collector %s from email %s
diff --git a/htdocs/langs/sk_SK/main.lang b/htdocs/langs/sk_SK/main.lang
index efb38289b90..5bacb243779 100644
--- a/htdocs/langs/sk_SK/main.lang
+++ b/htdocs/langs/sk_SK/main.lang
@@ -28,7 +28,9 @@ NoTemplateDefined=No template available for this email type
AvailableVariables=Available substitution variables
NoTranslation=Preklad neexistuje
Translation=Preklad
+CurrentTimeZone=Časové pásmo PHP (server)
EmptySearchString=Enter non empty search criterias
+EnterADateCriteria=Enter a date criteria
NoRecordFound=Nebol nájdený žiadny záznam
NoRecordDeleted=No record deleted
NotEnoughDataYet=Not enough data
@@ -85,6 +87,8 @@ FileWasNotUploaded=Súbor vybraný pre pripojenie, ale ešte nebol nahraný. Kli
NbOfEntries=No. of entries
GoToWikiHelpPage=Read online help (Internet access needed)
GoToHelpPage=Prečítajte si pomáhať
+DedicatedPageAvailable=There is a dedicated help page related to your current screen
+HomePage=Home Page
RecordSaved=Záznam uložený
RecordDeleted=Zaznamenajte zmazaný
RecordGenerated=Record generated
@@ -433,6 +437,7 @@ RemainToPay=Remain to pay
Module=Module/Application
Modules=Modules/Applications
Option=Voľba
+Filters=Filters
List=Zoznam
FullList=Plný zoznam
FullConversation=Full conversation
@@ -671,7 +676,7 @@ SendMail=Odoslať e-mail
Email=E-mail
NoEMail=Žiadny e-mail
AlreadyRead=Already read
-NotRead=Not read
+NotRead=Unread
NoMobilePhone=Žiadny mobil
Owner=Majiteľ
FollowingConstantsWillBeSubstituted=Nasledujúci konštanty bude nahradený zodpovedajúcou hodnotou.
@@ -1107,3 +1112,8 @@ UpToDate=Up-to-date
OutOfDate=Out-of-date
EventReminder=Event Reminder
UpdateForAllLines=Update for all lines
+OnHold=On hold
+AffectTag=Affect Tag
+ConfirmAffectTag=Bulk Tag Affect
+ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected record(s)?
+CategTypeNotFound=No tag type found for type of records
diff --git a/htdocs/langs/sk_SK/modulebuilder.lang b/htdocs/langs/sk_SK/modulebuilder.lang
index 460aef8103b..845dd12624d 100644
--- a/htdocs/langs/sk_SK/modulebuilder.lang
+++ b/htdocs/langs/sk_SK/modulebuilder.lang
@@ -40,6 +40,7 @@ PageForCreateEditView=PHP page to create/edit/view a record
PageForAgendaTab=PHP page for event tab
PageForDocumentTab=PHP page for document tab
PageForNoteTab=PHP page for note tab
+PageForContactTab=PHP page for contact tab
PathToModulePackage=Path to zip of module/application package
PathToModuleDocumentation=Path to file of module/application documentation (%s)
SpaceOrSpecialCharAreNotAllowed=Spaces or special characters are not allowed.
@@ -77,7 +78,7 @@ IsAMeasure=Is a measure
DirScanned=Directory scanned
NoTrigger=No trigger
NoWidget=No widget
-GoToApiExplorer=Go to API explorer
+GoToApiExplorer=API explorer
ListOfMenusEntries=List of menu entries
ListOfDictionariesEntries=List of dictionaries entries
ListOfPermissionsDefined=List of defined permissions
@@ -105,7 +106,7 @@ TryToUseTheModuleBuilder=If you have knowledge of SQL and PHP, you may use the n
SeeTopRightMenu=See on the top right menu
AddLanguageFile=Add language file
YouCanUseTranslationKey=You can use here a key that is the translation key found into language file (see tab "Languages")
-DropTableIfEmpty=(Delete table if empty)
+DropTableIfEmpty=(Destroy table if empty)
TableDoesNotExists=The table %s does not exists
TableDropped=Table %s deleted
InitStructureFromExistingTable=Build the structure array string of an existing table
@@ -126,7 +127,6 @@ UseSpecificEditorURL = Use a specific editor URL
UseSpecificFamily = Use a specific family
UseSpecificAuthor = Use a specific author
UseSpecificVersion = Use a specific initial version
-ModuleMustBeEnabled=The module/application must be enabled first
IncludeRefGeneration=The reference of object must be generated automatically
IncludeRefGenerationHelp=Check this if you want to include code to manage the generation automatically of the reference
IncludeDocGeneration=I want to generate some documents from the object
@@ -140,3 +140,4 @@ TypeOfFieldsHelp=Type of fields: varchar(99), double(24,8), real, text, html,
AsciiToHtmlConverter=Ascii to HTML converter
AsciiToPdfConverter=Ascii to PDF converter
TableNotEmptyDropCanceled=Table not empty. Drop has been canceled.
+ModuleBuilderNotAllowed=The module builder is available but not allowed to your user.
diff --git a/htdocs/langs/sk_SK/other.lang b/htdocs/langs/sk_SK/other.lang
index d758a30e814..681daf39c91 100644
--- a/htdocs/langs/sk_SK/other.lang
+++ b/htdocs/langs/sk_SK/other.lang
@@ -5,8 +5,6 @@ Tools=Nástroje
TMenuTools=Nástroje
ToolsDesc=All tools not included in other menu entries are grouped here. All the tools can be accessed via the left menu.
Birthday=Narodeniny
-BirthdayDate=Birthday date
-DateToBirth=Birth date
BirthdayAlertOn=narodeniny výstraha aktívna
BirthdayAlertOff=narodeniny upozornenia neaktívne
TransKey=Translation of the key TransKey
@@ -16,6 +14,8 @@ PreviousMonthOfInvoice=Previous month (number 1-12) of invoice date
TextPreviousMonthOfInvoice=Previous month (text) of invoice date
NextMonthOfInvoice=Following month (number 1-12) of invoice date
TextNextMonthOfInvoice=Following month (text) of invoice date
+PreviousMonth=Previous month
+CurrentMonth=Current month
ZipFileGeneratedInto=Zip file generated into %s.
DocFileGeneratedInto=Doc file generated into %s.
JumpToLogin=Disconnected. Go to login page...
@@ -99,6 +99,7 @@ PredefinedMailContentSendShipping=__(Hello)__\n\nPlease find shipping __REF__ at
PredefinedMailContentSendFichInter=__(Hello)__\n\nPlease find intervention __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.\n\n%s\n\n
PredefinedMailContentGeneric=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
+PredefinedMailContentSendActionComm=Event reminder "__EVENT_LABEL__" on __EVENT_DATE__ at __EVENT_TIME__
This is an automatic message, please do not reply.
DemoDesc=Dolibarr is a compact ERP/CRM supporting several business modules. A demo showcasing all modules makes no sense as this scenario never occurs (several hundred available). So, several demo profiles are available.
ChooseYourDemoProfil=Choose the demo profile that best suits your needs...
ChooseYourDemoProfilMore=...or build your own profile (manual module selection)
@@ -137,7 +138,7 @@ Right=Právo
CalculatedWeight=Vypočítaná hmotnosť
CalculatedVolume=Vypočítaný objem
Weight=Hmotnosť
-WeightUnitton=tonne
+WeightUnitton=ton
WeightUnitkg=kg
WeightUnitg=g
WeightUnitmg=mg
@@ -258,6 +259,7 @@ ContactCreatedByEmailCollector=Contact/address created by email collector from e
ProjectCreatedByEmailCollector=Project created by email collector from email MSGID %s
TicketCreatedByEmailCollector=Ticket created by email collector from email MSGID %s
OpeningHoursFormatDesc=Use a - to separate opening and closing hours. Use a space to enter different ranges. Example: 8-12 14-18
+PrefixSession=Prefix for session ID
##### Export #####
ExportsArea=Vývoz plocha
diff --git a/htdocs/langs/sk_SK/products.lang b/htdocs/langs/sk_SK/products.lang
index ef7e10c7f3f..bd34c331e16 100644
--- a/htdocs/langs/sk_SK/products.lang
+++ b/htdocs/langs/sk_SK/products.lang
@@ -108,7 +108,8 @@ FillWithLastServiceDates=Fill with last service line dates
MultiPricesAbility=Multiple price segments per product/service (each customer is in one price segment)
MultiPricesNumPrices=Počet cien
DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices
-AssociatedProductsAbility=Activate kits (virtual products)
+AssociatedProductsAbility=Enable Kits (set of other products)
+VariantsAbility=Enable Variants (variations of products, for example color, size)
AssociatedProducts=Kits
AssociatedProductsNumber=Number of products composing this kit
ParentProductsNumber=Počet rodičovských balíčkov produktu
@@ -167,8 +168,10 @@ BuyingPrices=Nákupné ceny
CustomerPrices=Zákaznícka cena
SuppliersPrices=Vendor prices
SuppliersPricesOfProductsOrServices=Vendor prices (of products or services)
-CustomCode=Customs / Commodity / HS code
+CustomCode=Customs|Commodity|HS code
CountryOrigin=Krajina pôvodu
+RegionStateOrigin=Region origin
+StateOrigin=State|Province origin
Nature=Nature of product (material/finished)
NatureOfProductShort=Nature of product
NatureOfProductDesc=Raw material or finished product
@@ -239,7 +242,7 @@ AlwaysUseFixedPrice=Použite pevnú cenu
PriceByQuantity=Rozdielné ceny podľa quantity
DisablePriceByQty=Disable prices by quantity
PriceByQuantityRange=Množstvo rozsah
-MultipriceRules=Pravidlá cenových oblastí
+MultipriceRules=Automatic prices for segment
UseMultipriceRules=Use price segment rules (defined into product module setup) to auto calculate prices of all other segments according to first segment
PercentVariationOver=%% zmena cez %s
PercentDiscountOver=%% zľava cez %s
diff --git a/htdocs/langs/sk_SK/recruitment.lang b/htdocs/langs/sk_SK/recruitment.lang
index f010df9c509..321f949aa39 100644
--- a/htdocs/langs/sk_SK/recruitment.lang
+++ b/htdocs/langs/sk_SK/recruitment.lang
@@ -73,3 +73,4 @@ JobClosedTextCandidateFound=The job position is closed. The position has been fi
JobClosedTextCanceled=The job position is closed.
ExtrafieldsJobPosition=Complementary attributes (job positions)
ExtrafieldsCandidatures=Complementary attributes (job applications)
+MakeOffer=Make an offer
diff --git a/htdocs/langs/sk_SK/sendings.lang b/htdocs/langs/sk_SK/sendings.lang
index 54d61a56291..76606f60e53 100644
--- a/htdocs/langs/sk_SK/sendings.lang
+++ b/htdocs/langs/sk_SK/sendings.lang
@@ -30,6 +30,7 @@ OtherSendingsForSameOrder=Ďalšie zásielky pre túto objednávku
SendingsAndReceivingForSameOrder=Shipments and receipts for this order
SendingsToValidate=Zásielky na overenie
StatusSendingCanceled=Zrušený
+StatusSendingCanceledShort=Zrušený
StatusSendingDraft=Návrh
StatusSendingValidated=Overené (výrobky na odoslanie alebo už dodané)
StatusSendingProcessed=Spracované
@@ -65,6 +66,7 @@ ValidateOrderFirstBeforeShipment=Najprv musíte overiť objednávku pred vytvore
# Sending methods
# ModelDocument
DocumentModelTyphon=Viac Celý dokument model pre potvrdenie o doručení (logo. ..)
+DocumentModelStorm=More complete document model for delivery receipts and extrafields compatibility (logo...)
Error_EXPEDITION_ADDON_NUMBER_NotDefined=Konštantná EXPEDITION_ADDON_NUMBER nie je definované
SumOfProductVolumes=Súčet objemov produktov
SumOfProductWeights=Súčet hmotností produktov
diff --git a/htdocs/langs/sk_SK/stocks.lang b/htdocs/langs/sk_SK/stocks.lang
index 29fb6b84fcf..e050622b21f 100644
--- a/htdocs/langs/sk_SK/stocks.lang
+++ b/htdocs/langs/sk_SK/stocks.lang
@@ -240,3 +240,4 @@ InventoryRealQtyHelp=Set value to 0 to reset qty Keep field empty, or remove
UpdateByScaning=Update by scaning
UpdateByScaningProductBarcode=Update by scan (product barcode)
UpdateByScaningLot=Update by scan (lot|serial barcode)
+DisableStockChangeOfSubProduct=Deactivate the stock change for all the subproducts of this Kit during this movement.
diff --git a/htdocs/langs/sk_SK/ticket.lang b/htdocs/langs/sk_SK/ticket.lang
index b0914c5f748..f45e4fb3067 100644
--- a/htdocs/langs/sk_SK/ticket.lang
+++ b/htdocs/langs/sk_SK/ticket.lang
@@ -31,10 +31,8 @@ TicketDictType=Ticket - Types
TicketDictCategory=Ticket - Groupes
TicketDictSeverity=Ticket - Severities
TicketDictResolution=Ticket - Resolution
-TicketTypeShortBUGSOFT=Dysfonctionnement logiciel
-TicketTypeShortBUGHARD=Dysfonctionnement matériel
-TicketTypeShortCOM=Commercial question
+TicketTypeShortCOM=Commercial question
TicketTypeShortHELP=Request for functionnal help
TicketTypeShortISSUE=Issue, bug or problem
TicketTypeShortREQUEST=Change or enhancement request
@@ -44,7 +42,7 @@ TicketTypeShortOTHER=Ostatné
TicketSeverityShortLOW=Nízky
TicketSeverityShortNORMAL=Normal
TicketSeverityShortHIGH=Vysoký
-TicketSeverityShortBLOCKING=Critical/Blocking
+TicketSeverityShortBLOCKING=Critical, Blocking
ErrorBadEmailAddress=Field '%s' incorrect
MenuTicketMyAssign=My tickets
@@ -60,7 +58,6 @@ OriginEmail=Email source
Notify_TICKET_SENTBYMAIL=Send ticket message by email
# Status
-NotRead=Not read
Read=Čítať
Assigned=Assigned
InProgress=In progress
@@ -126,6 +123,7 @@ TicketsActivatePublicInterfaceHelp=Public interface allow any visitors to create
TicketsAutoAssignTicket=Automatically assign the user who created the ticket
TicketsAutoAssignTicketHelp=When creating a ticket, the user can be automatically assigned to the ticket.
TicketNumberingModules=Tickets numbering module
+TicketsModelModule=Document templates for tickets
TicketNotifyTiersAtCreation=Notify third party at creation
TicketsDisableCustomerEmail=Always disable emails when a ticket is created from public interface
TicketsPublicNotificationNewMessage=Send email(s) when a new message is added
@@ -233,7 +231,6 @@ TicketLogStatusChanged=Status changed: %s to %s
TicketNotNotifyTiersAtCreate=Not notify company at create
Unread=Unread
TicketNotCreatedFromPublicInterface=Not available. Ticket was not created from public interface.
-PublicInterfaceNotEnabled=Public interface was not enabled
ErrorTicketRefRequired=Ticket reference name is required
#
diff --git a/htdocs/langs/sk_SK/website.lang b/htdocs/langs/sk_SK/website.lang
index b2c84ed0d5b..e1cfe004a2f 100644
--- a/htdocs/langs/sk_SK/website.lang
+++ b/htdocs/langs/sk_SK/website.lang
@@ -30,7 +30,6 @@ EditInLine=Edit inline
AddWebsite=Add website
Webpage=Web page/container
AddPage=Add page/container
-HomePage=Home Page
PageContainer=Strana
PreviewOfSiteNotYetAvailable=Preview of your website %s not yet available. You must first 'Import a full website template' or just 'Add a page/container'.
RequestedPageHasNoContentYet=Requested page with id %s has no content yet, or cache file .tpl.php was removed. Edit content of the page to solve this.
@@ -101,7 +100,7 @@ EmptyPage=Empty page
ExternalURLMustStartWithHttp=External URL must start with http:// or https://
ZipOfWebsitePackageToImport=Upload the Zip file of the website template package
ZipOfWebsitePackageToLoad=or Choose an available embedded website template package
-ShowSubcontainers=Include dynamic content
+ShowSubcontainers=Show dynamic content
InternalURLOfPage=Internal URL of page
ThisPageIsTranslationOf=This page/container is a translation of
ThisPageHasTranslationPages=This page/container has translation
@@ -137,3 +136,4 @@ RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using
PagesRegenerated=%s page(s)/container(s) regenerated
RegenerateWebsiteContent=Regenerate web site cache files
AllowedInFrames=Allowed in Frames
+DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languages into web site properties.
diff --git a/htdocs/langs/sk_SK/withdrawals.lang b/htdocs/langs/sk_SK/withdrawals.lang
index a13acf88e77..41a3cfab464 100644
--- a/htdocs/langs/sk_SK/withdrawals.lang
+++ b/htdocs/langs/sk_SK/withdrawals.lang
@@ -42,6 +42,7 @@ LastWithdrawalReceipt=Latest %s direct debit receipts
MakeWithdrawRequest=Make a direct debit payment request
MakeBankTransferOrder=Make a credit transfer request
WithdrawRequestsDone=%s direct debit payment requests recorded
+BankTransferRequestsDone=%s credit transfer requests recorded
ThirdPartyBankCode=Third-party bank code
NoInvoiceCouldBeWithdrawed=No invoice debited successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s.
ClassCredited=Klasifikovať pripísaná
@@ -131,7 +132,8 @@ SEPARCUR=SEPA CUR
SEPAFRST=SEPA FRST
ExecutionDate=Execution date
CreateForSepa=Create direct debit file
-ICS=Creditor Identifier CI
+ICS=Creditor Identifier CI for direct debit
+ICSTransfer=Creditor Identifier CI for bank transfer
END_TO_END="EndToEndId" SEPA XML tag - Unique id assigned per transaction
USTRD="Unstructured" SEPA XML tag
ADDDAYS=Add days to Execution Date
@@ -146,3 +148,4 @@ InfoRejectSubject=Direct debit payment order refused
InfoRejectMessage=Hello,
the direct debit payment order of invoice %s related to the company %s, with an amount of %s has been refused by the bank.
-- %s
ModeWarning=Voľba pre reálny režim nebol nastavený, môžeme zastaviť po tomto simuláciu
ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know wich one to use.
+ErrorICSmissing=Missing ICS in Bank account %s
diff --git a/htdocs/langs/sl_SI/accountancy.lang b/htdocs/langs/sl_SI/accountancy.lang
index 93e33834eff..ca8fc700696 100644
--- a/htdocs/langs/sl_SI/accountancy.lang
+++ b/htdocs/langs/sl_SI/accountancy.lang
@@ -48,6 +48,7 @@ CountriesExceptMe=All countries except %s
AccountantFiles=Export source documents
ExportAccountingSourceDocHelp=With this tool, you can export the source events (list and PDFs) that were used to generate your accountancy. To export your journals, use the menu entry %s - %s.
VueByAccountAccounting=View by accounting account
+VueBySubAccountAccounting=View by accounting subaccount
MainAccountForCustomersNotDefined=Main accounting account for customers not defined in setup
MainAccountForSuppliersNotDefined=Main accounting account for vendors not defined in setup
@@ -144,7 +145,7 @@ NotVentilatedinAccount=Not bound to the accounting account
XLineSuccessfullyBinded=%s products/services successfully bound to an accounting account
XLineFailedToBeBinded=%s products/services were not bound to any accounting account
-ACCOUNTING_LIMIT_LIST_VENTILATION=Number of elements to bind shown by page (maximum recommended: 50)
+ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50)
ACCOUNTING_LIST_SORT_VENTILATION_TODO=Begin the sorting of the page "Binding to do" by the most recent elements
ACCOUNTING_LIST_SORT_VENTILATION_DONE=Begin the sorting of the page "Binding done" by the most recent elements
@@ -198,7 +199,8 @@ Docdate=Datum
Docref=Reference
LabelAccount=Račun Label
LabelOperation=Label operation
-Sens=Sens
+Sens=Direction
+AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received For an accounting account of a supplier, use Debit to record a payment you make
LetteringCode=Lettering code
Lettering=Lettering
Codejournal=Revija
@@ -206,7 +208,8 @@ JournalLabel=Journal label
NumPiece=Piece number
TransactionNumShort=Num. transaction
AccountingCategory=Personalized groups
-GroupByAccountAccounting=Group by accounting account
+GroupByAccountAccounting=Group by general ledger account
+GroupBySubAccountAccounting=Group by subledger account
AccountingAccountGroupsDesc=You can define here some groups of accounting account. They will be used for personalized accounting reports.
ByAccounts=By accounts
ByPredefinedAccountGroups=By predefined groups
@@ -248,7 +251,7 @@ PaymentsNotLinkedToProduct=Payment not linked to any product / service
OpeningBalance=Opening balance
ShowOpeningBalance=Show opening balance
HideOpeningBalance=Hide opening balance
-ShowSubtotalByGroup=Show subtotal by group
+ShowSubtotalByGroup=Show subtotal by level
Pcgtype=Group of account
PcgtypeDesc=Group of account are used as predefined 'filter' and 'grouping' criteria for some accounting reports. For example, 'INCOME' or 'EXPENSE' are used as groups for accounting accounts of products to build the expense/income report.
@@ -271,11 +274,13 @@ DescVentilExpenseReport=Consult here the list of expense report lines bound (or
DescVentilExpenseReportMore=If you setup accounting account on type of expense report lines, the application will be able to make all the binding between your expense report lines and the accounting account of your chart of accounts, just in one click with the button "%s". If account was not set on fees dictionary or if you still have some lines not bound to any account, you will have to make a manual binding from the menu "%s".
DescVentilDoneExpenseReport=Consult here the list of the lines of expenses reports and their fees accounting account
+Closure=Annual closure
DescClosure=Consult here the number of movements by month who are not validated & fiscal years already open
OverviewOfMovementsNotValidated=Step 1/ Overview of movements not validated. (Necessary to close a fiscal year)
+AllMovementsWereRecordedAsValidated=All movements were recorded as validated
+NotAllMovementsCouldBeRecordedAsValidated=Not all movements could be recorded as validated
ValidateMovements=Validate movements
DescValidateMovements=Any modification or deletion of writing, lettering and deletes will be prohibited. All entries for an exercise must be validated otherwise closing will not be possible
-SelectMonthAndValidate=Select month and validate movements
ValidateHistory=Bind Automatically
AutomaticBindingDone=Automatic binding done
@@ -293,6 +298,7 @@ Accounted=Accounted in ledger
NotYetAccounted=Not yet accounted in ledger
ShowTutorial=Show Tutorial
NotReconciled=Not reconciled
+WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view
## Admin
BindingOptions=Binding options
@@ -337,6 +343,7 @@ Modelcsv_LDCompta10=Export for LD Compta (v10 & higher)
Modelcsv_openconcerto=Export for OpenConcerto (Test)
Modelcsv_configurable=Export CSV Configurable
Modelcsv_FEC=Export FEC
+Modelcsv_FEC2=Export FEC (With dates generation writing / document reversed)
Modelcsv_Sage50_Swiss=Export for Sage 50 Switzerland
Modelcsv_winfic=Export Winfic - eWinfic - WinSis Compta
Modelcsv_Gestinumv3=Export for Gestinum (v3)
diff --git a/htdocs/langs/sl_SI/admin.lang b/htdocs/langs/sl_SI/admin.lang
index 38d716f78eb..5b46b9c1770 100644
--- a/htdocs/langs/sl_SI/admin.lang
+++ b/htdocs/langs/sl_SI/admin.lang
@@ -56,6 +56,8 @@ GUISetup=Prikaz
SetupArea=Nastavitve
UploadNewTemplate=Upload new template(s)
FormToTestFileUploadForm=Testiranje »upload-a« (v skladu z nastavitvami)
+ModuleMustBeEnabled=The module/application %s must be enabled
+ModuleIsEnabled=The module/application %s has been enabled
IfModuleEnabled=Opomba: 'Da' velja samo, če je omogočen modul %s
RemoveLock=Remove/rename file %s if it exists, to allow usage of the Update/Install tool.
RestoreLock=Restore file %s, with read permission only, to disable any further use of the Update/Install tool.
@@ -85,7 +87,6 @@ ShowPreview=Prikaži predogled
ShowHideDetails=Show-Hide details
PreviewNotAvailable=Predogled ni na voljo
ThemeCurrentlyActive=Trenutno aktivna tema
-CurrentTimeZone=Časovni pas PHP strežnika
MySQLTimeZone=Časovni pas MySql (baze podatkov)
TZHasNoEffect=Dates are stored and returned by database server as if they were kept as submitted string. The timezone has effect only when using the UNIX_TIMESTAMP function (that should not be used by Dolibarr, so database TZ should have no effect, even if changed after data was entered).
Space=Presledek
@@ -153,8 +154,8 @@ SystemToolsAreaDesc=This area provides administration functions. Use the menu to
Purge=Počisti
PurgeAreaDesc=This page allows you to delete all files generated or stored by Dolibarr (temporary files or all files in %s directory). Using this feature is not normally necessary. It is provided as a workaround for users whose Dolibarr is hosted by a provider that does not offer permissions to delete files generated by the web server.
PurgeDeleteLogFile=Delete log files, including %s defined for Syslog module (no risk of losing data)
-PurgeDeleteTemporaryFiles=Delete all temporary files (no risk of losing data). Note: Deletion is done only if the temp directory was created 24 hours ago.
-PurgeDeleteTemporaryFilesShort=Delete temporary files
+PurgeDeleteTemporaryFiles=Delete all log and temporary files (no risk of losing data). Note: Deletion of temporary files is done only if the temp directory was created more than 24 hours ago.
+PurgeDeleteTemporaryFilesShort=Delete log and temporary files
PurgeDeleteAllFilesInDocumentsDir=Delete all files in directory: %s. This will delete all generated documents related to elements (third parties, invoices etc...), files uploaded into the ECM module, database backup dumps and temporary files.
PurgeRunNow=Počisti zdaj
PurgeNothingToDelete=No directory or files to delete.
@@ -256,6 +257,7 @@ ReferencedPreferredPartners=Preferirani partnerji
OtherResources=Other resources
ExternalResources=External Resources
SocialNetworks=Social Networks
+SocialNetworkId=Social Network ID
ForDocumentationSeeWiki=Glede dokumentacije za uporabnike in razvojnike (Doc, FAQ...), poglejte na Dolibarr Wiki: %s
ForAnswersSeeForum=Za vsa ostala vprašanja/pomoč lahko uporabite Dolibarr forum: %s
HelpCenterDesc1=Here are some resources for getting help and support with Dolibarr.
@@ -375,7 +377,7 @@ ExamplesWithCurrentSetup=Examples with current configuration
ListOfDirectories=Seznam map z OpenDocument predlogami
ListOfDirectoriesForModelGenODT=Seznam map, ki vsebujejo predloge v OpenDocument formatu.
Tukaj navedite celotno pot do mape. Med mapami vstavite CR. Mapo GED modula dodajte tukaj DOL_DATA_ROOT/ecm/yourdirectoryname.
Datoteke v tej mapi morajo imeti končnico .odt ali .ods.
NumberOfModelFilesFound=Number of ODT/ODS template files found in these directories
-ExampleOfDirectoriesForModelGen=Primeri sintakse: c:\\mydir /home/mydir DOL_DATA_ROOT/ecm/ecmdir
+ExampleOfDirectoriesForModelGen=Examples of syntax: c:\\myapp\\mydocumentdir\\mysubdir /home/myapp/mydocumentdir/mysubdir DOL_DATA_ROOT/ecm/ecmdir
FollowingSubstitutionKeysCanBeUsed=Z dodatkom takih oznak v predlogo, boste ob kreiranju dokumenta dobili personalizirane vrednosti:
FullListOnOnlineDocumentation=http://wiki.dolibarr.org
FirstnameNamePosition=Položaj imena/priimka
@@ -406,7 +408,7 @@ UrlGenerationParameters=Parametri za zagotovitev URL
SecurityTokenIsUnique=Uporabite edinstven parameter securekey za vsako URL
EnterRefToBuildUrl=Vnesite sklic za predmet %s
GetSecuredUrl=Get izračuna URL
-ButtonHideUnauthorized=Hide buttons for non-admin users for unauthorized actions instead of showing greyed disabled buttons
+ButtonHideUnauthorized=Hide unauthorized action buttons also for internal users (just greyed otherwise)
OldVATRates=Stara stopnja DDV
NewVATRates=Nova stopnja DDV
PriceBaseTypeToChange=Sprememba cen z definirano osnovno referenčno vrednostjo
@@ -1689,7 +1691,7 @@ NotTopTreeMenuPersonalized=Personalized menus not linked to a top menu entry
NewMenu=Nov meni
MenuHandler=Menijski vmesnik
MenuModule=Modul izvorov
-HideUnauthorizedMenu= Zasenči neavtoriziran meni (sivo)
+HideUnauthorizedMenu=Hide unauthorized menus also for internal users (just greyed otherwise)
DetailId=ID meni
DetailMenuHandler=Upravljavec menijev za prikaz novega menija
DetailMenuModule=Ime modula, če vnos prihaja iz modula
@@ -1983,11 +1985,12 @@ EMailHost=Host of email IMAP server
MailboxSourceDirectory=Mailbox source directory
MailboxTargetDirectory=Mailbox target directory
EmailcollectorOperations=Operations to do by collector
+EmailcollectorOperationsDesc=Operations are executed from top to bottom order
MaxEmailCollectPerCollect=Max number of emails collected per collect
CollectNow=Collect now
ConfirmCloneEmailCollector=Are you sure you want to clone the Email collector %s ?
-DateLastCollectResult=Date latest collect tried
-DateLastcollectResultOk=Date latest collect successfull
+DateLastCollectResult=Date of latest collect try
+DateLastcollectResultOk=Date of latest collect success
LastResult=Latest result
EmailCollectorConfirmCollectTitle=Email collect confirmation
EmailCollectorConfirmCollect=Do you want to run the collection for this collector now ?
@@ -2005,7 +2008,7 @@ WithDolTrackingID=Message from a conversation initiated by a first email sent fr
WithoutDolTrackingID=Message from a conversation initiated by a first email NOT sent from Dolibarr
WithDolTrackingIDInMsgId=Message sent from Dolibarr
WithoutDolTrackingIDInMsgId=Message NOT sent from Dolibarr
-CreateCandidature=Create candidature
+CreateCandidature=Create job application
FormatZip=Zip
MainMenuCode=Menu entry code (mainmenu)
ECMAutoTree=Show automatic ECM tree
@@ -2083,3 +2086,7 @@ CountryIfSpecificToOneCountry=Country (if specific to a given country)
YouMayFindSecurityAdviceHere=You may find security advisory here
ModuleActivatedMayExposeInformation=This module may expose sensitive data. If you don't need it, disable it.
ModuleActivatedDoNotUseInProduction=A module designed for the development has been enabled. Do not enable it on a production environment.
+CombinationsSeparator=Separator character for product combinations
+SeeLinkToOnlineDocumentation=See link to online documention on top menu for examples
+SHOW_SUBPRODUCT_REF_IN_PDF=If the feature "%s" of module %s is used, show details of subproducts of a kit on PDF.
+AskThisIDToYourBank=Contact your bank to get this ID
diff --git a/htdocs/langs/sl_SI/banks.lang b/htdocs/langs/sl_SI/banks.lang
index a73db019812..a4865b7a107 100644
--- a/htdocs/langs/sl_SI/banks.lang
+++ b/htdocs/langs/sl_SI/banks.lang
@@ -173,8 +173,8 @@ SEPAMandate=SEPA mandate
YourSEPAMandate=Your SEPA mandate
FindYourSEPAMandate=This is your SEPA mandate to authorize our company to make direct debit order to your bank. Return it signed (scan of the signed document) or send it by mail to
AutoReportLastAccountStatement=Automatically fill the field 'number of bank statement' with last statement number when making reconciliation
-CashControl=POS cash fence
-NewCashFence=New cash fence
+CashControl=POS cash desk control
+NewCashFence=New cash desk closing
BankColorizeMovement=Colorize movements
BankColorizeMovementDesc=If this function is enable, you can choose specific background color for debit or credit movements
BankColorizeMovementName1=Background color for debit movement
diff --git a/htdocs/langs/sl_SI/blockedlog.lang b/htdocs/langs/sl_SI/blockedlog.lang
index 84dc7eb9c06..cb5b53c1bd8 100644
--- a/htdocs/langs/sl_SI/blockedlog.lang
+++ b/htdocs/langs/sl_SI/blockedlog.lang
@@ -35,7 +35,7 @@ logDON_DELETE=Donation logical deletion
logMEMBER_SUBSCRIPTION_CREATE=Member subscription created
logMEMBER_SUBSCRIPTION_MODIFY=Member subscription modified
logMEMBER_SUBSCRIPTION_DELETE=Member subscription logical deletion
-logCASHCONTROL_VALIDATE=Cash fence recording
+logCASHCONTROL_VALIDATE=Cash desk closing recording
BlockedLogBillDownload=Customer invoice download
BlockedLogBillPreview=Customer invoice preview
BlockedlogInfoDialog=Log Details
diff --git a/htdocs/langs/sl_SI/boxes.lang b/htdocs/langs/sl_SI/boxes.lang
index 92f815a1a33..1aa5a9b7b44 100644
--- a/htdocs/langs/sl_SI/boxes.lang
+++ b/htdocs/langs/sl_SI/boxes.lang
@@ -46,9 +46,12 @@ BoxTitleLastModifiedDonations=Zadnje %s spremenjene donacije
BoxTitleLastModifiedExpenses=Zadnja %s poročila o stroških
BoxTitleLatestModifiedBoms=Latest %s modified BOMs
BoxTitleLatestModifiedMos=Latest %s modified Manufacturing Orders
+BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded
BoxGlobalActivity=Globalna aktivnost (računi, ponudbe, naročila)
BoxGoodCustomers=Dobri kupci
BoxTitleGoodCustomers=%s dobri kupci
+BoxScheduledJobs=Scheduled jobs
+BoxTitleFunnelOfProspection=Lead funnel
FailedToRefreshDataInfoNotUpToDate=Failed to refresh RSS flux. Latest successful refresh date: %s
LastRefreshDate=Zadnji datum osvežitve podatkov
NoRecordedBookmarks=Ni definiranih zaznamkov.
@@ -102,5 +105,7 @@ SuspenseAccountNotDefined=Suspense account isn't defined
BoxLastCustomerShipments=Last customer shipments
BoxTitleLastCustomerShipments=Latest %s customer shipments
NoRecordedShipments=No recorded customer shipment
+BoxCustomersOutstandingBillReached=Customers with oustanding limit reached
# Pages
AccountancyHome=Računovodstvo
+ValidatedProjects=Validated projects
diff --git a/htdocs/langs/sl_SI/cashdesk.lang b/htdocs/langs/sl_SI/cashdesk.lang
index a103bd51275..90b364f16d4 100644
--- a/htdocs/langs/sl_SI/cashdesk.lang
+++ b/htdocs/langs/sl_SI/cashdesk.lang
@@ -49,8 +49,8 @@ Footer=Footer
AmountAtEndOfPeriod=Amount at end of period (day, month or year)
TheoricalAmount=Theorical amount
RealAmount=Real amount
-CashFence=Cash fence
-CashFenceDone=Cash fence done for the period
+CashFence=Cash desk closing
+CashFenceDone=Cash desk closing done for the period
NbOfInvoices=Število računov
Paymentnumpad=Type of Pad to enter payment
Numberspad=Numbers Pad
@@ -99,8 +99,9 @@ CashDeskRefNumberingModules=Numbering module for POS sales
CashDeskGenericMaskCodes6 = {TN} tag is used to add the terminal number
TakeposGroupSameProduct=Group same products lines
StartAParallelSale=Start a new parallel sale
-ControlCashOpening=Control cash box at opening POS
-CloseCashFence=Close cash fence
+SaleStartedAt=Sale started at %s
+ControlCashOpening=Control cash popup at opening POS
+CloseCashFence=Close cash desk control
CashReport=Cash report
MainPrinterToUse=Main printer to use
OrderPrinterToUse=Order printer to use
@@ -122,3 +123,4 @@ GiftReceipt=Gift receipt
ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled first
AllowDelayedPayment=Allow delayed payment
PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts
+WeighingScale=Weighing scale
diff --git a/htdocs/langs/sl_SI/categories.lang b/htdocs/langs/sl_SI/categories.lang
index 70060a70318..187bd536897 100644
--- a/htdocs/langs/sl_SI/categories.lang
+++ b/htdocs/langs/sl_SI/categories.lang
@@ -19,6 +19,7 @@ ProjectsCategoriesArea=Projects tags/categories area
UsersCategoriesArea=Users tags/categories area
SubCats=Sub-categories
CatList=Seznam značk/kategorij
+CatListAll=List of tags/categories (all types)
NewCategory=Nova značka/kategorija
ModifCat=Spremeni značko/kategorijo
CatCreated=Kreirana značka/kategorija
@@ -65,16 +66,22 @@ UsersCategoriesShort=Users tags/categories
StockCategoriesShort=Warehouse tags/categories
ThisCategoryHasNoItems=This category does not contain any items.
CategId=ID značke/kategorije
-CatSupList=List of vendor tags/categories
-CatCusList=Seznam značk/kategorij kupcev/možnih strank
+ParentCategory=Parent tag/category
+ParentCategoryLabel=Label of parent tag/category
+CatSupList=List of vendors tags/categories
+CatCusList=List of customers/prospects tags/categories
CatProdList=Seznam značk/kategorij proizvodov
CatMemberList=Seznam značk/kategorij članov
-CatContactList=Seznam kontaktnih oznak/kategorij
-CatSupLinks=Povezave med dobavitelji in značkami/kategorijami
+CatContactList=List of contacts tags/categories
+CatProjectsList=List of projects tags/categories
+CatUsersList=List of users tags/categories
+CatSupLinks=Links between vendors and tags/categories
CatCusLinks=Povezave med kupci/možnimi strankami in značkami/kategorijami
CatContactsLinks=Links between contacts/addresses and tags/categories
CatProdLinks=Povezave med proizvodi/storitvami in značkami/kategorijami
-CatProJectLinks=Links between projects and tags/categories
+CatMembersLinks=Povezave med člani in značkami/kategorijami
+CatProjectsLinks=Links between projects and tags/categories
+CatUsersLinks=Links between users and tags/categories
DeleteFromCat=Odstrani iz značk/kategorije
ExtraFieldsCategories=Koplementarni atributi
CategoriesSetup=Nastavitev značk/kategorij
diff --git a/htdocs/langs/sl_SI/companies.lang b/htdocs/langs/sl_SI/companies.lang
index c83ab2f3231..95e4d763b46 100644
--- a/htdocs/langs/sl_SI/companies.lang
+++ b/htdocs/langs/sl_SI/companies.lang
@@ -358,7 +358,7 @@ VATIntraCheckableOnEUSite=Check the intra-Community VAT ID on the European Commi
VATIntraManualCheck=You can also check manually on the European Commission website %s
ErrorVATCheckMS_UNAVAILABLE=Kontrola ni možna. Država članica ne zagotavlja storitve poizvedbe (%s).
NorProspectNorCustomer=Not prospect, nor customer
-JuridicalStatus=Legal Entity Type
+JuridicalStatus=Business entity type
Workforce=Workforce
Staff=Employees
ProspectLevelShort=Potencial
diff --git a/htdocs/langs/sl_SI/compta.lang b/htdocs/langs/sl_SI/compta.lang
index a3a4ec4adde..2f71f9efc4f 100644
--- a/htdocs/langs/sl_SI/compta.lang
+++ b/htdocs/langs/sl_SI/compta.lang
@@ -111,7 +111,7 @@ Refund=Vračilo
SocialContributionsPayments=Social/fiscal taxes payments
ShowVatPayment=Prikaži plačilo DDV
TotalToPay=Skupaj za plačilo
-BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted ascending on %s and filtered for 1 bank account
+BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted on %s and filtered on 1 bank account (with no other filters)
CustomerAccountancyCode=Customer accounting code
SupplierAccountancyCode=Vendor accounting code
CustomerAccountancyCodeShort=Cust. account. code
@@ -140,7 +140,7 @@ ConfirmDeleteSocialContribution=Are you sure you want to delete this social/fisc
ExportDataset_tax_1=Social and fiscal taxes and payments
CalcModeVATDebt=Mode %sVAT on commitment accounting%s.
CalcModeVATEngagement=Mode %sVAT on incomes-expenses%s.
-CalcModeDebt=Analysis of known recorded invoices even if they are not yet accounted in ledger.
+CalcModeDebt=Analysis of known recorded documents even if they are not yet accounted in ledger.
CalcModeEngagement=Analysis of known recorded payments, even if they are not yet accounted in Ledger.
CalcModeBookkeeping=Analysis of data journalized in Bookkeeping Ledger table.
CalcModeLT1= Mode %sRE on customer invoices - suppliers invoices%s
@@ -154,9 +154,9 @@ AnnualSummaryInputOutputMode=Bilanca prihodkov in stroškov, letni povzetek
AnnualByCompanies=Balance of income and expenses, by predefined groups of account
AnnualByCompaniesDueDebtMode=Balance of income and expenses, detail by predefined groups, mode %sClaims-Debts%s said Commitment accounting.
AnnualByCompaniesInputOutputMode=Balance of income and expenses, detail by predefined groups, mode %sIncomes-Expenses%s said cash accounting.
-SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation on actual payments made even if they are not yet accounted in Ledger.
-SeeReportInDueDebtMode=See %sanalysis of invoices%s for a calculation based on known recorded invoices even if they are not yet accounted in Ledger.
-SeeReportInBookkeepingMode=See %sBookeeping report%s for a calculation on Bookkeeping Ledger table
+SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation based on recorded payments made even if they are not yet accounted in Ledger
+SeeReportInDueDebtMode=See %sanalysis of recorded documents%s for a calculation based on known recorded documents even if they are not yet accounted in Ledger
+SeeReportInBookkeepingMode=See %sanalysis of bookeeping ledger table%s for a report based on Bookkeeping Ledger table
RulesAmountWithTaxIncluded=- Prikazane vrednosti vključujejo vse davke
RulesResultDue=- It includes outstanding invoices, expenses, VAT, donations whether they are paid or not. Is also includes paid salaries. - It is based on the billing date of invoices and on the due date for expenses or tax payments. For salaries defined with Salary module, the value date of payment is used.
RulesResultInOut=- It includes the real payments made on invoices, expenses, VAT and salaries. - It is based on the payment dates of the invoices, expenses, VAT and salaries. The donation date for donation.
@@ -169,12 +169,15 @@ RulesResultBookkeepingPersonalized=It show record in your Ledger with accounting
SeePageForSetup=See menu %s for setup
DepositsAreNotIncluded=- Down payment invoices are not included
DepositsAreIncluded=- Down payment invoices are included
+LT1ReportByMonth=Tax 2 report by month
+LT2ReportByMonth=Tax 3 report by month
LT1ReportByCustomers=Report tax 2 by third party
LT2ReportByCustomers=Report tax 3 by third party
LT1ReportByCustomersES=Report by third party RE
LT2ReportByCustomersES=Poročilo tretjih oseb IRPF
VATReport=Sale tax report
VATReportByPeriods=Sale tax report by period
+VATReportByMonth=Sale tax report by month
VATReportByRates=Sale tax report by rates
VATReportByThirdParties=Sale tax report by third parties
VATReportByCustomers=Sale tax report by customer
diff --git a/htdocs/langs/sl_SI/cron.lang b/htdocs/langs/sl_SI/cron.lang
index bf247f95c88..5f3c8ecd5fa 100644
--- a/htdocs/langs/sl_SI/cron.lang
+++ b/htdocs/langs/sl_SI/cron.lang
@@ -6,14 +6,15 @@ Permission23102 = Ustvari/posodobi načrtovano delo
Permission23103 = Izbriši načrtovano delo
Permission23104 = Izvedi načrtovano delo
# Admin
-CronSetup= Scheduled job management setup
-URLToLaunchCronJobs=URL to check and launch qualified cron jobs
-OrToLaunchASpecificJob=Or to check and launch a specific job
+CronSetup=Scheduled job management setup
+URLToLaunchCronJobs=URL to check and launch qualified cron jobs from a browser
+OrToLaunchASpecificJob=Or to check and launch a specific job from a browser
KeyForCronAccess=Security key for URL to launch cron jobs
FileToLaunchCronJobs=Command line to check and launch qualified cron jobs
CronExplainHowToRunUnix=On Unix environment you should use the following crontab entry to run the command line each 5 minutes
-CronExplainHowToRunWin=On Microsoft(tm) Windows environement you can use Scheduled task tools to run the command line each 5 minutes
+CronExplainHowToRunWin=On Microsoft(tm) Windows environment you can use Scheduled Task tools to run the command line each 5 minutes
CronMethodDoesNotExists=Class %s does not contains any method %s
+CronMethodNotAllowed=Method %s of class %s is in blacklist of forbidden methods
CronJobDefDesc=Cron job profiles are defined into the module descriptor file. When module is activated, they are loaded and available so you can administer the jobs from the admin tools menu %s.
CronJobProfiles=List of predefined cron job profiles
# Menu
@@ -42,10 +43,11 @@ CronModule=Modul
CronNoJobs=Nobene naloge niso registrirane
CronPriority=Prioriteta
CronLabel=Oznaka
-CronNbRun=Nb. launch
-CronMaxRun=Max number launch
+CronNbRun=Number of launches
+CronMaxRun=Maximum number of launches
CronEach=Every
JobFinished=Job launched and finished
+Scheduled=Scheduled
#Page card
CronAdd= Dodaj naloge
CronEvery=Execute job each
@@ -56,16 +58,16 @@ CronNote=Komentar
CronFieldMandatory=Fields %s is mandatory
CronErrEndDateStartDt=End date cannot be before start date
StatusAtInstall=Status at module installation
-CronStatusActiveBtn=Omogočeno
+CronStatusActiveBtn=Schedule
CronStatusInactiveBtn=Onemogoči
CronTaskInactive=This job is disabled
CronId=Id
CronClassFile=Filename with class
-CronModuleHelp=Name of Dolibarr module directory (also work with external Dolibarr module). For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for module is product
-CronClassFileHelp=The relative path and file name to load (path is relative to web server root directory). For exemple to call the fetch method of Dolibarr Product object htdocs/product/class/product.class.php, the value for class file name is product/class/product.class.php
-CronObjectHelp=The object name to load. For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for class file name is Product
-CronMethodHelp=The object method to launch. For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for method is fetch
-CronArgsHelp=The method arguments. For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for paramters can be 0, ProductRef
+CronModuleHelp=Name of Dolibarr module directory (also work with external Dolibarr module). For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for module is product
+CronClassFileHelp=The relative path and file name to load (path is relative to web server root directory). For example to call the fetch method of Dolibarr Product object htdocs/product/class/product.class.php, the value for class file name is product/class/product.class.php
+CronObjectHelp=The object name to load. For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for class file name is Product
+CronMethodHelp=The object method to launch. For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for method is fetch
+CronArgsHelp=The method arguments. For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for paramters can be 0, ProductRef
CronCommandHelp=The system command line to execute.
CronCreateJob=Create new Scheduled Job
CronFrom=Od
@@ -76,8 +78,14 @@ CronType_method=Call method of a PHP Class
CronType_command=Shell command
CronCannotLoadClass=Cannot load class file %s (to use class %s)
CronCannotLoadObject=Class file %s was loaded, but object %s was not found into it
-UseMenuModuleToolsToAddCronJobs=Go into menu "Home - Admin tools - Scheduled jobs" to see and edit scheduled jobs.
+UseMenuModuleToolsToAddCronJobs=Go into menu "Home - Admin tools - Scheduled jobs" to see and edit scheduled jobs.
JobDisabled=Job disabled
MakeLocalDatabaseDumpShort=Local database backup
-MakeLocalDatabaseDump=Create a local database dump. Parameters are: compression ('gz' or 'bz' or 'none'), backup type ('mysql' or 'pgsql'), 1, 'auto' or filename to build, number of backup files to keep
+MakeLocalDatabaseDump=Create a local database dump. Parameters are: compression ('gz' or 'bz' or 'none'), backup type ('mysql', 'pgsql', 'auto'), 1, 'auto' or filename to build, number of backup files to keep
WarningCronDelayed=Attention, for performance purpose, whatever is next date of execution of enabled jobs, your jobs may be delayed to a maximum of %s hours, before being run.
+DATAPOLICYJob=Data cleaner and anonymizer
+JobXMustBeEnabled=Job %s must be enabled
+# Cron Boxes
+LastExecutedScheduledJob=Last executed scheduled job
+NextScheduledJobExecute=Next scheduled job to execute
+NumberScheduledJobError=Number of scheduled jobs in error
diff --git a/htdocs/langs/sl_SI/errors.lang b/htdocs/langs/sl_SI/errors.lang
index c9142ec4843..ef8cfd2d53f 100644
--- a/htdocs/langs/sl_SI/errors.lang
+++ b/htdocs/langs/sl_SI/errors.lang
@@ -5,8 +5,10 @@ NoErrorCommitIsDone=No error, we commit
# Errors
ErrorButCommitIsDone=Errors found but we validate despite this
ErrorBadEMail=Email %s is wrong
+ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record)
ErrorBadUrl=Url %s je napačen
ErrorBadValueForParamNotAString=Bad value for your parameter. It appends generally when translation is missing.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorLoginAlreadyExists=Uporabniško ime %s že obstaja.
ErrorGroupAlreadyExists=Skupina %s že obstaja.
ErrorRecordNotFound=Ne najdem zapisa.
@@ -48,6 +50,7 @@ ErrorFieldsRequired=Nekatera zahtevana polja niso izpolnjena.
ErrorSubjectIsRequired=The email topic is required
ErrorFailedToCreateDir=Kreiranje mape ni uspelo. Preverite, če ima uporabnik internetne strani dovoljenje za pisanje v mapo z Dolibarr dokumenti. Če je parameter safe_mode v tem PHP omogočen, preverite če je lastnik Dolibarr php datotek uporabnik web strežnika (ali skupina).
ErrorNoMailDefinedForThisUser=Ta uporabnik nima določenega Email naslova
+ErrorSetupOfEmailsNotComplete=Setup of emails is not complete
ErrorFeatureNeedJavascript=Za aktiviranje ali delovanje te funkcije je potreben javascript. Spremenite »Nastavitve – Prikaz«.
ErrorTopMenuMustHaveAParentWithId0='Zgoernji' meni ne more imeti nadrejenega menija. Vnesite 0 v nadrejeni meni ali izberite vrsto menija 'Levi'.
ErrorLeftMenuMustHaveAParentId='Levi' meni mora imeti Nadrejeni ID.
@@ -75,7 +78,7 @@ ErrorExportDuplicateProfil=This profile name already exists for this export set.
ErrorLDAPSetupNotComplete=Dolibarr-LDAP združevanje ni popolno.
ErrorLDAPMakeManualTest=Datoteka .ldif je bila ustvarjena v mapi %s. Poskusite jo naložiti ročno preko ukazne vrstice, da bi dobili več podatkov o napaki.
ErrorCantSaveADoneUserWithZeroPercentage=Can't save an action with "status not started" if field "done by" is also filled.
-ErrorRefAlreadyExists=Referenca, uporabljena za kreiranje, že obstaja.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorPleaseTypeBankTransactionReportName=Please enter the bank statement name where the entry has to be reported (Format YYYYMM or YYYYMMDD)
ErrorRecordHasChildren=Failed to delete record since it has some child records.
ErrorRecordHasAtLeastOneChildOfType=Object has at least one child of type %s
@@ -216,7 +219,7 @@ ErrorChooseBetweenFreeEntryOrPredefinedProduct=You must choose if article is a p
ErrorDiscountLargerThanRemainToPaySplitItBefore=The discount you try to apply is larger than remain to pay. Split the discount in 2 smaller discounts before.
ErrorFileNotFoundWithSharedLink=File was not found. May be the share key was modified or file was removed recently.
ErrorProductBarCodeAlreadyExists=The product barcode %s already exists on another product reference.
-ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using virtual product to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number.
+ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using kits to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number.
ErrorDescRequiredForFreeProductLines=Description is mandatory for lines with free product
ErrorAPageWithThisNameOrAliasAlreadyExists=The page/container %s has the same name or alternative alias that the one your try to use
ErrorDuringChartLoad=Error when loading chart of accounts. If few accounts were not loaded, you can still enter them manually.
@@ -243,6 +246,16 @@ ErrorReplaceStringEmpty=Error, the string to replace into is empty
ErrorProductNeedBatchNumber=Error, product '%s' need a lot/serial number
ErrorProductDoesNotNeedBatchNumber=Error, product '%s' does not accept a lot/serial number
ErrorFailedToReadObject=Error, failed to read object of type %s
+ErrorParameterMustBeEnabledToAllwoThisFeature=Error, parameter %s must be enabled into conf/conf.php to allow use of Command Line Interface by the internal job scheduler
+ErrorLoginDateValidity=Error, this login is outside the validity date range
+ErrorValueLength=Length of field '%s' must be higher than '%s'
+ErrorReservedKeyword=The word '%s' is a reserved keyword
+ErrorNotAvailableWithThisDistribution=Not available with this distribution
+ErrorPublicInterfaceNotEnabled=Public interface was not enabled
+ErrorLanguageRequiredIfPageIsTranslationOfAnother=The language of new page must be defined if it is set as a translation of another page
+ErrorLanguageMustNotBeSourceLanguageIfPageIsTranslationOfAnother=The language of new page must not be the source language if it is set as a translation of another page
+ErrorAParameterIsRequiredForThisOperation=A parameter is mandatory for this operation
+
# Warnings
WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup.
WarningPasswordSetWithNoAccount=A password was set for this member. However, no user account was created. So this password is stored but can't be used to login to Dolibarr. It may be used by an external module/interface but if you don't need to define any login nor password for a member, you can disable option "Manage a login for each member" from Member module setup. If you need to manage a login but don't need any password, you can keep this field empty to avoid this warning. Note: Email can also be used as a login if the member is linked to a user.
@@ -267,6 +280,10 @@ WarningYourLoginWasModifiedPleaseLogin=Your login was modified. For security pur
WarningAnEntryAlreadyExistForTransKey=An entry already exists for the translation key for this language
WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different recipient is limited to %s when using the mass actions on lists
WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report
+WarningProjectDraft=Project is still in draft mode. Don't forget to validate it if you plan to use tasks.
WarningProjectClosed=Project is closed. You must re-open it first.
WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list.
-WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table
+WarningFailedToAddFileIntoDatabaseIndex=Warning, failed to add file entry into ECM database index table
+WarningTheHiddenOptionIsOn=Warning, the hidden option %s is on.
+WarningCreateSubAccounts=Warning, you can't create directly a sub account, you must create a third party or an user and assign them an accounting code to find them in this list
+WarningAvailableOnlyForHTTPSServers=Available only if using HTTPS secured connection.
diff --git a/htdocs/langs/sl_SI/exports.lang b/htdocs/langs/sl_SI/exports.lang
index b9cb40877c1..e48218574d6 100644
--- a/htdocs/langs/sl_SI/exports.lang
+++ b/htdocs/langs/sl_SI/exports.lang
@@ -26,6 +26,8 @@ FieldTitle=Naziv polja
NowClickToGenerateToBuildExportFile=Now, select the file format in the combo box and click on "Generate" to build the export file...
AvailableFormats=Available Formats
LibraryShort=Knjižnica
+ExportCsvSeparator=Csv caracter separator
+ImportCsvSeparator=Csv caracter separator
Step=Korak
FormatedImport=Import Assistant
FormatedImportDesc1=This module allows you to update existing data or add new objects into the database from a file without technical knowledge, using an assistant.
@@ -131,3 +133,4 @@ KeysToUseForUpdates=Key (column) to use for updating existing data
NbInsert=Number of inserted lines: %s
NbUpdate=Number of updated lines: %s
MultipleRecordFoundWithTheseFilters=Multiple records have been found with these filters: %s
+StocksWithBatch=Stocks and location (warehouse) of products with batch/serial number
diff --git a/htdocs/langs/sl_SI/mails.lang b/htdocs/langs/sl_SI/mails.lang
index 8c93e61eedc..6996e55999a 100644
--- a/htdocs/langs/sl_SI/mails.lang
+++ b/htdocs/langs/sl_SI/mails.lang
@@ -92,6 +92,7 @@ MailingModuleDescEmailsFromUser=Emails input by user
MailingModuleDescDolibarrUsers=Users with Emails
MailingModuleDescThirdPartiesByCategories=Third parties (by categories)
SendingFromWebInterfaceIsNotAllowed=Sending from web interface is not allowed.
+EmailCollectorFilterDesc=All filters must match to have an email being collected
# Libelle des modules de liste de destinataires mailing
LineInFile=%s vrstica v datoteki
@@ -125,12 +126,13 @@ TagMailtoEmail=Recipient Email (including html "mailto:" link)
NoEmailSentBadSenderOrRecipientEmail=Email ni bil poslan. Napačen naslov pošiljatelja ali prejemnika. Preverite profil uporabnika.
# Module Notifications
Notifications=Obvestila
-NoNotificationsWillBeSent=Za ta dogodek in podjetje niso predvidena obvestila po e-pošti
-ANotificationsWillBeSent=1 obvestilo bo poslano z e-pošto
-SomeNotificationsWillBeSent=%s obvestil bo poslanih z e-pošto
-AddNewNotification=Activate a new email notification target/event
-ListOfActiveNotifications=List all active targets/events for email notification
-ListOfNotificationsDone=Seznam vseh poslanih e-poštnih obvestil
+NotificationsAuto=Notifications Auto.
+NoNotificationsWillBeSent=No automatic email notifications are planned for this event type and company
+ANotificationsWillBeSent=1 automatic notification will be sent by email
+SomeNotificationsWillBeSent=%s automatic notifications will be sent by email
+AddNewNotification=Subscribe to a new automatic email notification (target/event)
+ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification
+ListOfNotificationsDone=List all automatic email notifications sent
MailSendSetupIs=Konfiguracij pošiljanja e-pošte je bila nastavljena na '%s'. Ta način ne more biti uporabljen za masovno pošiljanje.
MailSendSetupIs2=Najprej morate kot administrator preko menija %sDomov - Nastavitve - E-pošta%s spremeniti parameter '%s' za uporabo načina '%s'. V tem načinu lahko odprete nastavitve SMTP strežnika, ki vam jih omogoča vaš spletni oprerater in uporabite masovno pošiljanje.
MailSendSetupIs3=Če imate vprašanja o nastavitvi SMTP strežnika, lahko vprašate %s.
@@ -140,7 +142,7 @@ UseFormatFileEmailToTarget=Imported file must have format email;name;fir
UseFormatInputEmailToTarget=Enter a string with format email;name;firstname;other
MailAdvTargetRecipients=Recipients (advanced selection)
AdvTgtTitle=Fill input fields to preselect the third parties or contacts/addresses to target
-AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima% will target all jean, joe, start with jim but not jimo and not everything that starts with jima
+AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima%% will target all jean, joe, start with jim but not jimo and not everything that starts with jima
AdvTgtSearchIntHelp=Use interval to select int or float value
AdvTgtMinVal=Minimum value
AdvTgtMaxVal=Maximum value
@@ -162,13 +164,14 @@ AdvTgtCreateFilter=Create filter
AdvTgtOrCreateNewFilter=Name of new filter
NoContactWithCategoryFound=No contact/address with a category found
NoContactLinkedToThirdpartieWithCategoryFound=No contact/address with a category found
-OutGoingEmailSetup=Outgoing email setup
-InGoingEmailSetup=Incoming email setup
-OutGoingEmailSetupForEmailing=Outgoing email setup (for module %s)
-DefaultOutgoingEmailSetup=Default outgoing email setup
+OutGoingEmailSetup=Outgoing emails
+InGoingEmailSetup=Incoming emails
+OutGoingEmailSetupForEmailing=Outgoing emails (for module %s)
+DefaultOutgoingEmailSetup=Same configuration than the global Outgoing email setup
Information=Informacija
ContactsWithThirdpartyFilter=Contacts with third-party filter
Unanswered=Unanswered
Answered=Answered
IsNotAnAnswer=Is not answer (initial email)
IsAnAnswer=Is an answer of an initial email
+RecordCreatedByEmailCollector=Record created by the Email Collector %s from email %s
diff --git a/htdocs/langs/sl_SI/main.lang b/htdocs/langs/sl_SI/main.lang
index f7d1c8a39d7..458c2fd2da1 100644
--- a/htdocs/langs/sl_SI/main.lang
+++ b/htdocs/langs/sl_SI/main.lang
@@ -28,7 +28,9 @@ NoTemplateDefined=No template available for this email type
AvailableVariables=Available substitution variables
NoTranslation=Ni prevoda
Translation=Prevod
+CurrentTimeZone=Časovni pas PHP strežnika
EmptySearchString=Enter non empty search criterias
+EnterADateCriteria=Enter a date criteria
NoRecordFound=Ni najden zapis
NoRecordDeleted=No record deleted
NotEnoughDataYet=Not enough data
@@ -85,6 +87,8 @@ FileWasNotUploaded=Izbrana je bila datoteka za prilogo, vendar še ni dodana. Kl
NbOfEntries=No. of entries
GoToWikiHelpPage=Read online help (Internet access needed)
GoToHelpPage=Preberite pomoč
+DedicatedPageAvailable=There is a dedicated help page related to your current screen
+HomePage=Home Page
RecordSaved=Zapis je shranjen
RecordDeleted=Zapis je izbrisan
RecordGenerated=Record generated
@@ -433,6 +437,7 @@ RemainToPay=Remain to pay
Module=Module/Application
Modules=Modules/Applications
Option=Opcija
+Filters=Filters
List=Seznam
FullList=Celoten seznam
FullConversation=Full conversation
@@ -671,7 +676,7 @@ SendMail=Pošlji e-pošto
Email=E-pošta
NoEMail=Ni email-a
AlreadyRead=Already read
-NotRead=Not read
+NotRead=Unread
NoMobilePhone=Ni mobilnega telefona
Owner=Lastnik
FollowingConstantsWillBeSubstituted=Naslednje konstante bodo zamenjane z ustrezno vrednostjo.
@@ -1107,3 +1112,8 @@ UpToDate=Up-to-date
OutOfDate=Out-of-date
EventReminder=Event Reminder
UpdateForAllLines=Update for all lines
+OnHold=Ustavljeno
+AffectTag=Affect Tag
+ConfirmAffectTag=Bulk Tag Affect
+ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected record(s)?
+CategTypeNotFound=No tag type found for type of records
diff --git a/htdocs/langs/sl_SI/modulebuilder.lang b/htdocs/langs/sl_SI/modulebuilder.lang
index 460aef8103b..845dd12624d 100644
--- a/htdocs/langs/sl_SI/modulebuilder.lang
+++ b/htdocs/langs/sl_SI/modulebuilder.lang
@@ -40,6 +40,7 @@ PageForCreateEditView=PHP page to create/edit/view a record
PageForAgendaTab=PHP page for event tab
PageForDocumentTab=PHP page for document tab
PageForNoteTab=PHP page for note tab
+PageForContactTab=PHP page for contact tab
PathToModulePackage=Path to zip of module/application package
PathToModuleDocumentation=Path to file of module/application documentation (%s)
SpaceOrSpecialCharAreNotAllowed=Spaces or special characters are not allowed.
@@ -77,7 +78,7 @@ IsAMeasure=Is a measure
DirScanned=Directory scanned
NoTrigger=No trigger
NoWidget=No widget
-GoToApiExplorer=Go to API explorer
+GoToApiExplorer=API explorer
ListOfMenusEntries=List of menu entries
ListOfDictionariesEntries=List of dictionaries entries
ListOfPermissionsDefined=List of defined permissions
@@ -105,7 +106,7 @@ TryToUseTheModuleBuilder=If you have knowledge of SQL and PHP, you may use the n
SeeTopRightMenu=See on the top right menu
AddLanguageFile=Add language file
YouCanUseTranslationKey=You can use here a key that is the translation key found into language file (see tab "Languages")
-DropTableIfEmpty=(Delete table if empty)
+DropTableIfEmpty=(Destroy table if empty)
TableDoesNotExists=The table %s does not exists
TableDropped=Table %s deleted
InitStructureFromExistingTable=Build the structure array string of an existing table
@@ -126,7 +127,6 @@ UseSpecificEditorURL = Use a specific editor URL
UseSpecificFamily = Use a specific family
UseSpecificAuthor = Use a specific author
UseSpecificVersion = Use a specific initial version
-ModuleMustBeEnabled=The module/application must be enabled first
IncludeRefGeneration=The reference of object must be generated automatically
IncludeRefGenerationHelp=Check this if you want to include code to manage the generation automatically of the reference
IncludeDocGeneration=I want to generate some documents from the object
@@ -140,3 +140,4 @@ TypeOfFieldsHelp=Type of fields: varchar(99), double(24,8), real, text, html,
AsciiToHtmlConverter=Ascii to HTML converter
AsciiToPdfConverter=Ascii to PDF converter
TableNotEmptyDropCanceled=Table not empty. Drop has been canceled.
+ModuleBuilderNotAllowed=The module builder is available but not allowed to your user.
diff --git a/htdocs/langs/sl_SI/other.lang b/htdocs/langs/sl_SI/other.lang
index 3cc9bcea61e..bf7ec90ae36 100644
--- a/htdocs/langs/sl_SI/other.lang
+++ b/htdocs/langs/sl_SI/other.lang
@@ -5,8 +5,6 @@ Tools=Orodja
TMenuTools=Orodja
ToolsDesc=All tools not included in other menu entries are grouped here. All the tools can be accessed via the left menu.
Birthday=Rojstni dan
-BirthdayDate=Birthday date
-DateToBirth=Birth date
BirthdayAlertOn=Vklopljeno opozorilo na rojstni dan
BirthdayAlertOff=Izklopljeno opozorilo na rojstni dan
TransKey=Translation of the key TransKey
@@ -16,6 +14,8 @@ PreviousMonthOfInvoice=Previous month (number 1-12) of invoice date
TextPreviousMonthOfInvoice=Previous month (text) of invoice date
NextMonthOfInvoice=Following month (number 1-12) of invoice date
TextNextMonthOfInvoice=Following month (text) of invoice date
+PreviousMonth=Previous month
+CurrentMonth=Current month
ZipFileGeneratedInto=Zip file generated into %s.
DocFileGeneratedInto=Doc file generated into %s.
JumpToLogin=Disconnected. Go to login page...
@@ -99,6 +99,7 @@ PredefinedMailContentSendShipping=__(Hello)__\n\nPlease find shipping __REF__ at
PredefinedMailContentSendFichInter=__(Hello)__\n\nPlease find intervention __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.\n\n%s\n\n
PredefinedMailContentGeneric=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
+PredefinedMailContentSendActionComm=Event reminder "__EVENT_LABEL__" on __EVENT_DATE__ at __EVENT_TIME__
This is an automatic message, please do not reply.
DemoDesc=Dolibarr is a compact ERP/CRM supporting several business modules. A demo showcasing all modules makes no sense as this scenario never occurs (several hundred available). So, several demo profiles are available.
ChooseYourDemoProfil=Choose the demo profile that best suits your needs...
ChooseYourDemoProfilMore=...or build your own profile (manual module selection)
@@ -137,7 +138,7 @@ Right=Desno
CalculatedWeight=Kalkulirana teža
CalculatedVolume=Kalkulirana prostornina
Weight=Teža
-WeightUnitton=tonne
+WeightUnitton=ton
WeightUnitkg=kg
WeightUnitg=g
WeightUnitmg=mg
@@ -258,6 +259,7 @@ ContactCreatedByEmailCollector=Contact/address created by email collector from e
ProjectCreatedByEmailCollector=Project created by email collector from email MSGID %s
TicketCreatedByEmailCollector=Ticket created by email collector from email MSGID %s
OpeningHoursFormatDesc=Use a - to separate opening and closing hours. Use a space to enter different ranges. Example: 8-12 14-18
+PrefixSession=Prefix for session ID
##### Export #####
ExportsArea=Področje izvoza
diff --git a/htdocs/langs/sl_SI/products.lang b/htdocs/langs/sl_SI/products.lang
index 21ec9a1ac38..0c7ad25d31b 100644
--- a/htdocs/langs/sl_SI/products.lang
+++ b/htdocs/langs/sl_SI/products.lang
@@ -108,7 +108,8 @@ FillWithLastServiceDates=Fill with last service line dates
MultiPricesAbility=Multiple price segments per product/service (each customer is in one price segment)
MultiPricesNumPrices=Število cen
DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices
-AssociatedProductsAbility=Activate kits (virtual products)
+AssociatedProductsAbility=Enable Kits (set of other products)
+VariantsAbility=Enable Variants (variations of products, for example color, size)
AssociatedProducts=Kits
AssociatedProductsNumber=Number of products composing this kit
ParentProductsNumber=Število nadrejenih sestavljenih izdelkov
@@ -167,8 +168,10 @@ BuyingPrices=Buying prices
CustomerPrices=Cene za kupce
SuppliersPrices=Vendor prices
SuppliersPricesOfProductsOrServices=Vendor prices (of products or services)
-CustomCode=Customs / Commodity / HS code
+CustomCode=Customs|Commodity|HS code
CountryOrigin=Država porekla
+RegionStateOrigin=Region origin
+StateOrigin=State|Province origin
Nature=Nature of product (material/finished)
NatureOfProductShort=Nature of product
NatureOfProductDesc=Raw material or finished product
@@ -239,7 +242,7 @@ AlwaysUseFixedPrice=Uporabi fiksno ceno
PriceByQuantity=Različne cene glede na količino
DisablePriceByQty=Disable prices by quantity
PriceByQuantityRange=Območje količin
-MultipriceRules=Price segment rules
+MultipriceRules=Automatic prices for segment
UseMultipriceRules=Use price segment rules (defined into product module setup) to auto calculate prices of all other segments according to first segment
PercentVariationOver=%% variation over %s
PercentDiscountOver=%% discount over %s
diff --git a/htdocs/langs/sl_SI/recruitment.lang b/htdocs/langs/sl_SI/recruitment.lang
index 30292aa07dc..9c84e4c01d8 100644
--- a/htdocs/langs/sl_SI/recruitment.lang
+++ b/htdocs/langs/sl_SI/recruitment.lang
@@ -73,3 +73,4 @@ JobClosedTextCandidateFound=The job position is closed. The position has been fi
JobClosedTextCanceled=The job position is closed.
ExtrafieldsJobPosition=Complementary attributes (job positions)
ExtrafieldsCandidatures=Complementary attributes (job applications)
+MakeOffer=Make an offer
diff --git a/htdocs/langs/sl_SI/sendings.lang b/htdocs/langs/sl_SI/sendings.lang
index 722f6d6c939..928c2e0f03c 100644
--- a/htdocs/langs/sl_SI/sendings.lang
+++ b/htdocs/langs/sl_SI/sendings.lang
@@ -30,6 +30,7 @@ OtherSendingsForSameOrder=Ostale pošiljke za to naročilo
SendingsAndReceivingForSameOrder=Shipments and receipts for this order
SendingsToValidate=Pošiljke za potrditev
StatusSendingCanceled=Preklicano
+StatusSendingCanceledShort=Preklicano
StatusSendingDraft=Osnutek
StatusSendingValidated=Potrjeno (proizvodi za pošiljanje ali že poslani)
StatusSendingProcessed=Obdelani
@@ -65,6 +66,7 @@ ValidateOrderFirstBeforeShipment=You must first validate the order before being
# Sending methods
# ModelDocument
DocumentModelTyphon=Popolnejši vzorec dobavnice (logo...)
+DocumentModelStorm=More complete document model for delivery receipts and extrafields compatibility (logo...)
Error_EXPEDITION_ADDON_NUMBER_NotDefined==
SumOfProductVolumes=Vsota volumnov proizvodov
SumOfProductWeights=Vsota tež proizvodov
diff --git a/htdocs/langs/sl_SI/stocks.lang b/htdocs/langs/sl_SI/stocks.lang
index a9cb3761255..de2d407d3c9 100644
--- a/htdocs/langs/sl_SI/stocks.lang
+++ b/htdocs/langs/sl_SI/stocks.lang
@@ -240,3 +240,4 @@ InventoryRealQtyHelp=Set value to 0 to reset qty Keep field empty, or remove
UpdateByScaning=Update by scaning
UpdateByScaningProductBarcode=Update by scan (product barcode)
UpdateByScaningLot=Update by scan (lot|serial barcode)
+DisableStockChangeOfSubProduct=Deactivate the stock change for all the subproducts of this Kit during this movement.
diff --git a/htdocs/langs/sl_SI/ticket.lang b/htdocs/langs/sl_SI/ticket.lang
index 4fce4674b17..c8506ca6800 100644
--- a/htdocs/langs/sl_SI/ticket.lang
+++ b/htdocs/langs/sl_SI/ticket.lang
@@ -31,10 +31,8 @@ TicketDictType=Ticket - Types
TicketDictCategory=Ticket - Groupes
TicketDictSeverity=Ticket - Severities
TicketDictResolution=Ticket - Resolution
-TicketTypeShortBUGSOFT=Dysfonctionnement logiciel
-TicketTypeShortBUGHARD=Dysfonctionnement matériel
-TicketTypeShortCOM=Commercial question
+TicketTypeShortCOM=Commercial question
TicketTypeShortHELP=Request for functionnal help
TicketTypeShortISSUE=Issue, bug or problem
TicketTypeShortREQUEST=Change or enhancement request
@@ -44,7 +42,7 @@ TicketTypeShortOTHER=Ostalo
TicketSeverityShortLOW=Majhen potencial
TicketSeverityShortNORMAL=Normal
TicketSeverityShortHIGH=Visok potencial
-TicketSeverityShortBLOCKING=Critical/Blocking
+TicketSeverityShortBLOCKING=Critical, Blocking
ErrorBadEmailAddress=Field '%s' incorrect
MenuTicketMyAssign=My tickets
@@ -60,7 +58,6 @@ OriginEmail=Email source
Notify_TICKET_SENTBYMAIL=Send ticket message by email
# Status
-NotRead=Not read
Read=Preberite
Assigned=Assigned
InProgress=In progress
@@ -126,6 +123,7 @@ TicketsActivatePublicInterfaceHelp=Public interface allow any visitors to create
TicketsAutoAssignTicket=Automatically assign the user who created the ticket
TicketsAutoAssignTicketHelp=When creating a ticket, the user can be automatically assigned to the ticket.
TicketNumberingModules=Tickets numbering module
+TicketsModelModule=Document templates for tickets
TicketNotifyTiersAtCreation=Notify third party at creation
TicketsDisableCustomerEmail=Always disable emails when a ticket is created from public interface
TicketsPublicNotificationNewMessage=Send email(s) when a new message is added
@@ -233,7 +231,6 @@ TicketLogStatusChanged=Status changed: %s to %s
TicketNotNotifyTiersAtCreate=Not notify company at create
Unread=Unread
TicketNotCreatedFromPublicInterface=Not available. Ticket was not created from public interface.
-PublicInterfaceNotEnabled=Public interface was not enabled
ErrorTicketRefRequired=Ticket reference name is required
#
diff --git a/htdocs/langs/sl_SI/website.lang b/htdocs/langs/sl_SI/website.lang
index 92889944fa4..26e7a852a93 100644
--- a/htdocs/langs/sl_SI/website.lang
+++ b/htdocs/langs/sl_SI/website.lang
@@ -30,7 +30,6 @@ EditInLine=Edit inline
AddWebsite=Add website
Webpage=Web page/container
AddPage=Add page/container
-HomePage=Home Page
PageContainer=Stran
PreviewOfSiteNotYetAvailable=Preview of your website %s not yet available. You must first 'Import a full website template' or just 'Add a page/container'.
RequestedPageHasNoContentYet=Requested page with id %s has no content yet, or cache file .tpl.php was removed. Edit content of the page to solve this.
@@ -101,7 +100,7 @@ EmptyPage=Empty page
ExternalURLMustStartWithHttp=External URL must start with http:// or https://
ZipOfWebsitePackageToImport=Upload the Zip file of the website template package
ZipOfWebsitePackageToLoad=or Choose an available embedded website template package
-ShowSubcontainers=Include dynamic content
+ShowSubcontainers=Show dynamic content
InternalURLOfPage=Internal URL of page
ThisPageIsTranslationOf=This page/container is a translation of
ThisPageHasTranslationPages=This page/container has translation
@@ -137,3 +136,4 @@ RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using
PagesRegenerated=%s page(s)/container(s) regenerated
RegenerateWebsiteContent=Regenerate web site cache files
AllowedInFrames=Allowed in Frames
+DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languages into web site properties.
diff --git a/htdocs/langs/sl_SI/withdrawals.lang b/htdocs/langs/sl_SI/withdrawals.lang
index 98b270589d9..f262981bcb8 100644
--- a/htdocs/langs/sl_SI/withdrawals.lang
+++ b/htdocs/langs/sl_SI/withdrawals.lang
@@ -42,6 +42,7 @@ LastWithdrawalReceipt=Latest %s direct debit receipts
MakeWithdrawRequest=Make a direct debit payment request
MakeBankTransferOrder=Make a credit transfer request
WithdrawRequestsDone=%s direct debit payment requests recorded
+BankTransferRequestsDone=%s credit transfer requests recorded
ThirdPartyBankCode=Third-party bank code
NoInvoiceCouldBeWithdrawed=No invoice debited successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s.
ClassCredited=Označi kot prejeto
@@ -131,7 +132,8 @@ SEPARCUR=SEPA CUR
SEPAFRST=SEPA FRST
ExecutionDate=Execution date
CreateForSepa=Create direct debit file
-ICS=Creditor Identifier CI
+ICS=Creditor Identifier CI for direct debit
+ICSTransfer=Creditor Identifier CI for bank transfer
END_TO_END="EndToEndId" SEPA XML tag - Unique id assigned per transaction
USTRD="Unstructured" SEPA XML tag
ADDDAYS=Add days to Execution Date
@@ -146,3 +148,4 @@ InfoRejectSubject=Direct debit payment order refused
InfoRejectMessage=Hello,
the direct debit payment order of invoice %s related to the company %s, with an amount of %s has been refused by the bank.
-- %s
ModeWarning=Opcija za delo v živo ni bila nastavljena, zato se bo sistem ustavil po simulaciji
ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know wich one to use.
+ErrorICSmissing=Missing ICS in Bank account %s
diff --git a/htdocs/langs/sq_AL/accountancy.lang b/htdocs/langs/sq_AL/accountancy.lang
index 4e7da1a8564..ac69d8e7715 100644
--- a/htdocs/langs/sq_AL/accountancy.lang
+++ b/htdocs/langs/sq_AL/accountancy.lang
@@ -48,6 +48,7 @@ CountriesExceptMe=All countries except %s
AccountantFiles=Export source documents
ExportAccountingSourceDocHelp=With this tool, you can export the source events (list and PDFs) that were used to generate your accountancy. To export your journals, use the menu entry %s - %s.
VueByAccountAccounting=View by accounting account
+VueBySubAccountAccounting=View by accounting subaccount
MainAccountForCustomersNotDefined=Main accounting account for customers not defined in setup
MainAccountForSuppliersNotDefined=Main accounting account for vendors not defined in setup
@@ -144,7 +145,7 @@ NotVentilatedinAccount=Not bound to the accounting account
XLineSuccessfullyBinded=%s products/services successfully bound to an accounting account
XLineFailedToBeBinded=%s products/services were not bound to any accounting account
-ACCOUNTING_LIMIT_LIST_VENTILATION=Number of elements to bind shown by page (maximum recommended: 50)
+ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50)
ACCOUNTING_LIST_SORT_VENTILATION_TODO=Begin the sorting of the page "Binding to do" by the most recent elements
ACCOUNTING_LIST_SORT_VENTILATION_DONE=Begin the sorting of the page "Binding done" by the most recent elements
@@ -198,7 +199,8 @@ Docdate=Date
Docref=Reference
LabelAccount=Label account
LabelOperation=Label operation
-Sens=Sens
+Sens=Direction
+AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received For an accounting account of a supplier, use Debit to record a payment you make
LetteringCode=Lettering code
Lettering=Lettering
Codejournal=Journal
@@ -206,7 +208,8 @@ JournalLabel=Journal label
NumPiece=Piece number
TransactionNumShort=Num. transaction
AccountingCategory=Personalized groups
-GroupByAccountAccounting=Group by accounting account
+GroupByAccountAccounting=Group by general ledger account
+GroupBySubAccountAccounting=Group by subledger account
AccountingAccountGroupsDesc=You can define here some groups of accounting account. They will be used for personalized accounting reports.
ByAccounts=By accounts
ByPredefinedAccountGroups=By predefined groups
@@ -248,7 +251,7 @@ PaymentsNotLinkedToProduct=Payment not linked to any product / service
OpeningBalance=Opening balance
ShowOpeningBalance=Show opening balance
HideOpeningBalance=Hide opening balance
-ShowSubtotalByGroup=Show subtotal by group
+ShowSubtotalByGroup=Show subtotal by level
Pcgtype=Group of account
PcgtypeDesc=Group of account are used as predefined 'filter' and 'grouping' criteria for some accounting reports. For example, 'INCOME' or 'EXPENSE' are used as groups for accounting accounts of products to build the expense/income report.
@@ -271,11 +274,13 @@ DescVentilExpenseReport=Consult here the list of expense report lines bound (or
DescVentilExpenseReportMore=If you setup accounting account on type of expense report lines, the application will be able to make all the binding between your expense report lines and the accounting account of your chart of accounts, just in one click with the button "%s". If account was not set on fees dictionary or if you still have some lines not bound to any account, you will have to make a manual binding from the menu "%s".
DescVentilDoneExpenseReport=Consult here the list of the lines of expenses reports and their fees accounting account
+Closure=Annual closure
DescClosure=Consult here the number of movements by month who are not validated & fiscal years already open
OverviewOfMovementsNotValidated=Step 1/ Overview of movements not validated. (Necessary to close a fiscal year)
+AllMovementsWereRecordedAsValidated=All movements were recorded as validated
+NotAllMovementsCouldBeRecordedAsValidated=Not all movements could be recorded as validated
ValidateMovements=Validate movements
DescValidateMovements=Any modification or deletion of writing, lettering and deletes will be prohibited. All entries for an exercise must be validated otherwise closing will not be possible
-SelectMonthAndValidate=Select month and validate movements
ValidateHistory=Bind Automatically
AutomaticBindingDone=Automatic binding done
@@ -293,6 +298,7 @@ Accounted=Accounted in ledger
NotYetAccounted=Not yet accounted in ledger
ShowTutorial=Show Tutorial
NotReconciled=Not reconciled
+WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view
## Admin
BindingOptions=Binding options
@@ -337,6 +343,7 @@ Modelcsv_LDCompta10=Export for LD Compta (v10 & higher)
Modelcsv_openconcerto=Export for OpenConcerto (Test)
Modelcsv_configurable=Export CSV Configurable
Modelcsv_FEC=Export FEC
+Modelcsv_FEC2=Export FEC (With dates generation writing / document reversed)
Modelcsv_Sage50_Swiss=Export for Sage 50 Switzerland
Modelcsv_winfic=Export Winfic - eWinfic - WinSis Compta
Modelcsv_Gestinumv3=Export for Gestinum (v3)
diff --git a/htdocs/langs/sq_AL/admin.lang b/htdocs/langs/sq_AL/admin.lang
index 6ca94565b87..fb3aa531bd5 100644
--- a/htdocs/langs/sq_AL/admin.lang
+++ b/htdocs/langs/sq_AL/admin.lang
@@ -56,6 +56,8 @@ GUISetup=Shfaq
SetupArea=Konfiguro
UploadNewTemplate=Upload new template(s)
FormToTestFileUploadForm=Form to test file upload (according to setup)
+ModuleMustBeEnabled=The module/application %s must be enabled
+ModuleIsEnabled=The module/application %s has been enabled
IfModuleEnabled=Note: yes is effective only if module %s is enabled
RemoveLock=Remove/rename file %s if it exists, to allow usage of the Update/Install tool.
RestoreLock=Restore file %s, with read permission only, to disable any further use of the Update/Install tool.
@@ -85,7 +87,6 @@ ShowPreview=Show preview
ShowHideDetails=Show-Hide details
PreviewNotAvailable=Preview not available
ThemeCurrentlyActive=Theme currently active
-CurrentTimeZone=TimeZone PHP (server)
MySQLTimeZone=TimeZone MySql (database)
TZHasNoEffect=Dates are stored and returned by database server as if they were kept as submitted string. The timezone has effect only when using the UNIX_TIMESTAMP function (that should not be used by Dolibarr, so database TZ should have no effect, even if changed after data was entered).
Space=Space
@@ -153,8 +154,8 @@ SystemToolsAreaDesc=This area provides administration functions. Use the menu to
Purge=Spastro
PurgeAreaDesc=This page allows you to delete all files generated or stored by Dolibarr (temporary files or all files in %s directory). Using this feature is not normally necessary. It is provided as a workaround for users whose Dolibarr is hosted by a provider that does not offer permissions to delete files generated by the web server.
PurgeDeleteLogFile=Delete log files, including %s defined for Syslog module (no risk of losing data)
-PurgeDeleteTemporaryFiles=Delete all temporary files (no risk of losing data). Note: Deletion is done only if the temp directory was created 24 hours ago.
-PurgeDeleteTemporaryFilesShort=Delete temporary files
+PurgeDeleteTemporaryFiles=Delete all log and temporary files (no risk of losing data). Note: Deletion of temporary files is done only if the temp directory was created more than 24 hours ago.
+PurgeDeleteTemporaryFilesShort=Delete log and temporary files
PurgeDeleteAllFilesInDocumentsDir=Delete all files in directory: %s. This will delete all generated documents related to elements (third parties, invoices etc...), files uploaded into the ECM module, database backup dumps and temporary files.
PurgeRunNow=Spastro tani
PurgeNothingToDelete=No directory or files to delete.
@@ -256,6 +257,7 @@ ReferencedPreferredPartners=Preferred Partners
OtherResources=Other resources
ExternalResources=External Resources
SocialNetworks=Social Networks
+SocialNetworkId=Social Network ID
ForDocumentationSeeWiki=For user or developer documentation (Doc, FAQs...), take a look at the Dolibarr Wiki: %s
ForAnswersSeeForum=For any other questions/help, you can use the Dolibarr forum: %s
HelpCenterDesc1=Here are some resources for getting help and support with Dolibarr.
@@ -375,7 +377,7 @@ ExamplesWithCurrentSetup=Examples with current configuration
ListOfDirectories=List of OpenDocument templates directories
ListOfDirectoriesForModelGenODT=List of directories containing templates files with OpenDocument format.
Put here full path of directories. Add a carriage return between eah directory. To add a directory of the GED module, add here DOL_DATA_ROOT/ecm/yourdirectoryname.
Files in those directories must end with .odt or .ods.
NumberOfModelFilesFound=Number of ODT/ODS template files found in these directories
-ExampleOfDirectoriesForModelGen=Examples of syntax: c:\\mydir /home/mydir DOL_DATA_ROOT/ecm/ecmdir
+ExampleOfDirectoriesForModelGen=Examples of syntax: c:\\myapp\\mydocumentdir\\mysubdir /home/myapp/mydocumentdir/mysubdir DOL_DATA_ROOT/ecm/ecmdir
FollowingSubstitutionKeysCanBeUsed= To know how to create your odt document templates, before storing them in those directories, read wiki documentation:
FullListOnOnlineDocumentation=http://wiki.dolibarr.org/index.php/Create_an_ODT_document_template
FirstnameNamePosition=Position of Name/Lastname
@@ -406,7 +408,7 @@ UrlGenerationParameters=Parameters to secure URLs
SecurityTokenIsUnique=Use a unique securekey parameter for each URL
EnterRefToBuildUrl=Enter reference for object %s
GetSecuredUrl=Get calculated URL
-ButtonHideUnauthorized=Hide buttons for non-admin users for unauthorized actions instead of showing greyed disabled buttons
+ButtonHideUnauthorized=Hide unauthorized action buttons also for internal users (just greyed otherwise)
OldVATRates=Old VAT rate
NewVATRates=New VAT rate
PriceBaseTypeToChange=Modify on prices with base reference value defined on
@@ -1689,7 +1691,7 @@ NotTopTreeMenuPersonalized=Personalized menus not linked to a top menu entry
NewMenu=New menu
MenuHandler=Menu handler
MenuModule=Source module
-HideUnauthorizedMenu= Hide unauthorized menus (gray)
+HideUnauthorizedMenu=Hide unauthorized menus also for internal users (just greyed otherwise)
DetailId=Id menu
DetailMenuHandler=Menu handler where to show new menu
DetailMenuModule=Module name if menu entry come from a module
@@ -1983,11 +1985,12 @@ EMailHost=Host of email IMAP server
MailboxSourceDirectory=Mailbox source directory
MailboxTargetDirectory=Mailbox target directory
EmailcollectorOperations=Operations to do by collector
+EmailcollectorOperationsDesc=Operations are executed from top to bottom order
MaxEmailCollectPerCollect=Max number of emails collected per collect
CollectNow=Collect now
ConfirmCloneEmailCollector=Are you sure you want to clone the Email collector %s ?
-DateLastCollectResult=Date latest collect tried
-DateLastcollectResultOk=Date latest collect successfull
+DateLastCollectResult=Date of latest collect try
+DateLastcollectResultOk=Date of latest collect success
LastResult=Latest result
EmailCollectorConfirmCollectTitle=Email collect confirmation
EmailCollectorConfirmCollect=Do you want to run the collection for this collector now ?
@@ -2005,7 +2008,7 @@ WithDolTrackingID=Message from a conversation initiated by a first email sent fr
WithoutDolTrackingID=Message from a conversation initiated by a first email NOT sent from Dolibarr
WithDolTrackingIDInMsgId=Message sent from Dolibarr
WithoutDolTrackingIDInMsgId=Message NOT sent from Dolibarr
-CreateCandidature=Create candidature
+CreateCandidature=Create job application
FormatZip=Zip
MainMenuCode=Menu entry code (mainmenu)
ECMAutoTree=Show automatic ECM tree
@@ -2083,3 +2086,7 @@ CountryIfSpecificToOneCountry=Country (if specific to a given country)
YouMayFindSecurityAdviceHere=You may find security advisory here
ModuleActivatedMayExposeInformation=This module may expose sensitive data. If you don't need it, disable it.
ModuleActivatedDoNotUseInProduction=A module designed for the development has been enabled. Do not enable it on a production environment.
+CombinationsSeparator=Separator character for product combinations
+SeeLinkToOnlineDocumentation=See link to online documention on top menu for examples
+SHOW_SUBPRODUCT_REF_IN_PDF=If the feature "%s" of module %s is used, show details of subproducts of a kit on PDF.
+AskThisIDToYourBank=Contact your bank to get this ID
diff --git a/htdocs/langs/sq_AL/banks.lang b/htdocs/langs/sq_AL/banks.lang
index e131a6bbd10..7f0c2952384 100644
--- a/htdocs/langs/sq_AL/banks.lang
+++ b/htdocs/langs/sq_AL/banks.lang
@@ -173,8 +173,8 @@ SEPAMandate=SEPA mandate
YourSEPAMandate=Your SEPA mandate
FindYourSEPAMandate=This is your SEPA mandate to authorize our company to make direct debit order to your bank. Return it signed (scan of the signed document) or send it by mail to
AutoReportLastAccountStatement=Automatically fill the field 'number of bank statement' with last statement number when making reconciliation
-CashControl=POS cash fence
-NewCashFence=New cash fence
+CashControl=POS cash desk control
+NewCashFence=New cash desk closing
BankColorizeMovement=Colorize movements
BankColorizeMovementDesc=If this function is enable, you can choose specific background color for debit or credit movements
BankColorizeMovementName1=Background color for debit movement
diff --git a/htdocs/langs/sq_AL/blockedlog.lang b/htdocs/langs/sq_AL/blockedlog.lang
index 5afae6e9e53..0bba5605d0f 100644
--- a/htdocs/langs/sq_AL/blockedlog.lang
+++ b/htdocs/langs/sq_AL/blockedlog.lang
@@ -35,7 +35,7 @@ logDON_DELETE=Donation logical deletion
logMEMBER_SUBSCRIPTION_CREATE=Member subscription created
logMEMBER_SUBSCRIPTION_MODIFY=Member subscription modified
logMEMBER_SUBSCRIPTION_DELETE=Member subscription logical deletion
-logCASHCONTROL_VALIDATE=Cash fence recording
+logCASHCONTROL_VALIDATE=Cash desk closing recording
BlockedLogBillDownload=Customer invoice download
BlockedLogBillPreview=Customer invoice preview
BlockedlogInfoDialog=Log Details
diff --git a/htdocs/langs/sq_AL/boxes.lang b/htdocs/langs/sq_AL/boxes.lang
index 1468b3a7864..82bcc13ecfe 100644
--- a/htdocs/langs/sq_AL/boxes.lang
+++ b/htdocs/langs/sq_AL/boxes.lang
@@ -46,9 +46,12 @@ BoxTitleLastModifiedDonations=Latest %s modified donations
BoxTitleLastModifiedExpenses=Latest %s modified expense reports
BoxTitleLatestModifiedBoms=Latest %s modified BOMs
BoxTitleLatestModifiedMos=Latest %s modified Manufacturing Orders
+BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded
BoxGlobalActivity=Global activity (invoices, proposals, orders)
BoxGoodCustomers=Blerës të mirë
BoxTitleGoodCustomers=%s Blerës të mirë
+BoxScheduledJobs=Scheduled jobs
+BoxTitleFunnelOfProspection=Lead funnel
FailedToRefreshDataInfoNotUpToDate=Failed to refresh RSS flux. Latest successful refresh date: %s
LastRefreshDate=Latest refresh date
NoRecordedBookmarks=No bookmarks defined.
@@ -102,5 +105,7 @@ SuspenseAccountNotDefined=Suspense account isn't defined
BoxLastCustomerShipments=Last customer shipments
BoxTitleLastCustomerShipments=Latest %s customer shipments
NoRecordedShipments=No recorded customer shipment
+BoxCustomersOutstandingBillReached=Customers with oustanding limit reached
# Pages
AccountancyHome=Accountancy
+ValidatedProjects=Validated projects
diff --git a/htdocs/langs/sq_AL/cashdesk.lang b/htdocs/langs/sq_AL/cashdesk.lang
index 489e2191fa6..1c7c73155f2 100644
--- a/htdocs/langs/sq_AL/cashdesk.lang
+++ b/htdocs/langs/sq_AL/cashdesk.lang
@@ -49,8 +49,8 @@ Footer=Footer
AmountAtEndOfPeriod=Amount at end of period (day, month or year)
TheoricalAmount=Theorical amount
RealAmount=Real amount
-CashFence=Cash fence
-CashFenceDone=Cash fence done for the period
+CashFence=Cash desk closing
+CashFenceDone=Cash desk closing done for the period
NbOfInvoices=Nb of invoices
Paymentnumpad=Type of Pad to enter payment
Numberspad=Numbers Pad
@@ -99,8 +99,9 @@ CashDeskRefNumberingModules=Numbering module for POS sales
CashDeskGenericMaskCodes6 = {TN} tag is used to add the terminal number
TakeposGroupSameProduct=Group same products lines
StartAParallelSale=Start a new parallel sale
-ControlCashOpening=Control cash box at opening POS
-CloseCashFence=Close cash fence
+SaleStartedAt=Sale started at %s
+ControlCashOpening=Control cash popup at opening POS
+CloseCashFence=Close cash desk control
CashReport=Cash report
MainPrinterToUse=Main printer to use
OrderPrinterToUse=Order printer to use
@@ -122,3 +123,4 @@ GiftReceipt=Gift receipt
ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled first
AllowDelayedPayment=Allow delayed payment
PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts
+WeighingScale=Weighing scale
diff --git a/htdocs/langs/sq_AL/categories.lang b/htdocs/langs/sq_AL/categories.lang
index 8acad1ef594..66125ff271d 100644
--- a/htdocs/langs/sq_AL/categories.lang
+++ b/htdocs/langs/sq_AL/categories.lang
@@ -19,6 +19,7 @@ ProjectsCategoriesArea=Projects tags/categories area
UsersCategoriesArea=Users tags/categories area
SubCats=Sub-categories
CatList=List of tags/categories
+CatListAll=List of tags/categories (all types)
NewCategory=New tag/category
ModifCat=Modify tag/category
CatCreated=Tag/category created
@@ -65,16 +66,22 @@ UsersCategoriesShort=Users tags/categories
StockCategoriesShort=Warehouse tags/categories
ThisCategoryHasNoItems=This category does not contain any items.
CategId=Tag/category id
-CatSupList=List of vendor tags/categories
-CatCusList=List of customer/prospect tags/categories
+ParentCategory=Parent tag/category
+ParentCategoryLabel=Label of parent tag/category
+CatSupList=List of vendors tags/categories
+CatCusList=List of customers/prospects tags/categories
CatProdList=List of products tags/categories
CatMemberList=List of members tags/categories
-CatContactList=List of contact tags/categories
-CatSupLinks=Links between suppliers and tags/categories
+CatContactList=List of contacts tags/categories
+CatProjectsList=List of projects tags/categories
+CatUsersList=List of users tags/categories
+CatSupLinks=Links between vendors and tags/categories
CatCusLinks=Links between customers/prospects and tags/categories
CatContactsLinks=Links between contacts/addresses and tags/categories
CatProdLinks=Links between products/services and tags/categories
-CatProJectLinks=Links between projects and tags/categories
+CatMembersLinks=Links between members and tags/categories
+CatProjectsLinks=Links between projects and tags/categories
+CatUsersLinks=Links between users and tags/categories
DeleteFromCat=Remove from tags/category
ExtraFieldsCategories=Complementary attributes
CategoriesSetup=Tags/categories setup
diff --git a/htdocs/langs/sq_AL/companies.lang b/htdocs/langs/sq_AL/companies.lang
index f0fb358a3b8..63049256431 100644
--- a/htdocs/langs/sq_AL/companies.lang
+++ b/htdocs/langs/sq_AL/companies.lang
@@ -358,7 +358,7 @@ VATIntraCheckableOnEUSite=Check the intra-Community VAT ID on the European Commi
VATIntraManualCheck=You can also check manually on the European Commission website %s
ErrorVATCheckMS_UNAVAILABLE=Check not possible. Check service is not provided by the member state (%s).
NorProspectNorCustomer=Not prospect, nor customer
-JuridicalStatus=Legal Entity Type
+JuridicalStatus=Business entity type
Workforce=Workforce
Staff=Punonjësit
ProspectLevelShort=Potential
diff --git a/htdocs/langs/sq_AL/compta.lang b/htdocs/langs/sq_AL/compta.lang
index 7a237dbc407..c587a416989 100644
--- a/htdocs/langs/sq_AL/compta.lang
+++ b/htdocs/langs/sq_AL/compta.lang
@@ -111,7 +111,7 @@ Refund=Refund
SocialContributionsPayments=Social/fiscal taxes payments
ShowVatPayment=Show VAT payment
TotalToPay=Total to pay
-BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted ascending on %s and filtered for 1 bank account
+BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted on %s and filtered on 1 bank account (with no other filters)
CustomerAccountancyCode=Customer accounting code
SupplierAccountancyCode=Vendor accounting code
CustomerAccountancyCodeShort=Cust. account. code
@@ -140,7 +140,7 @@ ConfirmDeleteSocialContribution=Are you sure you want to delete this social/fisc
ExportDataset_tax_1=Social and fiscal taxes and payments
CalcModeVATDebt=Mode %sVAT on commitment accounting%s.
CalcModeVATEngagement=Mode %sVAT on incomes-expenses%s.
-CalcModeDebt=Analysis of known recorded invoices even if they are not yet accounted in ledger.
+CalcModeDebt=Analysis of known recorded documents even if they are not yet accounted in ledger.
CalcModeEngagement=Analysis of known recorded payments, even if they are not yet accounted in Ledger.
CalcModeBookkeeping=Analysis of data journalized in Bookkeeping Ledger table.
CalcModeLT1= Mode %sRE on customer invoices - suppliers invoices%s
@@ -154,9 +154,9 @@ AnnualSummaryInputOutputMode=Balance of income and expenses, annual summary
AnnualByCompanies=Balance of income and expenses, by predefined groups of account
AnnualByCompaniesDueDebtMode=Balance of income and expenses, detail by predefined groups, mode %sClaims-Debts%s said Commitment accounting.
AnnualByCompaniesInputOutputMode=Balance of income and expenses, detail by predefined groups, mode %sIncomes-Expenses%s said cash accounting.
-SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation on actual payments made even if they are not yet accounted in Ledger.
-SeeReportInDueDebtMode=See %sanalysis of invoices%s for a calculation based on known recorded invoices even if they are not yet accounted in Ledger.
-SeeReportInBookkeepingMode=See %sBookeeping report%s for a calculation on Bookkeeping Ledger table
+SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation based on recorded payments made even if they are not yet accounted in Ledger
+SeeReportInDueDebtMode=See %sanalysis of recorded documents%s for a calculation based on known recorded documents even if they are not yet accounted in Ledger
+SeeReportInBookkeepingMode=See %sanalysis of bookeeping ledger table%s for a report based on Bookkeeping Ledger table
RulesAmountWithTaxIncluded=- Amounts shown are with all taxes included
RulesResultDue=- It includes outstanding invoices, expenses, VAT, donations whether they are paid or not. Is also includes paid salaries. - It is based on the billing date of invoices and on the due date for expenses or tax payments. For salaries defined with Salary module, the value date of payment is used.
RulesResultInOut=- It includes the real payments made on invoices, expenses, VAT and salaries. - It is based on the payment dates of the invoices, expenses, VAT and salaries. The donation date for donation.
@@ -169,12 +169,15 @@ RulesResultBookkeepingPersonalized=It show record in your Ledger with accounting
SeePageForSetup=See menu %s for setup
DepositsAreNotIncluded=- Down payment invoices are not included
DepositsAreIncluded=- Down payment invoices are included
+LT1ReportByMonth=Tax 2 report by month
+LT2ReportByMonth=Tax 3 report by month
LT1ReportByCustomers=Report tax 2 by third party
LT2ReportByCustomers=Report tax 3 by third party
LT1ReportByCustomersES=Report by third party RE
LT2ReportByCustomersES=Report by third party IRPF
VATReport=Sale tax report
VATReportByPeriods=Sale tax report by period
+VATReportByMonth=Sale tax report by month
VATReportByRates=Sale tax report by rates
VATReportByThirdParties=Sale tax report by third parties
VATReportByCustomers=Sale tax report by customer
diff --git a/htdocs/langs/sq_AL/cron.lang b/htdocs/langs/sq_AL/cron.lang
index 6238f0fce2c..485accd2a17 100644
--- a/htdocs/langs/sq_AL/cron.lang
+++ b/htdocs/langs/sq_AL/cron.lang
@@ -6,14 +6,15 @@ Permission23102 = Create/update Scheduled job
Permission23103 = Delete Scheduled job
Permission23104 = Execute Scheduled job
# Admin
-CronSetup= Scheduled job management setup
-URLToLaunchCronJobs=URL to check and launch qualified cron jobs
-OrToLaunchASpecificJob=Or to check and launch a specific job
+CronSetup=Scheduled job management setup
+URLToLaunchCronJobs=URL to check and launch qualified cron jobs from a browser
+OrToLaunchASpecificJob=Or to check and launch a specific job from a browser
KeyForCronAccess=Security key for URL to launch cron jobs
FileToLaunchCronJobs=Command line to check and launch qualified cron jobs
CronExplainHowToRunUnix=On Unix environment you should use the following crontab entry to run the command line each 5 minutes
-CronExplainHowToRunWin=On Microsoft(tm) Windows environement you can use Scheduled task tools to run the command line each 5 minutes
+CronExplainHowToRunWin=On Microsoft(tm) Windows environment you can use Scheduled Task tools to run the command line each 5 minutes
CronMethodDoesNotExists=Class %s does not contains any method %s
+CronMethodNotAllowed=Method %s of class %s is in blacklist of forbidden methods
CronJobDefDesc=Cron job profiles are defined into the module descriptor file. When module is activated, they are loaded and available so you can administer the jobs from the admin tools menu %s.
CronJobProfiles=List of predefined cron job profiles
# Menu
@@ -42,10 +43,11 @@ CronModule=Module
CronNoJobs=No jobs registered
CronPriority=Prioriteti
CronLabel=Label
-CronNbRun=Nb. launch
-CronMaxRun=Max number launch
+CronNbRun=Number of launches
+CronMaxRun=Maximum number of launches
CronEach=Every
JobFinished=Job launched and finished
+Scheduled=Scheduled
#Page card
CronAdd= Add jobs
CronEvery=Execute job each
@@ -56,16 +58,16 @@ CronNote=Koment
CronFieldMandatory=Fields %s is mandatory
CronErrEndDateStartDt=End date cannot be before start date
StatusAtInstall=Status at module installation
-CronStatusActiveBtn=Aktivizo
+CronStatusActiveBtn=Schedule
CronStatusInactiveBtn=Çaktivizo
CronTaskInactive=This job is disabled
CronId=Id
CronClassFile=Filename with class
-CronModuleHelp=Name of Dolibarr module directory (also work with external Dolibarr module). For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for module is product
-CronClassFileHelp=The relative path and file name to load (path is relative to web server root directory). For exemple to call the fetch method of Dolibarr Product object htdocs/product/class/product.class.php, the value for class file name is product/class/product.class.php
-CronObjectHelp=The object name to load. For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for class file name is Product
-CronMethodHelp=The object method to launch. For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for method is fetch
-CronArgsHelp=The method arguments. For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for paramters can be 0, ProductRef
+CronModuleHelp=Name of Dolibarr module directory (also work with external Dolibarr module). For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for module is product
+CronClassFileHelp=The relative path and file name to load (path is relative to web server root directory). For example to call the fetch method of Dolibarr Product object htdocs/product/class/product.class.php, the value for class file name is product/class/product.class.php
+CronObjectHelp=The object name to load. For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for class file name is Product
+CronMethodHelp=The object method to launch. For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for method is fetch
+CronArgsHelp=The method arguments. For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for paramters can be 0, ProductRef
CronCommandHelp=The system command line to execute.
CronCreateJob=Create new Scheduled Job
CronFrom=From
@@ -76,8 +78,14 @@ CronType_method=Call method of a PHP Class
CronType_command=Shell command
CronCannotLoadClass=Cannot load class file %s (to use class %s)
CronCannotLoadObject=Class file %s was loaded, but object %s was not found into it
-UseMenuModuleToolsToAddCronJobs=Go into menu "Home - Admin tools - Scheduled jobs" to see and edit scheduled jobs.
+UseMenuModuleToolsToAddCronJobs=Go into menu "Home - Admin tools - Scheduled jobs" to see and edit scheduled jobs.
JobDisabled=Job disabled
MakeLocalDatabaseDumpShort=Local database backup
-MakeLocalDatabaseDump=Create a local database dump. Parameters are: compression ('gz' or 'bz' or 'none'), backup type ('mysql' or 'pgsql'), 1, 'auto' or filename to build, number of backup files to keep
+MakeLocalDatabaseDump=Create a local database dump. Parameters are: compression ('gz' or 'bz' or 'none'), backup type ('mysql', 'pgsql', 'auto'), 1, 'auto' or filename to build, number of backup files to keep
WarningCronDelayed=Attention, for performance purpose, whatever is next date of execution of enabled jobs, your jobs may be delayed to a maximum of %s hours, before being run.
+DATAPOLICYJob=Data cleaner and anonymizer
+JobXMustBeEnabled=Job %s must be enabled
+# Cron Boxes
+LastExecutedScheduledJob=Last executed scheduled job
+NextScheduledJobExecute=Next scheduled job to execute
+NumberScheduledJobError=Number of scheduled jobs in error
diff --git a/htdocs/langs/sq_AL/errors.lang b/htdocs/langs/sq_AL/errors.lang
index 893f4a35b65..5b26be724d9 100644
--- a/htdocs/langs/sq_AL/errors.lang
+++ b/htdocs/langs/sq_AL/errors.lang
@@ -5,8 +5,10 @@ NoErrorCommitIsDone=No error, we commit
# Errors
ErrorButCommitIsDone=Errors found but we validate despite this
ErrorBadEMail=Email %s is wrong
+ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record)
ErrorBadUrl=Url %s is wrong
ErrorBadValueForParamNotAString=Bad value for your parameter. It appends generally when translation is missing.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorLoginAlreadyExists=Login %s already exists.
ErrorGroupAlreadyExists=Group %s already exists.
ErrorRecordNotFound=Record not found.
@@ -48,6 +50,7 @@ ErrorFieldsRequired=Some required fields were not filled.
ErrorSubjectIsRequired=The email topic is required
ErrorFailedToCreateDir=Failed to create a directory. Check that Web server user has permissions to write into Dolibarr documents directory. If parameter safe_mode is enabled on this PHP, check that Dolibarr php files owns to web server user (or group).
ErrorNoMailDefinedForThisUser=No mail defined for this user
+ErrorSetupOfEmailsNotComplete=Setup of emails is not complete
ErrorFeatureNeedJavascript=This feature need javascript to be activated to work. Change this in setup - display.
ErrorTopMenuMustHaveAParentWithId0=A menu of type 'Top' can't have a parent menu. Put 0 in parent menu or choose a menu of type 'Left'.
ErrorLeftMenuMustHaveAParentId=A menu of type 'Left' must have a parent id.
@@ -75,7 +78,7 @@ ErrorExportDuplicateProfil=This profile name already exists for this export set.
ErrorLDAPSetupNotComplete=Dolibarr-LDAP matching is not complete.
ErrorLDAPMakeManualTest=A .ldif file has been generated in directory %s. Try to load it manually from command line to have more information on errors.
ErrorCantSaveADoneUserWithZeroPercentage=Can't save an action with "status not started" if field "done by" is also filled.
-ErrorRefAlreadyExists=Ref used for creation already exists.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorPleaseTypeBankTransactionReportName=Please enter the bank statement name where the entry has to be reported (Format YYYYMM or YYYYMMDD)
ErrorRecordHasChildren=Failed to delete record since it has some child records.
ErrorRecordHasAtLeastOneChildOfType=Object has at least one child of type %s
@@ -216,7 +219,7 @@ ErrorChooseBetweenFreeEntryOrPredefinedProduct=You must choose if article is a p
ErrorDiscountLargerThanRemainToPaySplitItBefore=The discount you try to apply is larger than remain to pay. Split the discount in 2 smaller discounts before.
ErrorFileNotFoundWithSharedLink=File was not found. May be the share key was modified or file was removed recently.
ErrorProductBarCodeAlreadyExists=The product barcode %s already exists on another product reference.
-ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using virtual product to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number.
+ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using kits to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number.
ErrorDescRequiredForFreeProductLines=Description is mandatory for lines with free product
ErrorAPageWithThisNameOrAliasAlreadyExists=The page/container %s has the same name or alternative alias that the one your try to use
ErrorDuringChartLoad=Error when loading chart of accounts. If few accounts were not loaded, you can still enter them manually.
@@ -243,6 +246,16 @@ ErrorReplaceStringEmpty=Error, the string to replace into is empty
ErrorProductNeedBatchNumber=Error, product '%s' need a lot/serial number
ErrorProductDoesNotNeedBatchNumber=Error, product '%s' does not accept a lot/serial number
ErrorFailedToReadObject=Error, failed to read object of type %s
+ErrorParameterMustBeEnabledToAllwoThisFeature=Error, parameter %s must be enabled into conf/conf.php to allow use of Command Line Interface by the internal job scheduler
+ErrorLoginDateValidity=Error, this login is outside the validity date range
+ErrorValueLength=Length of field '%s' must be higher than '%s'
+ErrorReservedKeyword=The word '%s' is a reserved keyword
+ErrorNotAvailableWithThisDistribution=Not available with this distribution
+ErrorPublicInterfaceNotEnabled=Public interface was not enabled
+ErrorLanguageRequiredIfPageIsTranslationOfAnother=The language of new page must be defined if it is set as a translation of another page
+ErrorLanguageMustNotBeSourceLanguageIfPageIsTranslationOfAnother=The language of new page must not be the source language if it is set as a translation of another page
+ErrorAParameterIsRequiredForThisOperation=A parameter is mandatory for this operation
+
# Warnings
WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup.
WarningPasswordSetWithNoAccount=A password was set for this member. However, no user account was created. So this password is stored but can't be used to login to Dolibarr. It may be used by an external module/interface but if you don't need to define any login nor password for a member, you can disable option "Manage a login for each member" from Member module setup. If you need to manage a login but don't need any password, you can keep this field empty to avoid this warning. Note: Email can also be used as a login if the member is linked to a user.
@@ -267,6 +280,10 @@ WarningYourLoginWasModifiedPleaseLogin=Your login was modified. For security pur
WarningAnEntryAlreadyExistForTransKey=An entry already exists for the translation key for this language
WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different recipient is limited to %s when using the mass actions on lists
WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report
+WarningProjectDraft=Project is still in draft mode. Don't forget to validate it if you plan to use tasks.
WarningProjectClosed=Project is closed. You must re-open it first.
WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list.
-WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table
+WarningFailedToAddFileIntoDatabaseIndex=Warning, failed to add file entry into ECM database index table
+WarningTheHiddenOptionIsOn=Warning, the hidden option %s is on.
+WarningCreateSubAccounts=Warning, you can't create directly a sub account, you must create a third party or an user and assign them an accounting code to find them in this list
+WarningAvailableOnlyForHTTPSServers=Available only if using HTTPS secured connection.
diff --git a/htdocs/langs/sq_AL/exports.lang b/htdocs/langs/sq_AL/exports.lang
index 2dcf4317e00..a0eb7161ef2 100644
--- a/htdocs/langs/sq_AL/exports.lang
+++ b/htdocs/langs/sq_AL/exports.lang
@@ -26,6 +26,8 @@ FieldTitle=Field title
NowClickToGenerateToBuildExportFile=Now, select the file format in the combo box and click on "Generate" to build the export file...
AvailableFormats=Available Formats
LibraryShort=Library
+ExportCsvSeparator=Csv caracter separator
+ImportCsvSeparator=Csv caracter separator
Step=Step
FormatedImport=Import Assistant
FormatedImportDesc1=This module allows you to update existing data or add new objects into the database from a file without technical knowledge, using an assistant.
@@ -131,3 +133,4 @@ KeysToUseForUpdates=Key (column) to use for updating existing data
NbInsert=Number of inserted lines: %s
NbUpdate=Number of updated lines: %s
MultipleRecordFoundWithTheseFilters=Multiple records have been found with these filters: %s
+StocksWithBatch=Stocks and location (warehouse) of products with batch/serial number
diff --git a/htdocs/langs/sq_AL/mails.lang b/htdocs/langs/sq_AL/mails.lang
index 16e913977d4..93690ea34e4 100644
--- a/htdocs/langs/sq_AL/mails.lang
+++ b/htdocs/langs/sq_AL/mails.lang
@@ -92,6 +92,7 @@ MailingModuleDescEmailsFromUser=Emails input by user
MailingModuleDescDolibarrUsers=Users with Emails
MailingModuleDescThirdPartiesByCategories=Third parties (by categories)
SendingFromWebInterfaceIsNotAllowed=Sending from web interface is not allowed.
+EmailCollectorFilterDesc=All filters must match to have an email being collected
# Libelle des modules de liste de destinataires mailing
LineInFile=Line %s in file
@@ -125,12 +126,13 @@ TagMailtoEmail=Recipient Email (including html "mailto:" link)
NoEmailSentBadSenderOrRecipientEmail=No email sent. Bad sender or recipient email. Verify user profile.
# Module Notifications
Notifications=Notifications
-NoNotificationsWillBeSent=No email notifications are planned for this event and company
-ANotificationsWillBeSent=1 notification will be sent by email
-SomeNotificationsWillBeSent=%s notifications will be sent by email
-AddNewNotification=Activate a new email notification target/event
-ListOfActiveNotifications=List all active targets/events for email notification
-ListOfNotificationsDone=List all email notifications sent
+NotificationsAuto=Notifications Auto.
+NoNotificationsWillBeSent=No automatic email notifications are planned for this event type and company
+ANotificationsWillBeSent=1 automatic notification will be sent by email
+SomeNotificationsWillBeSent=%s automatic notifications will be sent by email
+AddNewNotification=Subscribe to a new automatic email notification (target/event)
+ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification
+ListOfNotificationsDone=List all automatic email notifications sent
MailSendSetupIs=Configuration of email sending has been setup to '%s'. This mode can't be used to send mass emailing.
MailSendSetupIs2=You must first go, with an admin account, into menu %sHome - Setup - EMails%s to change parameter '%s' to use mode '%s'. With this mode, you can enter setup of the SMTP server provided by your Internet Service Provider and use Mass emailing feature.
MailSendSetupIs3=If you have any questions on how to setup your SMTP server, you can ask to %s.
@@ -140,7 +142,7 @@ UseFormatFileEmailToTarget=Imported file must have format email;name;fir
UseFormatInputEmailToTarget=Enter a string with format email;name;firstname;other
MailAdvTargetRecipients=Recipients (advanced selection)
AdvTgtTitle=Fill input fields to preselect the third parties or contacts/addresses to target
-AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima% will target all jean, joe, start with jim but not jimo and not everything that starts with jima
+AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima%% will target all jean, joe, start with jim but not jimo and not everything that starts with jima
AdvTgtSearchIntHelp=Use interval to select int or float value
AdvTgtMinVal=Minimum value
AdvTgtMaxVal=Maximum value
@@ -162,13 +164,14 @@ AdvTgtCreateFilter=Create filter
AdvTgtOrCreateNewFilter=Name of new filter
NoContactWithCategoryFound=No contact/address with a category found
NoContactLinkedToThirdpartieWithCategoryFound=No contact/address with a category found
-OutGoingEmailSetup=Outgoing email setup
-InGoingEmailSetup=Incoming email setup
-OutGoingEmailSetupForEmailing=Outgoing email setup (for module %s)
-DefaultOutgoingEmailSetup=Default outgoing email setup
+OutGoingEmailSetup=Outgoing emails
+InGoingEmailSetup=Incoming emails
+OutGoingEmailSetupForEmailing=Outgoing emails (for module %s)
+DefaultOutgoingEmailSetup=Same configuration than the global Outgoing email setup
Information=Information
ContactsWithThirdpartyFilter=Contacts with third-party filter
Unanswered=Unanswered
Answered=Answered
IsNotAnAnswer=Is not answer (initial email)
IsAnAnswer=Is an answer of an initial email
+RecordCreatedByEmailCollector=Record created by the Email Collector %s from email %s
diff --git a/htdocs/langs/sq_AL/main.lang b/htdocs/langs/sq_AL/main.lang
index b52a374d7d5..9852d648bb3 100644
--- a/htdocs/langs/sq_AL/main.lang
+++ b/htdocs/langs/sq_AL/main.lang
@@ -28,7 +28,9 @@ NoTemplateDefined=No template available for this email type
AvailableVariables=Available substitution variables
NoTranslation=No translation
Translation=Translation
+CurrentTimeZone=TimeZone PHP (server)
EmptySearchString=Enter non empty search criterias
+EnterADateCriteria=Enter a date criteria
NoRecordFound=No record found
NoRecordDeleted=No record deleted
NotEnoughDataYet=Not enough data
@@ -85,6 +87,8 @@ FileWasNotUploaded=A file is selected for attachment but was not yet uploaded. C
NbOfEntries=No. of entries
GoToWikiHelpPage=Read online help (Internet access needed)
GoToHelpPage=Read help
+DedicatedPageAvailable=There is a dedicated help page related to your current screen
+HomePage=Home Page
RecordSaved=Record saved
RecordDeleted=Record deleted
RecordGenerated=Record generated
@@ -433,6 +437,7 @@ RemainToPay=Remain to pay
Module=Module/Application
Modules=Modules/Applications
Option=Option
+Filters=Filters
List=List
FullList=Full list
FullConversation=Full conversation
@@ -671,7 +676,7 @@ SendMail=Send email
Email=Email
NoEMail=No email
AlreadyRead=Already read
-NotRead=Not read
+NotRead=Unread
NoMobilePhone=No mobile phone
Owner=Owner
FollowingConstantsWillBeSubstituted=The following constants will be replaced with the corresponding value.
@@ -1107,3 +1112,8 @@ UpToDate=Up-to-date
OutOfDate=Out-of-date
EventReminder=Event Reminder
UpdateForAllLines=Update for all lines
+OnHold=On hold
+AffectTag=Affect Tag
+ConfirmAffectTag=Bulk Tag Affect
+ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected record(s)?
+CategTypeNotFound=No tag type found for type of records
diff --git a/htdocs/langs/sq_AL/modulebuilder.lang b/htdocs/langs/sq_AL/modulebuilder.lang
index 460aef8103b..845dd12624d 100644
--- a/htdocs/langs/sq_AL/modulebuilder.lang
+++ b/htdocs/langs/sq_AL/modulebuilder.lang
@@ -40,6 +40,7 @@ PageForCreateEditView=PHP page to create/edit/view a record
PageForAgendaTab=PHP page for event tab
PageForDocumentTab=PHP page for document tab
PageForNoteTab=PHP page for note tab
+PageForContactTab=PHP page for contact tab
PathToModulePackage=Path to zip of module/application package
PathToModuleDocumentation=Path to file of module/application documentation (%s)
SpaceOrSpecialCharAreNotAllowed=Spaces or special characters are not allowed.
@@ -77,7 +78,7 @@ IsAMeasure=Is a measure
DirScanned=Directory scanned
NoTrigger=No trigger
NoWidget=No widget
-GoToApiExplorer=Go to API explorer
+GoToApiExplorer=API explorer
ListOfMenusEntries=List of menu entries
ListOfDictionariesEntries=List of dictionaries entries
ListOfPermissionsDefined=List of defined permissions
@@ -105,7 +106,7 @@ TryToUseTheModuleBuilder=If you have knowledge of SQL and PHP, you may use the n
SeeTopRightMenu=See on the top right menu
AddLanguageFile=Add language file
YouCanUseTranslationKey=You can use here a key that is the translation key found into language file (see tab "Languages")
-DropTableIfEmpty=(Delete table if empty)
+DropTableIfEmpty=(Destroy table if empty)
TableDoesNotExists=The table %s does not exists
TableDropped=Table %s deleted
InitStructureFromExistingTable=Build the structure array string of an existing table
@@ -126,7 +127,6 @@ UseSpecificEditorURL = Use a specific editor URL
UseSpecificFamily = Use a specific family
UseSpecificAuthor = Use a specific author
UseSpecificVersion = Use a specific initial version
-ModuleMustBeEnabled=The module/application must be enabled first
IncludeRefGeneration=The reference of object must be generated automatically
IncludeRefGenerationHelp=Check this if you want to include code to manage the generation automatically of the reference
IncludeDocGeneration=I want to generate some documents from the object
@@ -140,3 +140,4 @@ TypeOfFieldsHelp=Type of fields: varchar(99), double(24,8), real, text, html,
AsciiToHtmlConverter=Ascii to HTML converter
AsciiToPdfConverter=Ascii to PDF converter
TableNotEmptyDropCanceled=Table not empty. Drop has been canceled.
+ModuleBuilderNotAllowed=The module builder is available but not allowed to your user.
diff --git a/htdocs/langs/sq_AL/other.lang b/htdocs/langs/sq_AL/other.lang
index fd7a7fb44ea..32cc9045e5a 100644
--- a/htdocs/langs/sq_AL/other.lang
+++ b/htdocs/langs/sq_AL/other.lang
@@ -5,8 +5,6 @@ Tools=Tools
TMenuTools=Tools
ToolsDesc=All tools not included in other menu entries are grouped here. All the tools can be accessed via the left menu.
Birthday=Birthday
-BirthdayDate=Birthday date
-DateToBirth=Birth date
BirthdayAlertOn=birthday alert active
BirthdayAlertOff=birthday alert inactive
TransKey=Translation of the key TransKey
@@ -16,6 +14,8 @@ PreviousMonthOfInvoice=Previous month (number 1-12) of invoice date
TextPreviousMonthOfInvoice=Previous month (text) of invoice date
NextMonthOfInvoice=Following month (number 1-12) of invoice date
TextNextMonthOfInvoice=Following month (text) of invoice date
+PreviousMonth=Previous month
+CurrentMonth=Current month
ZipFileGeneratedInto=Zip file generated into %s.
DocFileGeneratedInto=Doc file generated into %s.
JumpToLogin=Disconnected. Go to login page...
@@ -99,6 +99,7 @@ PredefinedMailContentSendShipping=__(Hello)__\n\nPlease find shipping __REF__ at
PredefinedMailContentSendFichInter=__(Hello)__\n\nPlease find intervention __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.\n\n%s\n\n
PredefinedMailContentGeneric=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
+PredefinedMailContentSendActionComm=Event reminder "__EVENT_LABEL__" on __EVENT_DATE__ at __EVENT_TIME__
This is an automatic message, please do not reply.
DemoDesc=Dolibarr is a compact ERP/CRM supporting several business modules. A demo showcasing all modules makes no sense as this scenario never occurs (several hundred available). So, several demo profiles are available.
ChooseYourDemoProfil=Choose the demo profile that best suits your needs...
ChooseYourDemoProfilMore=...or build your own profile (manual module selection)
@@ -137,7 +138,7 @@ Right=Right
CalculatedWeight=Calculated weight
CalculatedVolume=Calculated volume
Weight=Weight
-WeightUnitton=tonne
+WeightUnitton=ton
WeightUnitkg=kg
WeightUnitg=g
WeightUnitmg=mg
@@ -258,6 +259,7 @@ ContactCreatedByEmailCollector=Contact/address created by email collector from e
ProjectCreatedByEmailCollector=Project created by email collector from email MSGID %s
TicketCreatedByEmailCollector=Ticket created by email collector from email MSGID %s
OpeningHoursFormatDesc=Use a - to separate opening and closing hours. Use a space to enter different ranges. Example: 8-12 14-18
+PrefixSession=Prefix for session ID
##### Export #####
ExportsArea=Exports area
diff --git a/htdocs/langs/sq_AL/products.lang b/htdocs/langs/sq_AL/products.lang
index 497ce01c6dc..72ef8f02173 100644
--- a/htdocs/langs/sq_AL/products.lang
+++ b/htdocs/langs/sq_AL/products.lang
@@ -108,7 +108,8 @@ FillWithLastServiceDates=Fill with last service line dates
MultiPricesAbility=Multiple price segments per product/service (each customer is in one price segment)
MultiPricesNumPrices=Number of prices
DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices
-AssociatedProductsAbility=Activate kits (virtual products)
+AssociatedProductsAbility=Enable Kits (set of other products)
+VariantsAbility=Enable Variants (variations of products, for example color, size)
AssociatedProducts=Kits
AssociatedProductsNumber=Number of products composing this kit
ParentProductsNumber=Number of parent packaging product
@@ -167,8 +168,10 @@ BuyingPrices=Buying prices
CustomerPrices=Customer prices
SuppliersPrices=Vendor prices
SuppliersPricesOfProductsOrServices=Vendor prices (of products or services)
-CustomCode=Customs / Commodity / HS code
+CustomCode=Customs|Commodity|HS code
CountryOrigin=Origin country
+RegionStateOrigin=Region origin
+StateOrigin=State|Province origin
Nature=Nature of product (material/finished)
NatureOfProductShort=Nature of product
NatureOfProductDesc=Raw material or finished product
@@ -239,7 +242,7 @@ AlwaysUseFixedPrice=Use the fixed price
PriceByQuantity=Different prices by quantity
DisablePriceByQty=Disable prices by quantity
PriceByQuantityRange=Quantity range
-MultipriceRules=Price segment rules
+MultipriceRules=Automatic prices for segment
UseMultipriceRules=Use price segment rules (defined into product module setup) to auto calculate prices of all other segments according to first segment
PercentVariationOver=%% variation over %s
PercentDiscountOver=%% discount over %s
diff --git a/htdocs/langs/sq_AL/recruitment.lang b/htdocs/langs/sq_AL/recruitment.lang
index b775e78552e..437445f25dc 100644
--- a/htdocs/langs/sq_AL/recruitment.lang
+++ b/htdocs/langs/sq_AL/recruitment.lang
@@ -73,3 +73,4 @@ JobClosedTextCandidateFound=The job position is closed. The position has been fi
JobClosedTextCanceled=The job position is closed.
ExtrafieldsJobPosition=Complementary attributes (job positions)
ExtrafieldsCandidatures=Complementary attributes (job applications)
+MakeOffer=Make an offer
diff --git a/htdocs/langs/sq_AL/sendings.lang b/htdocs/langs/sq_AL/sendings.lang
index dce3be1c1db..cea753bf79b 100644
--- a/htdocs/langs/sq_AL/sendings.lang
+++ b/htdocs/langs/sq_AL/sendings.lang
@@ -30,6 +30,7 @@ OtherSendingsForSameOrder=Other shipments for this order
SendingsAndReceivingForSameOrder=Shipments and receipts for this order
SendingsToValidate=Shipments to validate
StatusSendingCanceled=Anulluar
+StatusSendingCanceledShort=Anulluar
StatusSendingDraft=Draft
StatusSendingValidated=Validated (products to ship or already shipped)
StatusSendingProcessed=Processed
@@ -65,6 +66,7 @@ ValidateOrderFirstBeforeShipment=You must first validate the order before being
# Sending methods
# ModelDocument
DocumentModelTyphon=More complete document model for delivery receipts (logo...)
+DocumentModelStorm=More complete document model for delivery receipts and extrafields compatibility (logo...)
Error_EXPEDITION_ADDON_NUMBER_NotDefined=Constant EXPEDITION_ADDON_NUMBER not defined
SumOfProductVolumes=Sum of product volumes
SumOfProductWeights=Sum of product weights
diff --git a/htdocs/langs/sq_AL/stocks.lang b/htdocs/langs/sq_AL/stocks.lang
index 11577ff1d3e..482ffce2fd4 100644
--- a/htdocs/langs/sq_AL/stocks.lang
+++ b/htdocs/langs/sq_AL/stocks.lang
@@ -240,3 +240,4 @@ InventoryRealQtyHelp=Set value to 0 to reset qty Keep field empty, or remove
UpdateByScaning=Update by scaning
UpdateByScaningProductBarcode=Update by scan (product barcode)
UpdateByScaningLot=Update by scan (lot|serial barcode)
+DisableStockChangeOfSubProduct=Deactivate the stock change for all the subproducts of this Kit during this movement.
diff --git a/htdocs/langs/sq_AL/ticket.lang b/htdocs/langs/sq_AL/ticket.lang
index 97de9a5b5f9..5f259230780 100644
--- a/htdocs/langs/sq_AL/ticket.lang
+++ b/htdocs/langs/sq_AL/ticket.lang
@@ -31,10 +31,8 @@ TicketDictType=Ticket - Types
TicketDictCategory=Ticket - Groupes
TicketDictSeverity=Ticket - Severities
TicketDictResolution=Ticket - Resolution
-TicketTypeShortBUGSOFT=Dysfonctionnement logiciel
-TicketTypeShortBUGHARD=Dysfonctionnement matériel
-TicketTypeShortCOM=Commercial question
+TicketTypeShortCOM=Commercial question
TicketTypeShortHELP=Request for functionnal help
TicketTypeShortISSUE=Issue, bug or problem
TicketTypeShortREQUEST=Change or enhancement request
@@ -44,7 +42,7 @@ TicketTypeShortOTHER=Tjetër
TicketSeverityShortLOW=Low
TicketSeverityShortNORMAL=Normal
TicketSeverityShortHIGH=High
-TicketSeverityShortBLOCKING=Critical/Blocking
+TicketSeverityShortBLOCKING=Critical, Blocking
ErrorBadEmailAddress=Field '%s' incorrect
MenuTicketMyAssign=My tickets
@@ -60,7 +58,6 @@ OriginEmail=Email source
Notify_TICKET_SENTBYMAIL=Send ticket message by email
# Status
-NotRead=Not read
Read=Read
Assigned=Assigned
InProgress=In progress
@@ -126,6 +123,7 @@ TicketsActivatePublicInterfaceHelp=Public interface allow any visitors to create
TicketsAutoAssignTicket=Automatically assign the user who created the ticket
TicketsAutoAssignTicketHelp=When creating a ticket, the user can be automatically assigned to the ticket.
TicketNumberingModules=Tickets numbering module
+TicketsModelModule=Document templates for tickets
TicketNotifyTiersAtCreation=Notify third party at creation
TicketsDisableCustomerEmail=Always disable emails when a ticket is created from public interface
TicketsPublicNotificationNewMessage=Send email(s) when a new message is added
@@ -233,7 +231,6 @@ TicketLogStatusChanged=Status changed: %s to %s
TicketNotNotifyTiersAtCreate=Not notify company at create
Unread=Unread
TicketNotCreatedFromPublicInterface=Not available. Ticket was not created from public interface.
-PublicInterfaceNotEnabled=Public interface was not enabled
ErrorTicketRefRequired=Ticket reference name is required
#
diff --git a/htdocs/langs/sq_AL/website.lang b/htdocs/langs/sq_AL/website.lang
index 03e042e4be6..f17def114b8 100644
--- a/htdocs/langs/sq_AL/website.lang
+++ b/htdocs/langs/sq_AL/website.lang
@@ -30,7 +30,6 @@ EditInLine=Edit inline
AddWebsite=Add website
Webpage=Web page/container
AddPage=Add page/container
-HomePage=Home Page
PageContainer=Page
PreviewOfSiteNotYetAvailable=Preview of your website %s not yet available. You must first 'Import a full website template' or just 'Add a page/container'.
RequestedPageHasNoContentYet=Requested page with id %s has no content yet, or cache file .tpl.php was removed. Edit content of the page to solve this.
@@ -101,7 +100,7 @@ EmptyPage=Empty page
ExternalURLMustStartWithHttp=External URL must start with http:// or https://
ZipOfWebsitePackageToImport=Upload the Zip file of the website template package
ZipOfWebsitePackageToLoad=or Choose an available embedded website template package
-ShowSubcontainers=Include dynamic content
+ShowSubcontainers=Show dynamic content
InternalURLOfPage=Internal URL of page
ThisPageIsTranslationOf=This page/container is a translation of
ThisPageHasTranslationPages=This page/container has translation
@@ -137,3 +136,4 @@ RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using
PagesRegenerated=%s page(s)/container(s) regenerated
RegenerateWebsiteContent=Regenerate web site cache files
AllowedInFrames=Allowed in Frames
+DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languages into web site properties.
diff --git a/htdocs/langs/sq_AL/withdrawals.lang b/htdocs/langs/sq_AL/withdrawals.lang
index 68f1a63dbe7..7c51c37c930 100644
--- a/htdocs/langs/sq_AL/withdrawals.lang
+++ b/htdocs/langs/sq_AL/withdrawals.lang
@@ -42,6 +42,7 @@ LastWithdrawalReceipt=Latest %s direct debit receipts
MakeWithdrawRequest=Make a direct debit payment request
MakeBankTransferOrder=Make a credit transfer request
WithdrawRequestsDone=%s direct debit payment requests recorded
+BankTransferRequestsDone=%s credit transfer requests recorded
ThirdPartyBankCode=Third-party bank code
NoInvoiceCouldBeWithdrawed=No invoice debited successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s.
ClassCredited=Classify credited
@@ -131,7 +132,8 @@ SEPARCUR=SEPA CUR
SEPAFRST=SEPA FRST
ExecutionDate=Execution date
CreateForSepa=Create direct debit file
-ICS=Creditor Identifier CI
+ICS=Creditor Identifier CI for direct debit
+ICSTransfer=Creditor Identifier CI for bank transfer
END_TO_END="EndToEndId" SEPA XML tag - Unique id assigned per transaction
USTRD="Unstructured" SEPA XML tag
ADDDAYS=Add days to Execution Date
@@ -146,3 +148,4 @@ InfoRejectSubject=Direct debit payment order refused
InfoRejectMessage=Hello,
the direct debit payment order of invoice %s related to the company %s, with an amount of %s has been refused by the bank.
-- %s
ModeWarning=Option for real mode was not set, we stop after this simulation
ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know wich one to use.
+ErrorICSmissing=Missing ICS in Bank account %s
diff --git a/htdocs/langs/sr_RS/accountancy.lang b/htdocs/langs/sr_RS/accountancy.lang
index 66b404cdec9..8c76969f9e2 100644
--- a/htdocs/langs/sr_RS/accountancy.lang
+++ b/htdocs/langs/sr_RS/accountancy.lang
@@ -48,6 +48,7 @@ CountriesExceptMe=All countries except %s
AccountantFiles=Export source documents
ExportAccountingSourceDocHelp=With this tool, you can export the source events (list and PDFs) that were used to generate your accountancy. To export your journals, use the menu entry %s - %s.
VueByAccountAccounting=View by accounting account
+VueBySubAccountAccounting=View by accounting subaccount
MainAccountForCustomersNotDefined=Main accounting account for customers not defined in setup
MainAccountForSuppliersNotDefined=Main accounting account for vendors not defined in setup
@@ -144,7 +145,7 @@ NotVentilatedinAccount=Not bound to the accounting account
XLineSuccessfullyBinded=%s products/services successfully bound to an accounting account
XLineFailedToBeBinded=%s products/services were not bound to any accounting account
-ACCOUNTING_LIMIT_LIST_VENTILATION=Number of elements to bind shown by page (maximum recommended: 50)
+ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50)
ACCOUNTING_LIST_SORT_VENTILATION_TODO=Begin the sorting of the page "Binding to do" by the most recent elements
ACCOUNTING_LIST_SORT_VENTILATION_DONE=Begin the sorting of the page "Binding done" by the most recent elements
@@ -198,7 +199,8 @@ Docdate=Datum
Docref=Referenca
LabelAccount=Oznaka računa
LabelOperation=Label operation
-Sens=Sens
+Sens=Direction
+AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received For an accounting account of a supplier, use Debit to record a payment you make
LetteringCode=Lettering code
Lettering=Lettering
Codejournal=Izveštaj
@@ -206,7 +208,8 @@ JournalLabel=Journal label
NumPiece=Deo broj
TransactionNumShort=Num. transaction
AccountingCategory=Personalized groups
-GroupByAccountAccounting=Group by accounting account
+GroupByAccountAccounting=Group by general ledger account
+GroupBySubAccountAccounting=Group by subledger account
AccountingAccountGroupsDesc=You can define here some groups of accounting account. They will be used for personalized accounting reports.
ByAccounts=By accounts
ByPredefinedAccountGroups=By predefined groups
@@ -248,7 +251,7 @@ PaymentsNotLinkedToProduct=Payment not linked to any product / service
OpeningBalance=Opening balance
ShowOpeningBalance=Show opening balance
HideOpeningBalance=Hide opening balance
-ShowSubtotalByGroup=Show subtotal by group
+ShowSubtotalByGroup=Show subtotal by level
Pcgtype=Group of account
PcgtypeDesc=Group of account are used as predefined 'filter' and 'grouping' criteria for some accounting reports. For example, 'INCOME' or 'EXPENSE' are used as groups for accounting accounts of products to build the expense/income report.
@@ -271,11 +274,13 @@ DescVentilExpenseReport=Consult here the list of expense report lines bound (or
DescVentilExpenseReportMore=If you setup accounting account on type of expense report lines, the application will be able to make all the binding between your expense report lines and the accounting account of your chart of accounts, just in one click with the button "%s". If account was not set on fees dictionary or if you still have some lines not bound to any account, you will have to make a manual binding from the menu "%s".
DescVentilDoneExpenseReport=Consult here the list of the lines of expenses reports and their fees accounting account
+Closure=Annual closure
DescClosure=Consult here the number of movements by month who are not validated & fiscal years already open
OverviewOfMovementsNotValidated=Step 1/ Overview of movements not validated. (Necessary to close a fiscal year)
+AllMovementsWereRecordedAsValidated=All movements were recorded as validated
+NotAllMovementsCouldBeRecordedAsValidated=Not all movements could be recorded as validated
ValidateMovements=Validate movements
DescValidateMovements=Any modification or deletion of writing, lettering and deletes will be prohibited. All entries for an exercise must be validated otherwise closing will not be possible
-SelectMonthAndValidate=Select month and validate movements
ValidateHistory=Bind Automatically
AutomaticBindingDone=Automatic binding done
@@ -293,6 +298,7 @@ Accounted=Accounted in ledger
NotYetAccounted=Not yet accounted in ledger
ShowTutorial=Show Tutorial
NotReconciled=Not reconciled
+WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view
## Admin
BindingOptions=Binding options
@@ -337,6 +343,7 @@ Modelcsv_LDCompta10=Export for LD Compta (v10 & higher)
Modelcsv_openconcerto=Export for OpenConcerto (Test)
Modelcsv_configurable=Export CSV Configurable
Modelcsv_FEC=Export FEC
+Modelcsv_FEC2=Export FEC (With dates generation writing / document reversed)
Modelcsv_Sage50_Swiss=Export for Sage 50 Switzerland
Modelcsv_winfic=Export Winfic - eWinfic - WinSis Compta
Modelcsv_Gestinumv3=Export for Gestinum (v3)
diff --git a/htdocs/langs/sr_RS/admin.lang b/htdocs/langs/sr_RS/admin.lang
index 842fbea4662..15917e890ca 100644
--- a/htdocs/langs/sr_RS/admin.lang
+++ b/htdocs/langs/sr_RS/admin.lang
@@ -56,6 +56,8 @@ GUISetup=Display
SetupArea=Podešavanja
UploadNewTemplate=Upload new template(s)
FormToTestFileUploadForm=Form to test file upload (according to setup)
+ModuleMustBeEnabled=The module/application %s must be enabled
+ModuleIsEnabled=The module/application %s has been enabled
IfModuleEnabled=Note: yes is effective only if module %s is enabled
RemoveLock=Remove/rename file %s if it exists, to allow usage of the Update/Install tool.
RestoreLock=Restore file %s, with read permission only, to disable any further use of the Update/Install tool.
@@ -85,7 +87,6 @@ ShowPreview=Show preview
ShowHideDetails=Show-Hide details
PreviewNotAvailable=Preview not available
ThemeCurrentlyActive=Theme currently active
-CurrentTimeZone=TimeZone PHP (server)
MySQLTimeZone=TimeZone MySql (database)
TZHasNoEffect=Dates are stored and returned by database server as if they were kept as submitted string. The timezone has effect only when using the UNIX_TIMESTAMP function (that should not be used by Dolibarr, so database TZ should have no effect, even if changed after data was entered).
Space=Space
@@ -153,8 +154,8 @@ SystemToolsAreaDesc=This area provides administration functions. Use the menu to
Purge=Purge
PurgeAreaDesc=This page allows you to delete all files generated or stored by Dolibarr (temporary files or all files in %s directory). Using this feature is not normally necessary. It is provided as a workaround for users whose Dolibarr is hosted by a provider that does not offer permissions to delete files generated by the web server.
PurgeDeleteLogFile=Delete log files, including %s defined for Syslog module (no risk of losing data)
-PurgeDeleteTemporaryFiles=Delete all temporary files (no risk of losing data). Note: Deletion is done only if the temp directory was created 24 hours ago.
-PurgeDeleteTemporaryFilesShort=Delete temporary files
+PurgeDeleteTemporaryFiles=Delete all log and temporary files (no risk of losing data). Note: Deletion of temporary files is done only if the temp directory was created more than 24 hours ago.
+PurgeDeleteTemporaryFilesShort=Delete log and temporary files
PurgeDeleteAllFilesInDocumentsDir=Delete all files in directory: %s. This will delete all generated documents related to elements (third parties, invoices etc...), files uploaded into the ECM module, database backup dumps and temporary files.
PurgeRunNow=Purge now
PurgeNothingToDelete=No directory or files to delete.
@@ -256,6 +257,7 @@ ReferencedPreferredPartners=Preferred Partners
OtherResources=Other resources
ExternalResources=External Resources
SocialNetworks=Social Networks
+SocialNetworkId=Social Network ID
ForDocumentationSeeWiki=For user or developer documentation (Doc, FAQs...), take a look at the Dolibarr Wiki: %s
ForAnswersSeeForum=For any other questions/help, you can use the Dolibarr forum: %s
HelpCenterDesc1=Here are some resources for getting help and support with Dolibarr.
@@ -375,7 +377,7 @@ ExamplesWithCurrentSetup=Examples with current configuration
ListOfDirectories=List of OpenDocument templates directories
ListOfDirectoriesForModelGenODT=Lista foldera sa templejtima u OpenDocument formatu.
Staviti apsolutnu putanju foldera. Svaki folder u listi mora biti na novoj liniji. Da biste dodali folder GED modulu, ubacite ga ovde DOL_DATA_ROOT/ecm/ime_vaseg_foldera.
Fajlovi u tim folderima moraju imati ekstenziju .odt ili .ods.
NumberOfModelFilesFound=Number of ODT/ODS template files found in these directories
-ExampleOfDirectoriesForModelGen=Examples of syntax: c:\\mydir /home/mydir DOL_DATA_ROOT/ecm/ecmdir
+ExampleOfDirectoriesForModelGen=Examples of syntax: c:\\myapp\\mydocumentdir\\mysubdir /home/myapp/mydocumentdir/mysubdir DOL_DATA_ROOT/ecm/ecmdir
FollowingSubstitutionKeysCanBeUsed= To know how to create your odt document templates, before storing them in those directories, read wiki documentation:
FullListOnOnlineDocumentation=http://wiki.dolibarr.org/index.php/Create_an_ODT_document_template
FirstnameNamePosition=Position of Name/Lastname
@@ -406,7 +408,7 @@ UrlGenerationParameters=Parameters to secure URLs
SecurityTokenIsUnique=Use a unique securekey parameter for each URL
EnterRefToBuildUrl=Enter reference for object %s
GetSecuredUrl=Get calculated URL
-ButtonHideUnauthorized=Hide buttons for non-admin users for unauthorized actions instead of showing greyed disabled buttons
+ButtonHideUnauthorized=Hide unauthorized action buttons also for internal users (just greyed otherwise)
OldVATRates=Old VAT rate
NewVATRates=New VAT rate
PriceBaseTypeToChange=Modify on prices with base reference value defined on
@@ -1689,7 +1691,7 @@ NotTopTreeMenuPersonalized=Personalized menus not linked to a top menu entry
NewMenu=New menu
MenuHandler=Menu handler
MenuModule=Source module
-HideUnauthorizedMenu= Hide unauthorized menus (gray)
+HideUnauthorizedMenu=Hide unauthorized menus also for internal users (just greyed otherwise)
DetailId=Id menu
DetailMenuHandler=Menu handler where to show new menu
DetailMenuModule=Module name if menu entry come from a module
@@ -1983,11 +1985,12 @@ EMailHost=Host of email IMAP server
MailboxSourceDirectory=Mailbox source directory
MailboxTargetDirectory=Mailbox target directory
EmailcollectorOperations=Operations to do by collector
+EmailcollectorOperationsDesc=Operations are executed from top to bottom order
MaxEmailCollectPerCollect=Max number of emails collected per collect
CollectNow=Collect now
ConfirmCloneEmailCollector=Are you sure you want to clone the Email collector %s ?
-DateLastCollectResult=Date latest collect tried
-DateLastcollectResultOk=Date latest collect successfull
+DateLastCollectResult=Date of latest collect try
+DateLastcollectResultOk=Date of latest collect success
LastResult=Latest result
EmailCollectorConfirmCollectTitle=Email collect confirmation
EmailCollectorConfirmCollect=Do you want to run the collection for this collector now ?
@@ -2005,7 +2008,7 @@ WithDolTrackingID=Message from a conversation initiated by a first email sent fr
WithoutDolTrackingID=Message from a conversation initiated by a first email NOT sent from Dolibarr
WithDolTrackingIDInMsgId=Message sent from Dolibarr
WithoutDolTrackingIDInMsgId=Message NOT sent from Dolibarr
-CreateCandidature=Create candidature
+CreateCandidature=Create job application
FormatZip=Zip
MainMenuCode=Menu entry code (mainmenu)
ECMAutoTree=Show automatic ECM tree
@@ -2083,3 +2086,7 @@ CountryIfSpecificToOneCountry=Country (if specific to a given country)
YouMayFindSecurityAdviceHere=You may find security advisory here
ModuleActivatedMayExposeInformation=This module may expose sensitive data. If you don't need it, disable it.
ModuleActivatedDoNotUseInProduction=A module designed for the development has been enabled. Do not enable it on a production environment.
+CombinationsSeparator=Separator character for product combinations
+SeeLinkToOnlineDocumentation=See link to online documention on top menu for examples
+SHOW_SUBPRODUCT_REF_IN_PDF=If the feature "%s" of module %s is used, show details of subproducts of a kit on PDF.
+AskThisIDToYourBank=Contact your bank to get this ID
diff --git a/htdocs/langs/sr_RS/banks.lang b/htdocs/langs/sr_RS/banks.lang
index 2939146c14e..eaac0204641 100644
--- a/htdocs/langs/sr_RS/banks.lang
+++ b/htdocs/langs/sr_RS/banks.lang
@@ -173,8 +173,8 @@ SEPAMandate=SEPA mandate
YourSEPAMandate=Your SEPA mandate
FindYourSEPAMandate=This is your SEPA mandate to authorize our company to make direct debit order to your bank. Return it signed (scan of the signed document) or send it by mail to
AutoReportLastAccountStatement=Automatically fill the field 'number of bank statement' with last statement number when making reconciliation
-CashControl=POS cash fence
-NewCashFence=New cash fence
+CashControl=POS cash desk control
+NewCashFence=New cash desk closing
BankColorizeMovement=Colorize movements
BankColorizeMovementDesc=If this function is enable, you can choose specific background color for debit or credit movements
BankColorizeMovementName1=Background color for debit movement
diff --git a/htdocs/langs/sr_RS/blockedlog.lang b/htdocs/langs/sr_RS/blockedlog.lang
index 9be5b672696..977e3f9d5c0 100644
--- a/htdocs/langs/sr_RS/blockedlog.lang
+++ b/htdocs/langs/sr_RS/blockedlog.lang
@@ -35,7 +35,7 @@ logDON_DELETE=Donation logical deletion
logMEMBER_SUBSCRIPTION_CREATE=Member subscription created
logMEMBER_SUBSCRIPTION_MODIFY=Member subscription modified
logMEMBER_SUBSCRIPTION_DELETE=Member subscription logical deletion
-logCASHCONTROL_VALIDATE=Cash fence recording
+logCASHCONTROL_VALIDATE=Cash desk closing recording
BlockedLogBillDownload=Customer invoice download
BlockedLogBillPreview=Customer invoice preview
BlockedlogInfoDialog=Log Details
diff --git a/htdocs/langs/sr_RS/boxes.lang b/htdocs/langs/sr_RS/boxes.lang
index 037853abcf2..64caf8d79dc 100644
--- a/htdocs/langs/sr_RS/boxes.lang
+++ b/htdocs/langs/sr_RS/boxes.lang
@@ -46,9 +46,12 @@ BoxTitleLastModifiedDonations=Latest %s modified donations
BoxTitleLastModifiedExpenses=Latest %s modified expense reports
BoxTitleLatestModifiedBoms=Latest %s modified BOMs
BoxTitleLatestModifiedMos=Latest %s modified Manufacturing Orders
+BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded
BoxGlobalActivity=Opšta aktivnost (fakture, ponude, narudžbine)
BoxGoodCustomers=Dobri kupci
BoxTitleGoodCustomers=%s Dobri kupci
+BoxScheduledJobs=Planirane operacije
+BoxTitleFunnelOfProspection=Lead funnel
FailedToRefreshDataInfoNotUpToDate=Failed to refresh RSS flux. Latest successful refresh date: %s
LastRefreshDate=Latest refresh date
NoRecordedBookmarks=Nema definisane zabeleške
@@ -102,5 +105,7 @@ SuspenseAccountNotDefined=Suspense account isn't defined
BoxLastCustomerShipments=Last customer shipments
BoxTitleLastCustomerShipments=Latest %s customer shipments
NoRecordedShipments=No recorded customer shipment
+BoxCustomersOutstandingBillReached=Customers with oustanding limit reached
# Pages
AccountancyHome=Računovodstvo
+ValidatedProjects=Validated projects
diff --git a/htdocs/langs/sr_RS/cashdesk.lang b/htdocs/langs/sr_RS/cashdesk.lang
index 5074b404df8..75b0acd39a2 100644
--- a/htdocs/langs/sr_RS/cashdesk.lang
+++ b/htdocs/langs/sr_RS/cashdesk.lang
@@ -49,8 +49,8 @@ Footer=Footer
AmountAtEndOfPeriod=Amount at end of period (day, month or year)
TheoricalAmount=Theorical amount
RealAmount=Real amount
-CashFence=Cash fence
-CashFenceDone=Cash fence done for the period
+CashFence=Cash desk closing
+CashFenceDone=Cash desk closing done for the period
NbOfInvoices=Nb of invoices
Paymentnumpad=Type of Pad to enter payment
Numberspad=Numbers Pad
@@ -99,8 +99,9 @@ CashDeskRefNumberingModules=Numbering module for POS sales
CashDeskGenericMaskCodes6 = {TN} tag is used to add the terminal number
TakeposGroupSameProduct=Group same products lines
StartAParallelSale=Start a new parallel sale
-ControlCashOpening=Control cash box at opening POS
-CloseCashFence=Close cash fence
+SaleStartedAt=Sale started at %s
+ControlCashOpening=Control cash popup at opening POS
+CloseCashFence=Close cash desk control
CashReport=Cash report
MainPrinterToUse=Main printer to use
OrderPrinterToUse=Order printer to use
@@ -122,3 +123,4 @@ GiftReceipt=Gift receipt
ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled first
AllowDelayedPayment=Allow delayed payment
PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts
+WeighingScale=Weighing scale
diff --git a/htdocs/langs/sr_RS/categories.lang b/htdocs/langs/sr_RS/categories.lang
index 3467c78c1e5..f72f3351441 100644
--- a/htdocs/langs/sr_RS/categories.lang
+++ b/htdocs/langs/sr_RS/categories.lang
@@ -19,6 +19,7 @@ ProjectsCategoriesArea=Projects tags/categories area
UsersCategoriesArea=Users tags/categories area
SubCats=Sub-categories
CatList=Lista naziva/kategorija
+CatListAll=List of tags/categories (all types)
NewCategory=Nov naziv/kategorija
ModifCat=Izmeni naziv/kategoriju
CatCreated=Kreiran naziv/kategorija
@@ -65,16 +66,22 @@ UsersCategoriesShort=Users tags/categories
StockCategoriesShort=Warehouse tags/categories
ThisCategoryHasNoItems=This category does not contain any items.
CategId=ID naziva/kategorije
-CatSupList=List of vendor tags/categories
-CatCusList=Lista naziva/kategorija kupca/prospekta
+ParentCategory=Parent tag/category
+ParentCategoryLabel=Label of parent tag/category
+CatSupList=List of vendors tags/categories
+CatCusList=List of customers/prospects tags/categories
CatProdList=Lista naziva/kategorija proizvoda
CatMemberList=Lista naziva/kategorija članova
-CatContactList=Lista naziva/kategorija kontakata
-CatSupLinks=Povezanost između dobavljača i naziva/kategorija
+CatContactList=List of contacts tags/categories
+CatProjectsList=List of projects tags/categories
+CatUsersList=List of users tags/categories
+CatSupLinks=Links between vendors and tags/categories
CatCusLinks=Povezanost između kupaca/prospekta i naziva/kategorija
CatContactsLinks=Links between contacts/addresses and tags/categories
CatProdLinks=Povezanost između proizvoda/usluga i naziva/kategorija
-CatProJectLinks=Links between projects and tags/categories
+CatMembersLinks=Povezanost između članova i naziva/kategorija
+CatProjectsLinks=Links between projects and tags/categories
+CatUsersLinks=Links between users and tags/categories
DeleteFromCat=Ukloni iz naziva/kategorije
ExtraFieldsCategories=Komplementarni atributi
CategoriesSetup=TPodešavanje naziva/kategorija
diff --git a/htdocs/langs/sr_RS/companies.lang b/htdocs/langs/sr_RS/companies.lang
index 31db7cdc260..154132b33da 100644
--- a/htdocs/langs/sr_RS/companies.lang
+++ b/htdocs/langs/sr_RS/companies.lang
@@ -358,7 +358,7 @@ VATIntraCheckableOnEUSite=Check the intra-Community VAT ID on the European Commi
VATIntraManualCheck=You can also check manually on the European Commission website %s
ErrorVATCheckMS_UNAVAILABLE=Provera nije moguća. Servis nije dostupan za datu državu (%s).
NorProspectNorCustomer=Not prospect, nor customer
-JuridicalStatus=Legal Entity Type
+JuridicalStatus=Business entity type
Workforce=Workforce
Staff=Zaposleni
ProspectLevelShort=Potencijal
diff --git a/htdocs/langs/sr_RS/compta.lang b/htdocs/langs/sr_RS/compta.lang
index edf211abd56..122fa300178 100644
--- a/htdocs/langs/sr_RS/compta.lang
+++ b/htdocs/langs/sr_RS/compta.lang
@@ -111,7 +111,7 @@ Refund=Povraćaj
SocialContributionsPayments=Uplate poreza/doprinosa
ShowVatPayment=Prikaži PDV uplatu
TotalToPay=Ukupno za uplatu
-BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted ascending on %s and filtered for 1 bank account
+BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted on %s and filtered on 1 bank account (with no other filters)
CustomerAccountancyCode=Customer accounting code
SupplierAccountancyCode=Vendor accounting code
CustomerAccountancyCodeShort=Rač. kod klijenta
@@ -140,7 +140,7 @@ ConfirmDeleteSocialContribution=Da li ste sigurni da želite da obrišete ovu up
ExportDataset_tax_1=Uplate poreza/doprinosa
CalcModeVATDebt=Mod %sPDV u posvećenom računovodstvu%s.
CalcModeVATEngagement=Mod %sPDV na prihodima-rashodima%s.
-CalcModeDebt=Analysis of known recorded invoices even if they are not yet accounted in ledger.
+CalcModeDebt=Analysis of known recorded documents even if they are not yet accounted in ledger.
CalcModeEngagement=Analysis of known recorded payments, even if they are not yet accounted in Ledger.
CalcModeBookkeeping=Analysis of data journalized in Bookkeeping Ledger table.
CalcModeLT1= Mod %sRE za fakture klijenata - fakture dobavljača%s
@@ -154,9 +154,9 @@ AnnualSummaryInputOutputMode=Stanje prihoda i rashoda, godišnji prikaz
AnnualByCompanies=Balance of income and expenses, by predefined groups of account
AnnualByCompaniesDueDebtMode=Balance of income and expenses, detail by predefined groups, mode %sClaims-Debts%s said Commitment accounting.
AnnualByCompaniesInputOutputMode=Balance of income and expenses, detail by predefined groups, mode %sIncomes-Expenses%s said cash accounting.
-SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation on actual payments made even if they are not yet accounted in Ledger.
-SeeReportInDueDebtMode=See %sanalysis of invoices%s for a calculation based on known recorded invoices even if they are not yet accounted in Ledger.
-SeeReportInBookkeepingMode=See %sBookeeping report%s for a calculation on Bookkeeping Ledger table
+SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation based on recorded payments made even if they are not yet accounted in Ledger
+SeeReportInDueDebtMode=See %sanalysis of recorded documents%s for a calculation based on known recorded documents even if they are not yet accounted in Ledger
+SeeReportInBookkeepingMode=See %sanalysis of bookeeping ledger table%s for a report based on Bookkeeping Ledger table
RulesAmountWithTaxIncluded=- Prikazani su bruto iznosi
RulesResultDue=- It includes outstanding invoices, expenses, VAT, donations whether they are paid or not. Is also includes paid salaries. - It is based on the billing date of invoices and on the due date for expenses or tax payments. For salaries defined with Salary module, the value date of payment is used.
RulesResultInOut=- Sadrži realne uplate računa, troškova, PDV-a i zarada. - Zasniva se na datumima isplate računa, troškova, PDV-a i zarada. Za donacije se zasniva na datumu donacije.
@@ -169,12 +169,15 @@ RulesResultBookkeepingPersonalized=It show record in your Ledger with accounting
SeePageForSetup=See menu %s for setup
DepositsAreNotIncluded=- Down payment invoices are not included
DepositsAreIncluded=- Down payment invoices are included
+LT1ReportByMonth=Tax 2 report by month
+LT2ReportByMonth=Tax 3 report by month
LT1ReportByCustomers=Report tax 2 by third party
LT2ReportByCustomers=Report tax 3 by third party
LT1ReportByCustomersES=Izveštaj po RE subjektima
LT2ReportByCustomersES=Izveštaj po subjektu IRPF
VATReport=Sale tax report
VATReportByPeriods=Sale tax report by period
+VATReportByMonth=Sale tax report by month
VATReportByRates=Sale tax report by rates
VATReportByThirdParties=Sale tax report by third parties
VATReportByCustomers=Sale tax report by customer
diff --git a/htdocs/langs/sr_RS/cron.lang b/htdocs/langs/sr_RS/cron.lang
index 184926050c0..5a246d49be9 100644
--- a/htdocs/langs/sr_RS/cron.lang
+++ b/htdocs/langs/sr_RS/cron.lang
@@ -6,14 +6,15 @@ Permission23102 = Kreiraj/ažuriraj planiranu operaciju
Permission23103 = Obriši planiranu operaciju
Permission23104 = Izvrši planiranu operaciju
# Admin
-CronSetup= Podešavanja planiranih operacija
-URLToLaunchCronJobs=URL to check and launch qualified cron jobs
-OrToLaunchASpecificJob=Ili za proveru i izvršenje određene operacije
+CronSetup=Podešavanja planiranih operacija
+URLToLaunchCronJobs=URL to check and launch qualified cron jobs from a browser
+OrToLaunchASpecificJob=Or to check and launch a specific job from a browser
KeyForCronAccess=Security key za URL za izvršenje cron operacija
FileToLaunchCronJobs=Command line to check and launch qualified cron jobs
CronExplainHowToRunUnix=U Unix okruženju možete koristiti crontab za izvršenje komandne linije svakih 5 minuta
-CronExplainHowToRunWin=U Windows okruženju možete koristiti Scheduled task tools za izvršenje komandne linije svakih 5 minuta
+CronExplainHowToRunWin=On Microsoft(tm) Windows environment you can use Scheduled Task tools to run the command line each 5 minutes
CronMethodDoesNotExists=Klasa %s ne sadrži ni jedan metod %s
+CronMethodNotAllowed=Method %s of class %s is in blacklist of forbidden methods
CronJobDefDesc=Cron job profiles are defined into the module descriptor file. When module is activated, they are loaded and available so you can administer the jobs from the admin tools menu %s.
CronJobProfiles=List of predefined cron job profiles
# Menu
@@ -42,10 +43,11 @@ CronModule=Modul
CronNoJobs=Nema prijavljenih operacija
CronPriority=Prioritet
CronLabel=Naziv
-CronNbRun=Br. izvršenja
-CronMaxRun=Max number launch
+CronNbRun=Number of launches
+CronMaxRun=Maximum number of launches
CronEach=Svakih
JobFinished=Operacija je izvršena
+Scheduled=Scheduled
#Page card
CronAdd= Dodaj operacije
CronEvery=Izvrši operaciju svakih
@@ -56,16 +58,16 @@ CronNote=Komentar
CronFieldMandatory=Polje %s je obavezno
CronErrEndDateStartDt=Kraj ne može biti pre početka
StatusAtInstall=Status at module installation
-CronStatusActiveBtn=Aktiviraj
+CronStatusActiveBtn=Schedule
CronStatusInactiveBtn=Deaktiviraj
CronTaskInactive=Operacije je deaktivirana
CronId=Id
CronClassFile=Filename with class
-CronModuleHelp=Name of Dolibarr module directory (also work with external Dolibarr module). For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for module is product
-CronClassFileHelp=The relative path and file name to load (path is relative to web server root directory). For exemple to call the fetch method of Dolibarr Product object htdocs/product/class/product.class.php, the value for class file name is product/class/product.class.php
-CronObjectHelp=The object name to load. For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for class file name is Product
-CronMethodHelp=The object method to launch. For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for method is fetch
-CronArgsHelp=The method arguments. For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for paramters can be 0, ProductRef
+CronModuleHelp=Name of Dolibarr module directory (also work with external Dolibarr module). For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for module is product
+CronClassFileHelp=The relative path and file name to load (path is relative to web server root directory). For example to call the fetch method of Dolibarr Product object htdocs/product/class/product.class.php, the value for class file name is product/class/product.class.php
+CronObjectHelp=The object name to load. For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for class file name is Product
+CronMethodHelp=The object method to launch. For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for method is fetch
+CronArgsHelp=The method arguments. For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for paramters can be 0, ProductRef
CronCommandHelp=Komandna linija za izvršenje
CronCreateJob=Kreiraj novu planiranu operaciju
CronFrom=Od
@@ -76,8 +78,14 @@ CronType_method=Call method of a PHP Class
CronType_command=Komandna linija
CronCannotLoadClass=Cannot load class file %s (to use class %s)
CronCannotLoadObject=Class file %s was loaded, but object %s was not found into it
-UseMenuModuleToolsToAddCronJobs=Go into menu "Home - Admin tools - Scheduled jobs" to see and edit scheduled jobs.
+UseMenuModuleToolsToAddCronJobs=Go into menu "Home - Admin tools - Scheduled jobs" to see and edit scheduled jobs.
JobDisabled=Operacija deaktivirana
MakeLocalDatabaseDumpShort=Bekap lokalne baze
-MakeLocalDatabaseDump=Create a local database dump. Parameters are: compression ('gz' or 'bz' or 'none'), backup type ('mysql' or 'pgsql'), 1, 'auto' or filename to build, number of backup files to keep
+MakeLocalDatabaseDump=Create a local database dump. Parameters are: compression ('gz' or 'bz' or 'none'), backup type ('mysql', 'pgsql', 'auto'), 1, 'auto' or filename to build, number of backup files to keep
WarningCronDelayed=Attention, for performance purpose, whatever is next date of execution of enabled jobs, your jobs may be delayed to a maximum of %s hours, before being run.
+DATAPOLICYJob=Data cleaner and anonymizer
+JobXMustBeEnabled=Job %s must be enabled
+# Cron Boxes
+LastExecutedScheduledJob=Last executed scheduled job
+NextScheduledJobExecute=Next scheduled job to execute
+NumberScheduledJobError=Number of scheduled jobs in error
diff --git a/htdocs/langs/sr_RS/errors.lang b/htdocs/langs/sr_RS/errors.lang
index b257b6a38d4..29ba9a69da3 100644
--- a/htdocs/langs/sr_RS/errors.lang
+++ b/htdocs/langs/sr_RS/errors.lang
@@ -5,8 +5,10 @@ NoErrorCommitIsDone=Nema greške, commit.
# Errors
ErrorButCommitIsDone=Bilo je grešaka, ali potvrđujemo uprkos tome
ErrorBadEMail=Email %s is wrong
+ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record)
ErrorBadUrl=URL %s je pogrešan
ErrorBadValueForParamNotAString=Bad value for your parameter. It appends generally when translation is missing.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorLoginAlreadyExists=Login %s već postoji
ErrorGroupAlreadyExists=Grupa %s već postoji
ErrorRecordNotFound=Linija nije pronađena.
@@ -48,6 +50,7 @@ ErrorFieldsRequired=Neka obavezna polja nisu popunjena
ErrorSubjectIsRequired=The email topic is required
ErrorFailedToCreateDir=Greška prilikom kreacije foldera. Proverite da li Web server nalog ima prava da piše u Dolibarr documents folderu. Ako je parametar safe_mode aktivan u PHP-u, proverite da li Dolibarr php fajlovi pripadaju korisniku (ili grupi) Web server naloga.
ErrorNoMailDefinedForThisUser=Mail nije definisan za ovog korisnika
+ErrorSetupOfEmailsNotComplete=Setup of emails is not complete
ErrorFeatureNeedJavascript=Za ovu funkcionalnost morate aktivirati javascript.
ErrorTopMenuMustHaveAParentWithId0=Meni tipa "Top" ne može imati parent meni. Stavite 0 u parent meni ili izaberite meni tipa "Left".
ErrorLeftMenuMustHaveAParentId=Meni tipa "Levi" mora imati parent ID.
@@ -75,7 +78,7 @@ ErrorExportDuplicateProfil=Ovo ime profila već postoji za ovaj export set.
ErrorLDAPSetupNotComplete=Dolibarr-LDAP matching nije završen.
ErrorLDAPMakeManualTest=.ldif fajl je generisan u folderu %s. Pokušajte da ga učitate ručno iz komandne linije da biste imali više informacija o greškama.
ErrorCantSaveADoneUserWithZeroPercentage=Can't save an action with "status not started" if field "done by" is also filled.
-ErrorRefAlreadyExists=Ref korišćena za kreaciju već postoji.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorPleaseTypeBankTransactionReportName=Please enter the bank statement name where the entry has to be reported (Format YYYYMM or YYYYMMDD)
ErrorRecordHasChildren=Failed to delete record since it has some child records.
ErrorRecordHasAtLeastOneChildOfType=Object has at least one child of type %s
@@ -216,7 +219,7 @@ ErrorChooseBetweenFreeEntryOrPredefinedProduct=You must choose if article is a p
ErrorDiscountLargerThanRemainToPaySplitItBefore=The discount you try to apply is larger than remain to pay. Split the discount in 2 smaller discounts before.
ErrorFileNotFoundWithSharedLink=File was not found. May be the share key was modified or file was removed recently.
ErrorProductBarCodeAlreadyExists=The product barcode %s already exists on another product reference.
-ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using virtual product to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number.
+ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using kits to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number.
ErrorDescRequiredForFreeProductLines=Description is mandatory for lines with free product
ErrorAPageWithThisNameOrAliasAlreadyExists=The page/container %s has the same name or alternative alias that the one your try to use
ErrorDuringChartLoad=Error when loading chart of accounts. If few accounts were not loaded, you can still enter them manually.
@@ -243,6 +246,16 @@ ErrorReplaceStringEmpty=Error, the string to replace into is empty
ErrorProductNeedBatchNumber=Error, product '%s' need a lot/serial number
ErrorProductDoesNotNeedBatchNumber=Error, product '%s' does not accept a lot/serial number
ErrorFailedToReadObject=Error, failed to read object of type %s
+ErrorParameterMustBeEnabledToAllwoThisFeature=Error, parameter %s must be enabled into conf/conf.php to allow use of Command Line Interface by the internal job scheduler
+ErrorLoginDateValidity=Error, this login is outside the validity date range
+ErrorValueLength=Length of field '%s' must be higher than '%s'
+ErrorReservedKeyword=The word '%s' is a reserved keyword
+ErrorNotAvailableWithThisDistribution=Not available with this distribution
+ErrorPublicInterfaceNotEnabled=Public interface was not enabled
+ErrorLanguageRequiredIfPageIsTranslationOfAnother=The language of new page must be defined if it is set as a translation of another page
+ErrorLanguageMustNotBeSourceLanguageIfPageIsTranslationOfAnother=The language of new page must not be the source language if it is set as a translation of another page
+ErrorAParameterIsRequiredForThisOperation=A parameter is mandatory for this operation
+
# Warnings
WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup.
WarningPasswordSetWithNoAccount=Lozinka je podešena za ovog člana, ali korisnik nije kreiran. To znači da je lozinka sačuvana, ali se član ne može ulogovati na Dolibarr. Informaciju može koristiti neka eksterna komponenta, ali ako nemate potrebe da definišete korisnika/lozinku za članove, možete deaktivirati opciju "Upravljanje lozinkama za svakog člana" u podešavanjima modula Članovi. Ukoliko morate da kreirate login, ali Vam nije potrebna lozinka, ostavite ovo polje prazno da se ovo upozorenje ne bi prikazivalo. Napomena: email može biti korišćen kao login ako je član povezan sa korisnikom.
@@ -267,6 +280,10 @@ WarningYourLoginWasModifiedPleaseLogin=Vaša prijava je promenjena. Iz sigurnosn
WarningAnEntryAlreadyExistForTransKey=An entry already exists for the translation key for this language
WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different recipient is limited to %s when using the mass actions on lists
WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report
+WarningProjectDraft=Project is still in draft mode. Don't forget to validate it if you plan to use tasks.
WarningProjectClosed=Project is closed. You must re-open it first.
WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list.
-WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table
+WarningFailedToAddFileIntoDatabaseIndex=Warning, failed to add file entry into ECM database index table
+WarningTheHiddenOptionIsOn=Warning, the hidden option %s is on.
+WarningCreateSubAccounts=Warning, you can't create directly a sub account, you must create a third party or an user and assign them an accounting code to find them in this list
+WarningAvailableOnlyForHTTPSServers=Available only if using HTTPS secured connection.
diff --git a/htdocs/langs/sr_RS/exports.lang b/htdocs/langs/sr_RS/exports.lang
index 1ed869416fd..41f2f5ed861 100644
--- a/htdocs/langs/sr_RS/exports.lang
+++ b/htdocs/langs/sr_RS/exports.lang
@@ -26,6 +26,8 @@ FieldTitle=Naziv polja
NowClickToGenerateToBuildExportFile=Now, select the file format in the combo box and click on "Generate" to build the export file...
AvailableFormats=Available Formats
LibraryShort=Biblioteka
+ExportCsvSeparator=Csv caracter separator
+ImportCsvSeparator=Csv caracter separator
Step=Korak
FormatedImport=Import Assistant
FormatedImportDesc1=This module allows you to update existing data or add new objects into the database from a file without technical knowledge, using an assistant.
@@ -131,3 +133,4 @@ KeysToUseForUpdates=Key (column) to use for updating existing data
NbInsert=Number of inserted lines: %s
NbUpdate=Number of updated lines: %s
MultipleRecordFoundWithTheseFilters=Multiple records have been found with these filters: %s
+StocksWithBatch=Stocks and location (warehouse) of products with batch/serial number
diff --git a/htdocs/langs/sr_RS/mails.lang b/htdocs/langs/sr_RS/mails.lang
index 9b2a31bd01f..44407502dcc 100644
--- a/htdocs/langs/sr_RS/mails.lang
+++ b/htdocs/langs/sr_RS/mails.lang
@@ -92,6 +92,7 @@ MailingModuleDescEmailsFromUser=Emails input by user
MailingModuleDescDolibarrUsers=Users with Emails
MailingModuleDescThirdPartiesByCategories=Third parties (by categories)
SendingFromWebInterfaceIsNotAllowed=Sending from web interface is not allowed.
+EmailCollectorFilterDesc=All filters must match to have an email being collected
# Libelle des modules de liste de destinataires mailing
LineInFile=Linija %s u fajlu
@@ -125,12 +126,13 @@ TagMailtoEmail=Recipient Email (including html "mailto:" link)
NoEmailSentBadSenderOrRecipientEmail=Mail nije poslat. Pogrešan mail primaoca ili pošiljaoca. Proverite profil korisnika.
# Module Notifications
Notifications=Obaveštenja
-NoNotificationsWillBeSent=Nema planiranih obaveštenja za ovaj događaj i kompaniju
-ANotificationsWillBeSent=1 obaveštenje će biti poslato mailom
-SomeNotificationsWillBeSent=%s obaveštenja će biti poslato mailom
-AddNewNotification=Activate a new email notification target/event
-ListOfActiveNotifications=List all active targets/events for email notification
-ListOfNotificationsDone=Lista svih poslatih obaveštenja
+NotificationsAuto=Notifications Auto.
+NoNotificationsWillBeSent=No automatic email notifications are planned for this event type and company
+ANotificationsWillBeSent=1 automatic notification will be sent by email
+SomeNotificationsWillBeSent=%s automatic notifications will be sent by email
+AddNewNotification=Subscribe to a new automatic email notification (target/event)
+ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification
+ListOfNotificationsDone=List all automatic email notifications sent
MailSendSetupIs=Konfiguracija slanja mailova je podešena na "%s". Ovaj mod ne može slati masovne mailove.
MailSendSetupIs2=Prvo morate sa admin nalogom otvoriti meni %sHome - Setup - EMails%s da biste promenili parametar '%s' i prešli u mod '%s'. U ovom modu, možete uneti podešavanja SMTP servera Vašeg provajdera i koristiti funkcionalnost masovnog emailinga.
MailSendSetupIs3=Ukoliko imate pitanja oko podešavanja SMTP servera, možete pitati %s.
@@ -140,7 +142,7 @@ UseFormatFileEmailToTarget=Imported file must have format email;name;fir
UseFormatInputEmailToTarget=Enter a string with format email;name;firstname;other
MailAdvTargetRecipients=Recipients (advanced selection)
AdvTgtTitle=Fill input fields to preselect the third parties or contacts/addresses to target
-AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima% will target all jean, joe, start with jim but not jimo and not everything that starts with jima
+AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima%% will target all jean, joe, start with jim but not jimo and not everything that starts with jima
AdvTgtSearchIntHelp=Use interval to select int or float value
AdvTgtMinVal=Minimum value
AdvTgtMaxVal=Maximum value
@@ -162,13 +164,14 @@ AdvTgtCreateFilter=Create filter
AdvTgtOrCreateNewFilter=Name of new filter
NoContactWithCategoryFound=No contact/address with a category found
NoContactLinkedToThirdpartieWithCategoryFound=No contact/address with a category found
-OutGoingEmailSetup=Outgoing email setup
-InGoingEmailSetup=Incoming email setup
-OutGoingEmailSetupForEmailing=Outgoing email setup (for module %s)
-DefaultOutgoingEmailSetup=Default outgoing email setup
+OutGoingEmailSetup=Outgoing emails
+InGoingEmailSetup=Incoming emails
+OutGoingEmailSetupForEmailing=Outgoing emails (for module %s)
+DefaultOutgoingEmailSetup=Same configuration than the global Outgoing email setup
Information=Informacija
ContactsWithThirdpartyFilter=Contacts with third-party filter
Unanswered=Unanswered
Answered=Answered
IsNotAnAnswer=Is not answer (initial email)
IsAnAnswer=Is an answer of an initial email
+RecordCreatedByEmailCollector=Record created by the Email Collector %s from email %s
diff --git a/htdocs/langs/sr_RS/main.lang b/htdocs/langs/sr_RS/main.lang
index d6425161390..5b18671c78a 100644
--- a/htdocs/langs/sr_RS/main.lang
+++ b/htdocs/langs/sr_RS/main.lang
@@ -28,7 +28,9 @@ NoTemplateDefined=No template available for this email type
AvailableVariables=Dostupne zamenske promenljive
NoTranslation=Nema prevoda
Translation=Prevod
+CurrentTimeZone=TimeZone PHP (server)
EmptySearchString=Enter non empty search criterias
+EnterADateCriteria=Enter a date criteria
NoRecordFound=Nema rezultata
NoRecordDeleted=No record deleted
NotEnoughDataYet=Not enough data
@@ -85,6 +87,8 @@ FileWasNotUploaded=Fajl je selektiran za prilog, ali još uvek nije uploadovan.
NbOfEntries=No. of entries
GoToWikiHelpPage=Read online help (Internet access needed)
GoToHelpPage=Pročitajte pomoć
+DedicatedPageAvailable=There is a dedicated help page related to your current screen
+HomePage=Home Page
RecordSaved=Linija sačuvana
RecordDeleted=Linija obrisana
RecordGenerated=Record generated
@@ -433,6 +437,7 @@ RemainToPay=Remain to pay
Module=Module/Application
Modules=Modules/Applications
Option=Opcija
+Filters=Filters
List=Lista
FullList=Cela lista
FullConversation=Full conversation
@@ -671,7 +676,7 @@ SendMail=Pošalji email
Email=Email
NoEMail=Nema maila
AlreadyRead=Already read
-NotRead=Not read
+NotRead=Unread
NoMobilePhone=Nema mobilnog telefona
Owner=Vlasnik
FollowingConstantsWillBeSubstituted=Sledeće konstante će biti zamenjene odgovarajućim vrednostima.
@@ -1107,3 +1112,8 @@ UpToDate=Up-to-date
OutOfDate=Out-of-date
EventReminder=Event Reminder
UpdateForAllLines=Update for all lines
+OnHold=Na čekanju
+AffectTag=Affect Tag
+ConfirmAffectTag=Bulk Tag Affect
+ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected record(s)?
+CategTypeNotFound=No tag type found for type of records
diff --git a/htdocs/langs/sr_RS/modulebuilder.lang b/htdocs/langs/sr_RS/modulebuilder.lang
index 460aef8103b..845dd12624d 100644
--- a/htdocs/langs/sr_RS/modulebuilder.lang
+++ b/htdocs/langs/sr_RS/modulebuilder.lang
@@ -40,6 +40,7 @@ PageForCreateEditView=PHP page to create/edit/view a record
PageForAgendaTab=PHP page for event tab
PageForDocumentTab=PHP page for document tab
PageForNoteTab=PHP page for note tab
+PageForContactTab=PHP page for contact tab
PathToModulePackage=Path to zip of module/application package
PathToModuleDocumentation=Path to file of module/application documentation (%s)
SpaceOrSpecialCharAreNotAllowed=Spaces or special characters are not allowed.
@@ -77,7 +78,7 @@ IsAMeasure=Is a measure
DirScanned=Directory scanned
NoTrigger=No trigger
NoWidget=No widget
-GoToApiExplorer=Go to API explorer
+GoToApiExplorer=API explorer
ListOfMenusEntries=List of menu entries
ListOfDictionariesEntries=List of dictionaries entries
ListOfPermissionsDefined=List of defined permissions
@@ -105,7 +106,7 @@ TryToUseTheModuleBuilder=If you have knowledge of SQL and PHP, you may use the n
SeeTopRightMenu=See on the top right menu
AddLanguageFile=Add language file
YouCanUseTranslationKey=You can use here a key that is the translation key found into language file (see tab "Languages")
-DropTableIfEmpty=(Delete table if empty)
+DropTableIfEmpty=(Destroy table if empty)
TableDoesNotExists=The table %s does not exists
TableDropped=Table %s deleted
InitStructureFromExistingTable=Build the structure array string of an existing table
@@ -126,7 +127,6 @@ UseSpecificEditorURL = Use a specific editor URL
UseSpecificFamily = Use a specific family
UseSpecificAuthor = Use a specific author
UseSpecificVersion = Use a specific initial version
-ModuleMustBeEnabled=The module/application must be enabled first
IncludeRefGeneration=The reference of object must be generated automatically
IncludeRefGenerationHelp=Check this if you want to include code to manage the generation automatically of the reference
IncludeDocGeneration=I want to generate some documents from the object
@@ -140,3 +140,4 @@ TypeOfFieldsHelp=Type of fields: varchar(99), double(24,8), real, text, html,
AsciiToHtmlConverter=Ascii to HTML converter
AsciiToPdfConverter=Ascii to PDF converter
TableNotEmptyDropCanceled=Table not empty. Drop has been canceled.
+ModuleBuilderNotAllowed=The module builder is available but not allowed to your user.
diff --git a/htdocs/langs/sr_RS/other.lang b/htdocs/langs/sr_RS/other.lang
index a314caa0fb6..0b96a4cfd7c 100644
--- a/htdocs/langs/sr_RS/other.lang
+++ b/htdocs/langs/sr_RS/other.lang
@@ -5,8 +5,6 @@ Tools=Alati
TMenuTools=Alati
ToolsDesc=All tools not included in other menu entries are grouped here. All the tools can be accessed via the left menu.
Birthday=Datum rođenja
-BirthdayDate=Birthday date
-DateToBirth=Birth date
BirthdayAlertOn=Obaveštenje o rođendanu je aktivno
BirthdayAlertOff=Obaveštenje o rođendanu je neaktivno
TransKey=Translation of the key TransKey
@@ -16,6 +14,8 @@ PreviousMonthOfInvoice=Previous month (number 1-12) of invoice date
TextPreviousMonthOfInvoice=Previous month (text) of invoice date
NextMonthOfInvoice=Following month (number 1-12) of invoice date
TextNextMonthOfInvoice=Following month (text) of invoice date
+PreviousMonth=Previous month
+CurrentMonth=Current month
ZipFileGeneratedInto=Zip file generated into %s.
DocFileGeneratedInto=Doc file generated into %s.
JumpToLogin=Disconnected. Go to login page...
@@ -99,6 +99,7 @@ PredefinedMailContentSendShipping=__(Hello)__\n\nPlease find shipping __REF__ at
PredefinedMailContentSendFichInter=__(Hello)__\n\nPlease find intervention __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.\n\n%s\n\n
PredefinedMailContentGeneric=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
+PredefinedMailContentSendActionComm=Event reminder "__EVENT_LABEL__" on __EVENT_DATE__ at __EVENT_TIME__
This is an automatic message, please do not reply.
DemoDesc=Dolibarr is a compact ERP/CRM supporting several business modules. A demo showcasing all modules makes no sense as this scenario never occurs (several hundred available). So, several demo profiles are available.
ChooseYourDemoProfil=Choose the demo profile that best suits your needs...
ChooseYourDemoProfilMore=...or build your own profile (manual module selection)
@@ -137,7 +138,7 @@ Right=Desno
CalculatedWeight=Izračunata težina
CalculatedVolume=Izračunata zapremina
Weight=Težina
-WeightUnitton=tonne
+WeightUnitton=ton
WeightUnitkg=kg
WeightUnitg=g
WeightUnitmg=mg
@@ -258,6 +259,7 @@ ContactCreatedByEmailCollector=Contact/address created by email collector from e
ProjectCreatedByEmailCollector=Project created by email collector from email MSGID %s
TicketCreatedByEmailCollector=Ticket created by email collector from email MSGID %s
OpeningHoursFormatDesc=Use a - to separate opening and closing hours. Use a space to enter different ranges. Example: 8-12 14-18
+PrefixSession=Prefix for session ID
##### Export #####
ExportsArea=Oblast exporta
diff --git a/htdocs/langs/sr_RS/products.lang b/htdocs/langs/sr_RS/products.lang
index d553a48ca39..e7807279d63 100644
--- a/htdocs/langs/sr_RS/products.lang
+++ b/htdocs/langs/sr_RS/products.lang
@@ -108,7 +108,8 @@ FillWithLastServiceDates=Fill with last service line dates
MultiPricesAbility=Multiple price segments per product/service (each customer is in one price segment)
MultiPricesNumPrices=Broj cena
DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices
-AssociatedProductsAbility=Activate kits (virtual products)
+AssociatedProductsAbility=Enable Kits (set of other products)
+VariantsAbility=Enable Variants (variations of products, for example color, size)
AssociatedProducts=Kits
AssociatedProductsNumber=Number of products composing this kit
ParentProductsNumber=Broj paketa proizvoda
@@ -167,8 +168,10 @@ BuyingPrices=Kupovne cene
CustomerPrices=Cene klijenta
SuppliersPrices=Vendor prices
SuppliersPricesOfProductsOrServices=Vendor prices (of products or services)
-CustomCode=Customs / Commodity / HS code
+CustomCode=Customs|Commodity|HS code
CountryOrigin=Zemlja porekla
+RegionStateOrigin=Region origin
+StateOrigin=State|Province origin
Nature=Nature of product (material/finished)
NatureOfProductShort=Nature of product
NatureOfProductDesc=Raw material or finished product
@@ -239,7 +242,7 @@ AlwaysUseFixedPrice=Koristi fiksnu cenu
PriceByQuantity=Različite cene po količini
DisablePriceByQty=Disable prices by quantity
PriceByQuantityRange=Raspon količina
-MultipriceRules=Price segment rules
+MultipriceRules=Automatic prices for segment
UseMultipriceRules=Use price segment rules (defined into product module setup) to auto calculate prices of all other segments according to first segment
PercentVariationOver=%% varijacija od %s
PercentDiscountOver=%% popust od %s
diff --git a/htdocs/langs/sr_RS/recruitment.lang b/htdocs/langs/sr_RS/recruitment.lang
index 2d9b75ed0b9..ae1eb5feb23 100644
--- a/htdocs/langs/sr_RS/recruitment.lang
+++ b/htdocs/langs/sr_RS/recruitment.lang
@@ -73,3 +73,4 @@ JobClosedTextCandidateFound=The job position is closed. The position has been fi
JobClosedTextCanceled=The job position is closed.
ExtrafieldsJobPosition=Complementary attributes (job positions)
ExtrafieldsCandidatures=Complementary attributes (job applications)
+MakeOffer=Make an offer
diff --git a/htdocs/langs/sr_RS/sendings.lang b/htdocs/langs/sr_RS/sendings.lang
index 6aa01a7b447..25672b23d46 100644
--- a/htdocs/langs/sr_RS/sendings.lang
+++ b/htdocs/langs/sr_RS/sendings.lang
@@ -30,6 +30,7 @@ OtherSendingsForSameOrder=Druge isporuke za ovu narudžbinu
SendingsAndReceivingForSameOrder=Shipments and receipts for this order
SendingsToValidate=Isporuke za potvrdu
StatusSendingCanceled=Otkazano
+StatusSendingCanceledShort=Poništeno
StatusSendingDraft=Nacrt
StatusSendingValidated=Potvrđeno (proizvodi za isporuku ili već isporučeni)
StatusSendingProcessed=Procesuirano
@@ -65,6 +66,7 @@ ValidateOrderFirstBeforeShipment=Morate prvo potvrditi porudžbinu pre nego omog
# Sending methods
# ModelDocument
DocumentModelTyphon=Kompletni model dokumenta za prijemnice isporuka (logo, ...)
+DocumentModelStorm=More complete document model for delivery receipts and extrafields compatibility (logo...)
Error_EXPEDITION_ADDON_NUMBER_NotDefined=Konstanta EXPEDITION_ADDON_NUMBER nije definisana
SumOfProductVolumes=Suma količina proizvoda
SumOfProductWeights=Suma težina proizvoda
diff --git a/htdocs/langs/sr_RS/stocks.lang b/htdocs/langs/sr_RS/stocks.lang
index 2df84e2de08..8c928a95f9c 100644
--- a/htdocs/langs/sr_RS/stocks.lang
+++ b/htdocs/langs/sr_RS/stocks.lang
@@ -240,3 +240,4 @@ InventoryRealQtyHelp=Set value to 0 to reset qty Keep field empty, or remove
UpdateByScaning=Update by scaning
UpdateByScaningProductBarcode=Update by scan (product barcode)
UpdateByScaningLot=Update by scan (lot|serial barcode)
+DisableStockChangeOfSubProduct=Deactivate the stock change for all the subproducts of this Kit during this movement.
diff --git a/htdocs/langs/sr_RS/ticket.lang b/htdocs/langs/sr_RS/ticket.lang
index 88a8ad89046..35102542484 100644
--- a/htdocs/langs/sr_RS/ticket.lang
+++ b/htdocs/langs/sr_RS/ticket.lang
@@ -31,10 +31,8 @@ TicketDictType=Ticket - Types
TicketDictCategory=Ticket - Groupes
TicketDictSeverity=Ticket - Severities
TicketDictResolution=Ticket - Resolution
-TicketTypeShortBUGSOFT=Dysfonctionnement logiciel
-TicketTypeShortBUGHARD=Dysfonctionnement matériel
-TicketTypeShortCOM=Commercial question
+TicketTypeShortCOM=Commercial question
TicketTypeShortHELP=Request for functionnal help
TicketTypeShortISSUE=Issue, bug or problem
TicketTypeShortREQUEST=Change or enhancement request
@@ -44,7 +42,7 @@ TicketTypeShortOTHER=Drugo
TicketSeverityShortLOW=Nizak
TicketSeverityShortNORMAL=Normal
TicketSeverityShortHIGH=Visok
-TicketSeverityShortBLOCKING=Critical/Blocking
+TicketSeverityShortBLOCKING=Critical, Blocking
ErrorBadEmailAddress=Field '%s' incorrect
MenuTicketMyAssign=My tickets
@@ -60,7 +58,6 @@ OriginEmail=Email source
Notify_TICKET_SENTBYMAIL=Send ticket message by email
# Status
-NotRead=Not read
Read=Pročitaj
Assigned=Assigned
InProgress=In progress
@@ -126,6 +123,7 @@ TicketsActivatePublicInterfaceHelp=Public interface allow any visitors to create
TicketsAutoAssignTicket=Automatically assign the user who created the ticket
TicketsAutoAssignTicketHelp=When creating a ticket, the user can be automatically assigned to the ticket.
TicketNumberingModules=Tickets numbering module
+TicketsModelModule=Document templates for tickets
TicketNotifyTiersAtCreation=Notify third party at creation
TicketsDisableCustomerEmail=Always disable emails when a ticket is created from public interface
TicketsPublicNotificationNewMessage=Send email(s) when a new message is added
@@ -233,7 +231,6 @@ TicketLogStatusChanged=Status changed: %s to %s
TicketNotNotifyTiersAtCreate=Not notify company at create
Unread=Unread
TicketNotCreatedFromPublicInterface=Not available. Ticket was not created from public interface.
-PublicInterfaceNotEnabled=Public interface was not enabled
ErrorTicketRefRequired=Ticket reference name is required
#
diff --git a/htdocs/langs/sr_RS/website.lang b/htdocs/langs/sr_RS/website.lang
index 0ff0213ef31..baa3b7e08c8 100644
--- a/htdocs/langs/sr_RS/website.lang
+++ b/htdocs/langs/sr_RS/website.lang
@@ -30,7 +30,6 @@ EditInLine=Edit inline
AddWebsite=Add website
Webpage=Web page/container
AddPage=Add page/container
-HomePage=Home Page
PageContainer=Strana
PreviewOfSiteNotYetAvailable=Preview of your website %s not yet available. You must first 'Import a full website template' or just 'Add a page/container'.
RequestedPageHasNoContentYet=Requested page with id %s has no content yet, or cache file .tpl.php was removed. Edit content of the page to solve this.
@@ -101,7 +100,7 @@ EmptyPage=Empty page
ExternalURLMustStartWithHttp=External URL must start with http:// or https://
ZipOfWebsitePackageToImport=Upload the Zip file of the website template package
ZipOfWebsitePackageToLoad=or Choose an available embedded website template package
-ShowSubcontainers=Include dynamic content
+ShowSubcontainers=Show dynamic content
InternalURLOfPage=Internal URL of page
ThisPageIsTranslationOf=This page/container is a translation of
ThisPageHasTranslationPages=This page/container has translation
@@ -137,3 +136,4 @@ RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using
PagesRegenerated=%s page(s)/container(s) regenerated
RegenerateWebsiteContent=Regenerate web site cache files
AllowedInFrames=Allowed in Frames
+DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languages into web site properties.
diff --git a/htdocs/langs/sr_RS/withdrawals.lang b/htdocs/langs/sr_RS/withdrawals.lang
index e207c6d1316..11e866cb7a1 100644
--- a/htdocs/langs/sr_RS/withdrawals.lang
+++ b/htdocs/langs/sr_RS/withdrawals.lang
@@ -42,6 +42,7 @@ LastWithdrawalReceipt=Latest %s direct debit receipts
MakeWithdrawRequest=Make a direct debit payment request
MakeBankTransferOrder=Make a credit transfer request
WithdrawRequestsDone=%s direct debit payment requests recorded
+BankTransferRequestsDone=%s credit transfer requests recorded
ThirdPartyBankCode=Third-party bank code
NoInvoiceCouldBeWithdrawed=No invoice debited successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s.
ClassCredited=Označi kreditirano
@@ -131,7 +132,8 @@ SEPARCUR=SEPA CUR
SEPAFRST=SEPA FRST
ExecutionDate=Execution date
CreateForSepa=Create direct debit file
-ICS=Creditor Identifier CI
+ICS=Creditor Identifier CI for direct debit
+ICSTransfer=Creditor Identifier CI for bank transfer
END_TO_END="EndToEndId" SEPA XML tag - Unique id assigned per transaction
USTRD="Unstructured" SEPA XML tag
ADDDAYS=Add days to Execution Date
@@ -146,3 +148,4 @@ InfoRejectSubject=Direct debit payment order refused
InfoRejectMessage=Hello,
the direct debit payment order of invoice %s related to the company %s, with an amount of %s has been refused by the bank.
-- %s
ModeWarning=Opcija za realni mod nije podešena, prekidamo posle ove simulacije.
ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know wich one to use.
+ErrorICSmissing=Missing ICS in Bank account %s
diff --git a/htdocs/langs/sv_SE/accountancy.lang b/htdocs/langs/sv_SE/accountancy.lang
index 30f4f0325a6..bdb19269ac8 100644
--- a/htdocs/langs/sv_SE/accountancy.lang
+++ b/htdocs/langs/sv_SE/accountancy.lang
@@ -47,7 +47,8 @@ CountriesInEECExceptMe=Länder i EEG förutom %s
CountriesExceptMe=Alla länder utom %s
AccountantFiles=Export source documents
ExportAccountingSourceDocHelp=With this tool, you can export the source events (list and PDFs) that were used to generate your accountancy. To export your journals, use the menu entry %s - %s.
-VueByAccountAccounting=View by accounting account
+VueByAccountAccounting=Visa baserat på redovisningskonto
+VueBySubAccountAccounting=View by accounting subaccount
MainAccountForCustomersNotDefined=Huvudsakliga bokföringskonto för kunder som inte definierats i installationen
MainAccountForSuppliersNotDefined=Huvudkonton för leverantörer som inte definierats i installationen
@@ -144,7 +145,7 @@ NotVentilatedinAccount=Ej bunden till bokföringskonto
XLineSuccessfullyBinded=%s produkter / tjänster har framgångsrikt bundet till ett bokföringskonto
XLineFailedToBeBinded=%s produkter / tjänster var inte bundna till något kontokonto
-ACCOUNTING_LIMIT_LIST_VENTILATION=Antal element att förbinda visat per sida (högst rekommenderat: 50)
+ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50)
ACCOUNTING_LIST_SORT_VENTILATION_TODO=Börja sorteringen av sidan "Bindning att göra" av de senaste elementen
ACCOUNTING_LIST_SORT_VENTILATION_DONE=Börja sorteringen av sidan "Bindning gjort" av de senaste elementen
@@ -198,7 +199,8 @@ Docdate=Datum
Docref=Referens
LabelAccount=Etikett konto
LabelOperation=Etikettoperation
-Sens=Sens
+Sens=Direction
+AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received For an accounting account of a supplier, use Debit to record a payment you make
LetteringCode=Brevkod
Lettering=Lettering
Codejournal=Loggbok
@@ -206,7 +208,8 @@ JournalLabel=Loggboksetikett
NumPiece=Stycke nummer
TransactionNumShort=Num. transaktion
AccountingCategory=Personliga grupper
-GroupByAccountAccounting=Grupp efter bokföringskonto
+GroupByAccountAccounting=Group by general ledger account
+GroupBySubAccountAccounting=Group by subledger account
AccountingAccountGroupsDesc=Här kan du definiera vissa grupper av bokföringskonto. De kommer att användas för personliga redovisningsrapporter.
ByAccounts=Enligt konton
ByPredefinedAccountGroups=Av fördefinierade grupper
@@ -248,7 +251,7 @@ PaymentsNotLinkedToProduct=Betalning som inte är kopplad till någon produkt /
OpeningBalance=Opening balance
ShowOpeningBalance=Show opening balance
HideOpeningBalance=Hide opening balance
-ShowSubtotalByGroup=Show subtotal by group
+ShowSubtotalByGroup=Show subtotal by level
Pcgtype=Grupp av konto
PcgtypeDesc=Group of account are used as predefined 'filter' and 'grouping' criteria for some accounting reports. For example, 'INCOME' or 'EXPENSE' are used as groups for accounting accounts of products to build the expense/income report.
@@ -271,11 +274,13 @@ DescVentilExpenseReport=Här kan du se listan över kostnadsrapporter som är bu
DescVentilExpenseReportMore=Om du ställer in bokföringskonto på typ av kostnadsrapportrader kommer applikationen att kunna göra alla bindningar mellan dina kostnadsrapporter och konton för ditt kontoplan, bara med ett klick med knappen "%s" . Om kontot inte var inställt på avgifterna eller om du fortfarande har några rader som inte är kopplade till något konto måste du göra en manuell bindning från menyn " %s ".
DescVentilDoneExpenseReport=Här kan du se listan över raderna för kostnadsrapporter och deras bokföringskonto
+Closure=Annual closure
DescClosure=Consult here the number of movements by month who are not validated & fiscal years already open
OverviewOfMovementsNotValidated=Step 1/ Overview of movements not validated. (Necessary to close a fiscal year)
+AllMovementsWereRecordedAsValidated=All movements were recorded as validated
+NotAllMovementsCouldBeRecordedAsValidated=Not all movements could be recorded as validated
ValidateMovements=Validate movements
DescValidateMovements=Any modification or deletion of writing, lettering and deletes will be prohibited. All entries for an exercise must be validated otherwise closing will not be possible
-SelectMonthAndValidate=Select month and validate movements
ValidateHistory=Förbind automatiskt
AutomaticBindingDone=Automatisk bindning gjord
@@ -293,6 +298,7 @@ Accounted=Redovisas i huvudbok
NotYetAccounted=Ännu inte redovisad i huvudbok
ShowTutorial=Show Tutorial
NotReconciled=Inte avstämd
+WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view
## Admin
BindingOptions=Binding options
@@ -337,6 +343,7 @@ Modelcsv_LDCompta10=Export for LD Compta (v10 & higher)
Modelcsv_openconcerto=Export for OpenConcerto (Test)
Modelcsv_configurable=Exportera CSV konfigurerbar
Modelcsv_FEC=Export FEC
+Modelcsv_FEC2=Export FEC (With dates generation writing / document reversed)
Modelcsv_Sage50_Swiss=Export for Sage 50 Switzerland
Modelcsv_winfic=Export Winfic - eWinfic - WinSis Compta
Modelcsv_Gestinumv3=Export for Gestinum (v3)
diff --git a/htdocs/langs/sv_SE/admin.lang b/htdocs/langs/sv_SE/admin.lang
index 067f3a478a2..052749dd38f 100644
--- a/htdocs/langs/sv_SE/admin.lang
+++ b/htdocs/langs/sv_SE/admin.lang
@@ -56,6 +56,8 @@ GUISetup=Visa
SetupArea=Inställning
UploadNewTemplate=Ladda upp ny mall (er)
FormToTestFileUploadForm=Formulär för att testa filuppladdning (enligt inställningar)
+ModuleMustBeEnabled=The module/application %s must be enabled
+ModuleIsEnabled=The module/application %s has been enabled
IfModuleEnabled=Anm: ja effektivt endast om modul %s är aktiverat
RemoveLock=Ta bort / byt namn på filen %s om den existerar, för att tillåta användning av Update / Install-verktyget.
RestoreLock=Återställ fil %s , endast med läsbehörighet, för att inaktivera ytterligare användning av Update / Install-verktyget.
@@ -85,7 +87,6 @@ ShowPreview=Visa förhandsgranskning
ShowHideDetails=Show-Hide details
PreviewNotAvailable=Förhandsgranska inte tillgänglig
ThemeCurrentlyActive=Tema för tillfället
-CurrentTimeZone=PHP server tidszon
MySQLTimeZone=Timezone MySql (databas)
TZHasNoEffect=Datum lagras och returneras av databaseserver som om de behölls som inlämnade strängar. Tidszonen har endast effekt när UNIX_TIMESTAMP-funktionen används (som inte ska användas av Dolibarr, så databasen TZ skulle inte ha någon effekt, även om den ändrats efter att data hade angetts).
Space=Space
@@ -153,8 +154,8 @@ SystemToolsAreaDesc=Detta område ger administrationsfunktioner. Använd menyn f
Purge=Rensa
PurgeAreaDesc=På den här sidan kan du radera alla filer som genereras eller lagras av Dolibarr (temporära filer eller alla filer i %s katalog). Att använda den här funktionen är normalt inte nödvändig. Den tillhandahålls som en lösning för användare vars Dolibarr är värd av en leverantör som inte erbjuder behörigheter för att radera filer som genereras av webbservern.
PurgeDeleteLogFile=Ta bort loggfiler, inklusive %s definierad för Syslog-modulen (ingen risk att förlora data)
-PurgeDeleteTemporaryFiles=Delete all temporary files (no risk of losing data). Note: Deletion is done only if the temp directory was created 24 hours ago.
-PurgeDeleteTemporaryFilesShort=Ta bort temporära filer
+PurgeDeleteTemporaryFiles=Delete all log and temporary files (no risk of losing data). Note: Deletion of temporary files is done only if the temp directory was created more than 24 hours ago.
+PurgeDeleteTemporaryFilesShort=Delete log and temporary files
PurgeDeleteAllFilesInDocumentsDir=Ta bort alla filer i katalogen: %s . Detta tar bort alla genererade dokument relaterade till elementer (tredje part, fakturor etc ...), filer som laddas upp i ECM-modulen, databassäkerhetskopior och tillfälliga filer.
PurgeRunNow=Rensa nu
PurgeNothingToDelete=Ingen katalog eller filer att radera.
@@ -256,6 +257,7 @@ ReferencedPreferredPartners=Preferred Partners
OtherResources=Andra resurser
ExternalResources=Externa resurser
SocialNetworks=Sociala nätverk
+SocialNetworkId=Social Network ID
ForDocumentationSeeWiki=För användarens eller utvecklarens dokumentation (Doc, FAQs ...), ta en titt på Dolibarr Wiki: %s
ForAnswersSeeForum=För alla andra frågor / hjälp, kan du använda Dolibarr forumet: %s
HelpCenterDesc1=Här finns några resurser för att få hjälp och support med Dolibarr.
@@ -375,7 +377,7 @@ ExamplesWithCurrentSetup=Exempel med nuvarande konfiguration
ListOfDirectories=Förteckning över OpenDocument mallar kataloger
ListOfDirectoriesForModelGenODT=Lista över kataloger som innehåller mallfiler med OpenDocument-format.
Sätt här hela sökvägen till kataloger. Lägg till en vagnretur mellan eah-katalogen. För att lägga till en katalog över GED-modulen, lägg till här DOL_DATA_ROOT / ecm / ditt katalognamn .
Filer i katalogerna måste sluta med .odt eller .ods .
NumberOfModelFilesFound=Antal ODT / ODS-mallfiler som finns i dessa kataloger
-ExampleOfDirectoriesForModelGen=Exempel på syntax: C: \\ Mydir / Home / Mydir DOL_DATA_ROOT / ECM / ecmdir
+ExampleOfDirectoriesForModelGen=Examples of syntax: c:\\myapp\\mydocumentdir\\mysubdir /home/myapp/mydocumentdir/mysubdir DOL_DATA_ROOT/ecm/ecmdir
FollowingSubstitutionKeysCanBeUsed= Att veta hur du skapar dina odT dokumentmallar, innan du förvarar dem i dessa kataloger, läs wiki dokumentation:
FullListOnOnlineDocumentation=http://wiki.dolibarr.org/index.php/Create_an_ODT_document_template
FirstnameNamePosition=Ståndpunkt av förnamn / namn
@@ -406,7 +408,7 @@ UrlGenerationParameters=Parametrar för att säkra webbadresser
SecurityTokenIsUnique=Använd en unik securekey parameter för varje webbadress
EnterRefToBuildUrl=Ange referens för objekt %s
GetSecuredUrl=Få beräknat URL
-ButtonHideUnauthorized=Dölj knappar för icke-administrativa användare för obehöriga åtgärder istället för att visa grått inaktiverade knappar
+ButtonHideUnauthorized=Hide unauthorized action buttons also for internal users (just greyed otherwise)
OldVATRates=Gammal momssats
NewVATRates=Ny momssats
PriceBaseTypeToChange=Ändra om priser med bas referensvärde som definieras på
@@ -1689,7 +1691,7 @@ NotTopTreeMenuPersonalized=Personliga menyer som inte är kopplade till en toppm
NewMenu=Ny meny
MenuHandler=Meny handler
MenuModule=Källa modul
-HideUnauthorizedMenu= Göm obehöriga menyer (grå)
+HideUnauthorizedMenu=Hide unauthorized menus also for internal users (just greyed otherwise)
DetailId=Id-menyn
DetailMenuHandler=Meny hanterare där för att visa nya menyn
DetailMenuModule=Modulnamn om menyalternativet kommer från en modul
@@ -1983,11 +1985,12 @@ EMailHost=Värd för e-post IMAP-server
MailboxSourceDirectory=Postkälla källkatalog
MailboxTargetDirectory=Målkatalogen för brevlådan
EmailcollectorOperations=Verksamhet att göra av samlare
+EmailcollectorOperationsDesc=Operations are executed from top to bottom order
MaxEmailCollectPerCollect=Max number of emails collected per collect
CollectNow=Samla nu
ConfirmCloneEmailCollector=Are you sure you want to clone the Email collector %s ?
-DateLastCollectResult=Datum senaste samlingen försökt
-DateLastcollectResultOk=Datum senaste samla framgångsrikt
+DateLastCollectResult=Date of latest collect try
+DateLastcollectResultOk=Date of latest collect success
LastResult=Senaste resultatet
EmailCollectorConfirmCollectTitle=E-post samla bekräftelse
EmailCollectorConfirmCollect=Vill du springa samlingen för den här samlaren nu?
@@ -2005,7 +2008,7 @@ WithDolTrackingID=Message from a conversation initiated by a first email sent fr
WithoutDolTrackingID=Message from a conversation initiated by a first email NOT sent from Dolibarr
WithDolTrackingIDInMsgId=Message sent from Dolibarr
WithoutDolTrackingIDInMsgId=Message NOT sent from Dolibarr
-CreateCandidature=Create candidature
+CreateCandidature=Create job application
FormatZip=Zip
MainMenuCode=Menyinmatningskod (huvudmeny)
ECMAutoTree=Visa automatiskt ECM-träd
@@ -2083,3 +2086,7 @@ CountryIfSpecificToOneCountry=Country (if specific to a given country)
YouMayFindSecurityAdviceHere=You may find security advisory here
ModuleActivatedMayExposeInformation=This module may expose sensitive data. If you don't need it, disable it.
ModuleActivatedDoNotUseInProduction=A module designed for the development has been enabled. Do not enable it on a production environment.
+CombinationsSeparator=Separator character for product combinations
+SeeLinkToOnlineDocumentation=See link to online documention on top menu for examples
+SHOW_SUBPRODUCT_REF_IN_PDF=If the feature "%s" of module %s is used, show details of subproducts of a kit on PDF.
+AskThisIDToYourBank=Contact your bank to get this ID
diff --git a/htdocs/langs/sv_SE/banks.lang b/htdocs/langs/sv_SE/banks.lang
index dc82d075631..21b5c960d74 100644
--- a/htdocs/langs/sv_SE/banks.lang
+++ b/htdocs/langs/sv_SE/banks.lang
@@ -173,8 +173,8 @@ SEPAMandate=SEPA-mandatet
YourSEPAMandate=Ditt SEPA-mandat
FindYourSEPAMandate=Detta är ditt SEPA-mandat för att bemyndiga vårt företag att göra direkt debitering till din bank. Returnera det undertecknat (skanna av det signerade dokumentet) eller skicka det via post till
AutoReportLastAccountStatement=Fyll i fältet 'Antal kontoutdrag' automatiskt med det sista kontonummeret när avstämning görs
-CashControl=POS kontantstängsel
-NewCashFence=Nytt kontantstängsel
+CashControl=POS cash desk control
+NewCashFence=New cash desk closing
BankColorizeMovement=Colorize movements
BankColorizeMovementDesc=If this function is enable, you can choose specific background color for debit or credit movements
BankColorizeMovementName1=Background color for debit movement
diff --git a/htdocs/langs/sv_SE/blockedlog.lang b/htdocs/langs/sv_SE/blockedlog.lang
index 480f38a923d..56f0339d071 100644
--- a/htdocs/langs/sv_SE/blockedlog.lang
+++ b/htdocs/langs/sv_SE/blockedlog.lang
@@ -35,7 +35,7 @@ logDON_DELETE=Donation logisk borttagning
logMEMBER_SUBSCRIPTION_CREATE=Medlemskapsabonnemang skapad
logMEMBER_SUBSCRIPTION_MODIFY=Medlemsabonnemang modifierad
logMEMBER_SUBSCRIPTION_DELETE=Medlems abonnemangs logisk borttagning
-logCASHCONTROL_VALIDATE=Kontantskyddsinspelning
+logCASHCONTROL_VALIDATE=Cash desk closing recording
BlockedLogBillDownload=Kundfaktura nedladdning
BlockedLogBillPreview=Kundfaktura förhandsvisning
BlockedlogInfoDialog=Logguppgifter
diff --git a/htdocs/langs/sv_SE/boxes.lang b/htdocs/langs/sv_SE/boxes.lang
index 8de035e3c7b..882e2535019 100644
--- a/htdocs/langs/sv_SE/boxes.lang
+++ b/htdocs/langs/sv_SE/boxes.lang
@@ -46,9 +46,12 @@ BoxTitleLastModifiedDonations=Senast %s ändrade donationer
BoxTitleLastModifiedExpenses=Senaste %s modifierade kostnadsrapporterna
BoxTitleLatestModifiedBoms=Latest %s modified BOMs
BoxTitleLatestModifiedMos=Latest %s modified Manufacturing Orders
+BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded
BoxGlobalActivity=Global aktivitet (fakturor, förslag, order)
BoxGoodCustomers=Bra kunder
BoxTitleGoodCustomers=%s Bra kunder
+BoxScheduledJobs=Schemalagda jobb
+BoxTitleFunnelOfProspection=Lead funnel
FailedToRefreshDataInfoNotUpToDate=Misslyckades med att uppdatera RSS-flöde. Senaste framgångsrika uppdateringsdatum: %s
LastRefreshDate=Senaste uppdateringsdatum
NoRecordedBookmarks=Inga bokmärken definieras. Klicka här för att lägga till bokmärken.
@@ -102,5 +105,7 @@ SuspenseAccountNotDefined=Suspense account isn't defined
BoxLastCustomerShipments=Last customer shipments
BoxTitleLastCustomerShipments=Latest %s customer shipments
NoRecordedShipments=No recorded customer shipment
+BoxCustomersOutstandingBillReached=Customers with oustanding limit reached
# Pages
AccountancyHome=Redovisning
+ValidatedProjects=Validated projects
diff --git a/htdocs/langs/sv_SE/cashdesk.lang b/htdocs/langs/sv_SE/cashdesk.lang
index de64394d96b..96ea227c941 100644
--- a/htdocs/langs/sv_SE/cashdesk.lang
+++ b/htdocs/langs/sv_SE/cashdesk.lang
@@ -49,8 +49,8 @@ Footer=sidfot
AmountAtEndOfPeriod=Belopp vid periodens utgång (dag, månad eller år)
TheoricalAmount=Teoretisk mängd
RealAmount=Verklig mängd
-CashFence=Cash fence
-CashFenceDone=Kassaskydd gjord för perioden
+CashFence=Cash desk closing
+CashFenceDone=Cash desk closing done for the period
NbOfInvoices=Antal av fakturor
Paymentnumpad=Typ av kudde för att komma in i betalningen
Numberspad=Numbers Pad
@@ -99,8 +99,9 @@ CashDeskRefNumberingModules=Numbering module for POS sales
CashDeskGenericMaskCodes6 = {TN} tag is used to add the terminal number
TakeposGroupSameProduct=Group same products lines
StartAParallelSale=Start a new parallel sale
-ControlCashOpening=Control cash box at opening POS
-CloseCashFence=Close cash fence
+SaleStartedAt=Sale started at %s
+ControlCashOpening=Control cash popup at opening POS
+CloseCashFence=Close cash desk control
CashReport=Cash report
MainPrinterToUse=Main printer to use
OrderPrinterToUse=Order printer to use
@@ -122,3 +123,4 @@ GiftReceipt=Gift receipt
ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled first
AllowDelayedPayment=Allow delayed payment
PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts
+WeighingScale=Weighing scale
diff --git a/htdocs/langs/sv_SE/categories.lang b/htdocs/langs/sv_SE/categories.lang
index f3c56936403..821c5b52128 100644
--- a/htdocs/langs/sv_SE/categories.lang
+++ b/htdocs/langs/sv_SE/categories.lang
@@ -19,6 +19,7 @@ ProjectsCategoriesArea=Projektets taggar / kategorier område
UsersCategoriesArea=Användare taggar / kategorier område
SubCats=Underkategorier
CatList=Lista med taggar / kategorier
+CatListAll=List of tags/categories (all types)
NewCategory=Ny tagg / kategori
ModifCat=Ändra tagg / kategori
CatCreated=Tagg / kategori skapad
@@ -65,16 +66,22 @@ UsersCategoriesShort=Användare taggar / kategorier
StockCategoriesShort=Warehouse tags/categories
ThisCategoryHasNoItems=This category does not contain any items.
CategId=Tagg / kategori id
-CatSupList=Lista över leverantörskoder / kategorier
-CatCusList=Lista över kund / prospektetiketter / kategorier
+ParentCategory=Parent tag/category
+ParentCategoryLabel=Label of parent tag/category
+CatSupList=List of vendors tags/categories
+CatCusList=List of customers/prospects tags/categories
CatProdList=Lista över produkter taggar / kategorier
CatMemberList=Lista över medlemmar taggar / kategorier
-CatContactList=Lista över kontaktkoder / kategorier
-CatSupLinks=Länkar mellan leverantörer och taggar / kategorier
+CatContactList=List of contacts tags/categories
+CatProjectsList=List of projects tags/categories
+CatUsersList=List of users tags/categories
+CatSupLinks=Links between vendors and tags/categories
CatCusLinks=Länkar mellan kunder / utsikter och taggar / kategorier
CatContactsLinks=Links between contacts/addresses and tags/categories
CatProdLinks=Länkar mellan produkter / tjänster och taggar / kategorier
-CatProJectLinks=Länkar mellan projekt och taggar / kategorier
+CatMembersLinks=Links between members and tags/categories
+CatProjectsLinks=Links between projects and tags/categories
+CatUsersLinks=Links between users and tags/categories
DeleteFromCat=Ta bort från taggar / kategori
ExtraFieldsCategories=Extra attibut
CategoriesSetup=Taggar / kategorier inställning
diff --git a/htdocs/langs/sv_SE/companies.lang b/htdocs/langs/sv_SE/companies.lang
index 57b74758a58..1e64d1649c3 100644
--- a/htdocs/langs/sv_SE/companies.lang
+++ b/htdocs/langs/sv_SE/companies.lang
@@ -358,7 +358,7 @@ VATIntraCheckableOnEUSite=Kontrollera momsnumret inom gemenskapen på Europeiska
VATIntraManualCheck=Du kan också kontrollera manuellt på Europeiska kommissionens webbplats %s
ErrorVATCheckMS_UNAVAILABLE=Kontroll inte möjlig. Kontrollera om tjänsten tillhandahålls av medlemsstaten (%s).
NorProspectNorCustomer=Inte utsikter, eller kund
-JuridicalStatus=Juridisk enhetstyp
+JuridicalStatus=Business entity type
Workforce=Workforce
Staff=anställda
ProspectLevelShort=Potentiella
diff --git a/htdocs/langs/sv_SE/compta.lang b/htdocs/langs/sv_SE/compta.lang
index 481d0ead328..b9ac03cf0ef 100644
--- a/htdocs/langs/sv_SE/compta.lang
+++ b/htdocs/langs/sv_SE/compta.lang
@@ -111,7 +111,7 @@ Refund=Återbetalning
SocialContributionsPayments=Betalning av sociala / skattemässiga skatter
ShowVatPayment=Visa mervärdesskatteskäl
TotalToPay=Totalt att betala
-BalanceVisibilityDependsOnSortAndFilters=Balans är endast synlig i den här listan om tabell sorteras stigande på %s och filtreras för 1 bankkonto
+BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted on %s and filtered on 1 bank account (with no other filters)
CustomerAccountancyCode=Kundbokföringskod
SupplierAccountancyCode=Vendor accounting code
CustomerAccountancyCodeShort=Cust. konto. koda
@@ -140,7 +140,7 @@ ConfirmDeleteSocialContribution=Är du säker på att du vill ta bort denna soci
ExportDataset_tax_1=Sociala och skattemässiga skatter och betalningar
CalcModeVATDebt=Läge% svat på redovisning engagemang% s.
CalcModeVATEngagement=Läge% svat på inkomster-utgifter% s.
-CalcModeDebt=Analys av kända inspelade fakturor, även om de ännu inte redovisas i huvudboken.
+CalcModeDebt=Analysis of known recorded documents even if they are not yet accounted in ledger.
CalcModeEngagement=Analys av kända registrerade betalningar, även om de ännu inte är redovisade i huvudboken.
CalcModeBookkeeping=Analys av data bokförd i huvudboken.
CalcModeLT1= Läge% SRE på kundfakturor - leverantörerna fakturerar% s
@@ -154,9 +154,9 @@ AnnualSummaryInputOutputMode=Överskott av intäkter och kostnader, årliga samm
AnnualByCompanies=Inkomst- och utgiftsbalans, enligt fördefinierade konton
AnnualByCompaniesDueDebtMode=Balans av intäkter och kostnader, detalj av fördefinierade grupper, läge %sClaims-Debts%s sa Åtagandebetalning .
AnnualByCompaniesInputOutputMode=Balance of income and expenses, detail by predefined groups, mode %sIncomes-Expenses%s said cash accounting.
-SeeReportInInputOutputMode=Se %sanalys av payments%s för en beräkning av faktiska betalningar som gjorts även om de ännu inte är redovisade i huvudboken.
-SeeReportInDueDebtMode=Se %sanalys av fakturor%s för en beräkning baserad på kända inspelade fakturor, även om de ännu inte är redovisade i huvudboken.
-SeeReportInBookkeepingMode=Se %sBokföringsrapport%s för en beräkning på Bokföring huvudboken tabell
+SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation based on recorded payments made even if they are not yet accounted in Ledger
+SeeReportInDueDebtMode=See %sanalysis of recorded documents%s for a calculation based on known recorded documents even if they are not yet accounted in Ledger
+SeeReportInBookkeepingMode=See %sanalysis of bookeeping ledger table%s for a report based on Bookkeeping Ledger table
RulesAmountWithTaxIncluded=- Belopp som visas är med alla skatter inkluderade
RulesResultDue=- It includes outstanding invoices, expenses, VAT, donations whether they are paid or not. Is also includes paid salaries. - It is based on the billing date of invoices and on the due date for expenses or tax payments. For salaries defined with Salary module, the value date of payment is used.
RulesResultInOut=- Det inkluderar de reala betalningarna på fakturor, utgifter, moms och löner. - Det baseras på fakturadatum för fakturor, utgifter, moms och löner. Donationsdatum för donation.
@@ -169,12 +169,15 @@ RulesResultBookkeepingPersonalized=Det visar rekord i din huvudboken med bokför
SeePageForSetup=Se meny %s för installation
DepositsAreNotIncluded=- Betalningsfakturor ingår ej
DepositsAreIncluded=- Betalningsfakturor ingår
+LT1ReportByMonth=Tax 2 report by month
+LT2ReportByMonth=Tax 3 report by month
LT1ReportByCustomers=Rapportera skatt 2 av tredje part
LT2ReportByCustomers=Rapportera skatt 3 av tredje part
LT1ReportByCustomersES=Rapport från tredje part RE
LT2ReportByCustomersES=Rapport från tredje part IRPF
VATReport=Försäljningsskatterapport
VATReportByPeriods=Försäljningsskattrapport per period
+VATReportByMonth=Sale tax report by month
VATReportByRates=Försäljningsskattrapport enligt priser
VATReportByThirdParties=Försäljningsskattrapport från tredje part
VATReportByCustomers=Försäljningsskatt rapport från kund
diff --git a/htdocs/langs/sv_SE/cron.lang b/htdocs/langs/sv_SE/cron.lang
index a8a025d1345..05f3017600e 100644
--- a/htdocs/langs/sv_SE/cron.lang
+++ b/htdocs/langs/sv_SE/cron.lang
@@ -7,13 +7,14 @@ Permission23103 = Radera schemalagt jobb
Permission23104 = Utför schemalagt jobb
# Admin
CronSetup=Planerad jobbhantering installation
-URLToLaunchCronJobs=URL för att kontrollera och starta kvalificerade cron-jobb
-OrToLaunchASpecificJob=Eller för att kontrollera och starta ett specifikt arbete
+URLToLaunchCronJobs=URL to check and launch qualified cron jobs from a browser
+OrToLaunchASpecificJob=Or to check and launch a specific job from a browser
KeyForCronAccess=Säkerhetsnyckel för URL för att lansera cron-jobb
FileToLaunchCronJobs=Kommandorad för att kontrollera och starta kvalificerade cron-jobb
CronExplainHowToRunUnix=I en Unix-miljö bör följande rad läggas i crontab så kommandot exekveras var 5:e minut.
CronExplainHowToRunWin=I Microsoft (tm) Windows-miljö kan du använda Schemalagda uppgiftsverktyg för att köra kommandoraden var 5: e minut
CronMethodDoesNotExists=Klass %s innehåller ingen metod %s
+CronMethodNotAllowed=Method %s of class %s is in blacklist of forbidden methods
CronJobDefDesc=Cron-jobbprofiler definieras i modulbeskrivningsfilen. När modulen är aktiverad laddas de och är tillgängliga så att du kan administrera jobben från adminverktygsmenyn %s.
CronJobProfiles=Förteckning över fördefinierade cron jobbprofiler
# Menu
@@ -42,10 +43,11 @@ CronModule=Modul
CronNoJobs=Inga jobb registrerade
CronPriority=Prioritet
CronLabel=Etikett
-CronNbRun=Antal lanseringar
+CronNbRun=Number of launches
CronMaxRun=Maximalt antal lanseringar
CronEach=Varje
JobFinished=Job lanserad och klar
+Scheduled=Scheduled
#Page card
CronAdd= Lägg till jobb
CronEvery=Utför jobbet vardera
@@ -56,7 +58,7 @@ CronNote=Kommentar
CronFieldMandatory=Fält %s är obligatoriskt
CronErrEndDateStartDt=Slutdatum kan inte vara före startdatum
StatusAtInstall=Status vid modulinstallation
-CronStatusActiveBtn=Aktivera
+CronStatusActiveBtn=Schedule
CronStatusInactiveBtn=Inaktivera
CronTaskInactive=Det här jobbet är avaktiverat
CronId=Id
@@ -76,8 +78,14 @@ CronType_method=Samtalsmetod för en PHP-klass
CronType_command=Skalkommando
CronCannotLoadClass=Kan inte ladda klassfilen %s (för att använda klass %s)
CronCannotLoadObject=Klassfilen %s laddades, men objektet %s kunde inte hittas i det
-UseMenuModuleToolsToAddCronJobs=Gå till menyn "Hem - Adminverktyg - Schemalagda jobb" för att se och redigera schemalagda jobb.
+UseMenuModuleToolsToAddCronJobs=Go into menu "Home - Admin tools - Scheduled jobs" to see and edit scheduled jobs.
JobDisabled=Jobb inaktiverat
MakeLocalDatabaseDumpShort=Lokal databas säkerhetskopia
MakeLocalDatabaseDump=Skapa en lokal databasdump. Parametrarna är: komprimering ('gz' eller 'bz' eller 'none'), säkerhetskopieringstyp ('mysql', 'pgsql', 'auto'), 1, 'auto' eller filnamn att bygga, antal backupfiler för att hålla
WarningCronDelayed=Uppmärksamhet, för prestationsändamål, vad som än är nästa datum för utförande av aktiverade jobb, kan dina jobb försenas till högst %s timmar innan de körs.
+DATAPOLICYJob=Data cleaner and anonymizer
+JobXMustBeEnabled=Job %s must be enabled
+# Cron Boxes
+LastExecutedScheduledJob=Last executed scheduled job
+NextScheduledJobExecute=Next scheduled job to execute
+NumberScheduledJobError=Number of scheduled jobs in error
diff --git a/htdocs/langs/sv_SE/errors.lang b/htdocs/langs/sv_SE/errors.lang
index feca0db02b2..0ec329c972d 100644
--- a/htdocs/langs/sv_SE/errors.lang
+++ b/htdocs/langs/sv_SE/errors.lang
@@ -5,8 +5,10 @@ NoErrorCommitIsDone=Inget fel
# Errors
ErrorButCommitIsDone=Fel hittades men vi bekräfta trots detta
ErrorBadEMail=E-post %s är fel
+ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record)
ErrorBadUrl=Url %s är fel
ErrorBadValueForParamNotAString=Dåligt värde för din parameter. Det lägger till i allmänhet när översättning saknas.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorLoginAlreadyExists=Logga %s finns redan.
ErrorGroupAlreadyExists=Grupp %s finns redan.
ErrorRecordNotFound=Spela in hittades inte.
@@ -48,6 +50,7 @@ ErrorFieldsRequired=Vissa obligatoriska fält inte fylls.
ErrorSubjectIsRequired=E-postämnet krävs
ErrorFailedToCreateDir=Misslyckades med att skapa en katalog. Kontrollera att webbservern användaren har rättigheter att skriva till Dolibarr dokument katalogen. Om parametern safe_mode är aktiv på PHP, kontrollera att Dolibarr php-filer äger till webbserver användare (eller grupp).
ErrorNoMailDefinedForThisUser=Ingen post definierats för denna användare
+ErrorSetupOfEmailsNotComplete=Setup of emails is not complete
ErrorFeatureNeedJavascript=Denna funktion måste ha Javascript vara aktiverat för att arbeta. Ändra detta i inställning - displayen.
ErrorTopMenuMustHaveAParentWithId0=En meny av typen "Top" kan inte ha en förälder meny. Sätt 0 i överordnade menyn eller välja en meny av typen "Vänster".
ErrorLeftMenuMustHaveAParentId=En meny av typen "Vänster" måste ha en förälder id.
@@ -75,7 +78,7 @@ ErrorExportDuplicateProfil=Detta profilnamn finns redan för denna export.
ErrorLDAPSetupNotComplete=Dolibarr-LDAP matchning inte är fullständig.
ErrorLDAPMakeManualTest=A. LDIF filen har genererats i katalogen %s. Försök att läsa in den manuellt från kommandoraden för att få mer information om fel.
ErrorCantSaveADoneUserWithZeroPercentage=Kan inte spara en åtgärd med "status inte startad" om fältet "gjort av" också är fyllt.
-ErrorRefAlreadyExists=Ref används för att skapa finns redan.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorPleaseTypeBankTransactionReportName=Var god ange kontoutdragsnamnet där posten ska rapporteras
ErrorRecordHasChildren=Misslyckades med att radera rekord eftersom det har några barnrekord.
ErrorRecordHasAtLeastOneChildOfType=Objektet har minst ett barn av typ %s
@@ -216,7 +219,7 @@ ErrorChooseBetweenFreeEntryOrPredefinedProduct=Du måste välja om artikeln är
ErrorDiscountLargerThanRemainToPaySplitItBefore=Den rabatt du försöker att tillämpa är större än förblir att betala. Dela rabatten i 2 mindre rabatter före.
ErrorFileNotFoundWithSharedLink=Filen hittades inte. Det kan hända att dela nyckeln ändrades eller filen togs bort nyligen.
ErrorProductBarCodeAlreadyExists=Produktens streckkod %s finns redan på en annan produktreferens.
-ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Observera också att det är inte möjligt att använda en virtuell produkt för automatisk ökning / minskning av underprodukt när minst en underprodukt (eller delprodukt av underprodukter) behöver ett serienummer / lotnummer.
+ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using kits to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number.
ErrorDescRequiredForFreeProductLines=Beskrivning är obligatorisk för linjer med fri produkt
ErrorAPageWithThisNameOrAliasAlreadyExists=Sidan / behållaren %s har samma namn eller alternativ alias som den du försöker använda
ErrorDuringChartLoad=Fel vid inmatning av kontoplan. Om några konton inte laddades, kan du fortfarande skriva in dem manuellt.
@@ -243,6 +246,16 @@ ErrorReplaceStringEmpty=Error, the string to replace into is empty
ErrorProductNeedBatchNumber=Error, product '%s' need a lot/serial number
ErrorProductDoesNotNeedBatchNumber=Error, product '%s' does not accept a lot/serial number
ErrorFailedToReadObject=Error, failed to read object of type %s
+ErrorParameterMustBeEnabledToAllwoThisFeature=Error, parameter %s must be enabled into conf/conf.php to allow use of Command Line Interface by the internal job scheduler
+ErrorLoginDateValidity=Error, this login is outside the validity date range
+ErrorValueLength=Length of field '%s' must be higher than '%s'
+ErrorReservedKeyword=The word '%s' is a reserved keyword
+ErrorNotAvailableWithThisDistribution=Not available with this distribution
+ErrorPublicInterfaceNotEnabled=Public interface was not enabled
+ErrorLanguageRequiredIfPageIsTranslationOfAnother=The language of new page must be defined if it is set as a translation of another page
+ErrorLanguageMustNotBeSourceLanguageIfPageIsTranslationOfAnother=The language of new page must not be the source language if it is set as a translation of another page
+ErrorAParameterIsRequiredForThisOperation=A parameter is mandatory for this operation
+
# Warnings
WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup.
WarningPasswordSetWithNoAccount=Ett lösenord har ställts för den här medlemmen. Men inget användarkonto skapades. Så det här lösenordet är lagrat men kan inte användas för att logga in till Dolibarr. Den kan användas av en extern modul / gränssnitt men om du inte behöver definiera någon inloggning eller ett lösenord för en medlem kan du inaktivera alternativet "Hantera en inloggning för varje medlem" från inställningen av medlemsmodulen. Om du behöver hantera en inloggning men inte behöver något lösenord, kan du hålla fältet tomt för att undvika denna varning. Obs! Email kan också användas som inloggning om medlemmen är länkad till en användare.
@@ -267,6 +280,10 @@ WarningYourLoginWasModifiedPleaseLogin=Din inloggning har ändrats. För säkerh
WarningAnEntryAlreadyExistForTransKey=Det finns redan en post för översättningsnyckeln för det här språket
WarningNumberOfRecipientIsRestrictedInMassAction=Varning, antalet olika mottagare är begränsat till %s vid användning av massåtgärder på listor
WarningDateOfLineMustBeInExpenseReportRange=Varning, datumet för raden ligger inte inom kostnadsberäkningsområdet
+WarningProjectDraft=Project is still in draft mode. Don't forget to validate it if you plan to use tasks.
WarningProjectClosed=Projektet är stängt. Du måste öppna den först igen.
WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list.
-WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table
+WarningFailedToAddFileIntoDatabaseIndex=Warning, failed to add file entry into ECM database index table
+WarningTheHiddenOptionIsOn=Warning, the hidden option %s is on.
+WarningCreateSubAccounts=Warning, you can't create directly a sub account, you must create a third party or an user and assign them an accounting code to find them in this list
+WarningAvailableOnlyForHTTPSServers=Available only if using HTTPS secured connection.
diff --git a/htdocs/langs/sv_SE/exports.lang b/htdocs/langs/sv_SE/exports.lang
index cd841c26648..445763abcf0 100644
--- a/htdocs/langs/sv_SE/exports.lang
+++ b/htdocs/langs/sv_SE/exports.lang
@@ -26,6 +26,8 @@ FieldTitle=Fält titel
NowClickToGenerateToBuildExportFile=Välj nu filformatet i kombinationsrutan och klicka på "Generera" för att bygga exportfilen ...
AvailableFormats=Tillgängliga format
LibraryShort=Bibliotek
+ExportCsvSeparator=Csv caracter separator
+ImportCsvSeparator=Csv caracter separator
Step=Steg
FormatedImport=Importassistent
FormatedImportDesc1=Den här modulen låter dig uppdatera befintliga data eller lägga till nya objekt i databasen från en fil utan teknisk kunskap, med hjälp av en assistent.
@@ -131,3 +133,4 @@ KeysToUseForUpdates=Nyckel (kolumn) som ska användas för uppdatering av
NbInsert=Antal infogade rader: %s
NbUpdate=Antal uppdaterade rader: %s
MultipleRecordFoundWithTheseFilters=Flera poster har hittats med dessa filter: %s
+StocksWithBatch=Stocks and location (warehouse) of products with batch/serial number
diff --git a/htdocs/langs/sv_SE/mails.lang b/htdocs/langs/sv_SE/mails.lang
index ae4c2707259..21677a700f2 100644
--- a/htdocs/langs/sv_SE/mails.lang
+++ b/htdocs/langs/sv_SE/mails.lang
@@ -92,6 +92,7 @@ MailingModuleDescEmailsFromUser=E-postmeddelanden inskrivna av användaren
MailingModuleDescDolibarrUsers=Användare med e-post
MailingModuleDescThirdPartiesByCategories=Tredje part (enligt kategorier)
SendingFromWebInterfaceIsNotAllowed=Skicka från webbgränssnitt är inte tillåtet.
+EmailCollectorFilterDesc=All filters must match to have an email being collected
# Libelle des modules de liste de destinataires mailing
LineInFile=Line %s i filen
@@ -125,12 +126,13 @@ TagMailtoEmail=Mottagar Email (inklusive html "mailto:" länk)
NoEmailSentBadSenderOrRecipientEmail=Ingen email skickad. Dålig avsändare eller mottagarens e-postadress. Verifiera användarprofil.
# Module Notifications
Notifications=Anmälningar
-NoNotificationsWillBeSent=Inga e-postmeddelanden planeras för detta evenemang och företag
-ANotificationsWillBeSent=En anmälan kommer att skickas via e-post
-SomeNotificationsWillBeSent=%s anmälningar kommer att skickas via e-post
-AddNewNotification=Aktivera ett nytt e-postmeddelandemål / -händelse
-ListOfActiveNotifications=Lista alla aktiva mål / händelser för e-postmeddelande
-ListOfNotificationsDone=Lista alla e-postmeddelanden skickas
+NotificationsAuto=Notifications Auto.
+NoNotificationsWillBeSent=No automatic email notifications are planned for this event type and company
+ANotificationsWillBeSent=1 automatic notification will be sent by email
+SomeNotificationsWillBeSent=%s automatic notifications will be sent by email
+AddNewNotification=Subscribe to a new automatic email notification (target/event)
+ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification
+ListOfNotificationsDone=List all automatic email notifications sent
MailSendSetupIs=Konfiguration av e-post att skicka har ställts in till "% s". Detta läge kan inte användas för att skicka massutskick.
MailSendSetupIs2=Du måste först gå, med ett administratörskonto, i meny% Shome - Setup - e-post% s för att ändra parameter '% s' för att använda läget "% s". Med det här läget kan du ange inställningar för SMTP-servern från din internetleverantör och använda Mass mejla funktionen.
MailSendSetupIs3=Om du har några frågor om hur man ställer in din SMTP-server, kan du be att% s.
@@ -140,7 +142,7 @@ UseFormatFileEmailToTarget=Importerad fil måste ha format email, namn,
UseFormatInputEmailToTarget=Ange en sträng med format email, namn, förnamn, annat
MailAdvTargetRecipients=Mottagare (avancerat urval)
AdvTgtTitle=Fyll i inmatningsfält för att välja tredjepart eller kontakter / adresser som ska riktas in
-AdvTgtSearchTextHelp=Använd %% som jokertecken. Till exempel för att hitta alla objekt som jean, joe, jim , kan du skriva j%% , du kan också använda; som separator för värde och använd! för utom detta värde. Till exempel jean; joe; jim%%;! Jimo;! Jima% kommer att rikta alla jean, joe, börja med jim men inte jimo och inte allt som börjar med jima
+AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima%% will target all jean, joe, start with jim but not jimo and not everything that starts with jima
AdvTgtSearchIntHelp=Använd intervall för att välja int eller float värde
AdvTgtMinVal=Minsta värde
AdvTgtMaxVal=Maximalt värde
@@ -162,13 +164,14 @@ AdvTgtCreateFilter=Skapa filter
AdvTgtOrCreateNewFilter=Namn på nytt filter
NoContactWithCategoryFound=Ingen kontakt / adress med en kategori hittad
NoContactLinkedToThirdpartieWithCategoryFound=Ingen kontakt / adress med en kategori hittad
-OutGoingEmailSetup=Utgående e-postinstallation
-InGoingEmailSetup=Inkommande e-postinstallation
-OutGoingEmailSetupForEmailing=Outgoing email setup (for module %s)
-DefaultOutgoingEmailSetup=Standard utgående e-postinstallation
+OutGoingEmailSetup=Outgoing emails
+InGoingEmailSetup=Incoming emails
+OutGoingEmailSetupForEmailing=Outgoing emails (for module %s)
+DefaultOutgoingEmailSetup=Same configuration than the global Outgoing email setup
Information=Information
ContactsWithThirdpartyFilter=Kontakter med filter från tredje part
Unanswered=Unanswered
Answered=Besvarade
IsNotAnAnswer=Is not answer (initial email)
IsAnAnswer=Is an answer of an initial email
+RecordCreatedByEmailCollector=Record created by the Email Collector %s from email %s
diff --git a/htdocs/langs/sv_SE/main.lang b/htdocs/langs/sv_SE/main.lang
index 4820abfdd05..28d6fde7041 100644
--- a/htdocs/langs/sv_SE/main.lang
+++ b/htdocs/langs/sv_SE/main.lang
@@ -28,7 +28,9 @@ NoTemplateDefined=Ingen mall tillgänglig för denna e-posttyp
AvailableVariables=Tillgängliga substitutionsvariabler
NoTranslation=Ingen översättning
Translation=Översättning
+CurrentTimeZone=PHP server tidszon
EmptySearchString=Enter non empty search criterias
+EnterADateCriteria=Enter a date criteria
NoRecordFound=Ingen post funnen
NoRecordDeleted=Ingen post borttagen
NotEnoughDataYet=Inte tillräckligt med data
@@ -85,6 +87,8 @@ FileWasNotUploaded=En fil är vald att bifogas, men har ännu inte laddats upp.
NbOfEntries=Antal poster
GoToWikiHelpPage=Läs onlinehjälp (Internet behövs)
GoToHelpPage=Läs hjälpen
+DedicatedPageAvailable=There is a dedicated help page related to your current screen
+HomePage=Webbsida
RecordSaved=Post sparades
RecordDeleted=Post raderad
RecordGenerated=Post skapad
@@ -433,6 +437,7 @@ RemainToPay=Fortsätt att betala
Module=Modul / applikation
Modules=Moduler / Applications
Option=Alternativ
+Filters=Filters
List=Lista
FullList=Fullständig lista
FullConversation=Full conversation
@@ -671,7 +676,7 @@ SendMail=Skicka e-post
Email=epost
NoEMail=Ingen e-post
AlreadyRead=Redan läst
-NotRead=Inte läst
+NotRead=Unread
NoMobilePhone=Ingen mobiltelefon
Owner=Ägare
FollowingConstantsWillBeSubstituted=Följande konstanter kommer att ersätta med motsvarande värde.
@@ -1107,3 +1112,8 @@ UpToDate=Up-to-date
OutOfDate=Out-of-date
EventReminder=Event Reminder
UpdateForAllLines=Update for all lines
+OnHold=On hold
+AffectTag=Affect Tag
+ConfirmAffectTag=Bulk Tag Affect
+ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected record(s)?
+CategTypeNotFound=No tag type found for type of records
diff --git a/htdocs/langs/sv_SE/members.lang b/htdocs/langs/sv_SE/members.lang
index bde1806a162..848cc24cf49 100644
--- a/htdocs/langs/sv_SE/members.lang
+++ b/htdocs/langs/sv_SE/members.lang
@@ -32,7 +32,7 @@ DateSubscription=Teckningsdag
DateEndSubscription=Prenumeration slutdatum
EndSubscription=Avsluta prenumeration
SubscriptionId=Prenumeration id
-WithoutSubscription=Without subscription
+WithoutSubscription=Utan prenumeration
MemberId=Medlem id
NewMember=Ny medlem
MemberType=Medlem typ
diff --git a/htdocs/langs/sv_SE/modulebuilder.lang b/htdocs/langs/sv_SE/modulebuilder.lang
index 84447f97569..9983f774100 100644
--- a/htdocs/langs/sv_SE/modulebuilder.lang
+++ b/htdocs/langs/sv_SE/modulebuilder.lang
@@ -40,6 +40,7 @@ PageForCreateEditView=PHP-sida för att skapa / redigera / visa en post
PageForAgendaTab=PHP-sida för händelsefliken
PageForDocumentTab=PHP-sida för dokumentfliken
PageForNoteTab=PHP-sida för fliken Not
+PageForContactTab=PHP page for contact tab
PathToModulePackage=Vägen till zip på modulen / applikationspaketet
PathToModuleDocumentation=Ban till fil med modul / ansökningsdokumentation (%s)
SpaceOrSpecialCharAreNotAllowed=Mellanslag eller specialtecken är inte tillåtna.
@@ -77,7 +78,7 @@ IsAMeasure=Är en åtgärd
DirScanned=Directory skannad
NoTrigger=Ingen utlösare
NoWidget=Ingen widget
-GoToApiExplorer=Gå till API-explorer
+GoToApiExplorer=API explorer
ListOfMenusEntries=Lista över menyuppgifter
ListOfDictionariesEntries=List of dictionaries entries
ListOfPermissionsDefined=Lista över definierade behörigheter
@@ -105,7 +106,7 @@ TryToUseTheModuleBuilder=Om du har kunskap om SQL och PHP kan du använda guiden
SeeTopRightMenu=Se längst upp till höger
AddLanguageFile=Lägg till språkfil
YouCanUseTranslationKey=Här kan du använda en nyckel som är översättningsnyckeln i språkfilen (se fliken "Språk")
-DropTableIfEmpty=(Ta bort tabellen om den är tom)
+DropTableIfEmpty=(Destroy table if empty)
TableDoesNotExists=Tabellen %s existerar inte
TableDropped=Tabell %s utgår
InitStructureFromExistingTable=Bygg strukturen array-strängen i en befintlig tabell
@@ -126,7 +127,6 @@ UseSpecificEditorURL = Använd en specifik redigeringsadress
UseSpecificFamily = Använd en specifik familj
UseSpecificAuthor = Använd en specifik författare
UseSpecificVersion = Använd en specifik första version
-ModuleMustBeEnabled=The module/application must be enabled first
IncludeRefGeneration=The reference of object must be generated automatically
IncludeRefGenerationHelp=Check this if you want to include code to manage the generation automatically of the reference
IncludeDocGeneration=I want to generate some documents from the object
@@ -140,3 +140,4 @@ TypeOfFieldsHelp=Type of fields: varchar(99), double(24,8), real, text, html,
AsciiToHtmlConverter=Ascii to HTML converter
AsciiToPdfConverter=Ascii to PDF converter
TableNotEmptyDropCanceled=Table not empty. Drop has been canceled.
+ModuleBuilderNotAllowed=The module builder is available but not allowed to your user.
diff --git a/htdocs/langs/sv_SE/other.lang b/htdocs/langs/sv_SE/other.lang
index 15add067b10..bdf131055ed 100644
--- a/htdocs/langs/sv_SE/other.lang
+++ b/htdocs/langs/sv_SE/other.lang
@@ -5,8 +5,6 @@ Tools=Verktyg
TMenuTools=Verktyg
ToolsDesc=Alla verktyg som inte ingår i andra menyposter grupperas här. Alla verktyg kan nås via menyn till vänster.
Birthday=Födelsedag
-BirthdayDate=Födelsedagsdatum
-DateToBirth=Birth date
BirthdayAlertOn=födelsedag alert aktiva
BirthdayAlertOff=födelsedag alert inaktiv
TransKey=Översättning av nyckel: TransKey
@@ -16,6 +14,8 @@ PreviousMonthOfInvoice=Föregående månad (nummer 1-12) på fakturadatum
TextPreviousMonthOfInvoice=Föregående månad (text) på fakturadatum
NextMonthOfInvoice=Följande månad (nummer 1-12) på fakturadatum
TextNextMonthOfInvoice=Följande månad (text) på fakturadatum
+PreviousMonth=Previous month
+CurrentMonth=Current month
ZipFileGeneratedInto=Zip-fil genererad till %s .
DocFileGeneratedInto=Doc-filen genereras till %s .
JumpToLogin=Förbindelse förlorad. Gå till inloggningssidan ...
@@ -99,6 +99,7 @@ PredefinedMailContentSendShipping=__(Hej)__\n\nVänligen hitta frakt __REF__ bif
PredefinedMailContentSendFichInter=__(Hej)__\n\nVänligen hitta intervention __REF__ bifogad\n\n\n__(Vänliga hälsningar)__\n\n__USER_SIGNATURE__
PredefinedMailContentLink=Du kan klicka på länken nedan för att göra din betalning om den inte redan är klar.\n\n%s\n\n
PredefinedMailContentGeneric=__(Hej)__\n\n\n__(Vänliga hälsningar)__\n\n__USER_SIGNATURE__
+PredefinedMailContentSendActionComm=Event reminder "__EVENT_LABEL__" on __EVENT_DATE__ at __EVENT_TIME__
This is an automatic message, please do not reply.
DemoDesc=Dolibarr är en kompakt ERP / CRM som stöder flera affärsmoduler. En demo som visar alla moduler ger ingen mening eftersom detta scenario aldrig uppstår (flera hundra tillgängliga). Det finns därför flera demoprofiler tillgängliga.
ChooseYourDemoProfil=Välj den demoprofil som bäst passar dina behov ...
ChooseYourDemoProfilMore=... eller bygg din egen profil (manuellt modulval)
@@ -258,6 +259,7 @@ ContactCreatedByEmailCollector=Kontakt / adress skapad via e-post samlare från
ProjectCreatedByEmailCollector=Projekt skapat av e-post samlare från email MSGID %s
TicketCreatedByEmailCollector=Biljett skapad av e-post samlare från email MSGID %s
OpeningHoursFormatDesc=Use a - to separate opening and closing hours. Use a space to enter different ranges. Example: 8-12 14-18
+PrefixSession=Prefix for session ID
##### Export #####
ExportsArea=Export område
diff --git a/htdocs/langs/sv_SE/products.lang b/htdocs/langs/sv_SE/products.lang
index 35ad5dd24d9..00c9fe273ff 100644
--- a/htdocs/langs/sv_SE/products.lang
+++ b/htdocs/langs/sv_SE/products.lang
@@ -108,7 +108,8 @@ FillWithLastServiceDates=Fill with last service line dates
MultiPricesAbility=Flera prissegment per produkt / tjänst (varje kund är i ett prissegment)
MultiPricesNumPrices=Antal pris
DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices
-AssociatedProductsAbility=Activate kits (virtual products)
+AssociatedProductsAbility=Enable Kits (set of other products)
+VariantsAbility=Enable Variants (variations of products, for example color, size)
AssociatedProducts=Kits
AssociatedProductsNumber=Number of products composing this kit
ParentProductsNumber=Antal förälder förpackningsartikel
@@ -167,8 +168,10 @@ BuyingPrices=Köpa priser
CustomerPrices=Kundpriser
SuppliersPrices=Leverantörspriser
SuppliersPricesOfProductsOrServices=Leverantörspriser (av produkter eller tjänster)
-CustomCode=Tull / Varu / HS-kod
+CustomCode=Customs|Commodity|HS code
CountryOrigin=Ursprungsland
+RegionStateOrigin=Region origin
+StateOrigin=State|Province origin
Nature=Nature of product (material/finished)
NatureOfProductShort=Nature of product
NatureOfProductDesc=Raw material or finished product
@@ -239,7 +242,7 @@ AlwaysUseFixedPrice=Använd fast pris
PriceByQuantity=Olika priser m.a.p. mängd
DisablePriceByQty=Inaktivera priserna efter antal
PriceByQuantityRange=Pris för mängdgaffel
-MultipriceRules=Prissegmentregler
+MultipriceRules=Automatic prices for segment
UseMultipriceRules=Använd prissegmentregler (definierad i produktmoduluppsättning) för att automatiskt beräkna priser för alla andra segment enligt första segmentet
PercentVariationOver=%% variation över %s
PercentDiscountOver=%% rabatt över %s
diff --git a/htdocs/langs/sv_SE/projects.lang b/htdocs/langs/sv_SE/projects.lang
index e07fe348437..b19f2e470bc 100644
--- a/htdocs/langs/sv_SE/projects.lang
+++ b/htdocs/langs/sv_SE/projects.lang
@@ -68,7 +68,7 @@ TaskDescription=Uppgiftsbeskrivning
NewTask=Ny uppgift
AddTask=Skapa uppgift
AddTimeSpent=Skapa tid spenderad
-AddHereTimeSpentForDay=Lägg till här dags tid för denna dag / uppgift
+AddHereTimeSpentForDay=Lägg till här tid för denna dag / uppgift
AddHereTimeSpentForWeek=Add here time spent for this week/task
Activity=Aktivitet
Activities=Uppgifter / aktiviteter
@@ -76,18 +76,18 @@ MyActivities=Mina uppgifter / aktiviteter
MyProjects=Mina projekt
MyProjectsArea=Mina projektområde
DurationEffective=Effektiv längd
-ProgressDeclared=Förklarades framsteg
+ProgressDeclared=Declared real progress
TaskProgressSummary=Task progress
CurentlyOpenedTasks=Curently open tasks
-TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared progress is less %s than the calculated progression
-TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared progress is more %s than the calculated progression
-ProgressCalculated=Beräknat framsteg
+TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared real progress is less %s than the progress on consumption
+TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared real progress is more %s than the progress on consumption
+ProgressCalculated=Progress on consumption
WhichIamLinkedTo=which I'm linked to
WhichIamLinkedToProject=which I'm linked to project
Time=Tid
ListOfTasks=Lista över uppgifter
GoToListOfTimeConsumed=Gå till listan över tidskrävt
-GanttView=Gantt View
+GanttView=Gantt-vy
ListProposalsAssociatedProject=Förteckning över de kommersiella förslagen relaterade till projektet
ListOrdersAssociatedProject=Förteckning över försäljningsorder relaterade till projektet
ListInvoicesAssociatedProject=Förteckning över kundfakturor relaterade till projektet
diff --git a/htdocs/langs/sv_SE/recruitment.lang b/htdocs/langs/sv_SE/recruitment.lang
index a88bbbbcb31..cc983d2e347 100644
--- a/htdocs/langs/sv_SE/recruitment.lang
+++ b/htdocs/langs/sv_SE/recruitment.lang
@@ -73,3 +73,4 @@ JobClosedTextCandidateFound=The job position is closed. The position has been fi
JobClosedTextCanceled=The job position is closed.
ExtrafieldsJobPosition=Complementary attributes (job positions)
ExtrafieldsCandidatures=Complementary attributes (job applications)
+MakeOffer=Make an offer
diff --git a/htdocs/langs/sv_SE/sendings.lang b/htdocs/langs/sv_SE/sendings.lang
index ff472cc3f3e..c11320eba55 100644
--- a/htdocs/langs/sv_SE/sendings.lang
+++ b/htdocs/langs/sv_SE/sendings.lang
@@ -30,6 +30,7 @@ OtherSendingsForSameOrder=Andra sändningar för denna beställning
SendingsAndReceivingForSameOrder=Sändningar och kvitton för denna beställning
SendingsToValidate=Transporter för att bekräfta
StatusSendingCanceled=Annullerad
+StatusSendingCanceledShort=Annullerad
StatusSendingDraft=Förslag
StatusSendingValidated=Bekräftat (produkter till ett fartyg eller som redan sänts)
StatusSendingProcessed=Bearbetade
@@ -65,6 +66,7 @@ ValidateOrderFirstBeforeShipment=Du måste först validera ordern innan du kan g
# Sending methods
# ModelDocument
DocumentModelTyphon=Mer komplett dokument modell för leverans intäkter (logo. ..)
+DocumentModelStorm=More complete document model for delivery receipts and extrafields compatibility (logo...)
Error_EXPEDITION_ADDON_NUMBER_NotDefined=Konstant EXPEDITION_ADDON_NUMBER definieras inte
SumOfProductVolumes=Summan av produktvolymer
SumOfProductWeights=Summan av produktvikter
diff --git a/htdocs/langs/sv_SE/stocks.lang b/htdocs/langs/sv_SE/stocks.lang
index f840a0301be..13e5131c99d 100644
--- a/htdocs/langs/sv_SE/stocks.lang
+++ b/htdocs/langs/sv_SE/stocks.lang
@@ -240,3 +240,4 @@ InventoryRealQtyHelp=Set value to 0 to reset qty Keep field empty, or remove
UpdateByScaning=Update by scaning
UpdateByScaningProductBarcode=Update by scan (product barcode)
UpdateByScaningLot=Update by scan (lot|serial barcode)
+DisableStockChangeOfSubProduct=Deactivate the stock change for all the subproducts of this Kit during this movement.
diff --git a/htdocs/langs/sv_SE/ticket.lang b/htdocs/langs/sv_SE/ticket.lang
index 860b4453738..95a2fb76ef8 100644
--- a/htdocs/langs/sv_SE/ticket.lang
+++ b/htdocs/langs/sv_SE/ticket.lang
@@ -31,10 +31,8 @@ TicketDictType=Biljett - Typer
TicketDictCategory=Biljett - Grupper
TicketDictSeverity=Ticket - Severiteter
TicketDictResolution=Ticket - Resolution
-TicketTypeShortBUGSOFT=Programfel
-TicketTypeShortBUGHARD=Hårdvarufel
-TicketTypeShortCOM=Kommersiell fråga
+TicketTypeShortCOM=Kommersiell fråga
TicketTypeShortHELP=Request for functionnal help
TicketTypeShortISSUE=Issue, bug or problem
TicketTypeShortREQUEST=Change or enhancement request
@@ -44,7 +42,7 @@ TicketTypeShortOTHER=Andra
TicketSeverityShortLOW=Låg
TicketSeverityShortNORMAL=Vanligt
TicketSeverityShortHIGH=Hög
-TicketSeverityShortBLOCKING=Kritisk / Blockering
+TicketSeverityShortBLOCKING=Critical, Blocking
ErrorBadEmailAddress=Fältet '%s' felaktigt
MenuTicketMyAssign=Mina biljetter
@@ -60,7 +58,6 @@ OriginEmail=E-postkälla
Notify_TICKET_SENTBYMAIL=Skicka biljettmeddelande via e-post
# Status
-NotRead=Inte läst
Read=Läsa
Assigned=Tilldelad
InProgress=Pågående
@@ -126,6 +123,7 @@ TicketsActivatePublicInterfaceHelp=Offentligt gränssnitt tillåter alla besöka
TicketsAutoAssignTicket=Tilldela automatiskt användaren som skapade biljetten
TicketsAutoAssignTicketHelp=När du skapar en biljett kan användaren automatiskt tilldelas biljetten.
TicketNumberingModules=Biljettnummermodul
+TicketsModelModule=Document templates for tickets
TicketNotifyTiersAtCreation=Meddela tredje part vid skapandet
TicketsDisableCustomerEmail=Avaktivera alltid e-postmeddelanden när en biljett skapas från det offentliga gränssnittet
TicketsPublicNotificationNewMessage=Send email(s) when a new message is added
@@ -233,7 +231,6 @@ TicketLogStatusChanged=Status ändrad: %s till %s
TicketNotNotifyTiersAtCreate=Meddela inte företaget på create
Unread=Oläst
TicketNotCreatedFromPublicInterface=Not available. Ticket was not created from public interface.
-PublicInterfaceNotEnabled=Public interface was not enabled
ErrorTicketRefRequired=Ticket reference name is required
#
diff --git a/htdocs/langs/sv_SE/website.lang b/htdocs/langs/sv_SE/website.lang
index 7770506abfb..e04af80c19a 100644
--- a/htdocs/langs/sv_SE/website.lang
+++ b/htdocs/langs/sv_SE/website.lang
@@ -30,7 +30,6 @@ EditInLine=Redigera inline
AddWebsite=Lägg till webbplats
Webpage=Webbsida / container
AddPage=Lägg till sida / behållare
-HomePage=Webbsida
PageContainer=Sida
PreviewOfSiteNotYetAvailable=Förhandsgranskning av din webbplats %s ej tillgänglig än. Du måste först ' Importera en fullständig webbplatsmall ' eller bara ' Lägg till en sida / behållare '.
RequestedPageHasNoContentYet=Den begärda sidan med id %s har inget innehåll ännu, eller cachefilen .tpl.php har tagits bort. Redigera innehållet på sidan för att lösa detta.
@@ -101,7 +100,7 @@ EmptyPage=Tom sida
ExternalURLMustStartWithHttp=Extern webbadress måste börja med http: // eller https: //
ZipOfWebsitePackageToImport=Upload the Zip file of the website template package
ZipOfWebsitePackageToLoad=or Choose an available embedded website template package
-ShowSubcontainers=Inkludera dynamiskt innehåll
+ShowSubcontainers=Show dynamic content
InternalURLOfPage=Intern webbadress
ThisPageIsTranslationOf=Den här sidan / behållaren är en översättning av
ThisPageHasTranslationPages=Den här sidan / behållaren har översättning
@@ -137,3 +136,4 @@ RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using
PagesRegenerated=%s page(s)/container(s) regenerated
RegenerateWebsiteContent=Regenerate web site cache files
AllowedInFrames=Allowed in Frames
+DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languages into web site properties.
diff --git a/htdocs/langs/sv_SE/withdrawals.lang b/htdocs/langs/sv_SE/withdrawals.lang
index 4b18e747ab8..8aec0a32333 100644
--- a/htdocs/langs/sv_SE/withdrawals.lang
+++ b/htdocs/langs/sv_SE/withdrawals.lang
@@ -42,6 +42,7 @@ LastWithdrawalReceipt=Senaste %s direktavköpsintäkterna
MakeWithdrawRequest=Gör en förskottsbetalningsförfrågan
MakeBankTransferOrder=Make a credit transfer request
WithdrawRequestsDone=%s begärda betalningsförfrågningar
+BankTransferRequestsDone=%s credit transfer requests recorded
ThirdPartyBankCode=Tredjeparts bankkod
NoInvoiceCouldBeWithdrawed=Ingen faktura debiteras framgångsrikt. Kontrollera att fakturor är på företag med en giltig IBAN och att IBAN har en UMR (Unique Mandate Reference) med läget %s .
ClassCredited=Märk krediterad
@@ -131,7 +132,8 @@ SEPARCUR=SEPA CUR
SEPAFRST=SEPA FRST
ExecutionDate=Exekveringsdatum
CreateForSepa=Skapa direkt debitfil
-ICS=Krediteridentifierare CI
+ICS=Creditor Identifier CI for direct debit
+ICSTransfer=Creditor Identifier CI for bank transfer
END_TO_END="EndToEndId" SEPA XML-tagg - Unikt ID tilldelat per transaktion
USTRD="Ostrukturerad" SEPA XML-tagg
ADDDAYS=Lägg till dagar till Exekveringsdatum
@@ -146,3 +148,4 @@ InfoRejectSubject=Betalningsordern vägrade
InfoRejectMessage=Hej,
Betalningsordern för fakturan %s relaterad till företaget %s, med ett belopp på %s, har vägrats av banken.
- %s
ModeWarning=Alternativ på riktigt läget inte var satt, sluta vi efter denna simulering
ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know wich one to use.
+ErrorICSmissing=Missing ICS in Bank account %s
diff --git a/htdocs/langs/sw_SW/accountancy.lang b/htdocs/langs/sw_SW/accountancy.lang
index 3211a0b62df..33ba4d9fea7 100644
--- a/htdocs/langs/sw_SW/accountancy.lang
+++ b/htdocs/langs/sw_SW/accountancy.lang
@@ -48,6 +48,7 @@ CountriesExceptMe=All countries except %s
AccountantFiles=Export source documents
ExportAccountingSourceDocHelp=With this tool, you can export the source events (list and PDFs) that were used to generate your accountancy. To export your journals, use the menu entry %s - %s.
VueByAccountAccounting=View by accounting account
+VueBySubAccountAccounting=View by accounting subaccount
MainAccountForCustomersNotDefined=Main accounting account for customers not defined in setup
MainAccountForSuppliersNotDefined=Main accounting account for vendors not defined in setup
@@ -144,7 +145,7 @@ NotVentilatedinAccount=Not bound to the accounting account
XLineSuccessfullyBinded=%s products/services successfully bound to an accounting account
XLineFailedToBeBinded=%s products/services were not bound to any accounting account
-ACCOUNTING_LIMIT_LIST_VENTILATION=Number of elements to bind shown by page (maximum recommended: 50)
+ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50)
ACCOUNTING_LIST_SORT_VENTILATION_TODO=Begin the sorting of the page "Binding to do" by the most recent elements
ACCOUNTING_LIST_SORT_VENTILATION_DONE=Begin the sorting of the page "Binding done" by the most recent elements
@@ -198,7 +199,8 @@ Docdate=Date
Docref=Reference
LabelAccount=Label account
LabelOperation=Label operation
-Sens=Sens
+Sens=Direction
+AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received For an accounting account of a supplier, use Debit to record a payment you make
LetteringCode=Lettering code
Lettering=Lettering
Codejournal=Journal
@@ -206,7 +208,8 @@ JournalLabel=Journal label
NumPiece=Piece number
TransactionNumShort=Num. transaction
AccountingCategory=Personalized groups
-GroupByAccountAccounting=Group by accounting account
+GroupByAccountAccounting=Group by general ledger account
+GroupBySubAccountAccounting=Group by subledger account
AccountingAccountGroupsDesc=You can define here some groups of accounting account. They will be used for personalized accounting reports.
ByAccounts=By accounts
ByPredefinedAccountGroups=By predefined groups
@@ -248,7 +251,7 @@ PaymentsNotLinkedToProduct=Payment not linked to any product / service
OpeningBalance=Opening balance
ShowOpeningBalance=Show opening balance
HideOpeningBalance=Hide opening balance
-ShowSubtotalByGroup=Show subtotal by group
+ShowSubtotalByGroup=Show subtotal by level
Pcgtype=Group of account
PcgtypeDesc=Group of account are used as predefined 'filter' and 'grouping' criteria for some accounting reports. For example, 'INCOME' or 'EXPENSE' are used as groups for accounting accounts of products to build the expense/income report.
@@ -271,11 +274,13 @@ DescVentilExpenseReport=Consult here the list of expense report lines bound (or
DescVentilExpenseReportMore=If you setup accounting account on type of expense report lines, the application will be able to make all the binding between your expense report lines and the accounting account of your chart of accounts, just in one click with the button "%s". If account was not set on fees dictionary or if you still have some lines not bound to any account, you will have to make a manual binding from the menu "%s".
DescVentilDoneExpenseReport=Consult here the list of the lines of expenses reports and their fees accounting account
+Closure=Annual closure
DescClosure=Consult here the number of movements by month who are not validated & fiscal years already open
OverviewOfMovementsNotValidated=Step 1/ Overview of movements not validated. (Necessary to close a fiscal year)
+AllMovementsWereRecordedAsValidated=All movements were recorded as validated
+NotAllMovementsCouldBeRecordedAsValidated=Not all movements could be recorded as validated
ValidateMovements=Validate movements
DescValidateMovements=Any modification or deletion of writing, lettering and deletes will be prohibited. All entries for an exercise must be validated otherwise closing will not be possible
-SelectMonthAndValidate=Select month and validate movements
ValidateHistory=Bind Automatically
AutomaticBindingDone=Automatic binding done
@@ -293,6 +298,7 @@ Accounted=Accounted in ledger
NotYetAccounted=Not yet accounted in ledger
ShowTutorial=Show Tutorial
NotReconciled=Not reconciled
+WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view
## Admin
BindingOptions=Binding options
@@ -337,6 +343,7 @@ Modelcsv_LDCompta10=Export for LD Compta (v10 & higher)
Modelcsv_openconcerto=Export for OpenConcerto (Test)
Modelcsv_configurable=Export CSV Configurable
Modelcsv_FEC=Export FEC
+Modelcsv_FEC2=Export FEC (With dates generation writing / document reversed)
Modelcsv_Sage50_Swiss=Export for Sage 50 Switzerland
Modelcsv_winfic=Export Winfic - eWinfic - WinSis Compta
Modelcsv_Gestinumv3=Export for Gestinum (v3)
diff --git a/htdocs/langs/sw_SW/admin.lang b/htdocs/langs/sw_SW/admin.lang
index f1c41a3b62b..189b0b5186a 100644
--- a/htdocs/langs/sw_SW/admin.lang
+++ b/htdocs/langs/sw_SW/admin.lang
@@ -56,6 +56,8 @@ GUISetup=Display
SetupArea=Setup
UploadNewTemplate=Upload new template(s)
FormToTestFileUploadForm=Form to test file upload (according to setup)
+ModuleMustBeEnabled=The module/application %s must be enabled
+ModuleIsEnabled=The module/application %s has been enabled
IfModuleEnabled=Note: yes is effective only if module %s is enabled
RemoveLock=Remove/rename file %s if it exists, to allow usage of the Update/Install tool.
RestoreLock=Restore file %s, with read permission only, to disable any further use of the Update/Install tool.
@@ -85,7 +87,6 @@ ShowPreview=Show preview
ShowHideDetails=Show-Hide details
PreviewNotAvailable=Preview not available
ThemeCurrentlyActive=Theme currently active
-CurrentTimeZone=TimeZone PHP (server)
MySQLTimeZone=TimeZone MySql (database)
TZHasNoEffect=Dates are stored and returned by database server as if they were kept as submitted string. The timezone has effect only when using the UNIX_TIMESTAMP function (that should not be used by Dolibarr, so database TZ should have no effect, even if changed after data was entered).
Space=Space
@@ -153,8 +154,8 @@ SystemToolsAreaDesc=This area provides administration functions. Use the menu to
Purge=Purge
PurgeAreaDesc=This page allows you to delete all files generated or stored by Dolibarr (temporary files or all files in %s directory). Using this feature is not normally necessary. It is provided as a workaround for users whose Dolibarr is hosted by a provider that does not offer permissions to delete files generated by the web server.
PurgeDeleteLogFile=Delete log files, including %s defined for Syslog module (no risk of losing data)
-PurgeDeleteTemporaryFiles=Delete all temporary files (no risk of losing data). Note: Deletion is done only if the temp directory was created 24 hours ago.
-PurgeDeleteTemporaryFilesShort=Delete temporary files
+PurgeDeleteTemporaryFiles=Delete all log and temporary files (no risk of losing data). Note: Deletion of temporary files is done only if the temp directory was created more than 24 hours ago.
+PurgeDeleteTemporaryFilesShort=Delete log and temporary files
PurgeDeleteAllFilesInDocumentsDir=Delete all files in directory: %s. This will delete all generated documents related to elements (third parties, invoices etc...), files uploaded into the ECM module, database backup dumps and temporary files.
PurgeRunNow=Purge now
PurgeNothingToDelete=No directory or files to delete.
@@ -256,6 +257,7 @@ ReferencedPreferredPartners=Preferred Partners
OtherResources=Other resources
ExternalResources=External Resources
SocialNetworks=Social Networks
+SocialNetworkId=Social Network ID
ForDocumentationSeeWiki=For user or developer documentation (Doc, FAQs...), take a look at the Dolibarr Wiki: %s
ForAnswersSeeForum=For any other questions/help, you can use the Dolibarr forum: %s
HelpCenterDesc1=Here are some resources for getting help and support with Dolibarr.
@@ -375,7 +377,7 @@ ExamplesWithCurrentSetup=Examples with current configuration
ListOfDirectories=List of OpenDocument templates directories
ListOfDirectoriesForModelGenODT=List of directories containing templates files with OpenDocument format.
Put here full path of directories. Add a carriage return between eah directory. To add a directory of the GED module, add here DOL_DATA_ROOT/ecm/yourdirectoryname.
Files in those directories must end with .odt or .ods.
NumberOfModelFilesFound=Number of ODT/ODS template files found in these directories
-ExampleOfDirectoriesForModelGen=Examples of syntax: c:\\mydir /home/mydir DOL_DATA_ROOT/ecm/ecmdir
+ExampleOfDirectoriesForModelGen=Examples of syntax: c:\\myapp\\mydocumentdir\\mysubdir /home/myapp/mydocumentdir/mysubdir DOL_DATA_ROOT/ecm/ecmdir
FollowingSubstitutionKeysCanBeUsed= To know how to create your odt document templates, before storing them in those directories, read wiki documentation:
FullListOnOnlineDocumentation=http://wiki.dolibarr.org/index.php/Create_an_ODT_document_template
FirstnameNamePosition=Position of Name/Lastname
@@ -406,7 +408,7 @@ UrlGenerationParameters=Parameters to secure URLs
SecurityTokenIsUnique=Use a unique securekey parameter for each URL
EnterRefToBuildUrl=Enter reference for object %s
GetSecuredUrl=Get calculated URL
-ButtonHideUnauthorized=Hide buttons for non-admin users for unauthorized actions instead of showing greyed disabled buttons
+ButtonHideUnauthorized=Hide unauthorized action buttons also for internal users (just greyed otherwise)
OldVATRates=Old VAT rate
NewVATRates=New VAT rate
PriceBaseTypeToChange=Modify on prices with base reference value defined on
@@ -1689,7 +1691,7 @@ NotTopTreeMenuPersonalized=Personalized menus not linked to a top menu entry
NewMenu=New menu
MenuHandler=Menu handler
MenuModule=Source module
-HideUnauthorizedMenu= Hide unauthorized menus (gray)
+HideUnauthorizedMenu=Hide unauthorized menus also for internal users (just greyed otherwise)
DetailId=Id menu
DetailMenuHandler=Menu handler where to show new menu
DetailMenuModule=Module name if menu entry come from a module
@@ -1983,11 +1985,12 @@ EMailHost=Host of email IMAP server
MailboxSourceDirectory=Mailbox source directory
MailboxTargetDirectory=Mailbox target directory
EmailcollectorOperations=Operations to do by collector
+EmailcollectorOperationsDesc=Operations are executed from top to bottom order
MaxEmailCollectPerCollect=Max number of emails collected per collect
CollectNow=Collect now
ConfirmCloneEmailCollector=Are you sure you want to clone the Email collector %s ?
-DateLastCollectResult=Date latest collect tried
-DateLastcollectResultOk=Date latest collect successfull
+DateLastCollectResult=Date of latest collect try
+DateLastcollectResultOk=Date of latest collect success
LastResult=Latest result
EmailCollectorConfirmCollectTitle=Email collect confirmation
EmailCollectorConfirmCollect=Do you want to run the collection for this collector now ?
@@ -2005,7 +2008,7 @@ WithDolTrackingID=Message from a conversation initiated by a first email sent fr
WithoutDolTrackingID=Message from a conversation initiated by a first email NOT sent from Dolibarr
WithDolTrackingIDInMsgId=Message sent from Dolibarr
WithoutDolTrackingIDInMsgId=Message NOT sent from Dolibarr
-CreateCandidature=Create candidature
+CreateCandidature=Create job application
FormatZip=Zip
MainMenuCode=Menu entry code (mainmenu)
ECMAutoTree=Show automatic ECM tree
@@ -2083,3 +2086,7 @@ CountryIfSpecificToOneCountry=Country (if specific to a given country)
YouMayFindSecurityAdviceHere=You may find security advisory here
ModuleActivatedMayExposeInformation=This module may expose sensitive data. If you don't need it, disable it.
ModuleActivatedDoNotUseInProduction=A module designed for the development has been enabled. Do not enable it on a production environment.
+CombinationsSeparator=Separator character for product combinations
+SeeLinkToOnlineDocumentation=See link to online documention on top menu for examples
+SHOW_SUBPRODUCT_REF_IN_PDF=If the feature "%s" of module %s is used, show details of subproducts of a kit on PDF.
+AskThisIDToYourBank=Contact your bank to get this ID
diff --git a/htdocs/langs/sw_SW/banks.lang b/htdocs/langs/sw_SW/banks.lang
index 9500a5b8b2e..a0dc27f86c4 100644
--- a/htdocs/langs/sw_SW/banks.lang
+++ b/htdocs/langs/sw_SW/banks.lang
@@ -173,8 +173,8 @@ SEPAMandate=SEPA mandate
YourSEPAMandate=Your SEPA mandate
FindYourSEPAMandate=This is your SEPA mandate to authorize our company to make direct debit order to your bank. Return it signed (scan of the signed document) or send it by mail to
AutoReportLastAccountStatement=Automatically fill the field 'number of bank statement' with last statement number when making reconciliation
-CashControl=POS cash fence
-NewCashFence=New cash fence
+CashControl=POS cash desk control
+NewCashFence=New cash desk closing
BankColorizeMovement=Colorize movements
BankColorizeMovementDesc=If this function is enable, you can choose specific background color for debit or credit movements
BankColorizeMovementName1=Background color for debit movement
diff --git a/htdocs/langs/sw_SW/blockedlog.lang b/htdocs/langs/sw_SW/blockedlog.lang
index 5afae6e9e53..0bba5605d0f 100644
--- a/htdocs/langs/sw_SW/blockedlog.lang
+++ b/htdocs/langs/sw_SW/blockedlog.lang
@@ -35,7 +35,7 @@ logDON_DELETE=Donation logical deletion
logMEMBER_SUBSCRIPTION_CREATE=Member subscription created
logMEMBER_SUBSCRIPTION_MODIFY=Member subscription modified
logMEMBER_SUBSCRIPTION_DELETE=Member subscription logical deletion
-logCASHCONTROL_VALIDATE=Cash fence recording
+logCASHCONTROL_VALIDATE=Cash desk closing recording
BlockedLogBillDownload=Customer invoice download
BlockedLogBillPreview=Customer invoice preview
BlockedlogInfoDialog=Log Details
diff --git a/htdocs/langs/sw_SW/boxes.lang b/htdocs/langs/sw_SW/boxes.lang
index d6fd298a3a7..7db4ea8aa17 100644
--- a/htdocs/langs/sw_SW/boxes.lang
+++ b/htdocs/langs/sw_SW/boxes.lang
@@ -46,9 +46,12 @@ BoxTitleLastModifiedDonations=Latest %s modified donations
BoxTitleLastModifiedExpenses=Latest %s modified expense reports
BoxTitleLatestModifiedBoms=Latest %s modified BOMs
BoxTitleLatestModifiedMos=Latest %s modified Manufacturing Orders
+BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded
BoxGlobalActivity=Global activity (invoices, proposals, orders)
BoxGoodCustomers=Good customers
BoxTitleGoodCustomers=%s Good customers
+BoxScheduledJobs=Scheduled jobs
+BoxTitleFunnelOfProspection=Lead funnel
FailedToRefreshDataInfoNotUpToDate=Failed to refresh RSS flux. Latest successful refresh date: %s
LastRefreshDate=Latest refresh date
NoRecordedBookmarks=No bookmarks defined.
@@ -102,5 +105,7 @@ SuspenseAccountNotDefined=Suspense account isn't defined
BoxLastCustomerShipments=Last customer shipments
BoxTitleLastCustomerShipments=Latest %s customer shipments
NoRecordedShipments=No recorded customer shipment
+BoxCustomersOutstandingBillReached=Customers with oustanding limit reached
# Pages
AccountancyHome=Accountancy
+ValidatedProjects=Validated projects
diff --git a/htdocs/langs/sw_SW/cashdesk.lang b/htdocs/langs/sw_SW/cashdesk.lang
index 498baa82200..3fef645d99d 100644
--- a/htdocs/langs/sw_SW/cashdesk.lang
+++ b/htdocs/langs/sw_SW/cashdesk.lang
@@ -49,8 +49,8 @@ Footer=Footer
AmountAtEndOfPeriod=Amount at end of period (day, month or year)
TheoricalAmount=Theorical amount
RealAmount=Real amount
-CashFence=Cash fence
-CashFenceDone=Cash fence done for the period
+CashFence=Cash desk closing
+CashFenceDone=Cash desk closing done for the period
NbOfInvoices=Nb of invoices
Paymentnumpad=Type of Pad to enter payment
Numberspad=Numbers Pad
@@ -99,8 +99,9 @@ CashDeskRefNumberingModules=Numbering module for POS sales
CashDeskGenericMaskCodes6 = {TN} tag is used to add the terminal number
TakeposGroupSameProduct=Group same products lines
StartAParallelSale=Start a new parallel sale
-ControlCashOpening=Control cash box at opening POS
-CloseCashFence=Close cash fence
+SaleStartedAt=Sale started at %s
+ControlCashOpening=Control cash popup at opening POS
+CloseCashFence=Close cash desk control
CashReport=Cash report
MainPrinterToUse=Main printer to use
OrderPrinterToUse=Order printer to use
@@ -122,3 +123,4 @@ GiftReceipt=Gift receipt
ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled first
AllowDelayedPayment=Allow delayed payment
PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts
+WeighingScale=Weighing scale
diff --git a/htdocs/langs/sw_SW/categories.lang b/htdocs/langs/sw_SW/categories.lang
index ba37a43b4ec..4ddf0d6093f 100644
--- a/htdocs/langs/sw_SW/categories.lang
+++ b/htdocs/langs/sw_SW/categories.lang
@@ -19,6 +19,7 @@ ProjectsCategoriesArea=Projects tags/categories area
UsersCategoriesArea=Users tags/categories area
SubCats=Sub-categories
CatList=List of tags/categories
+CatListAll=List of tags/categories (all types)
NewCategory=New tag/category
ModifCat=Modify tag/category
CatCreated=Tag/category created
@@ -65,16 +66,22 @@ UsersCategoriesShort=Users tags/categories
StockCategoriesShort=Warehouse tags/categories
ThisCategoryHasNoItems=This category does not contain any items.
CategId=Tag/category id
-CatSupList=List of vendor tags/categories
-CatCusList=List of customer/prospect tags/categories
+ParentCategory=Parent tag/category
+ParentCategoryLabel=Label of parent tag/category
+CatSupList=List of vendors tags/categories
+CatCusList=List of customers/prospects tags/categories
CatProdList=List of products tags/categories
CatMemberList=List of members tags/categories
-CatContactList=List of contact tags/categories
-CatSupLinks=Links between suppliers and tags/categories
+CatContactList=List of contacts tags/categories
+CatProjectsList=List of projects tags/categories
+CatUsersList=List of users tags/categories
+CatSupLinks=Links between vendors and tags/categories
CatCusLinks=Links between customers/prospects and tags/categories
CatContactsLinks=Links between contacts/addresses and tags/categories
CatProdLinks=Links between products/services and tags/categories
-CatProJectLinks=Links between projects and tags/categories
+CatMembersLinks=Links between members and tags/categories
+CatProjectsLinks=Links between projects and tags/categories
+CatUsersLinks=Links between users and tags/categories
DeleteFromCat=Remove from tags/category
ExtraFieldsCategories=Complementary attributes
CategoriesSetup=Tags/categories setup
diff --git a/htdocs/langs/sw_SW/companies.lang b/htdocs/langs/sw_SW/companies.lang
index dadff6a7894..8dc815b522e 100644
--- a/htdocs/langs/sw_SW/companies.lang
+++ b/htdocs/langs/sw_SW/companies.lang
@@ -358,7 +358,7 @@ VATIntraCheckableOnEUSite=Check the intra-Community VAT ID on the European Commi
VATIntraManualCheck=You can also check manually on the European Commission website %s
ErrorVATCheckMS_UNAVAILABLE=Check not possible. Check service is not provided by the member state (%s).
NorProspectNorCustomer=Not prospect, nor customer
-JuridicalStatus=Legal Entity Type
+JuridicalStatus=Business entity type
Workforce=Workforce
Staff=Employees
ProspectLevelShort=Potential
diff --git a/htdocs/langs/sw_SW/compta.lang b/htdocs/langs/sw_SW/compta.lang
index 8f4f058bb87..1afeb6e3727 100644
--- a/htdocs/langs/sw_SW/compta.lang
+++ b/htdocs/langs/sw_SW/compta.lang
@@ -111,7 +111,7 @@ Refund=Refund
SocialContributionsPayments=Social/fiscal taxes payments
ShowVatPayment=Show VAT payment
TotalToPay=Total to pay
-BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted ascending on %s and filtered for 1 bank account
+BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted on %s and filtered on 1 bank account (with no other filters)
CustomerAccountancyCode=Customer accounting code
SupplierAccountancyCode=Vendor accounting code
CustomerAccountancyCodeShort=Cust. account. code
@@ -140,7 +140,7 @@ ConfirmDeleteSocialContribution=Are you sure you want to delete this social/fisc
ExportDataset_tax_1=Social and fiscal taxes and payments
CalcModeVATDebt=Mode %sVAT on commitment accounting%s.
CalcModeVATEngagement=Mode %sVAT on incomes-expenses%s.
-CalcModeDebt=Analysis of known recorded invoices even if they are not yet accounted in ledger.
+CalcModeDebt=Analysis of known recorded documents even if they are not yet accounted in ledger.
CalcModeEngagement=Analysis of known recorded payments, even if they are not yet accounted in Ledger.
CalcModeBookkeeping=Analysis of data journalized in Bookkeeping Ledger table.
CalcModeLT1= Mode %sRE on customer invoices - suppliers invoices%s
@@ -154,9 +154,9 @@ AnnualSummaryInputOutputMode=Balance of income and expenses, annual summary
AnnualByCompanies=Balance of income and expenses, by predefined groups of account
AnnualByCompaniesDueDebtMode=Balance of income and expenses, detail by predefined groups, mode %sClaims-Debts%s said Commitment accounting.
AnnualByCompaniesInputOutputMode=Balance of income and expenses, detail by predefined groups, mode %sIncomes-Expenses%s said cash accounting.
-SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation on actual payments made even if they are not yet accounted in Ledger.
-SeeReportInDueDebtMode=See %sanalysis of invoices%s for a calculation based on known recorded invoices even if they are not yet accounted in Ledger.
-SeeReportInBookkeepingMode=See %sBookeeping report%s for a calculation on Bookkeeping Ledger table
+SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation based on recorded payments made even if they are not yet accounted in Ledger
+SeeReportInDueDebtMode=See %sanalysis of recorded documents%s for a calculation based on known recorded documents even if they are not yet accounted in Ledger
+SeeReportInBookkeepingMode=See %sanalysis of bookeeping ledger table%s for a report based on Bookkeeping Ledger table
RulesAmountWithTaxIncluded=- Amounts shown are with all taxes included
RulesResultDue=- It includes outstanding invoices, expenses, VAT, donations whether they are paid or not. Is also includes paid salaries. - It is based on the billing date of invoices and on the due date for expenses or tax payments. For salaries defined with Salary module, the value date of payment is used.
RulesResultInOut=- It includes the real payments made on invoices, expenses, VAT and salaries. - It is based on the payment dates of the invoices, expenses, VAT and salaries. The donation date for donation.
@@ -169,12 +169,15 @@ RulesResultBookkeepingPersonalized=It show record in your Ledger with accounting
SeePageForSetup=See menu %s for setup
DepositsAreNotIncluded=- Down payment invoices are not included
DepositsAreIncluded=- Down payment invoices are included
+LT1ReportByMonth=Tax 2 report by month
+LT2ReportByMonth=Tax 3 report by month
LT1ReportByCustomers=Report tax 2 by third party
LT2ReportByCustomers=Report tax 3 by third party
LT1ReportByCustomersES=Report by third party RE
LT2ReportByCustomersES=Report by third party IRPF
VATReport=Sale tax report
VATReportByPeriods=Sale tax report by period
+VATReportByMonth=Sale tax report by month
VATReportByRates=Sale tax report by rates
VATReportByThirdParties=Sale tax report by third parties
VATReportByCustomers=Sale tax report by customer
diff --git a/htdocs/langs/sw_SW/cron.lang b/htdocs/langs/sw_SW/cron.lang
index d2da7ded67e..2ebdda1e685 100644
--- a/htdocs/langs/sw_SW/cron.lang
+++ b/htdocs/langs/sw_SW/cron.lang
@@ -6,14 +6,15 @@ Permission23102 = Create/update Scheduled job
Permission23103 = Delete Scheduled job
Permission23104 = Execute Scheduled job
# Admin
-CronSetup= Scheduled job management setup
-URLToLaunchCronJobs=URL to check and launch qualified cron jobs
-OrToLaunchASpecificJob=Or to check and launch a specific job
+CronSetup=Scheduled job management setup
+URLToLaunchCronJobs=URL to check and launch qualified cron jobs from a browser
+OrToLaunchASpecificJob=Or to check and launch a specific job from a browser
KeyForCronAccess=Security key for URL to launch cron jobs
FileToLaunchCronJobs=Command line to check and launch qualified cron jobs
CronExplainHowToRunUnix=On Unix environment you should use the following crontab entry to run the command line each 5 minutes
-CronExplainHowToRunWin=On Microsoft(tm) Windows environement you can use Scheduled task tools to run the command line each 5 minutes
+CronExplainHowToRunWin=On Microsoft(tm) Windows environment you can use Scheduled Task tools to run the command line each 5 minutes
CronMethodDoesNotExists=Class %s does not contains any method %s
+CronMethodNotAllowed=Method %s of class %s is in blacklist of forbidden methods
CronJobDefDesc=Cron job profiles are defined into the module descriptor file. When module is activated, they are loaded and available so you can administer the jobs from the admin tools menu %s.
CronJobProfiles=List of predefined cron job profiles
# Menu
@@ -42,10 +43,11 @@ CronModule=Module
CronNoJobs=No jobs registered
CronPriority=Priority
CronLabel=Label
-CronNbRun=Nb. launch
-CronMaxRun=Max number launch
+CronNbRun=Number of launches
+CronMaxRun=Maximum number of launches
CronEach=Every
JobFinished=Job launched and finished
+Scheduled=Scheduled
#Page card
CronAdd= Add jobs
CronEvery=Execute job each
@@ -56,16 +58,16 @@ CronNote=Comment
CronFieldMandatory=Fields %s is mandatory
CronErrEndDateStartDt=End date cannot be before start date
StatusAtInstall=Status at module installation
-CronStatusActiveBtn=Enable
+CronStatusActiveBtn=Schedule
CronStatusInactiveBtn=Disable
CronTaskInactive=This job is disabled
CronId=Id
CronClassFile=Filename with class
-CronModuleHelp=Name of Dolibarr module directory (also work with external Dolibarr module). For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for module is product
-CronClassFileHelp=The relative path and file name to load (path is relative to web server root directory). For exemple to call the fetch method of Dolibarr Product object htdocs/product/class/product.class.php, the value for class file name is product/class/product.class.php
-CronObjectHelp=The object name to load. For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for class file name is Product
-CronMethodHelp=The object method to launch. For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for method is fetch
-CronArgsHelp=The method arguments. For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for paramters can be 0, ProductRef
+CronModuleHelp=Name of Dolibarr module directory (also work with external Dolibarr module). For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for module is product
+CronClassFileHelp=The relative path and file name to load (path is relative to web server root directory). For example to call the fetch method of Dolibarr Product object htdocs/product/class/product.class.php, the value for class file name is product/class/product.class.php
+CronObjectHelp=The object name to load. For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for class file name is Product
+CronMethodHelp=The object method to launch. For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for method is fetch
+CronArgsHelp=The method arguments. For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for paramters can be 0, ProductRef
CronCommandHelp=The system command line to execute.
CronCreateJob=Create new Scheduled Job
CronFrom=From
@@ -76,8 +78,14 @@ CronType_method=Call method of a PHP Class
CronType_command=Shell command
CronCannotLoadClass=Cannot load class file %s (to use class %s)
CronCannotLoadObject=Class file %s was loaded, but object %s was not found into it
-UseMenuModuleToolsToAddCronJobs=Go into menu "Home - Admin tools - Scheduled jobs" to see and edit scheduled jobs.
+UseMenuModuleToolsToAddCronJobs=Go into menu "Home - Admin tools - Scheduled jobs" to see and edit scheduled jobs.
JobDisabled=Job disabled
MakeLocalDatabaseDumpShort=Local database backup
-MakeLocalDatabaseDump=Create a local database dump. Parameters are: compression ('gz' or 'bz' or 'none'), backup type ('mysql' or 'pgsql'), 1, 'auto' or filename to build, number of backup files to keep
+MakeLocalDatabaseDump=Create a local database dump. Parameters are: compression ('gz' or 'bz' or 'none'), backup type ('mysql', 'pgsql', 'auto'), 1, 'auto' or filename to build, number of backup files to keep
WarningCronDelayed=Attention, for performance purpose, whatever is next date of execution of enabled jobs, your jobs may be delayed to a maximum of %s hours, before being run.
+DATAPOLICYJob=Data cleaner and anonymizer
+JobXMustBeEnabled=Job %s must be enabled
+# Cron Boxes
+LastExecutedScheduledJob=Last executed scheduled job
+NextScheduledJobExecute=Next scheduled job to execute
+NumberScheduledJobError=Number of scheduled jobs in error
diff --git a/htdocs/langs/sw_SW/errors.lang b/htdocs/langs/sw_SW/errors.lang
index 893f4a35b65..5b26be724d9 100644
--- a/htdocs/langs/sw_SW/errors.lang
+++ b/htdocs/langs/sw_SW/errors.lang
@@ -5,8 +5,10 @@ NoErrorCommitIsDone=No error, we commit
# Errors
ErrorButCommitIsDone=Errors found but we validate despite this
ErrorBadEMail=Email %s is wrong
+ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record)
ErrorBadUrl=Url %s is wrong
ErrorBadValueForParamNotAString=Bad value for your parameter. It appends generally when translation is missing.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorLoginAlreadyExists=Login %s already exists.
ErrorGroupAlreadyExists=Group %s already exists.
ErrorRecordNotFound=Record not found.
@@ -48,6 +50,7 @@ ErrorFieldsRequired=Some required fields were not filled.
ErrorSubjectIsRequired=The email topic is required
ErrorFailedToCreateDir=Failed to create a directory. Check that Web server user has permissions to write into Dolibarr documents directory. If parameter safe_mode is enabled on this PHP, check that Dolibarr php files owns to web server user (or group).
ErrorNoMailDefinedForThisUser=No mail defined for this user
+ErrorSetupOfEmailsNotComplete=Setup of emails is not complete
ErrorFeatureNeedJavascript=This feature need javascript to be activated to work. Change this in setup - display.
ErrorTopMenuMustHaveAParentWithId0=A menu of type 'Top' can't have a parent menu. Put 0 in parent menu or choose a menu of type 'Left'.
ErrorLeftMenuMustHaveAParentId=A menu of type 'Left' must have a parent id.
@@ -75,7 +78,7 @@ ErrorExportDuplicateProfil=This profile name already exists for this export set.
ErrorLDAPSetupNotComplete=Dolibarr-LDAP matching is not complete.
ErrorLDAPMakeManualTest=A .ldif file has been generated in directory %s. Try to load it manually from command line to have more information on errors.
ErrorCantSaveADoneUserWithZeroPercentage=Can't save an action with "status not started" if field "done by" is also filled.
-ErrorRefAlreadyExists=Ref used for creation already exists.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorPleaseTypeBankTransactionReportName=Please enter the bank statement name where the entry has to be reported (Format YYYYMM or YYYYMMDD)
ErrorRecordHasChildren=Failed to delete record since it has some child records.
ErrorRecordHasAtLeastOneChildOfType=Object has at least one child of type %s
@@ -216,7 +219,7 @@ ErrorChooseBetweenFreeEntryOrPredefinedProduct=You must choose if article is a p
ErrorDiscountLargerThanRemainToPaySplitItBefore=The discount you try to apply is larger than remain to pay. Split the discount in 2 smaller discounts before.
ErrorFileNotFoundWithSharedLink=File was not found. May be the share key was modified or file was removed recently.
ErrorProductBarCodeAlreadyExists=The product barcode %s already exists on another product reference.
-ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using virtual product to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number.
+ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using kits to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number.
ErrorDescRequiredForFreeProductLines=Description is mandatory for lines with free product
ErrorAPageWithThisNameOrAliasAlreadyExists=The page/container %s has the same name or alternative alias that the one your try to use
ErrorDuringChartLoad=Error when loading chart of accounts. If few accounts were not loaded, you can still enter them manually.
@@ -243,6 +246,16 @@ ErrorReplaceStringEmpty=Error, the string to replace into is empty
ErrorProductNeedBatchNumber=Error, product '%s' need a lot/serial number
ErrorProductDoesNotNeedBatchNumber=Error, product '%s' does not accept a lot/serial number
ErrorFailedToReadObject=Error, failed to read object of type %s
+ErrorParameterMustBeEnabledToAllwoThisFeature=Error, parameter %s must be enabled into conf/conf.php to allow use of Command Line Interface by the internal job scheduler
+ErrorLoginDateValidity=Error, this login is outside the validity date range
+ErrorValueLength=Length of field '%s' must be higher than '%s'
+ErrorReservedKeyword=The word '%s' is a reserved keyword
+ErrorNotAvailableWithThisDistribution=Not available with this distribution
+ErrorPublicInterfaceNotEnabled=Public interface was not enabled
+ErrorLanguageRequiredIfPageIsTranslationOfAnother=The language of new page must be defined if it is set as a translation of another page
+ErrorLanguageMustNotBeSourceLanguageIfPageIsTranslationOfAnother=The language of new page must not be the source language if it is set as a translation of another page
+ErrorAParameterIsRequiredForThisOperation=A parameter is mandatory for this operation
+
# Warnings
WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup.
WarningPasswordSetWithNoAccount=A password was set for this member. However, no user account was created. So this password is stored but can't be used to login to Dolibarr. It may be used by an external module/interface but if you don't need to define any login nor password for a member, you can disable option "Manage a login for each member" from Member module setup. If you need to manage a login but don't need any password, you can keep this field empty to avoid this warning. Note: Email can also be used as a login if the member is linked to a user.
@@ -267,6 +280,10 @@ WarningYourLoginWasModifiedPleaseLogin=Your login was modified. For security pur
WarningAnEntryAlreadyExistForTransKey=An entry already exists for the translation key for this language
WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different recipient is limited to %s when using the mass actions on lists
WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report
+WarningProjectDraft=Project is still in draft mode. Don't forget to validate it if you plan to use tasks.
WarningProjectClosed=Project is closed. You must re-open it first.
WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list.
-WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table
+WarningFailedToAddFileIntoDatabaseIndex=Warning, failed to add file entry into ECM database index table
+WarningTheHiddenOptionIsOn=Warning, the hidden option %s is on.
+WarningCreateSubAccounts=Warning, you can't create directly a sub account, you must create a third party or an user and assign them an accounting code to find them in this list
+WarningAvailableOnlyForHTTPSServers=Available only if using HTTPS secured connection.
diff --git a/htdocs/langs/sw_SW/exports.lang b/htdocs/langs/sw_SW/exports.lang
index 2dcf4317e00..a0eb7161ef2 100644
--- a/htdocs/langs/sw_SW/exports.lang
+++ b/htdocs/langs/sw_SW/exports.lang
@@ -26,6 +26,8 @@ FieldTitle=Field title
NowClickToGenerateToBuildExportFile=Now, select the file format in the combo box and click on "Generate" to build the export file...
AvailableFormats=Available Formats
LibraryShort=Library
+ExportCsvSeparator=Csv caracter separator
+ImportCsvSeparator=Csv caracter separator
Step=Step
FormatedImport=Import Assistant
FormatedImportDesc1=This module allows you to update existing data or add new objects into the database from a file without technical knowledge, using an assistant.
@@ -131,3 +133,4 @@ KeysToUseForUpdates=Key (column) to use for updating existing data
NbInsert=Number of inserted lines: %s
NbUpdate=Number of updated lines: %s
MultipleRecordFoundWithTheseFilters=Multiple records have been found with these filters: %s
+StocksWithBatch=Stocks and location (warehouse) of products with batch/serial number
diff --git a/htdocs/langs/sw_SW/mails.lang b/htdocs/langs/sw_SW/mails.lang
index 1235eef3b27..7fd93be7b71 100644
--- a/htdocs/langs/sw_SW/mails.lang
+++ b/htdocs/langs/sw_SW/mails.lang
@@ -92,6 +92,7 @@ MailingModuleDescEmailsFromUser=Emails input by user
MailingModuleDescDolibarrUsers=Users with Emails
MailingModuleDescThirdPartiesByCategories=Third parties (by categories)
SendingFromWebInterfaceIsNotAllowed=Sending from web interface is not allowed.
+EmailCollectorFilterDesc=All filters must match to have an email being collected
# Libelle des modules de liste de destinataires mailing
LineInFile=Line %s in file
@@ -125,12 +126,13 @@ TagMailtoEmail=Recipient Email (including html "mailto:" link)
NoEmailSentBadSenderOrRecipientEmail=No email sent. Bad sender or recipient email. Verify user profile.
# Module Notifications
Notifications=Notifications
-NoNotificationsWillBeSent=No email notifications are planned for this event and company
-ANotificationsWillBeSent=1 notification will be sent by email
-SomeNotificationsWillBeSent=%s notifications will be sent by email
-AddNewNotification=Activate a new email notification target/event
-ListOfActiveNotifications=List all active targets/events for email notification
-ListOfNotificationsDone=List all email notifications sent
+NotificationsAuto=Notifications Auto.
+NoNotificationsWillBeSent=No automatic email notifications are planned for this event type and company
+ANotificationsWillBeSent=1 automatic notification will be sent by email
+SomeNotificationsWillBeSent=%s automatic notifications will be sent by email
+AddNewNotification=Subscribe to a new automatic email notification (target/event)
+ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification
+ListOfNotificationsDone=List all automatic email notifications sent
MailSendSetupIs=Configuration of email sending has been setup to '%s'. This mode can't be used to send mass emailing.
MailSendSetupIs2=You must first go, with an admin account, into menu %sHome - Setup - EMails%s to change parameter '%s' to use mode '%s'. With this mode, you can enter setup of the SMTP server provided by your Internet Service Provider and use Mass emailing feature.
MailSendSetupIs3=If you have any questions on how to setup your SMTP server, you can ask to %s.
@@ -140,7 +142,7 @@ UseFormatFileEmailToTarget=Imported file must have format email;name;fir
UseFormatInputEmailToTarget=Enter a string with format email;name;firstname;other
MailAdvTargetRecipients=Recipients (advanced selection)
AdvTgtTitle=Fill input fields to preselect the third parties or contacts/addresses to target
-AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima% will target all jean, joe, start with jim but not jimo and not everything that starts with jima
+AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima%% will target all jean, joe, start with jim but not jimo and not everything that starts with jima
AdvTgtSearchIntHelp=Use interval to select int or float value
AdvTgtMinVal=Minimum value
AdvTgtMaxVal=Maximum value
@@ -162,13 +164,14 @@ AdvTgtCreateFilter=Create filter
AdvTgtOrCreateNewFilter=Name of new filter
NoContactWithCategoryFound=No contact/address with a category found
NoContactLinkedToThirdpartieWithCategoryFound=No contact/address with a category found
-OutGoingEmailSetup=Outgoing email setup
-InGoingEmailSetup=Incoming email setup
-OutGoingEmailSetupForEmailing=Outgoing email setup (for module %s)
-DefaultOutgoingEmailSetup=Default outgoing email setup
+OutGoingEmailSetup=Outgoing emails
+InGoingEmailSetup=Incoming emails
+OutGoingEmailSetupForEmailing=Outgoing emails (for module %s)
+DefaultOutgoingEmailSetup=Same configuration than the global Outgoing email setup
Information=Information
ContactsWithThirdpartyFilter=Contacts with third-party filter
Unanswered=Unanswered
Answered=Answered
IsNotAnAnswer=Is not answer (initial email)
IsAnAnswer=Is an answer of an initial email
+RecordCreatedByEmailCollector=Record created by the Email Collector %s from email %s
diff --git a/htdocs/langs/sw_SW/main.lang b/htdocs/langs/sw_SW/main.lang
index 96c68cdcfa3..e196120c27d 100644
--- a/htdocs/langs/sw_SW/main.lang
+++ b/htdocs/langs/sw_SW/main.lang
@@ -28,7 +28,9 @@ NoTemplateDefined=No template available for this email type
AvailableVariables=Available substitution variables
NoTranslation=No translation
Translation=Translation
+CurrentTimeZone=TimeZone PHP (server)
EmptySearchString=Enter non empty search criterias
+EnterADateCriteria=Enter a date criteria
NoRecordFound=No record found
NoRecordDeleted=No record deleted
NotEnoughDataYet=Not enough data
@@ -85,6 +87,8 @@ FileWasNotUploaded=A file is selected for attachment but was not yet uploaded. C
NbOfEntries=No. of entries
GoToWikiHelpPage=Read online help (Internet access needed)
GoToHelpPage=Read help
+DedicatedPageAvailable=There is a dedicated help page related to your current screen
+HomePage=Home Page
RecordSaved=Record saved
RecordDeleted=Record deleted
RecordGenerated=Record generated
@@ -433,6 +437,7 @@ RemainToPay=Remain to pay
Module=Module/Application
Modules=Modules/Applications
Option=Option
+Filters=Filters
List=List
FullList=Full list
FullConversation=Full conversation
@@ -671,7 +676,7 @@ SendMail=Send email
Email=Email
NoEMail=No email
AlreadyRead=Already read
-NotRead=Not read
+NotRead=Unread
NoMobilePhone=No mobile phone
Owner=Owner
FollowingConstantsWillBeSubstituted=The following constants will be replaced with the corresponding value.
@@ -1107,3 +1112,8 @@ UpToDate=Up-to-date
OutOfDate=Out-of-date
EventReminder=Event Reminder
UpdateForAllLines=Update for all lines
+OnHold=On hold
+AffectTag=Affect Tag
+ConfirmAffectTag=Bulk Tag Affect
+ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected record(s)?
+CategTypeNotFound=No tag type found for type of records
diff --git a/htdocs/langs/sw_SW/modulebuilder.lang b/htdocs/langs/sw_SW/modulebuilder.lang
index 460aef8103b..845dd12624d 100644
--- a/htdocs/langs/sw_SW/modulebuilder.lang
+++ b/htdocs/langs/sw_SW/modulebuilder.lang
@@ -40,6 +40,7 @@ PageForCreateEditView=PHP page to create/edit/view a record
PageForAgendaTab=PHP page for event tab
PageForDocumentTab=PHP page for document tab
PageForNoteTab=PHP page for note tab
+PageForContactTab=PHP page for contact tab
PathToModulePackage=Path to zip of module/application package
PathToModuleDocumentation=Path to file of module/application documentation (%s)
SpaceOrSpecialCharAreNotAllowed=Spaces or special characters are not allowed.
@@ -77,7 +78,7 @@ IsAMeasure=Is a measure
DirScanned=Directory scanned
NoTrigger=No trigger
NoWidget=No widget
-GoToApiExplorer=Go to API explorer
+GoToApiExplorer=API explorer
ListOfMenusEntries=List of menu entries
ListOfDictionariesEntries=List of dictionaries entries
ListOfPermissionsDefined=List of defined permissions
@@ -105,7 +106,7 @@ TryToUseTheModuleBuilder=If you have knowledge of SQL and PHP, you may use the n
SeeTopRightMenu=See on the top right menu
AddLanguageFile=Add language file
YouCanUseTranslationKey=You can use here a key that is the translation key found into language file (see tab "Languages")
-DropTableIfEmpty=(Delete table if empty)
+DropTableIfEmpty=(Destroy table if empty)
TableDoesNotExists=The table %s does not exists
TableDropped=Table %s deleted
InitStructureFromExistingTable=Build the structure array string of an existing table
@@ -126,7 +127,6 @@ UseSpecificEditorURL = Use a specific editor URL
UseSpecificFamily = Use a specific family
UseSpecificAuthor = Use a specific author
UseSpecificVersion = Use a specific initial version
-ModuleMustBeEnabled=The module/application must be enabled first
IncludeRefGeneration=The reference of object must be generated automatically
IncludeRefGenerationHelp=Check this if you want to include code to manage the generation automatically of the reference
IncludeDocGeneration=I want to generate some documents from the object
@@ -140,3 +140,4 @@ TypeOfFieldsHelp=Type of fields: varchar(99), double(24,8), real, text, html,
AsciiToHtmlConverter=Ascii to HTML converter
AsciiToPdfConverter=Ascii to PDF converter
TableNotEmptyDropCanceled=Table not empty. Drop has been canceled.
+ModuleBuilderNotAllowed=The module builder is available but not allowed to your user.
diff --git a/htdocs/langs/sw_SW/other.lang b/htdocs/langs/sw_SW/other.lang
index 54c0572d453..0a7b3723ab1 100644
--- a/htdocs/langs/sw_SW/other.lang
+++ b/htdocs/langs/sw_SW/other.lang
@@ -5,8 +5,6 @@ Tools=Tools
TMenuTools=Tools
ToolsDesc=All tools not included in other menu entries are grouped here. All the tools can be accessed via the left menu.
Birthday=Birthday
-BirthdayDate=Birthday date
-DateToBirth=Birth date
BirthdayAlertOn=birthday alert active
BirthdayAlertOff=birthday alert inactive
TransKey=Translation of the key TransKey
@@ -16,6 +14,8 @@ PreviousMonthOfInvoice=Previous month (number 1-12) of invoice date
TextPreviousMonthOfInvoice=Previous month (text) of invoice date
NextMonthOfInvoice=Following month (number 1-12) of invoice date
TextNextMonthOfInvoice=Following month (text) of invoice date
+PreviousMonth=Previous month
+CurrentMonth=Current month
ZipFileGeneratedInto=Zip file generated into %s.
DocFileGeneratedInto=Doc file generated into %s.
JumpToLogin=Disconnected. Go to login page...
@@ -99,6 +99,7 @@ PredefinedMailContentSendShipping=__(Hello)__\n\nPlease find shipping __REF__ at
PredefinedMailContentSendFichInter=__(Hello)__\n\nPlease find intervention __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.\n\n%s\n\n
PredefinedMailContentGeneric=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
+PredefinedMailContentSendActionComm=Event reminder "__EVENT_LABEL__" on __EVENT_DATE__ at __EVENT_TIME__
This is an automatic message, please do not reply.
DemoDesc=Dolibarr is a compact ERP/CRM supporting several business modules. A demo showcasing all modules makes no sense as this scenario never occurs (several hundred available). So, several demo profiles are available.
ChooseYourDemoProfil=Choose the demo profile that best suits your needs...
ChooseYourDemoProfilMore=...or build your own profile (manual module selection)
@@ -137,7 +138,7 @@ Right=Right
CalculatedWeight=Calculated weight
CalculatedVolume=Calculated volume
Weight=Weight
-WeightUnitton=tonne
+WeightUnitton=ton
WeightUnitkg=kg
WeightUnitg=g
WeightUnitmg=mg
@@ -258,6 +259,7 @@ ContactCreatedByEmailCollector=Contact/address created by email collector from e
ProjectCreatedByEmailCollector=Project created by email collector from email MSGID %s
TicketCreatedByEmailCollector=Ticket created by email collector from email MSGID %s
OpeningHoursFormatDesc=Use a - to separate opening and closing hours. Use a space to enter different ranges. Example: 8-12 14-18
+PrefixSession=Prefix for session ID
##### Export #####
ExportsArea=Exports area
diff --git a/htdocs/langs/sw_SW/products.lang b/htdocs/langs/sw_SW/products.lang
index 97db059594f..f0c4a5362b8 100644
--- a/htdocs/langs/sw_SW/products.lang
+++ b/htdocs/langs/sw_SW/products.lang
@@ -108,7 +108,8 @@ FillWithLastServiceDates=Fill with last service line dates
MultiPricesAbility=Multiple price segments per product/service (each customer is in one price segment)
MultiPricesNumPrices=Number of prices
DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices
-AssociatedProductsAbility=Activate kits (virtual products)
+AssociatedProductsAbility=Enable Kits (set of other products)
+VariantsAbility=Enable Variants (variations of products, for example color, size)
AssociatedProducts=Kits
AssociatedProductsNumber=Number of products composing this kit
ParentProductsNumber=Number of parent packaging product
@@ -167,8 +168,10 @@ BuyingPrices=Buying prices
CustomerPrices=Customer prices
SuppliersPrices=Vendor prices
SuppliersPricesOfProductsOrServices=Vendor prices (of products or services)
-CustomCode=Customs / Commodity / HS code
+CustomCode=Customs|Commodity|HS code
CountryOrigin=Origin country
+RegionStateOrigin=Region origin
+StateOrigin=State|Province origin
Nature=Nature of product (material/finished)
NatureOfProductShort=Nature of product
NatureOfProductDesc=Raw material or finished product
@@ -239,7 +242,7 @@ AlwaysUseFixedPrice=Use the fixed price
PriceByQuantity=Different prices by quantity
DisablePriceByQty=Disable prices by quantity
PriceByQuantityRange=Quantity range
-MultipriceRules=Price segment rules
+MultipriceRules=Automatic prices for segment
UseMultipriceRules=Use price segment rules (defined into product module setup) to auto calculate prices of all other segments according to first segment
PercentVariationOver=%% variation over %s
PercentDiscountOver=%% discount over %s
diff --git a/htdocs/langs/sw_SW/recruitment.lang b/htdocs/langs/sw_SW/recruitment.lang
index b775e78552e..437445f25dc 100644
--- a/htdocs/langs/sw_SW/recruitment.lang
+++ b/htdocs/langs/sw_SW/recruitment.lang
@@ -73,3 +73,4 @@ JobClosedTextCandidateFound=The job position is closed. The position has been fi
JobClosedTextCanceled=The job position is closed.
ExtrafieldsJobPosition=Complementary attributes (job positions)
ExtrafieldsCandidatures=Complementary attributes (job applications)
+MakeOffer=Make an offer
diff --git a/htdocs/langs/sw_SW/sendings.lang b/htdocs/langs/sw_SW/sendings.lang
index 5ce3b7f67e9..73bd9aebd42 100644
--- a/htdocs/langs/sw_SW/sendings.lang
+++ b/htdocs/langs/sw_SW/sendings.lang
@@ -30,6 +30,7 @@ OtherSendingsForSameOrder=Other shipments for this order
SendingsAndReceivingForSameOrder=Shipments and receipts for this order
SendingsToValidate=Shipments to validate
StatusSendingCanceled=Canceled
+StatusSendingCanceledShort=Canceled
StatusSendingDraft=Draft
StatusSendingValidated=Validated (products to ship or already shipped)
StatusSendingProcessed=Processed
@@ -65,6 +66,7 @@ ValidateOrderFirstBeforeShipment=You must first validate the order before being
# Sending methods
# ModelDocument
DocumentModelTyphon=More complete document model for delivery receipts (logo...)
+DocumentModelStorm=More complete document model for delivery receipts and extrafields compatibility (logo...)
Error_EXPEDITION_ADDON_NUMBER_NotDefined=Constant EXPEDITION_ADDON_NUMBER not defined
SumOfProductVolumes=Sum of product volumes
SumOfProductWeights=Sum of product weights
diff --git a/htdocs/langs/sw_SW/stocks.lang b/htdocs/langs/sw_SW/stocks.lang
index 660443bcded..6cf089096dd 100644
--- a/htdocs/langs/sw_SW/stocks.lang
+++ b/htdocs/langs/sw_SW/stocks.lang
@@ -240,3 +240,4 @@ InventoryRealQtyHelp=Set value to 0 to reset qty Keep field empty, or remove
UpdateByScaning=Update by scaning
UpdateByScaningProductBarcode=Update by scan (product barcode)
UpdateByScaningLot=Update by scan (lot|serial barcode)
+DisableStockChangeOfSubProduct=Deactivate the stock change for all the subproducts of this Kit during this movement.
diff --git a/htdocs/langs/sw_SW/ticket.lang b/htdocs/langs/sw_SW/ticket.lang
index 59519282c80..982fff90ffa 100644
--- a/htdocs/langs/sw_SW/ticket.lang
+++ b/htdocs/langs/sw_SW/ticket.lang
@@ -31,10 +31,8 @@ TicketDictType=Ticket - Types
TicketDictCategory=Ticket - Groupes
TicketDictSeverity=Ticket - Severities
TicketDictResolution=Ticket - Resolution
-TicketTypeShortBUGSOFT=Dysfonctionnement logiciel
-TicketTypeShortBUGHARD=Dysfonctionnement matériel
-TicketTypeShortCOM=Commercial question
+TicketTypeShortCOM=Commercial question
TicketTypeShortHELP=Request for functionnal help
TicketTypeShortISSUE=Issue, bug or problem
TicketTypeShortREQUEST=Change or enhancement request
@@ -44,7 +42,7 @@ TicketTypeShortOTHER=Other
TicketSeverityShortLOW=Low
TicketSeverityShortNORMAL=Normal
TicketSeverityShortHIGH=High
-TicketSeverityShortBLOCKING=Critical/Blocking
+TicketSeverityShortBLOCKING=Critical, Blocking
ErrorBadEmailAddress=Field '%s' incorrect
MenuTicketMyAssign=My tickets
@@ -60,7 +58,6 @@ OriginEmail=Email source
Notify_TICKET_SENTBYMAIL=Send ticket message by email
# Status
-NotRead=Not read
Read=Read
Assigned=Assigned
InProgress=In progress
@@ -126,6 +123,7 @@ TicketsActivatePublicInterfaceHelp=Public interface allow any visitors to create
TicketsAutoAssignTicket=Automatically assign the user who created the ticket
TicketsAutoAssignTicketHelp=When creating a ticket, the user can be automatically assigned to the ticket.
TicketNumberingModules=Tickets numbering module
+TicketsModelModule=Document templates for tickets
TicketNotifyTiersAtCreation=Notify third party at creation
TicketsDisableCustomerEmail=Always disable emails when a ticket is created from public interface
TicketsPublicNotificationNewMessage=Send email(s) when a new message is added
@@ -233,7 +231,6 @@ TicketLogStatusChanged=Status changed: %s to %s
TicketNotNotifyTiersAtCreate=Not notify company at create
Unread=Unread
TicketNotCreatedFromPublicInterface=Not available. Ticket was not created from public interface.
-PublicInterfaceNotEnabled=Public interface was not enabled
ErrorTicketRefRequired=Ticket reference name is required
#
diff --git a/htdocs/langs/sw_SW/website.lang b/htdocs/langs/sw_SW/website.lang
index 03e042e4be6..f17def114b8 100644
--- a/htdocs/langs/sw_SW/website.lang
+++ b/htdocs/langs/sw_SW/website.lang
@@ -30,7 +30,6 @@ EditInLine=Edit inline
AddWebsite=Add website
Webpage=Web page/container
AddPage=Add page/container
-HomePage=Home Page
PageContainer=Page
PreviewOfSiteNotYetAvailable=Preview of your website %s not yet available. You must first 'Import a full website template' or just 'Add a page/container'.
RequestedPageHasNoContentYet=Requested page with id %s has no content yet, or cache file .tpl.php was removed. Edit content of the page to solve this.
@@ -101,7 +100,7 @@ EmptyPage=Empty page
ExternalURLMustStartWithHttp=External URL must start with http:// or https://
ZipOfWebsitePackageToImport=Upload the Zip file of the website template package
ZipOfWebsitePackageToLoad=or Choose an available embedded website template package
-ShowSubcontainers=Include dynamic content
+ShowSubcontainers=Show dynamic content
InternalURLOfPage=Internal URL of page
ThisPageIsTranslationOf=This page/container is a translation of
ThisPageHasTranslationPages=This page/container has translation
@@ -137,3 +136,4 @@ RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using
PagesRegenerated=%s page(s)/container(s) regenerated
RegenerateWebsiteContent=Regenerate web site cache files
AllowedInFrames=Allowed in Frames
+DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languages into web site properties.
diff --git a/htdocs/langs/sw_SW/withdrawals.lang b/htdocs/langs/sw_SW/withdrawals.lang
index 114a8d9dd6c..e3bec6f9cb8 100644
--- a/htdocs/langs/sw_SW/withdrawals.lang
+++ b/htdocs/langs/sw_SW/withdrawals.lang
@@ -42,6 +42,7 @@ LastWithdrawalReceipt=Latest %s direct debit receipts
MakeWithdrawRequest=Make a direct debit payment request
MakeBankTransferOrder=Make a credit transfer request
WithdrawRequestsDone=%s direct debit payment requests recorded
+BankTransferRequestsDone=%s credit transfer requests recorded
ThirdPartyBankCode=Third-party bank code
NoInvoiceCouldBeWithdrawed=No invoice debited successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s.
ClassCredited=Classify credited
@@ -131,7 +132,8 @@ SEPARCUR=SEPA CUR
SEPAFRST=SEPA FRST
ExecutionDate=Execution date
CreateForSepa=Create direct debit file
-ICS=Creditor Identifier CI
+ICS=Creditor Identifier CI for direct debit
+ICSTransfer=Creditor Identifier CI for bank transfer
END_TO_END="EndToEndId" SEPA XML tag - Unique id assigned per transaction
USTRD="Unstructured" SEPA XML tag
ADDDAYS=Add days to Execution Date
@@ -146,3 +148,4 @@ InfoRejectSubject=Direct debit payment order refused
InfoRejectMessage=Hello,
the direct debit payment order of invoice %s related to the company %s, with an amount of %s has been refused by the bank.
-- %s
ModeWarning=Option for real mode was not set, we stop after this simulation
ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know wich one to use.
+ErrorICSmissing=Missing ICS in Bank account %s
diff --git a/htdocs/langs/th_TH/accountancy.lang b/htdocs/langs/th_TH/accountancy.lang
index 4c4d303f11c..9b3f2e7bb42 100644
--- a/htdocs/langs/th_TH/accountancy.lang
+++ b/htdocs/langs/th_TH/accountancy.lang
@@ -48,6 +48,7 @@ CountriesExceptMe=All countries except %s
AccountantFiles=Export source documents
ExportAccountingSourceDocHelp=With this tool, you can export the source events (list and PDFs) that were used to generate your accountancy. To export your journals, use the menu entry %s - %s.
VueByAccountAccounting=View by accounting account
+VueBySubAccountAccounting=View by accounting subaccount
MainAccountForCustomersNotDefined=Main accounting account for customers not defined in setup
MainAccountForSuppliersNotDefined=Main accounting account for vendors not defined in setup
@@ -144,7 +145,7 @@ NotVentilatedinAccount=Not bound to the accounting account
XLineSuccessfullyBinded=%s products/services successfully bound to an accounting account
XLineFailedToBeBinded=%s products/services were not bound to any accounting account
-ACCOUNTING_LIMIT_LIST_VENTILATION=Number of elements to bind shown by page (maximum recommended: 50)
+ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50)
ACCOUNTING_LIST_SORT_VENTILATION_TODO=Begin the sorting of the page "Binding to do" by the most recent elements
ACCOUNTING_LIST_SORT_VENTILATION_DONE=Begin the sorting of the page "Binding done" by the most recent elements
@@ -198,7 +199,8 @@ Docdate=วันที่
Docref=การอ้างอิง
LabelAccount=บัญชีฉลาก
LabelOperation=Label operation
-Sens=ซองส์
+Sens=Direction
+AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received For an accounting account of a supplier, use Debit to record a payment you make
LetteringCode=Lettering code
Lettering=Lettering
Codejournal=วารสาร
@@ -206,7 +208,8 @@ JournalLabel=Journal label
NumPiece=Piece number
TransactionNumShort=Num. transaction
AccountingCategory=Personalized groups
-GroupByAccountAccounting=Group by accounting account
+GroupByAccountAccounting=Group by general ledger account
+GroupBySubAccountAccounting=Group by subledger account
AccountingAccountGroupsDesc=You can define here some groups of accounting account. They will be used for personalized accounting reports.
ByAccounts=By accounts
ByPredefinedAccountGroups=By predefined groups
@@ -248,7 +251,7 @@ PaymentsNotLinkedToProduct=Payment not linked to any product / service
OpeningBalance=Opening balance
ShowOpeningBalance=Show opening balance
HideOpeningBalance=Hide opening balance
-ShowSubtotalByGroup=Show subtotal by group
+ShowSubtotalByGroup=Show subtotal by level
Pcgtype=Group of account
PcgtypeDesc=Group of account are used as predefined 'filter' and 'grouping' criteria for some accounting reports. For example, 'INCOME' or 'EXPENSE' are used as groups for accounting accounts of products to build the expense/income report.
@@ -271,11 +274,13 @@ DescVentilExpenseReport=Consult here the list of expense report lines bound (or
DescVentilExpenseReportMore=If you setup accounting account on type of expense report lines, the application will be able to make all the binding between your expense report lines and the accounting account of your chart of accounts, just in one click with the button "%s". If account was not set on fees dictionary or if you still have some lines not bound to any account, you will have to make a manual binding from the menu "%s".
DescVentilDoneExpenseReport=Consult here the list of the lines of expenses reports and their fees accounting account
+Closure=Annual closure
DescClosure=Consult here the number of movements by month who are not validated & fiscal years already open
OverviewOfMovementsNotValidated=Step 1/ Overview of movements not validated. (Necessary to close a fiscal year)
+AllMovementsWereRecordedAsValidated=All movements were recorded as validated
+NotAllMovementsCouldBeRecordedAsValidated=Not all movements could be recorded as validated
ValidateMovements=Validate movements
DescValidateMovements=Any modification or deletion of writing, lettering and deletes will be prohibited. All entries for an exercise must be validated otherwise closing will not be possible
-SelectMonthAndValidate=Select month and validate movements
ValidateHistory=Bind Automatically
AutomaticBindingDone=Automatic binding done
@@ -293,6 +298,7 @@ Accounted=Accounted in ledger
NotYetAccounted=Not yet accounted in ledger
ShowTutorial=Show Tutorial
NotReconciled=Not reconciled
+WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view
## Admin
BindingOptions=Binding options
@@ -337,6 +343,7 @@ Modelcsv_LDCompta10=Export for LD Compta (v10 & higher)
Modelcsv_openconcerto=Export for OpenConcerto (Test)
Modelcsv_configurable=Export CSV Configurable
Modelcsv_FEC=Export FEC
+Modelcsv_FEC2=Export FEC (With dates generation writing / document reversed)
Modelcsv_Sage50_Swiss=Export for Sage 50 Switzerland
Modelcsv_winfic=Export Winfic - eWinfic - WinSis Compta
Modelcsv_Gestinumv3=Export for Gestinum (v3)
diff --git a/htdocs/langs/th_TH/admin.lang b/htdocs/langs/th_TH/admin.lang
index c50cf3e78cf..14c917aad14 100644
--- a/htdocs/langs/th_TH/admin.lang
+++ b/htdocs/langs/th_TH/admin.lang
@@ -56,6 +56,8 @@ GUISetup=แสดง
SetupArea=การติดตั้ง
UploadNewTemplate=Upload new template(s)
FormToTestFileUploadForm=แบบทดสอบการอัปโหลดไฟล์ (ตามการตั้งค่า)
+ModuleMustBeEnabled=The module/application %s must be enabled
+ModuleIsEnabled=The module/application %s has been enabled
IfModuleEnabled=หมายเหตุ: ใช่จะมีผลเฉพาะถ้าโมดูล% s ถูกเปิดใช้งาน
RemoveLock=Remove/rename file %s if it exists, to allow usage of the Update/Install tool.
RestoreLock=Restore file %s, with read permission only, to disable any further use of the Update/Install tool.
@@ -85,7 +87,6 @@ ShowPreview=แสดงตัวอย่าง
ShowHideDetails=Show-Hide details
PreviewNotAvailable=ตัวอย่างที่ไม่สามารถใช้ได้
ThemeCurrentlyActive=รูปแบบที่ใช้งานอยู่ในปัจจุบัน
-CurrentTimeZone=เขต PHP (เซิร์ฟเวอร์)
MySQLTimeZone=เขตฐาน (ฐานข้อมูล)
TZHasNoEffect=Dates are stored and returned by database server as if they were kept as submitted string. The timezone has effect only when using the UNIX_TIMESTAMP function (that should not be used by Dolibarr, so database TZ should have no effect, even if changed after data was entered).
Space=ช่องว่าง
@@ -153,8 +154,8 @@ SystemToolsAreaDesc=This area provides administration functions. Use the menu to
Purge=ล้าง
PurgeAreaDesc=This page allows you to delete all files generated or stored by Dolibarr (temporary files or all files in %s directory). Using this feature is not normally necessary. It is provided as a workaround for users whose Dolibarr is hosted by a provider that does not offer permissions to delete files generated by the web server.
PurgeDeleteLogFile=Delete log files, including %s defined for Syslog module (no risk of losing data)
-PurgeDeleteTemporaryFiles=Delete all temporary files (no risk of losing data). Note: Deletion is done only if the temp directory was created 24 hours ago.
-PurgeDeleteTemporaryFilesShort=Delete temporary files
+PurgeDeleteTemporaryFiles=Delete all log and temporary files (no risk of losing data). Note: Deletion of temporary files is done only if the temp directory was created more than 24 hours ago.
+PurgeDeleteTemporaryFilesShort=Delete log and temporary files
PurgeDeleteAllFilesInDocumentsDir=Delete all files in directory: %s. This will delete all generated documents related to elements (third parties, invoices etc...), files uploaded into the ECM module, database backup dumps and temporary files.
PurgeRunNow=ล้างในขณะนี้
PurgeNothingToDelete=No directory or files to delete.
@@ -256,6 +257,7 @@ ReferencedPreferredPartners=พาร์ทเนอร์ที่ต้อง
OtherResources=Other resources
ExternalResources=External Resources
SocialNetworks=Social Networks
+SocialNetworkId=Social Network ID
ForDocumentationSeeWiki=สำหรับผู้ใช้หรือเอกสารพัฒนา (หมอคำถามที่พบบ่อย ... ), ดูที่วิกิพีเดีย Dolibarr: % s
ForAnswersSeeForum=สำหรับคำถามใด ๆ / ความช่วยเหลือคุณสามารถใช้ฟอรั่ม Dolibarr: % s
HelpCenterDesc1=Here are some resources for getting help and support with Dolibarr.
@@ -375,7 +377,7 @@ ExamplesWithCurrentSetup=Examples with current configuration
ListOfDirectories=รายการ OpenDocument ไดเรกทอรีแม่
ListOfDirectoriesForModelGenODT=List of directories containing templates files with OpenDocument format.
Put here full path of directories. Add a carriage return between eah directory. To add a directory of the GED module, add here DOL_DATA_ROOT/ecm/yourdirectoryname.
Files in those directories must end with .odt or .ods.
NumberOfModelFilesFound=Number of ODT/ODS template files found in these directories
-ExampleOfDirectoriesForModelGen=ตัวอย่างของไวยากรณ์: C: \\ mydir / home / mydir DOL_DATA_ROOT / ECM / ecmdir
+ExampleOfDirectoriesForModelGen=Examples of syntax: c:\\myapp\\mydocumentdir\\mysubdir /home/myapp/mydocumentdir/mysubdir DOL_DATA_ROOT/ecm/ecmdir
FollowingSubstitutionKeysCanBeUsed= หากต้องการทราบวิธีการสร้างเอกสารของคุณ ODT แม่ก่อนที่จะเก็บไว้ในไดเรกทอรีเหล่านั้นอ่านเอกสารวิกิพีเดีย:
FullListOnOnlineDocumentation=http://wiki.dolibarr.org/index.php/Create_an_ODT_document_template
FirstnameNamePosition=ตำแหน่งชื่อ / นามสกุล
@@ -406,7 +408,7 @@ UrlGenerationParameters=พารามิเตอร์ URL ที่การ
SecurityTokenIsUnique=ใช้พารามิเตอร์ SecureKey ไม่ซ้ำกันสำหรับแต่ละ URL
EnterRefToBuildUrl=ป้อนการอ้างอิงสำหรับวัตถุ% s
GetSecuredUrl=รับ URL คำนวณ
-ButtonHideUnauthorized=Hide buttons for non-admin users for unauthorized actions instead of showing greyed disabled buttons
+ButtonHideUnauthorized=Hide unauthorized action buttons also for internal users (just greyed otherwise)
OldVATRates=อัตราภาษีมูลค่าเพิ่มเก่า
NewVATRates=ใหม่อัตราภาษีมูลค่าเพิ่ม
PriceBaseTypeToChange=การปรับเปลี่ยนราคาค่าอ้างอิงกับฐานที่กำหนดไว้ใน
@@ -1689,7 +1691,7 @@ NotTopTreeMenuPersonalized=Personalized menus not linked to a top menu entry
NewMenu=เมนูใหม่
MenuHandler=จัดการเมนู
MenuModule=โมดูลที่มา
-HideUnauthorizedMenu= ซ่อนเมนูไม่ได้รับอนุญาต (สีเทา)
+HideUnauthorizedMenu=Hide unauthorized menus also for internal users (just greyed otherwise)
DetailId=เมนู Id
DetailMenuHandler=จัดการเมนูที่จะแสดงเมนูใหม่
DetailMenuModule=ชื่อโมดูลถ้ารายการเมนูมาจากโมดูล
@@ -1983,11 +1985,12 @@ EMailHost=Host of email IMAP server
MailboxSourceDirectory=Mailbox source directory
MailboxTargetDirectory=Mailbox target directory
EmailcollectorOperations=Operations to do by collector
+EmailcollectorOperationsDesc=Operations are executed from top to bottom order
MaxEmailCollectPerCollect=Max number of emails collected per collect
CollectNow=Collect now
ConfirmCloneEmailCollector=Are you sure you want to clone the Email collector %s ?
-DateLastCollectResult=Date latest collect tried
-DateLastcollectResultOk=Date latest collect successfull
+DateLastCollectResult=Date of latest collect try
+DateLastcollectResultOk=Date of latest collect success
LastResult=Latest result
EmailCollectorConfirmCollectTitle=Email collect confirmation
EmailCollectorConfirmCollect=Do you want to run the collection for this collector now ?
@@ -2005,7 +2008,7 @@ WithDolTrackingID=Message from a conversation initiated by a first email sent fr
WithoutDolTrackingID=Message from a conversation initiated by a first email NOT sent from Dolibarr
WithDolTrackingIDInMsgId=Message sent from Dolibarr
WithoutDolTrackingIDInMsgId=Message NOT sent from Dolibarr
-CreateCandidature=Create candidature
+CreateCandidature=Create job application
FormatZip=ไปรษณีย์
MainMenuCode=Menu entry code (mainmenu)
ECMAutoTree=Show automatic ECM tree
@@ -2083,3 +2086,7 @@ CountryIfSpecificToOneCountry=Country (if specific to a given country)
YouMayFindSecurityAdviceHere=You may find security advisory here
ModuleActivatedMayExposeInformation=This module may expose sensitive data. If you don't need it, disable it.
ModuleActivatedDoNotUseInProduction=A module designed for the development has been enabled. Do not enable it on a production environment.
+CombinationsSeparator=Separator character for product combinations
+SeeLinkToOnlineDocumentation=See link to online documention on top menu for examples
+SHOW_SUBPRODUCT_REF_IN_PDF=If the feature "%s" of module %s is used, show details of subproducts of a kit on PDF.
+AskThisIDToYourBank=Contact your bank to get this ID
diff --git a/htdocs/langs/th_TH/banks.lang b/htdocs/langs/th_TH/banks.lang
index fd3ab8f2696..92bea611931 100644
--- a/htdocs/langs/th_TH/banks.lang
+++ b/htdocs/langs/th_TH/banks.lang
@@ -173,8 +173,8 @@ SEPAMandate=SEPA mandate
YourSEPAMandate=Your SEPA mandate
FindYourSEPAMandate=This is your SEPA mandate to authorize our company to make direct debit order to your bank. Return it signed (scan of the signed document) or send it by mail to
AutoReportLastAccountStatement=Automatically fill the field 'number of bank statement' with last statement number when making reconciliation
-CashControl=POS cash fence
-NewCashFence=New cash fence
+CashControl=POS cash desk control
+NewCashFence=New cash desk closing
BankColorizeMovement=Colorize movements
BankColorizeMovementDesc=If this function is enable, you can choose specific background color for debit or credit movements
BankColorizeMovementName1=Background color for debit movement
diff --git a/htdocs/langs/th_TH/blockedlog.lang b/htdocs/langs/th_TH/blockedlog.lang
index 88511cd5fbd..1b2467dcb5e 100644
--- a/htdocs/langs/th_TH/blockedlog.lang
+++ b/htdocs/langs/th_TH/blockedlog.lang
@@ -35,7 +35,7 @@ logDON_DELETE=Donation logical deletion
logMEMBER_SUBSCRIPTION_CREATE=Member subscription created
logMEMBER_SUBSCRIPTION_MODIFY=Member subscription modified
logMEMBER_SUBSCRIPTION_DELETE=Member subscription logical deletion
-logCASHCONTROL_VALIDATE=Cash fence recording
+logCASHCONTROL_VALIDATE=Cash desk closing recording
BlockedLogBillDownload=Customer invoice download
BlockedLogBillPreview=Customer invoice preview
BlockedlogInfoDialog=Log Details
diff --git a/htdocs/langs/th_TH/boxes.lang b/htdocs/langs/th_TH/boxes.lang
index 48979414509..04231e5012f 100644
--- a/htdocs/langs/th_TH/boxes.lang
+++ b/htdocs/langs/th_TH/boxes.lang
@@ -46,9 +46,12 @@ BoxTitleLastModifiedDonations=Latest %s modified donations
BoxTitleLastModifiedExpenses=Latest %s modified expense reports
BoxTitleLatestModifiedBoms=Latest %s modified BOMs
BoxTitleLatestModifiedMos=Latest %s modified Manufacturing Orders
+BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded
BoxGlobalActivity=กิจกรรมทั่วโลก (ใบแจ้งหนี้, ข้อเสนอ, การสั่งซื้อ)
BoxGoodCustomers=Good customers
BoxTitleGoodCustomers=%s Good customers
+BoxScheduledJobs=งานที่กำหนดเวลาไว้
+BoxTitleFunnelOfProspection=Lead funnel
FailedToRefreshDataInfoNotUpToDate=Failed to refresh RSS flux. Latest successful refresh date: %s
LastRefreshDate=Latest refresh date
NoRecordedBookmarks=บุ๊คมาร์คไม่มีกำหนด
@@ -102,5 +105,7 @@ SuspenseAccountNotDefined=Suspense account isn't defined
BoxLastCustomerShipments=Last customer shipments
BoxTitleLastCustomerShipments=Latest %s customer shipments
NoRecordedShipments=No recorded customer shipment
+BoxCustomersOutstandingBillReached=Customers with oustanding limit reached
# Pages
AccountancyHome=การบัญชี
+ValidatedProjects=Validated projects
diff --git a/htdocs/langs/th_TH/cashdesk.lang b/htdocs/langs/th_TH/cashdesk.lang
index ec6eefe89a4..7dee305ab80 100644
--- a/htdocs/langs/th_TH/cashdesk.lang
+++ b/htdocs/langs/th_TH/cashdesk.lang
@@ -49,8 +49,8 @@ Footer=Footer
AmountAtEndOfPeriod=Amount at end of period (day, month or year)
TheoricalAmount=Theorical amount
RealAmount=Real amount
-CashFence=Cash fence
-CashFenceDone=Cash fence done for the period
+CashFence=Cash desk closing
+CashFenceDone=Cash desk closing done for the period
NbOfInvoices=nb ของใบแจ้งหนี้
Paymentnumpad=Type of Pad to enter payment
Numberspad=Numbers Pad
@@ -99,8 +99,9 @@ CashDeskRefNumberingModules=Numbering module for POS sales
CashDeskGenericMaskCodes6 = {TN} tag is used to add the terminal number
TakeposGroupSameProduct=Group same products lines
StartAParallelSale=Start a new parallel sale
-ControlCashOpening=Control cash box at opening POS
-CloseCashFence=Close cash fence
+SaleStartedAt=Sale started at %s
+ControlCashOpening=Control cash popup at opening POS
+CloseCashFence=Close cash desk control
CashReport=Cash report
MainPrinterToUse=Main printer to use
OrderPrinterToUse=Order printer to use
@@ -122,3 +123,4 @@ GiftReceipt=Gift receipt
ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled first
AllowDelayedPayment=Allow delayed payment
PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts
+WeighingScale=Weighing scale
diff --git a/htdocs/langs/th_TH/categories.lang b/htdocs/langs/th_TH/categories.lang
index 1e978741186..e61138aee8e 100644
--- a/htdocs/langs/th_TH/categories.lang
+++ b/htdocs/langs/th_TH/categories.lang
@@ -19,6 +19,7 @@ ProjectsCategoriesArea=Projects tags/categories area
UsersCategoriesArea=Users tags/categories area
SubCats=Sub-categories
CatList=รายการของแท็ก / ประเภท
+CatListAll=List of tags/categories (all types)
NewCategory=แท็กใหม่ / หมวดหมู่
ModifCat=ปรับเปลี่ยนแท็ก / หมวดหมู่
CatCreated=Tag / สร้างหมวดหมู่
@@ -65,16 +66,22 @@ UsersCategoriesShort=Users tags/categories
StockCategoriesShort=Warehouse tags/categories
ThisCategoryHasNoItems=This category does not contain any items.
CategId=Tag / รหัสหมวดหมู่
-CatSupList=List of vendor tags/categories
-CatCusList=รายชื่อลูกค้า / โอกาสแท็ก / ประเภท
+ParentCategory=Parent tag/category
+ParentCategoryLabel=Label of parent tag/category
+CatSupList=List of vendors tags/categories
+CatCusList=List of customers/prospects tags/categories
CatProdList=รายการของแท็ก / ผลิตภัณฑ์ประเภท
CatMemberList=รายชื่อสมาชิกแท็ก / ประเภท
-CatContactList=รายการของแท็กติดต่อ / ประเภท
-CatSupLinks=การเชื่อมโยงระหว่างซัพพลายเออร์และแท็ก / ประเภท
+CatContactList=List of contacts tags/categories
+CatProjectsList=List of projects tags/categories
+CatUsersList=List of users tags/categories
+CatSupLinks=Links between vendors and tags/categories
CatCusLinks=การเชื่อมโยงระหว่างลูกค้า / ลูกค้าเป้าหมาย และ แท็ก / ประเภท
CatContactsLinks=Links between contacts/addresses and tags/categories
CatProdLinks=การเชื่อมโยงระหว่างผลิตภัณฑ์ / บริการและแท็ก / ประเภท
-CatProJectLinks=Links between projects and tags/categories
+CatMembersLinks=การเชื่อมโยงระหว่างสมาชิกและแท็ก / ประเภท
+CatProjectsLinks=Links between projects and tags/categories
+CatUsersLinks=Links between users and tags/categories
DeleteFromCat=ลบออกจากแท็ก / หมวดหมู่
ExtraFieldsCategories=คุณลักษณะที่สมบูรณ์
CategoriesSetup=แท็ก / ประเภทการติดตั้ง
diff --git a/htdocs/langs/th_TH/companies.lang b/htdocs/langs/th_TH/companies.lang
index 698f595ebaf..8956b27f853 100644
--- a/htdocs/langs/th_TH/companies.lang
+++ b/htdocs/langs/th_TH/companies.lang
@@ -358,7 +358,7 @@ VATIntraCheckableOnEUSite=Check the intra-Community VAT ID on the European Commi
VATIntraManualCheck=You can also check manually on the European Commission website %s
ErrorVATCheckMS_UNAVAILABLE=ตรวจสอบไม่ได้ บริการตรวจสอบไม่ได้ให้โดยรัฐสมาชิก (% s)
NorProspectNorCustomer=Not prospect, nor customer
-JuridicalStatus=Legal Entity Type
+JuridicalStatus=Business entity type
Workforce=Workforce
Staff=Employees
ProspectLevelShort=ที่อาจเกิดขึ้น
diff --git a/htdocs/langs/th_TH/compta.lang b/htdocs/langs/th_TH/compta.lang
index 60fe78c8f6f..a74d5c1967d 100644
--- a/htdocs/langs/th_TH/compta.lang
+++ b/htdocs/langs/th_TH/compta.lang
@@ -111,7 +111,7 @@ Refund=Refund
SocialContributionsPayments=สังคม / การชำระเงินภาษีการคลัง
ShowVatPayment=แสดงการชำระเงินภาษีมูลค่าเพิ่ม
TotalToPay=ทั้งหมดที่จะต้องจ่าย
-BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted ascending on %s and filtered for 1 bank account
+BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted on %s and filtered on 1 bank account (with no other filters)
CustomerAccountancyCode=Customer accounting code
SupplierAccountancyCode=Vendor accounting code
CustomerAccountancyCodeShort=Cust. account. code
@@ -140,7 +140,7 @@ ConfirmDeleteSocialContribution=คุณแน่ใจหรือว่าต
ExportDataset_tax_1=ภาษีสังคมและการคลังและการชำระเงิน
CalcModeVATDebt=โหมด% sVAT ความมุ่งมั่นบัญชี% s
CalcModeVATEngagement=โหมด sVAT% รายได้ค่าใช้จ่าย-% s
-CalcModeDebt=Analysis of known recorded invoices even if they are not yet accounted in ledger.
+CalcModeDebt=Analysis of known recorded documents even if they are not yet accounted in ledger.
CalcModeEngagement=Analysis of known recorded payments, even if they are not yet accounted in Ledger.
CalcModeBookkeeping=Analysis of data journalized in Bookkeeping Ledger table.
CalcModeLT1= โหมด% Sre ในใบแจ้งหนี้ของลูกค้า - ซัพพลายเออร์ใบแจ้งหนี้% s
@@ -154,9 +154,9 @@ AnnualSummaryInputOutputMode=ความสมดุลของรายได
AnnualByCompanies=Balance of income and expenses, by predefined groups of account
AnnualByCompaniesDueDebtMode=Balance of income and expenses, detail by predefined groups, mode %sClaims-Debts%s said Commitment accounting.
AnnualByCompaniesInputOutputMode=Balance of income and expenses, detail by predefined groups, mode %sIncomes-Expenses%s said cash accounting.
-SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation on actual payments made even if they are not yet accounted in Ledger.
-SeeReportInDueDebtMode=See %sanalysis of invoices%s for a calculation based on known recorded invoices even if they are not yet accounted in Ledger.
-SeeReportInBookkeepingMode=See %sBookeeping report%s for a calculation on Bookkeeping Ledger table
+SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation based on recorded payments made even if they are not yet accounted in Ledger
+SeeReportInDueDebtMode=See %sanalysis of recorded documents%s for a calculation based on known recorded documents even if they are not yet accounted in Ledger
+SeeReportInBookkeepingMode=See %sanalysis of bookeeping ledger table%s for a report based on Bookkeeping Ledger table
RulesAmountWithTaxIncluded=- จํานวนเงินที่แสดงเป็นกับภาษีรวมทั้งหมด
RulesResultDue=- It includes outstanding invoices, expenses, VAT, donations whether they are paid or not. Is also includes paid salaries. - It is based on the billing date of invoices and on the due date for expenses or tax payments. For salaries defined with Salary module, the value date of payment is used.
RulesResultInOut=- It includes the real payments made on invoices, expenses, VAT and salaries. - It is based on the payment dates of the invoices, expenses, VAT and salaries. The donation date for donation.
@@ -169,12 +169,15 @@ RulesResultBookkeepingPersonalized=It show record in your Ledger with accounting
SeePageForSetup=See menu %s for setup
DepositsAreNotIncluded=- Down payment invoices are not included
DepositsAreIncluded=- Down payment invoices are included
+LT1ReportByMonth=Tax 2 report by month
+LT2ReportByMonth=Tax 3 report by month
LT1ReportByCustomers=Report tax 2 by third party
LT2ReportByCustomers=Report tax 3 by third party
LT1ReportByCustomersES=รายงานโดยเรื่องของบุคคลที่สาม
LT2ReportByCustomersES=รายงานโดยบุคคลที่สาม IRPF
VATReport=Sale tax report
VATReportByPeriods=Sale tax report by period
+VATReportByMonth=Sale tax report by month
VATReportByRates=Sale tax report by rates
VATReportByThirdParties=Sale tax report by third parties
VATReportByCustomers=Sale tax report by customer
diff --git a/htdocs/langs/th_TH/cron.lang b/htdocs/langs/th_TH/cron.lang
index 85838088924..8294f683d7e 100644
--- a/htdocs/langs/th_TH/cron.lang
+++ b/htdocs/langs/th_TH/cron.lang
@@ -6,14 +6,15 @@ Permission23102 = สร้าง / การปรับปรุงกำห
Permission23103 = ลบงานที่กำหนด
Permission23104 = การดำเนินงานที่กำหนด
# Admin
-CronSetup= กำหนดเวลาการตั้งค่าการจัดการงาน
-URLToLaunchCronJobs=URL to check and launch qualified cron jobs
-OrToLaunchASpecificJob=หรือเพื่อตรวจสอบและการเปิดตัวงานที่เฉพาะเจาะจง
+CronSetup=กำหนดเวลาการตั้งค่าการจัดการงาน
+URLToLaunchCronJobs=URL to check and launch qualified cron jobs from a browser
+OrToLaunchASpecificJob=Or to check and launch a specific job from a browser
KeyForCronAccess=กุญแจสำคัญในการรักษาความปลอดภัยสำหรับ URL ที่จะเปิดตัวงาน cron
FileToLaunchCronJobs=Command line to check and launch qualified cron jobs
CronExplainHowToRunUnix=ในสภาพแวดล้อมระบบปฏิบัติการยูนิกซ์ที่คุณควรใช้ crontab รายการต่อไปนี้เพื่อเรียกใช้บรรทัดคำสั่งแต่ละ 5 นาที
-CronExplainHowToRunWin=ไมโครซอฟท์ (TM) ของ Windows environement คุณสามารถใช้เครื่องมือการจัดตารางงานที่จะเรียกใช้บรรทัดคำสั่งแต่ละ 5 นาที
+CronExplainHowToRunWin=On Microsoft(tm) Windows environment you can use Scheduled Task tools to run the command line each 5 minutes
CronMethodDoesNotExists=Class %s does not contains any method %s
+CronMethodNotAllowed=Method %s of class %s is in blacklist of forbidden methods
CronJobDefDesc=Cron job profiles are defined into the module descriptor file. When module is activated, they are loaded and available so you can administer the jobs from the admin tools menu %s.
CronJobProfiles=List of predefined cron job profiles
# Menu
@@ -42,10 +43,11 @@ CronModule=โมดูล
CronNoJobs=ไม่มีงานที่ลงทะเบียน
CronPriority=ลำดับความสำคัญ
CronLabel=ฉลาก
-CronNbRun=nb ยิง
-CronMaxRun=Max number launch
+CronNbRun=Number of launches
+CronMaxRun=Maximum number of launches
CronEach=ทุกๆ
JobFinished=งานเปิดตัวและจบ
+Scheduled=Scheduled
#Page card
CronAdd= เพิ่มงาน
CronEvery=ดำเนินงานแต่ละงาน
@@ -56,16 +58,16 @@ CronNote=ความเห็น
CronFieldMandatory=ทุ่ง% s มีผลบังคับใช้
CronErrEndDateStartDt=วันที่สิ้นสุดไม่สามารถก่อนวันเริ่มต้น
StatusAtInstall=Status at module installation
-CronStatusActiveBtn=เปิดใช้งาน
+CronStatusActiveBtn=Schedule
CronStatusInactiveBtn=ปิดการใช้งาน
CronTaskInactive=งานนี้ถูกปิดใช้งาน
CronId=Id
CronClassFile=Filename with class
-CronModuleHelp=Name of Dolibarr module directory (also work with external Dolibarr module). For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for module is product
-CronClassFileHelp=The relative path and file name to load (path is relative to web server root directory). For exemple to call the fetch method of Dolibarr Product object htdocs/product/class/product.class.php, the value for class file name is product/class/product.class.php
-CronObjectHelp=The object name to load. For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for class file name is Product
-CronMethodHelp=The object method to launch. For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for method is fetch
-CronArgsHelp=The method arguments. For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for paramters can be 0, ProductRef
+CronModuleHelp=Name of Dolibarr module directory (also work with external Dolibarr module). For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for module is product
+CronClassFileHelp=The relative path and file name to load (path is relative to web server root directory). For example to call the fetch method of Dolibarr Product object htdocs/product/class/product.class.php, the value for class file name is product/class/product.class.php
+CronObjectHelp=The object name to load. For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for class file name is Product
+CronMethodHelp=The object method to launch. For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for method is fetch
+CronArgsHelp=The method arguments. For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for paramters can be 0, ProductRef
CronCommandHelp=บรรทัดคำสั่งระบบที่จะดำเนินการ
CronCreateJob=สร้างงานใหม่กำหนด
CronFrom=จาก
@@ -76,8 +78,14 @@ CronType_method=Call method of a PHP Class
CronType_command=คำสั่งเชลล์
CronCannotLoadClass=Cannot load class file %s (to use class %s)
CronCannotLoadObject=Class file %s was loaded, but object %s was not found into it
-UseMenuModuleToolsToAddCronJobs=Go into menu "Home - Admin tools - Scheduled jobs" to see and edit scheduled jobs.
+UseMenuModuleToolsToAddCronJobs=Go into menu "Home - Admin tools - Scheduled jobs" to see and edit scheduled jobs.
JobDisabled=ปิดการใช้งาน
MakeLocalDatabaseDumpShort=Local database backup
-MakeLocalDatabaseDump=Create a local database dump. Parameters are: compression ('gz' or 'bz' or 'none'), backup type ('mysql' or 'pgsql'), 1, 'auto' or filename to build, number of backup files to keep
+MakeLocalDatabaseDump=Create a local database dump. Parameters are: compression ('gz' or 'bz' or 'none'), backup type ('mysql', 'pgsql', 'auto'), 1, 'auto' or filename to build, number of backup files to keep
WarningCronDelayed=Attention, for performance purpose, whatever is next date of execution of enabled jobs, your jobs may be delayed to a maximum of %s hours, before being run.
+DATAPOLICYJob=Data cleaner and anonymizer
+JobXMustBeEnabled=Job %s must be enabled
+# Cron Boxes
+LastExecutedScheduledJob=Last executed scheduled job
+NextScheduledJobExecute=Next scheduled job to execute
+NumberScheduledJobError=Number of scheduled jobs in error
diff --git a/htdocs/langs/th_TH/errors.lang b/htdocs/langs/th_TH/errors.lang
index 125ecf6e5b3..4de399f8493 100644
--- a/htdocs/langs/th_TH/errors.lang
+++ b/htdocs/langs/th_TH/errors.lang
@@ -5,8 +5,10 @@ NoErrorCommitIsDone=ไม่มีข้อผิดพลาดที่เร
# Errors
ErrorButCommitIsDone=พบข้อผิดพลาด แต่เราตรวจสอบอย่างไรก็ตามเรื่องนี้
ErrorBadEMail=Email %s is wrong
+ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record)
ErrorBadUrl=% s url ที่ไม่ถูกต้อง
ErrorBadValueForParamNotAString=Bad value for your parameter. It appends generally when translation is missing.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorLoginAlreadyExists=เข้าสู่ระบบ% s อยู่แล้ว
ErrorGroupAlreadyExists=s% กลุ่มที่มีอยู่แล้ว
ErrorRecordNotFound=บันทึกไม่พบ
@@ -48,6 +50,7 @@ ErrorFieldsRequired=ฟิลด์ที่จำเป็นบางคนไ
ErrorSubjectIsRequired=The email topic is required
ErrorFailedToCreateDir=ล้มเหลวในการสร้างไดเรกทอรี ตรวจสอบการใช้เว็บเซิร์ฟเวอร์ที่มีสิทธิ์ในการเขียนลงในไดเรกทอรีเอกสาร Dolibarr หาก safe_mode พารามิเตอร์เปิดใช้งานบน PHP นี้ตรวจสอบว่า php ไฟล์ Dolibarr เป็นเจ้าของให้กับผู้ใช้เว็บเซิร์ฟเวอร์ (หรือกลุ่ม)
ErrorNoMailDefinedForThisUser=จดหมายไม่มีกำหนดไว้สำหรับผู้ใช้นี้
+ErrorSetupOfEmailsNotComplete=Setup of emails is not complete
ErrorFeatureNeedJavascript=คุณลักษณะนี้จะต้องเปิดการใช้งานได้ในการทำงาน เปลี่ยนนี้ในการตั้งค่า - การแสดงผล
ErrorTopMenuMustHaveAParentWithId0=เมนูประเภทยอด 'ไม่สามารถมีเมนูปกครอง ใส่ 0 ในเมนูปกครองหรือเลือกเมนูประเภท 'ซ้าย'
ErrorLeftMenuMustHaveAParentId=เมนูชนิด 'ซ้าย' ต้องมีรหัสผู้ปกครอง
@@ -75,7 +78,7 @@ ErrorExportDuplicateProfil=ชื่อโปรไฟล์นี้มีอ
ErrorLDAPSetupNotComplete=การจับคู่ Dolibarr-LDAP ไม่สมบูรณ์
ErrorLDAPMakeManualTest=ไฟล์ .ldif ได้รับการสร้างขึ้นในไดเรกทอรี% s พยายามที่จะโหลดได้ด้วยตนเองจากบรรทัดคำสั่งที่จะมีข้อมูลเพิ่มเติมเกี่ยวกับข้อผิดพลาด
ErrorCantSaveADoneUserWithZeroPercentage=Can't save an action with "status not started" if field "done by" is also filled.
-ErrorRefAlreadyExists=Ref ใช้สำหรับการสร้างที่มีอยู่แล้ว
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorPleaseTypeBankTransactionReportName=Please enter the bank statement name where the entry has to be reported (Format YYYYMM or YYYYMMDD)
ErrorRecordHasChildren=Failed to delete record since it has some child records.
ErrorRecordHasAtLeastOneChildOfType=Object has at least one child of type %s
@@ -216,7 +219,7 @@ ErrorChooseBetweenFreeEntryOrPredefinedProduct=You must choose if article is a p
ErrorDiscountLargerThanRemainToPaySplitItBefore=The discount you try to apply is larger than remain to pay. Split the discount in 2 smaller discounts before.
ErrorFileNotFoundWithSharedLink=File was not found. May be the share key was modified or file was removed recently.
ErrorProductBarCodeAlreadyExists=The product barcode %s already exists on another product reference.
-ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using virtual product to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number.
+ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using kits to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number.
ErrorDescRequiredForFreeProductLines=Description is mandatory for lines with free product
ErrorAPageWithThisNameOrAliasAlreadyExists=The page/container %s has the same name or alternative alias that the one your try to use
ErrorDuringChartLoad=Error when loading chart of accounts. If few accounts were not loaded, you can still enter them manually.
@@ -243,6 +246,16 @@ ErrorReplaceStringEmpty=Error, the string to replace into is empty
ErrorProductNeedBatchNumber=Error, product '%s' need a lot/serial number
ErrorProductDoesNotNeedBatchNumber=Error, product '%s' does not accept a lot/serial number
ErrorFailedToReadObject=Error, failed to read object of type %s
+ErrorParameterMustBeEnabledToAllwoThisFeature=Error, parameter %s must be enabled into conf/conf.php to allow use of Command Line Interface by the internal job scheduler
+ErrorLoginDateValidity=Error, this login is outside the validity date range
+ErrorValueLength=Length of field '%s' must be higher than '%s'
+ErrorReservedKeyword=The word '%s' is a reserved keyword
+ErrorNotAvailableWithThisDistribution=Not available with this distribution
+ErrorPublicInterfaceNotEnabled=Public interface was not enabled
+ErrorLanguageRequiredIfPageIsTranslationOfAnother=The language of new page must be defined if it is set as a translation of another page
+ErrorLanguageMustNotBeSourceLanguageIfPageIsTranslationOfAnother=The language of new page must not be the source language if it is set as a translation of another page
+ErrorAParameterIsRequiredForThisOperation=A parameter is mandatory for this operation
+
# Warnings
WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup.
WarningPasswordSetWithNoAccount=A password was set for this member. However, no user account was created. So this password is stored but can't be used to login to Dolibarr. It may be used by an external module/interface but if you don't need to define any login nor password for a member, you can disable option "Manage a login for each member" from Member module setup. If you need to manage a login but don't need any password, you can keep this field empty to avoid this warning. Note: Email can also be used as a login if the member is linked to a user.
@@ -267,6 +280,10 @@ WarningYourLoginWasModifiedPleaseLogin=Your login was modified. For security pur
WarningAnEntryAlreadyExistForTransKey=An entry already exists for the translation key for this language
WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different recipient is limited to %s when using the mass actions on lists
WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report
+WarningProjectDraft=Project is still in draft mode. Don't forget to validate it if you plan to use tasks.
WarningProjectClosed=Project is closed. You must re-open it first.
WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list.
-WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table
+WarningFailedToAddFileIntoDatabaseIndex=Warning, failed to add file entry into ECM database index table
+WarningTheHiddenOptionIsOn=Warning, the hidden option %s is on.
+WarningCreateSubAccounts=Warning, you can't create directly a sub account, you must create a third party or an user and assign them an accounting code to find them in this list
+WarningAvailableOnlyForHTTPSServers=Available only if using HTTPS secured connection.
diff --git a/htdocs/langs/th_TH/exports.lang b/htdocs/langs/th_TH/exports.lang
index e7c28b1980e..4ec434b49a1 100644
--- a/htdocs/langs/th_TH/exports.lang
+++ b/htdocs/langs/th_TH/exports.lang
@@ -26,6 +26,8 @@ FieldTitle=ชื่อฟิลด์
NowClickToGenerateToBuildExportFile=Now, select the file format in the combo box and click on "Generate" to build the export file...
AvailableFormats=Available Formats
LibraryShort=ห้องสมุด
+ExportCsvSeparator=Csv caracter separator
+ImportCsvSeparator=Csv caracter separator
Step=ขั้นตอน
FormatedImport=Import Assistant
FormatedImportDesc1=This module allows you to update existing data or add new objects into the database from a file without technical knowledge, using an assistant.
@@ -131,3 +133,4 @@ KeysToUseForUpdates=Key (column) to use for updating existing data
NbInsert=Number of inserted lines: %s
NbUpdate=Number of updated lines: %s
MultipleRecordFoundWithTheseFilters=Multiple records have been found with these filters: %s
+StocksWithBatch=Stocks and location (warehouse) of products with batch/serial number
diff --git a/htdocs/langs/th_TH/mails.lang b/htdocs/langs/th_TH/mails.lang
index ea92de0f2ba..2627c963ee0 100644
--- a/htdocs/langs/th_TH/mails.lang
+++ b/htdocs/langs/th_TH/mails.lang
@@ -92,6 +92,7 @@ MailingModuleDescEmailsFromUser=Emails input by user
MailingModuleDescDolibarrUsers=Users with Emails
MailingModuleDescThirdPartiesByCategories=Third parties (by categories)
SendingFromWebInterfaceIsNotAllowed=Sending from web interface is not allowed.
+EmailCollectorFilterDesc=All filters must match to have an email being collected
# Libelle des modules de liste de destinataires mailing
LineInFile=สาย% s ในแฟ้ม
@@ -125,12 +126,13 @@ TagMailtoEmail=Recipient Email (including html "mailto:" link)
NoEmailSentBadSenderOrRecipientEmail=ส่งอีเมลไม่มี ผู้ส่งที่ไม่ดีหรืออีเมลของผู้รับ ตรวจสอบรายละเอียดของผู้ใช้
# Module Notifications
Notifications=การแจ้งเตือน
-NoNotificationsWillBeSent=ไม่มีการแจ้งเตือนอีเมลที่มีการวางแผนสำหรับเหตุการณ์และ บริษัท นี้
-ANotificationsWillBeSent=1 การแจ้งเตือนจะถูกส่งไปทางอีเมล
-SomeNotificationsWillBeSent=% s การแจ้งเตือนจะถูกส่งไปทางอีเมล
-AddNewNotification=Activate a new email notification target/event
-ListOfActiveNotifications=List all active targets/events for email notification
-ListOfNotificationsDone=รายการทั้งหมดแจ้งเตือนอีเมลที่ส่ง
+NotificationsAuto=Notifications Auto.
+NoNotificationsWillBeSent=No automatic email notifications are planned for this event type and company
+ANotificationsWillBeSent=1 automatic notification will be sent by email
+SomeNotificationsWillBeSent=%s automatic notifications will be sent by email
+AddNewNotification=Subscribe to a new automatic email notification (target/event)
+ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification
+ListOfNotificationsDone=List all automatic email notifications sent
MailSendSetupIs=การกำหนดค่าของการส่งอีเมล์ที่ได้รับการติดตั้งเพื่อ '% s' โหมดนี้ไม่สามารถใช้ในการส่งการส่งอีเมลมวล
MailSendSetupIs2=ก่อนอื่นคุณต้องไปกับบัญชีผู้ดูแลระบบลงไปในเมนู% sHome - การติดตั้ง - อีเมล์% s จะเปลี่ยนพารามิเตอร์ '% s' เพื่อใช้โหมด '% s' ด้วยโหมดนี้คุณสามารถเข้าสู่การตั้งค่าของเซิร์ฟเวอร์ที่ให้บริการโดยผู้ให้บริการอินเทอร์เน็ตของคุณและใช้คุณลักษณะการส่งอีเมลมวล
MailSendSetupIs3=หากคุณมีคำถามใด ๆ เกี่ยวกับวิธีการติดตั้งเซิร์ฟเวอร์ของคุณคุณสามารถขอให้% s
@@ -140,7 +142,7 @@ UseFormatFileEmailToTarget=Imported file must have format email;name;fir
UseFormatInputEmailToTarget=Enter a string with format email;name;firstname;other
MailAdvTargetRecipients=Recipients (advanced selection)
AdvTgtTitle=Fill input fields to preselect the third parties or contacts/addresses to target
-AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima% will target all jean, joe, start with jim but not jimo and not everything that starts with jima
+AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima%% will target all jean, joe, start with jim but not jimo and not everything that starts with jima
AdvTgtSearchIntHelp=Use interval to select int or float value
AdvTgtMinVal=Minimum value
AdvTgtMaxVal=Maximum value
@@ -162,13 +164,14 @@ AdvTgtCreateFilter=Create filter
AdvTgtOrCreateNewFilter=Name of new filter
NoContactWithCategoryFound=No contact/address with a category found
NoContactLinkedToThirdpartieWithCategoryFound=No contact/address with a category found
-OutGoingEmailSetup=Outgoing email setup
-InGoingEmailSetup=Incoming email setup
-OutGoingEmailSetupForEmailing=Outgoing email setup (for module %s)
-DefaultOutgoingEmailSetup=Default outgoing email setup
+OutGoingEmailSetup=Outgoing emails
+InGoingEmailSetup=Incoming emails
+OutGoingEmailSetupForEmailing=Outgoing emails (for module %s)
+DefaultOutgoingEmailSetup=Same configuration than the global Outgoing email setup
Information=ข้อมูล
ContactsWithThirdpartyFilter=Contacts with third-party filter
Unanswered=Unanswered
Answered=Answered
IsNotAnAnswer=Is not answer (initial email)
IsAnAnswer=Is an answer of an initial email
+RecordCreatedByEmailCollector=Record created by the Email Collector %s from email %s
diff --git a/htdocs/langs/th_TH/main.lang b/htdocs/langs/th_TH/main.lang
index 71d84671325..1812b69b149 100644
--- a/htdocs/langs/th_TH/main.lang
+++ b/htdocs/langs/th_TH/main.lang
@@ -28,7 +28,9 @@ NoTemplateDefined=No template available for this email type
AvailableVariables=Available substitution variables
NoTranslation=แปลไม่มี
Translation=การแปล
+CurrentTimeZone=เขต PHP (เซิร์ฟเวอร์)
EmptySearchString=Enter non empty search criterias
+EnterADateCriteria=Enter a date criteria
NoRecordFound=บันทึกไม่พบ
NoRecordDeleted=No record deleted
NotEnoughDataYet=Not enough data
@@ -85,6 +87,8 @@ FileWasNotUploaded=ไฟล์ที่ถูกเลือกสำหรั
NbOfEntries=No. of entries
GoToWikiHelpPage=อ่านความช่วยเหลือออนไลน์ (อินเทอร์เน็ตจำเป็น)
GoToHelpPage=อ่านความช่วยเหลือ
+DedicatedPageAvailable=There is a dedicated help page related to your current screen
+HomePage=Home Page
RecordSaved=บันทึกที่บันทึกไว้
RecordDeleted=บันทึกลบ
RecordGenerated=Record generated
@@ -433,6 +437,7 @@ RemainToPay=Remain to pay
Module=Module/Application
Modules=Modules/Applications
Option=ตัวเลือก
+Filters=Filters
List=รายการ
FullList=รายการเต็มรูปแบบ
FullConversation=Full conversation
@@ -671,7 +676,7 @@ SendMail=ส่งอีเมล
Email=อีเมล์
NoEMail=ไม่มีอีเมล
AlreadyRead=Already read
-NotRead=Not read
+NotRead=Unread
NoMobilePhone=ไม่มีโทรศัพท์มือถือ
Owner=เจ้าของ
FollowingConstantsWillBeSubstituted=ค่าคงที่ต่อไปนี้จะถูกแทนที่ด้วยค่าที่สอดคล้องกัน
@@ -1107,3 +1112,8 @@ UpToDate=Up-to-date
OutOfDate=Out-of-date
EventReminder=Event Reminder
UpdateForAllLines=Update for all lines
+OnHold=ไว้
+AffectTag=Affect Tag
+ConfirmAffectTag=Bulk Tag Affect
+ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected record(s)?
+CategTypeNotFound=No tag type found for type of records
diff --git a/htdocs/langs/th_TH/modulebuilder.lang b/htdocs/langs/th_TH/modulebuilder.lang
index 460aef8103b..845dd12624d 100644
--- a/htdocs/langs/th_TH/modulebuilder.lang
+++ b/htdocs/langs/th_TH/modulebuilder.lang
@@ -40,6 +40,7 @@ PageForCreateEditView=PHP page to create/edit/view a record
PageForAgendaTab=PHP page for event tab
PageForDocumentTab=PHP page for document tab
PageForNoteTab=PHP page for note tab
+PageForContactTab=PHP page for contact tab
PathToModulePackage=Path to zip of module/application package
PathToModuleDocumentation=Path to file of module/application documentation (%s)
SpaceOrSpecialCharAreNotAllowed=Spaces or special characters are not allowed.
@@ -77,7 +78,7 @@ IsAMeasure=Is a measure
DirScanned=Directory scanned
NoTrigger=No trigger
NoWidget=No widget
-GoToApiExplorer=Go to API explorer
+GoToApiExplorer=API explorer
ListOfMenusEntries=List of menu entries
ListOfDictionariesEntries=List of dictionaries entries
ListOfPermissionsDefined=List of defined permissions
@@ -105,7 +106,7 @@ TryToUseTheModuleBuilder=If you have knowledge of SQL and PHP, you may use the n
SeeTopRightMenu=See on the top right menu
AddLanguageFile=Add language file
YouCanUseTranslationKey=You can use here a key that is the translation key found into language file (see tab "Languages")
-DropTableIfEmpty=(Delete table if empty)
+DropTableIfEmpty=(Destroy table if empty)
TableDoesNotExists=The table %s does not exists
TableDropped=Table %s deleted
InitStructureFromExistingTable=Build the structure array string of an existing table
@@ -126,7 +127,6 @@ UseSpecificEditorURL = Use a specific editor URL
UseSpecificFamily = Use a specific family
UseSpecificAuthor = Use a specific author
UseSpecificVersion = Use a specific initial version
-ModuleMustBeEnabled=The module/application must be enabled first
IncludeRefGeneration=The reference of object must be generated automatically
IncludeRefGenerationHelp=Check this if you want to include code to manage the generation automatically of the reference
IncludeDocGeneration=I want to generate some documents from the object
@@ -140,3 +140,4 @@ TypeOfFieldsHelp=Type of fields: varchar(99), double(24,8), real, text, html,
AsciiToHtmlConverter=Ascii to HTML converter
AsciiToPdfConverter=Ascii to PDF converter
TableNotEmptyDropCanceled=Table not empty. Drop has been canceled.
+ModuleBuilderNotAllowed=The module builder is available but not allowed to your user.
diff --git a/htdocs/langs/th_TH/other.lang b/htdocs/langs/th_TH/other.lang
index d877cbda594..520ff5d1076 100644
--- a/htdocs/langs/th_TH/other.lang
+++ b/htdocs/langs/th_TH/other.lang
@@ -5,8 +5,6 @@ Tools=เครื่องมือ
TMenuTools=เครื่องมือ
ToolsDesc=All tools not included in other menu entries are grouped here. All the tools can be accessed via the left menu.
Birthday=วันเกิด
-BirthdayDate=Birthday date
-DateToBirth=Birth date
BirthdayAlertOn=การแจ้งเตือนการใช้งานวันเกิด
BirthdayAlertOff=การแจ้งเตือนวันเกิดไม่ได้ใช้งาน
TransKey=Translation of the key TransKey
@@ -16,6 +14,8 @@ PreviousMonthOfInvoice=Previous month (number 1-12) of invoice date
TextPreviousMonthOfInvoice=Previous month (text) of invoice date
NextMonthOfInvoice=Following month (number 1-12) of invoice date
TextNextMonthOfInvoice=Following month (text) of invoice date
+PreviousMonth=Previous month
+CurrentMonth=Current month
ZipFileGeneratedInto=Zip file generated into %s.
DocFileGeneratedInto=Doc file generated into %s.
JumpToLogin=Disconnected. Go to login page...
@@ -99,6 +99,7 @@ PredefinedMailContentSendShipping=__(Hello)__\n\nPlease find shipping __REF__ at
PredefinedMailContentSendFichInter=__(Hello)__\n\nPlease find intervention __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.\n\n%s\n\n
PredefinedMailContentGeneric=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
+PredefinedMailContentSendActionComm=Event reminder "__EVENT_LABEL__" on __EVENT_DATE__ at __EVENT_TIME__
This is an automatic message, please do not reply.
DemoDesc=Dolibarr is a compact ERP/CRM supporting several business modules. A demo showcasing all modules makes no sense as this scenario never occurs (several hundred available). So, several demo profiles are available.
ChooseYourDemoProfil=Choose the demo profile that best suits your needs...
ChooseYourDemoProfilMore=...or build your own profile (manual module selection)
@@ -137,7 +138,7 @@ Right=เหมาะสม
CalculatedWeight=น้ำหนักการคำนวณ
CalculatedVolume=ปริมาณการคำนวณ
Weight=น้ำหนัก
-WeightUnitton=tonne
+WeightUnitton=ton
WeightUnitkg=กก.
WeightUnitg=ก.
WeightUnitmg=มก.
@@ -258,6 +259,7 @@ ContactCreatedByEmailCollector=Contact/address created by email collector from e
ProjectCreatedByEmailCollector=Project created by email collector from email MSGID %s
TicketCreatedByEmailCollector=Ticket created by email collector from email MSGID %s
OpeningHoursFormatDesc=Use a - to separate opening and closing hours. Use a space to enter different ranges. Example: 8-12 14-18
+PrefixSession=Prefix for session ID
##### Export #####
ExportsArea=พื้นที่การส่งออก
diff --git a/htdocs/langs/th_TH/products.lang b/htdocs/langs/th_TH/products.lang
index 08f045c48a9..c1e6935e3ec 100644
--- a/htdocs/langs/th_TH/products.lang
+++ b/htdocs/langs/th_TH/products.lang
@@ -108,7 +108,8 @@ FillWithLastServiceDates=Fill with last service line dates
MultiPricesAbility=Multiple price segments per product/service (each customer is in one price segment)
MultiPricesNumPrices=จำนวนของราคา
DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices
-AssociatedProductsAbility=Activate kits (virtual products)
+AssociatedProductsAbility=Enable Kits (set of other products)
+VariantsAbility=Enable Variants (variations of products, for example color, size)
AssociatedProducts=Kits
AssociatedProductsNumber=Number of products composing this kit
ParentProductsNumber=จำนวนผู้ปกครองผลิตภัณฑ์บรรจุภัณฑ์
@@ -167,8 +168,10 @@ BuyingPrices=Buying prices
CustomerPrices=ราคาของลูกค้า
SuppliersPrices=Vendor prices
SuppliersPricesOfProductsOrServices=Vendor prices (of products or services)
-CustomCode=Customs / Commodity / HS code
+CustomCode=Customs|Commodity|HS code
CountryOrigin=ประเทศแหล่งกำเนิดสินค้า
+RegionStateOrigin=Region origin
+StateOrigin=State|Province origin
Nature=Nature of product (material/finished)
NatureOfProductShort=Nature of product
NatureOfProductDesc=Raw material or finished product
@@ -239,7 +242,7 @@ AlwaysUseFixedPrice=ใช้ราคาคงที่
PriceByQuantity=ราคาที่แตกต่างกันตามปริมาณ
DisablePriceByQty=Disable prices by quantity
PriceByQuantityRange=จำนวนช่วง
-MultipriceRules=Price segment rules
+MultipriceRules=Automatic prices for segment
UseMultipriceRules=Use price segment rules (defined into product module setup) to auto calculate prices of all other segments according to first segment
PercentVariationOver=%% variation over %s
PercentDiscountOver=%% discount over %s
diff --git a/htdocs/langs/th_TH/recruitment.lang b/htdocs/langs/th_TH/recruitment.lang
index 45af9e2bfbb..fafd8a9a580 100644
--- a/htdocs/langs/th_TH/recruitment.lang
+++ b/htdocs/langs/th_TH/recruitment.lang
@@ -73,3 +73,4 @@ JobClosedTextCandidateFound=The job position is closed. The position has been fi
JobClosedTextCanceled=The job position is closed.
ExtrafieldsJobPosition=Complementary attributes (job positions)
ExtrafieldsCandidatures=Complementary attributes (job applications)
+MakeOffer=Make an offer
diff --git a/htdocs/langs/th_TH/sendings.lang b/htdocs/langs/th_TH/sendings.lang
index 2dcc36fe18f..f5e201c2f33 100644
--- a/htdocs/langs/th_TH/sendings.lang
+++ b/htdocs/langs/th_TH/sendings.lang
@@ -30,6 +30,7 @@ OtherSendingsForSameOrder=การจัดส่งอื่น ๆ สำห
SendingsAndReceivingForSameOrder=Shipments and receipts for this order
SendingsToValidate=ในการตรวจสอบการจัดส่ง
StatusSendingCanceled=ยกเลิก
+StatusSendingCanceledShort=ยกเลิก
StatusSendingDraft=ร่าง
StatusSendingValidated=การตรวจสอบ (สินค้าจะจัดส่งหรือจัดส่งแล้ว)
StatusSendingProcessed=การประมวลผล
@@ -65,6 +66,7 @@ ValidateOrderFirstBeforeShipment=You must first validate the order before being
# Sending methods
# ModelDocument
DocumentModelTyphon=รูปแบบเอกสารที่สมบูรณ์มากขึ้นสำหรับการจัดส่งใบเสร็จรับเงิน (โลโก้ ... )
+DocumentModelStorm=More complete document model for delivery receipts and extrafields compatibility (logo...)
Error_EXPEDITION_ADDON_NUMBER_NotDefined=EXPEDITION_ADDON_NUMBER คงที่ไม่ได้กำหนดไว้
SumOfProductVolumes=ผลรวมของปริมาณสินค้า
SumOfProductWeights=ผลรวมของน้ำหนักสินค้า
diff --git a/htdocs/langs/th_TH/stocks.lang b/htdocs/langs/th_TH/stocks.lang
index 25e162a70a3..6702db1eb8b 100644
--- a/htdocs/langs/th_TH/stocks.lang
+++ b/htdocs/langs/th_TH/stocks.lang
@@ -240,3 +240,4 @@ InventoryRealQtyHelp=Set value to 0 to reset qty Keep field empty, or remove
UpdateByScaning=Update by scaning
UpdateByScaningProductBarcode=Update by scan (product barcode)
UpdateByScaningLot=Update by scan (lot|serial barcode)
+DisableStockChangeOfSubProduct=Deactivate the stock change for all the subproducts of this Kit during this movement.
diff --git a/htdocs/langs/th_TH/ticket.lang b/htdocs/langs/th_TH/ticket.lang
index 63e20a956df..c66c4830bdf 100644
--- a/htdocs/langs/th_TH/ticket.lang
+++ b/htdocs/langs/th_TH/ticket.lang
@@ -31,10 +31,8 @@ TicketDictType=Ticket - Types
TicketDictCategory=Ticket - Groupes
TicketDictSeverity=Ticket - Severities
TicketDictResolution=Ticket - Resolution
-TicketTypeShortBUGSOFT=Dysfonctionnement logiciel
-TicketTypeShortBUGHARD=Dysfonctionnement matériel
-TicketTypeShortCOM=Commercial question
+TicketTypeShortCOM=Commercial question
TicketTypeShortHELP=Request for functionnal help
TicketTypeShortISSUE=Issue, bug or problem
TicketTypeShortREQUEST=Change or enhancement request
@@ -44,7 +42,7 @@ TicketTypeShortOTHER=อื่น ๆ
TicketSeverityShortLOW=ต่ำ
TicketSeverityShortNORMAL=Normal
TicketSeverityShortHIGH=สูง
-TicketSeverityShortBLOCKING=Critical/Blocking
+TicketSeverityShortBLOCKING=Critical, Blocking
ErrorBadEmailAddress=Field '%s' incorrect
MenuTicketMyAssign=My tickets
@@ -60,7 +58,6 @@ OriginEmail=Email source
Notify_TICKET_SENTBYMAIL=Send ticket message by email
# Status
-NotRead=Not read
Read=อ่าน
Assigned=Assigned
InProgress=In progress
@@ -126,6 +123,7 @@ TicketsActivatePublicInterfaceHelp=Public interface allow any visitors to create
TicketsAutoAssignTicket=Automatically assign the user who created the ticket
TicketsAutoAssignTicketHelp=When creating a ticket, the user can be automatically assigned to the ticket.
TicketNumberingModules=Tickets numbering module
+TicketsModelModule=Document templates for tickets
TicketNotifyTiersAtCreation=Notify third party at creation
TicketsDisableCustomerEmail=Always disable emails when a ticket is created from public interface
TicketsPublicNotificationNewMessage=Send email(s) when a new message is added
@@ -233,7 +231,6 @@ TicketLogStatusChanged=Status changed: %s to %s
TicketNotNotifyTiersAtCreate=Not notify company at create
Unread=Unread
TicketNotCreatedFromPublicInterface=Not available. Ticket was not created from public interface.
-PublicInterfaceNotEnabled=Public interface was not enabled
ErrorTicketRefRequired=Ticket reference name is required
#
diff --git a/htdocs/langs/th_TH/website.lang b/htdocs/langs/th_TH/website.lang
index d905e966535..373eab76476 100644
--- a/htdocs/langs/th_TH/website.lang
+++ b/htdocs/langs/th_TH/website.lang
@@ -30,7 +30,6 @@ EditInLine=Edit inline
AddWebsite=Add website
Webpage=Web page/container
AddPage=Add page/container
-HomePage=Home Page
PageContainer=หน้า
PreviewOfSiteNotYetAvailable=Preview of your website %s not yet available. You must first 'Import a full website template' or just 'Add a page/container'.
RequestedPageHasNoContentYet=Requested page with id %s has no content yet, or cache file .tpl.php was removed. Edit content of the page to solve this.
@@ -101,7 +100,7 @@ EmptyPage=Empty page
ExternalURLMustStartWithHttp=External URL must start with http:// or https://
ZipOfWebsitePackageToImport=Upload the Zip file of the website template package
ZipOfWebsitePackageToLoad=or Choose an available embedded website template package
-ShowSubcontainers=Include dynamic content
+ShowSubcontainers=Show dynamic content
InternalURLOfPage=Internal URL of page
ThisPageIsTranslationOf=This page/container is a translation of
ThisPageHasTranslationPages=This page/container has translation
@@ -137,3 +136,4 @@ RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using
PagesRegenerated=%s page(s)/container(s) regenerated
RegenerateWebsiteContent=Regenerate web site cache files
AllowedInFrames=Allowed in Frames
+DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languages into web site properties.
diff --git a/htdocs/langs/th_TH/withdrawals.lang b/htdocs/langs/th_TH/withdrawals.lang
index 4cdd1b59e6f..6834b715e38 100644
--- a/htdocs/langs/th_TH/withdrawals.lang
+++ b/htdocs/langs/th_TH/withdrawals.lang
@@ -42,6 +42,7 @@ LastWithdrawalReceipt=Latest %s direct debit receipts
MakeWithdrawRequest=Make a direct debit payment request
MakeBankTransferOrder=Make a credit transfer request
WithdrawRequestsDone=%s direct debit payment requests recorded
+BankTransferRequestsDone=%s credit transfer requests recorded
ThirdPartyBankCode=Third-party bank code
NoInvoiceCouldBeWithdrawed=No invoice debited successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s.
ClassCredited=จำแนกเครดิต
@@ -131,7 +132,8 @@ SEPARCUR=SEPA CUR
SEPAFRST=SEPA FRST
ExecutionDate=Execution date
CreateForSepa=Create direct debit file
-ICS=Creditor Identifier CI
+ICS=Creditor Identifier CI for direct debit
+ICSTransfer=Creditor Identifier CI for bank transfer
END_TO_END="EndToEndId" SEPA XML tag - Unique id assigned per transaction
USTRD="Unstructured" SEPA XML tag
ADDDAYS=Add days to Execution Date
@@ -146,3 +148,4 @@ InfoRejectSubject=Direct debit payment order refused
InfoRejectMessage=Hello,
the direct debit payment order of invoice %s related to the company %s, with an amount of %s has been refused by the bank.
-- %s
ModeWarning=ตัวเลือกสำหรับโหมดจริงไม่ได้ตั้งค่าเราหยุดหลังจากจำลองนี้
ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know wich one to use.
+ErrorICSmissing=Missing ICS in Bank account %s
diff --git a/htdocs/langs/tr_TR/accountancy.lang b/htdocs/langs/tr_TR/accountancy.lang
index 9abb47b577e..1f60ca24d39 100644
--- a/htdocs/langs/tr_TR/accountancy.lang
+++ b/htdocs/langs/tr_TR/accountancy.lang
@@ -48,6 +48,7 @@ CountriesExceptMe=%s hariç tüm ülkeler
AccountantFiles=Export source documents
ExportAccountingSourceDocHelp=With this tool, you can export the source events (list and PDFs) that were used to generate your accountancy. To export your journals, use the menu entry %s - %s.
VueByAccountAccounting=View by accounting account
+VueBySubAccountAccounting=View by accounting subaccount
MainAccountForCustomersNotDefined=Müşteriler için ana muhasebe hesabı kurulumda tanımlı değil
MainAccountForSuppliersNotDefined=Tedarikçiler için ana muhasebe hesabı kurulumda tanımlı değil
@@ -144,7 +145,7 @@ NotVentilatedinAccount=Muhasebe hesabına bağlı değil
XLineSuccessfullyBinded=%s products/services successfully bound to an accounting account
XLineFailedToBeBinded=%s products/services were not bound to any accounting account
-ACCOUNTING_LIMIT_LIST_VENTILATION=Number of elements to bind shown by page (maximum recommended: 50)
+ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50)
ACCOUNTING_LIST_SORT_VENTILATION_TODO="Bağlama yapılacaklar" sayfasının sıralama işlemini en son öğelerden başlatın
ACCOUNTING_LIST_SORT_VENTILATION_DONE="Bağlama yapılanlar" sayfasının sıralama işlemini en son öğelerden başlatın
@@ -198,7 +199,8 @@ Docdate=Tarih
Docref=Referans
LabelAccount=Hesap etiketi
LabelOperation=Label operation
-Sens=Sens (borsa haberleri yayınlama günlüğü)
+Sens=Direction
+AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received For an accounting account of a supplier, use Debit to record a payment you make
LetteringCode=Lettering code
Lettering=Lettering
Codejournal=Günlük
@@ -206,7 +208,8 @@ JournalLabel=Journal label
NumPiece=Parça sayısı
TransactionNumShort=Num. transaction
AccountingCategory=Kişiselleştirilmiş gruplar
-GroupByAccountAccounting=Group by accounting account
+GroupByAccountAccounting=Group by general ledger account
+GroupBySubAccountAccounting=Group by subledger account
AccountingAccountGroupsDesc=You can define here some groups of accounting account. They will be used for personalized accounting reports.
ByAccounts=By accounts
ByPredefinedAccountGroups=Önceden tanımlanmış gruplar tarafından
@@ -248,7 +251,7 @@ PaymentsNotLinkedToProduct=Payment not linked to any product / service
OpeningBalance=Opening balance
ShowOpeningBalance=Show opening balance
HideOpeningBalance=Hide opening balance
-ShowSubtotalByGroup=Show subtotal by group
+ShowSubtotalByGroup=Show subtotal by level
Pcgtype=Hesap grubu
PcgtypeDesc=Group of account are used as predefined 'filter' and 'grouping' criteria for some accounting reports. For example, 'INCOME' or 'EXPENSE' are used as groups for accounting accounts of products to build the expense/income report.
@@ -271,11 +274,13 @@ DescVentilExpenseReport=Consult here the list of expense report lines bound (or
DescVentilExpenseReportMore=If you setup accounting account on type of expense report lines, the application will be able to make all the binding between your expense report lines and the accounting account of your chart of accounts, just in one click with the button "%s". If account was not set on fees dictionary or if you still have some lines not bound to any account, you will have to make a manual binding from the menu "%s".
DescVentilDoneExpenseReport=Consult here the list of the lines of expenses reports and their fees accounting account
+Closure=Annual closure
DescClosure=Consult here the number of movements by month who are not validated & fiscal years already open
OverviewOfMovementsNotValidated=Step 1/ Overview of movements not validated. (Necessary to close a fiscal year)
+AllMovementsWereRecordedAsValidated=All movements were recorded as validated
+NotAllMovementsCouldBeRecordedAsValidated=Not all movements could be recorded as validated
ValidateMovements=Validate movements
DescValidateMovements=Any modification or deletion of writing, lettering and deletes will be prohibited. All entries for an exercise must be validated otherwise closing will not be possible
-SelectMonthAndValidate=Select month and validate movements
ValidateHistory=Otomatik Olarak Bağla
AutomaticBindingDone=Otomatik bağlama bitti
@@ -293,6 +298,7 @@ Accounted=Accounted in ledger
NotYetAccounted=Büyük defterde henüz muhasebeleştirilmemiş
ShowTutorial=Show Tutorial
NotReconciled=Uzlaştırılmadı
+WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view
## Admin
BindingOptions=Binding options
@@ -337,6 +343,7 @@ Modelcsv_LDCompta10=Export for LD Compta (v10 & higher)
Modelcsv_openconcerto=Export for OpenConcerto (Test)
Modelcsv_configurable=Export CSV Configurable
Modelcsv_FEC=Export FEC
+Modelcsv_FEC2=Export FEC (With dates generation writing / document reversed)
Modelcsv_Sage50_Swiss=Export for Sage 50 Switzerland
Modelcsv_winfic=Export Winfic - eWinfic - WinSis Compta
Modelcsv_Gestinumv3=Export for Gestinum (v3)
diff --git a/htdocs/langs/tr_TR/admin.lang b/htdocs/langs/tr_TR/admin.lang
index fc4430e87ca..cb583b2f55d 100644
--- a/htdocs/langs/tr_TR/admin.lang
+++ b/htdocs/langs/tr_TR/admin.lang
@@ -56,6 +56,8 @@ GUISetup=Ekran
SetupArea=Ayarlar
UploadNewTemplate=Yeni şablon(lar) yükleyin
FormToTestFileUploadForm=Dosya yükleme deneme formu (ayarlara göre)
+ModuleMustBeEnabled=The module/application %s must be enabled
+ModuleIsEnabled=The module/application %s has been enabled
IfModuleEnabled=Not: yalnızca %s modülü etkinleştirildiğinde evet etkilidir.
RemoveLock=%s dosyası mevcutsa, Güncelleme/Yükleme aracının kullanımına izin vermek için kaldırın veya yeniden adlandırın.
RestoreLock=Güncelleme/Yükleme aracının daha sonraki kullanımlarına engel olmak için %s dosyasını, sadece okuma iznine sahip olacak şekilde geri yükleyin.
@@ -85,7 +87,6 @@ ShowPreview=Önizleme göster
ShowHideDetails=Show-Hide details
PreviewNotAvailable=Önizleme yok
ThemeCurrentlyActive=Geçerli etkin tema
-CurrentTimeZone=PHP Saat Dilimi (sunucu)
MySQLTimeZone=MySql Saat Dilimi (veritabanı)
TZHasNoEffect=Tarihler veritabanı sunucusu tarafından gönderilmiş dize gibi saklanır ve getirilir. Saat dilimi yalnızca UNIX_TIMESTAMP işlevi kullanıldığında etkilidir (Dolibarr tarafından kullanılmamalıdır, bu nedenle veri girdikten sonra değiştirilse bile veritabanı TZ'nin bir etkisi olmamalıdır).
Space=Boşluk
@@ -153,8 +154,8 @@ SystemToolsAreaDesc=Bu alan yönetim işlevlerini sunar. İstenilen özelliği s
Purge=Temizleme
PurgeAreaDesc=Bu sayfa Dolibarr tarafından oluşturulan veya depolanan tüm dosyaları silmenizi sağlar (%s dizinindeki geçici veya tüm dosyalar). Bu özelliğin kullanılması normalde gerekli değildir. Bu araç, Dolibarr yazılımı web sunucusu tarafından oluşturulan dosyaların silinmesine izin vermeyen bir sağlayıcı tarafından barındırılan kullanıcılar için geçici bir çözüm olarak sunulur.
PurgeDeleteLogFile=Syslog modülü için tanımlı %s dosyası da dahil olmak üzere günlük dosyalarını sil (veri kaybetme riskiniz yoktur)
-PurgeDeleteTemporaryFiles=Tüm geçici dosyaları sil (veri kaybetme riskiniz yoktur). Not: Geçici dizin eğer 24 saat önce oluşturulmuşsa silme işlemi tamamlanır.
-PurgeDeleteTemporaryFilesShort=Geçici dosyaları sil
+PurgeDeleteTemporaryFiles=Delete all log and temporary files (no risk of losing data). Note: Deletion of temporary files is done only if the temp directory was created more than 24 hours ago.
+PurgeDeleteTemporaryFilesShort=Delete log and temporary files
PurgeDeleteAllFilesInDocumentsDir=%s dizinindeki bütün dosyaları sil. Bu işlem, öğelerle (üçüncü partiler, faturalar, v.s.) ilgili oluşturulan tüm dosyaları, ECM modülüne yüklenen dosyaları, veritabanı yedekleme dökümlerini ve geçici dosyaları silecektir.
PurgeRunNow=Şimdi temizle
PurgeNothingToDelete=Silinecek dizin ya da dosya yok.
@@ -256,6 +257,7 @@ ReferencedPreferredPartners=Tercihli Ortaklar
OtherResources=Diğer kaynaklar
ExternalResources=Dış Kaynaklar
SocialNetworks=Sosyal Ağlar
+SocialNetworkId=Social Network ID
ForDocumentationSeeWiki=Kullanıcıların ve geliştiricilerin belgeleri (Doc, FAQs…), Dolibarr Wiki ye bir göz atın: %s
ForAnswersSeeForum=Herhangi bir başka soru/yardım için Dolibarr forumunu kullanabilirsiniz: %s
HelpCenterDesc1=Burada Dolibar ile ilgili yardım ve destek almak için bazı kaynaklar bulabilirsiniz.
@@ -375,7 +377,7 @@ ExamplesWithCurrentSetup=Tanımladığınız mevcut yapılandırma için örnekl
ListOfDirectories=OpenDocument (AçıkBelge) temaları dizin listesi
ListOfDirectoriesForModelGenODT=OpenDocument biçimli şablon dosyalarını içeren dizinler listesi.
Buraya tam yol dizinlerini koyun. Her dizin arasına satır başı ekleyin. GED modülü dizinini eklemek için buraya ekleyinDOL_DATA_ROOT/ecm/yourdirectoryname.
O dizinlerdeki dosyaların bitiş şekli böyle omalıdır .odt or .ods.
NumberOfModelFilesFound=Bu dizinlerde bulunana ODT/ODS şablon dosyalarının sayısı
-ExampleOfDirectoriesForModelGen=Sözdizimi örnekleri: c:\\mydir /home/mydir DOL_DATA_ROOT/ecm/ecmdir
+ExampleOfDirectoriesForModelGen=Examples of syntax: c:\\myapp\\mydocumentdir\\mysubdir /home/myapp/mydocumentdir/mysubdir DOL_DATA_ROOT/ecm/ecmdir
FollowingSubstitutionKeysCanBeUsed= Odt belge şablonlarının nasıl oluşturulacağını öğrenmek için o dizinlere kaydetmeden önce, wiki belgelerini okuyun:
FullListOnOnlineDocumentation=http://wiki.dolibarr.org/index.php/Create_an_ODT_document_template
FirstnameNamePosition=Ad/Soyad konumu
@@ -406,7 +408,7 @@ UrlGenerationParameters=URL güvenliği için parametreler
SecurityTokenIsUnique=Her URL için benzersiz bir güvenlik anahtarı kullan
EnterRefToBuildUrl=Nesen %s için hata referansı
GetSecuredUrl=Hesaplanan URL al
-ButtonHideUnauthorized=Yönetici olmayan kullanıcıların yetkisiz eylemlerinin önüne geçmek için, butonları gri ve engellenmiş olarak göstermek yerine tamamen gizle.
+ButtonHideUnauthorized=Hide unauthorized action buttons also for internal users (just greyed otherwise)
OldVATRates=Eski KDV oranı
NewVATRates=Yeni KDV oranı
PriceBaseTypeToChange=Buna göre tanımlanan temel referans değerli fiyatları değiştir
@@ -1689,7 +1691,7 @@ NotTopTreeMenuPersonalized=Özelleştirilmiş menüler bir üst menüye bağlant
NewMenu=Yeni menü
MenuHandler=Menü işleyicisi
MenuModule=Kaynak modül
-HideUnauthorizedMenu= Yetkisiz menüleri gizle (gri)
+HideUnauthorizedMenu=Hide unauthorized menus also for internal users (just greyed otherwise)
DetailId=Kimlik menüsü
DetailMenuHandler=Yeni menü göstermek için menü işleyicisi
DetailMenuModule=Eğer menü girişi bir modülden geliyorsa modül adı
@@ -1983,11 +1985,12 @@ EMailHost=Host of email IMAP server
MailboxSourceDirectory=Mailbox source directory
MailboxTargetDirectory=Mailbox target directory
EmailcollectorOperations=Operations to do by collector
+EmailcollectorOperationsDesc=Operations are executed from top to bottom order
MaxEmailCollectPerCollect=Max number of emails collected per collect
CollectNow=Şimdi topla
ConfirmCloneEmailCollector=Are you sure you want to clone the Email collector %s ?
-DateLastCollectResult=Date latest collect tried
-DateLastcollectResultOk=Date latest collect successfull
+DateLastCollectResult=Date of latest collect try
+DateLastcollectResultOk=Date of latest collect success
LastResult=En son sonuç
EmailCollectorConfirmCollectTitle=Email collect confirmation
EmailCollectorConfirmCollect=Do you want to run the collection for this collector now ?
@@ -2005,7 +2008,7 @@ WithDolTrackingID=Message from a conversation initiated by a first email sent fr
WithoutDolTrackingID=Message from a conversation initiated by a first email NOT sent from Dolibarr
WithDolTrackingIDInMsgId=Message sent from Dolibarr
WithoutDolTrackingIDInMsgId=Message NOT sent from Dolibarr
-CreateCandidature=Create candidature
+CreateCandidature=Create job application
FormatZip=Posta Kodu
MainMenuCode=Menu entry code (mainmenu)
ECMAutoTree=Otomatik ECM ağacını göster
@@ -2083,3 +2086,7 @@ CountryIfSpecificToOneCountry=Country (if specific to a given country)
YouMayFindSecurityAdviceHere=You may find security advisory here
ModuleActivatedMayExposeInformation=This module may expose sensitive data. If you don't need it, disable it.
ModuleActivatedDoNotUseInProduction=A module designed for the development has been enabled. Do not enable it on a production environment.
+CombinationsSeparator=Separator character for product combinations
+SeeLinkToOnlineDocumentation=See link to online documention on top menu for examples
+SHOW_SUBPRODUCT_REF_IN_PDF=If the feature "%s" of module %s is used, show details of subproducts of a kit on PDF.
+AskThisIDToYourBank=Contact your bank to get this ID
diff --git a/htdocs/langs/tr_TR/banks.lang b/htdocs/langs/tr_TR/banks.lang
index 00371009950..baae642393d 100644
--- a/htdocs/langs/tr_TR/banks.lang
+++ b/htdocs/langs/tr_TR/banks.lang
@@ -173,8 +173,8 @@ SEPAMandate=SEPA yetkisi
YourSEPAMandate=SEPA yetkiniz
FindYourSEPAMandate=Bu, firmamızın bankanıza otomatik ödeme talimatı verebilme yetkisi için SEPA yetkinizdir. İmzalayarak iade edin (imzalı belgeyi tarayarak) veya e-mail ile gönderin
AutoReportLastAccountStatement=Uzlaşma yaparken 'banka hesap özeti numarasını' en son hesap özeti numarası ile otomatik olarak doldur
-CashControl=POS cash fence
-NewCashFence=New cash fence
+CashControl=POS cash desk control
+NewCashFence=New cash desk closing
BankColorizeMovement=Hareketleri renklendir
BankColorizeMovementDesc=Bu işlev etkinleştirilirse, borçlandırma veya kredi hareketleri için belirli bir arka plan rengi seçebilirsiniz
BankColorizeMovementName1=Borç hareketi için arka plan rengi
diff --git a/htdocs/langs/tr_TR/blockedlog.lang b/htdocs/langs/tr_TR/blockedlog.lang
index 072bf60a6d8..14db1cc265b 100644
--- a/htdocs/langs/tr_TR/blockedlog.lang
+++ b/htdocs/langs/tr_TR/blockedlog.lang
@@ -35,7 +35,7 @@ logDON_DELETE=Donation logical deletion
logMEMBER_SUBSCRIPTION_CREATE=Member subscription created
logMEMBER_SUBSCRIPTION_MODIFY=Member subscription modified
logMEMBER_SUBSCRIPTION_DELETE=Member subscription logical deletion
-logCASHCONTROL_VALIDATE=Cash fence recording
+logCASHCONTROL_VALIDATE=Cash desk closing recording
BlockedLogBillDownload=Müşteri faturası indir
BlockedLogBillPreview=Müşteri faturası önizlemesi
BlockedlogInfoDialog=Log Details
diff --git a/htdocs/langs/tr_TR/boxes.lang b/htdocs/langs/tr_TR/boxes.lang
index f374d3c9080..86d42f8536e 100644
--- a/htdocs/langs/tr_TR/boxes.lang
+++ b/htdocs/langs/tr_TR/boxes.lang
@@ -46,9 +46,12 @@ BoxTitleLastModifiedDonations=Değiştirilen son %s bağış
BoxTitleLastModifiedExpenses=Değiştirilen son %s gider raporu
BoxTitleLatestModifiedBoms=Değiştirilen son %s BOM
BoxTitleLatestModifiedMos=Değiştirilen son %s Üretim Siparişleri
+BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded
BoxGlobalActivity=Genel etkinlik (faturalar, teklifler, siparişler)
BoxGoodCustomers=İyi müşteriler
BoxTitleGoodCustomers=%s İyi müşteri
+BoxScheduledJobs=Planlı İşler
+BoxTitleFunnelOfProspection=Lead funnel
FailedToRefreshDataInfoNotUpToDate=RSS akışı yenilenemedi. Son başarılı yenileme tarihi: %s
LastRefreshDate=Son yenileme tarihi
NoRecordedBookmarks=Tanımlanmış yerimi yok.
@@ -83,8 +86,8 @@ BoxTitleLatestModifiedSupplierOrders=Tedarikçi Siparişleri: değiştirilen son
BoxTitleLastModifiedCustomerBills=Müşteri Faturaları: değiştirilen son %s
BoxTitleLastModifiedCustomerOrders=Müşteri Siparişleri: son değiştirilen %s
BoxTitleLastModifiedPropals=Değiştirilen son %s teklif
-BoxTitleLatestModifiedJobPositions=Latest %s modified jobs
-BoxTitleLatestModifiedCandidatures=Latest %s modified candidatures
+BoxTitleLatestModifiedJobPositions=En son %s değiştirilmiş iş
+BoxTitleLatestModifiedCandidatures=En son %s değiştirilmiş aday
ForCustomersInvoices=Müşteri faturaları
ForCustomersOrders=Müşteri siparişleri
ForProposals=Teklifler
@@ -102,5 +105,7 @@ SuspenseAccountNotDefined=Askı hesabı tanımlanmamış
BoxLastCustomerShipments=Son müşteri gönderileri
BoxTitleLastCustomerShipments=Son %s müşteri gönderileri
NoRecordedShipments=Kayıtlı müşteri gönderimi yok
+BoxCustomersOutstandingBillReached=Customers with oustanding limit reached
# Pages
AccountancyHome=Muhasebe
+ValidatedProjects=Doğrulanmış projeler
diff --git a/htdocs/langs/tr_TR/cashdesk.lang b/htdocs/langs/tr_TR/cashdesk.lang
index 1c52f025daf..f9c0a22ebd4 100644
--- a/htdocs/langs/tr_TR/cashdesk.lang
+++ b/htdocs/langs/tr_TR/cashdesk.lang
@@ -49,8 +49,8 @@ Footer=Footer
AmountAtEndOfPeriod=Amount at end of period (day, month or year)
TheoricalAmount=Teorik tutar
RealAmount=Gerçek tutar
-CashFence=Cash fence
-CashFenceDone=Cash fence done for the period
+CashFence=Cash desk closing
+CashFenceDone=Cash desk closing done for the period
NbOfInvoices=Fatura sayısı
Paymentnumpad=Type of Pad to enter payment
Numberspad=Numbers Pad
@@ -99,8 +99,9 @@ CashDeskRefNumberingModules=Numbering module for POS sales
CashDeskGenericMaskCodes6 = {TN} tag is used to add the terminal number
TakeposGroupSameProduct=Group same products lines
StartAParallelSale=Start a new parallel sale
-ControlCashOpening=Control cash box at opening POS
-CloseCashFence=Close cash fence
+SaleStartedAt=Sale started at %s
+ControlCashOpening=Control cash popup at opening POS
+CloseCashFence=Close cash desk control
CashReport=Cash report
MainPrinterToUse=Main printer to use
OrderPrinterToUse=Order printer to use
@@ -122,3 +123,4 @@ GiftReceipt=Gift receipt
ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled first
AllowDelayedPayment=Allow delayed payment
PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts
+WeighingScale=Weighing scale
diff --git a/htdocs/langs/tr_TR/categories.lang b/htdocs/langs/tr_TR/categories.lang
index 94a510df93f..5369ebbec99 100644
--- a/htdocs/langs/tr_TR/categories.lang
+++ b/htdocs/langs/tr_TR/categories.lang
@@ -19,6 +19,7 @@ ProjectsCategoriesArea=Proje etiket/kategori alanı
UsersCategoriesArea=Kullanıcı Etiketleri/Kategorileri Alanı
SubCats=Alt kategoriler
CatList= Etiketler/kategoriler listesi
+CatListAll=List of tags/categories (all types)
NewCategory=Yeni etiket/kategori
ModifCat=Etiket/kategori değiştir
CatCreated=Etiket/kategori oluşturuldu
@@ -65,16 +66,22 @@ UsersCategoriesShort=Kullanıcı etiketleri/kategorileri
StockCategoriesShort=Depo etiketleri / kategorileri
ThisCategoryHasNoItems=Bu kategori herhangi bir öğe içermiyor.
CategId=Etiket/kategori kimliği
-CatSupList=Tedarikçi etiketleri/kategorileri listesi
-CatCusList=Müşteri/beklenti etiketleri/kategorileri listesi
+ParentCategory=Parent tag/category
+ParentCategoryLabel=Label of parent tag/category
+CatSupList=List of vendors tags/categories
+CatCusList=List of customers/prospects tags/categories
CatProdList=Ürün etiketleri/kategorileri listesi
CatMemberList=Üye etiketleri/kategorileri listesi
-CatContactList=Kişi etiketleri/kategorileri listesi
-CatSupLinks=Tedarikçiler ve etiketler/kategoriler arasındaki bağlantılar
+CatContactList=List of contacts tags/categories
+CatProjectsList=List of projects tags/categories
+CatUsersList=List of users tags/categories
+CatSupLinks=Links between vendors and tags/categories
CatCusLinks=Müşteriler/beklentiler ve etiketler/kategoriler arasındaki bağlantılar
CatContactsLinks=Kişiler/adresler ve etiketler/kategoriler arasındaki bağlantılar
CatProdLinks=Ürünler/hizmetler ve etiketler/kategoriler arasındaki bağlantılar
-CatProJectLinks=Projeler ve etiketler/kategoriler arasındaki bağlantılar
+CatMembersLinks=Üyeler ve etiketler/kategoriler arasındaki bağlantılar
+CatProjectsLinks=Projeler ve etiketler/kategoriler arasındaki bağlantılar
+CatUsersLinks=Links between users and tags/categories
DeleteFromCat=Etiketlerden/kategorilerden kaldır
ExtraFieldsCategories=Tamamlayıcı öznitelikler
CategoriesSetup=Etiket/kategori ayarları
diff --git a/htdocs/langs/tr_TR/companies.lang b/htdocs/langs/tr_TR/companies.lang
index 1a0b08308e6..b27fea49898 100644
--- a/htdocs/langs/tr_TR/companies.lang
+++ b/htdocs/langs/tr_TR/companies.lang
@@ -358,7 +358,7 @@ VATIntraCheckableOnEUSite=Avrupa Komisyonu web sitesinden topluluk içi Vergi Nu
VATIntraManualCheck=Avrupa Komisyonu'nun %s web adresinden de manuel olarak kontrol edebilirsiniz
ErrorVATCheckMS_UNAVAILABLE=Denetlemiyor. Denetim hizmeti üye ülke (%s) tarafından sağlanmıyor.
NorProspectNorCustomer=Ne aday ne de müşteri
-JuridicalStatus=Tüzel Kişilik Türü
+JuridicalStatus=Business entity type
Workforce=Workforce
Staff=Çalışan sayısı
ProspectLevelShort=Potansiyel
diff --git a/htdocs/langs/tr_TR/compta.lang b/htdocs/langs/tr_TR/compta.lang
index 2623f2bdb57..5889d98d6bd 100644
--- a/htdocs/langs/tr_TR/compta.lang
+++ b/htdocs/langs/tr_TR/compta.lang
@@ -111,7 +111,7 @@ Refund=İade
SocialContributionsPayments=Sosyal/mali vergi ödemeleri
ShowVatPayment=KDV ödemesi göster
TotalToPay=Ödenecek toplam
-BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted ascending on %s and filtered for 1 bank account
+BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted on %s and filtered on 1 bank account (with no other filters)
CustomerAccountancyCode=Müşteri muhasebe kodu
SupplierAccountancyCode=Vendor accounting code
CustomerAccountancyCodeShort=Müşt. hesap kodu
@@ -140,7 +140,7 @@ ConfirmDeleteSocialContribution=Bu sosyal/mali vergiyi silmek istediğinizden em
ExportDataset_tax_1=Sosyal ve mali vergiler ve ödemeleri
CalcModeVATDebt=Mod %sKDV, taahhüt hesabı%s için.
CalcModeVATEngagement=Mod %sKDV, gelirler-giderler%s için.
-CalcModeDebt=Analysis of known recorded invoices even if they are not yet accounted in ledger.
+CalcModeDebt=Analysis of known recorded documents even if they are not yet accounted in ledger.
CalcModeEngagement=Henüz kayıtlı hesapta olmasa bile, bilinen kayıtlı ödemelerin analizi.
CalcModeBookkeeping=Analysis of data journalized in Bookkeeping Ledger table.
CalcModeLT1= Müşteri faturaları için mod %sRE tedrikçi faturaları için mod %s
@@ -154,9 +154,9 @@ AnnualSummaryInputOutputMode=Gelir ve gider bilançosu, yıllık özet
AnnualByCompanies=Balance of income and expenses, by predefined groups of account
AnnualByCompaniesDueDebtMode=Balance of income and expenses, detail by predefined groups, mode %sClaims-Debts%s said Commitment accounting.
AnnualByCompaniesInputOutputMode=Balance of income and expenses, detail by predefined groups, mode %sIncomes-Expenses%s said cash accounting.
-SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation on actual payments made even if they are not yet accounted in Ledger.
-SeeReportInDueDebtMode=Henüz kayıtlı defterde yer almamış olsalar bile, bilinen kayıtlı faturalara dayalı bir hesaplama için %s analizinin %s faturasına bakın.
-SeeReportInBookkeepingMode=See %sBookeeping report%s for a calculation on Bookkeeping Ledger table
+SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation based on recorded payments made even if they are not yet accounted in Ledger
+SeeReportInDueDebtMode=See %sanalysis of recorded documents%s for a calculation based on known recorded documents even if they are not yet accounted in Ledger
+SeeReportInBookkeepingMode=See %sanalysis of bookeeping ledger table%s for a report based on Bookkeeping Ledger table
RulesAmountWithTaxIncluded=- Gösterilen tutarlara tüm vergiler dahildir
RulesResultDue=- It includes outstanding invoices, expenses, VAT, donations whether they are paid or not. Is also includes paid salaries. - It is based on the billing date of invoices and on the due date for expenses or tax payments. For salaries defined with Salary module, the value date of payment is used.
RulesResultInOut=- Faturalarda, giderlerde, KDV inde ve maaşlarda yapılan gerçek ödemeleri içerir. - Faturaların, giderleri, KDV nin ve maaşların ödeme tarihleri baz alınır. Bağışlar için bağış tarihi.
@@ -169,12 +169,15 @@ RulesResultBookkeepingPersonalized=It show record in your Ledger with accounting
SeePageForSetup=See menu %s for setup
DepositsAreNotIncluded=- Peşinat faturaları dahil değildir
DepositsAreIncluded=- Peşinat faturaları dahildir
+LT1ReportByMonth=Tax 2 report by month
+LT2ReportByMonth=Tax 3 report by month
LT1ReportByCustomers=Report tax 2 by third party
LT2ReportByCustomers=Report tax 3 by third party
LT1ReportByCustomersES=RE Üçüncü partiye göre rapor
LT2ReportByCustomersES=Üçüncü parti IRPF Raporu
VATReport=Satış vergisi raporu
VATReportByPeriods=Döneme göre satış vergisi raporu
+VATReportByMonth=Sale tax report by month
VATReportByRates=Oranlara göre satış vergisi raporu
VATReportByThirdParties=Üçüncü taraflara göre satış vergisi raporu
VATReportByCustomers=Müşteriye göre satış vergisi raporu
diff --git a/htdocs/langs/tr_TR/cron.lang b/htdocs/langs/tr_TR/cron.lang
index 34939dd94f3..3c20bddb891 100644
--- a/htdocs/langs/tr_TR/cron.lang
+++ b/htdocs/langs/tr_TR/cron.lang
@@ -7,13 +7,14 @@ Permission23103 = Planlı iş sil
Permission23104 = Planlı iş yürüt
# Admin
CronSetup=Planlı iş yönetimi ayarları
-URLToLaunchCronJobs=Nitelikli cron işlerini kontrol etmek ve başlatmak için URL
-OrToLaunchASpecificJob=Ya da özel bir işi denetlemek ve başlatmak için
+URLToLaunchCronJobs=URL to check and launch qualified cron jobs from a browser
+OrToLaunchASpecificJob=Or to check and launch a specific job from a browser
KeyForCronAccess=Cron işlerini başlatacak URL için güvenlik anahtarı
FileToLaunchCronJobs=Nitelikli cron işlerini kontrol etmek ve başlatmak için komut satırı
CronExplainHowToRunUnix=Unix ortamında komut satırını her 5 dakikada bir çalıştırmak için kron sekmesi girişini kullanmalısınız
CronExplainHowToRunWin=On Microsoft(tm) Windows environment you can use Scheduled Task tools to run the command line each 5 minutes
CronMethodDoesNotExists=Sınıf %s hiçbir %s yöntemi içermiyor
+CronMethodNotAllowed=Method %s of class %s is in blacklist of forbidden methods
CronJobDefDesc=Cron job profiles are defined into the module descriptor file. When module is activated, they are loaded and available so you can administer the jobs from the admin tools menu %s.
CronJobProfiles=Önceden tanımlanmış cron görevi profillerinin listesi
# Menu
@@ -46,6 +47,7 @@ CronNbRun=Number of launches
CronMaxRun=Maximum number of launches
CronEach=Her
JobFinished=İş başlatıldı ve bitirildi
+Scheduled=Scheduled
#Page card
CronAdd= İş ekle
CronEvery=İş yürütme zamanı
@@ -56,7 +58,7 @@ CronNote=Yorum
CronFieldMandatory=%s alanı zorunludur
CronErrEndDateStartDt=Bitiş tarihi başlama tarihinden önce olamaz
StatusAtInstall=Status at module installation
-CronStatusActiveBtn=Etkin
+CronStatusActiveBtn=Schedule
CronStatusInactiveBtn=Engelle
CronTaskInactive=Bu iş devre dışı
CronId=Kimlik
@@ -76,8 +78,14 @@ CronType_method=Call method of a PHP Class
CronType_command=Kabuk komutu
CronCannotLoadClass=Cannot load class file %s (to use class %s)
CronCannotLoadObject=Class file %s was loaded, but object %s was not found into it
-UseMenuModuleToolsToAddCronJobs=Planlı işleri görmek ve düzenlemek için "Giriş - Yönetici Araçları - Planlı İşler" menüsüne git.
+UseMenuModuleToolsToAddCronJobs=Go into menu "Home - Admin tools - Scheduled jobs" to see and edit scheduled jobs.
JobDisabled=İş engellendi
MakeLocalDatabaseDumpShort=Yerel veritabanı yedeklemesi
MakeLocalDatabaseDump=Create a local database dump. Parameters are: compression ('gz' or 'bz' or 'none'), backup type ('mysql', 'pgsql', 'auto'), 1, 'auto' or filename to build, number of backup files to keep
WarningCronDelayed=Dikkat: Performans amaçlı olarak etkinleştirilmiş işlerin bir sonraki yürütme tarihi ne olursa olsun, işleriniz çalıştırılmadan önce maksimum %s saat ertelenebilir.
+DATAPOLICYJob=Data cleaner and anonymizer
+JobXMustBeEnabled=Job %s must be enabled
+# Cron Boxes
+LastExecutedScheduledJob=Last executed scheduled job
+NextScheduledJobExecute=Next scheduled job to execute
+NumberScheduledJobError=Number of scheduled jobs in error
diff --git a/htdocs/langs/tr_TR/errors.lang b/htdocs/langs/tr_TR/errors.lang
index 8753b1ee175..8cc4092af00 100644
--- a/htdocs/langs/tr_TR/errors.lang
+++ b/htdocs/langs/tr_TR/errors.lang
@@ -5,8 +5,10 @@ NoErrorCommitIsDone=Hata yok, taahüt ediyoruz
# Errors
ErrorButCommitIsDone=Hatalar bulundu, buna rağmen doğruluyoruz
ErrorBadEMail=%s e-postası hatalı
+ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record)
ErrorBadUrl=URL %s yanlış
ErrorBadValueForParamNotAString=Parametreniz için hatalı değer. Genellikle çeviri eksik olduğunda eklenir.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorLoginAlreadyExists=%s kullanıcı adı zaten var.
ErrorGroupAlreadyExists=%s Grubu zaten var.
ErrorRecordNotFound=Kayıt bulunamadı.
@@ -48,6 +50,7 @@ ErrorFieldsRequired=Bazı gerekli alanlar doldurulmamış.
ErrorSubjectIsRequired=E-posta konusu zorunludur
ErrorFailedToCreateDir=Dizin oluşturulamadı. Web sunucusu kullanıcısının Dolibarr belgeleri dizinine yazma izinlerini denetleyin. Eğer bu parametre guvenli_mod bu PHP üzerinde etkinleştirilmişse, Dolibarr php dosyalarının web sunucusu kullanıcısına (ya da grubuna) sahip olduğunu denetleyin.
ErrorNoMailDefinedForThisUser=Bu kullanıcı için tanımlı posta yok
+ErrorSetupOfEmailsNotComplete=Setup of emails is not complete
ErrorFeatureNeedJavascript=Bu özelliğin çalışması için JavaScriptin etkinleştirilmesi gerekir. Bunu Kurulum - Ekran menüsünden değiştirebilirsiniz.
ErrorTopMenuMustHaveAParentWithId0='Üst' menü tipi menünün bir ana menüsü olamaz. Ana menüye 0 koyun ya da 'Sol' menü türünü seçin.
ErrorLeftMenuMustHaveAParentId='Sol' tipli bir menünün bir üst tanımı olmalıdır.
@@ -75,7 +78,7 @@ ErrorExportDuplicateProfil=Bu profil adı, bu dışa aktarma grubu için zaten m
ErrorLDAPSetupNotComplete=Dolibarr-LDAP eşleşmesi tamamlanmamış.
ErrorLDAPMakeManualTest=A. Ldif dosyası %s dizininde oluşturuldu. Hatalar hakkında daha fazla bilgi almak için komut satırından elle yüklemeyi deneyin.
ErrorCantSaveADoneUserWithZeroPercentage=Can't save an action with "status not started" if field "done by" is also filled.
-ErrorRefAlreadyExists=Oluşturulması için kullanılan referans zaten var.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorPleaseTypeBankTransactionReportName=Please enter the bank statement name where the entry has to be reported (Format YYYYMM or YYYYMMDD)
ErrorRecordHasChildren=Kayıt bazı alt kayıtlar içerdiği için silinemedi
ErrorRecordHasAtLeastOneChildOfType=Object has at least one child of type %s
@@ -216,7 +219,7 @@ ErrorChooseBetweenFreeEntryOrPredefinedProduct=You must choose if article is a p
ErrorDiscountLargerThanRemainToPaySplitItBefore=The discount you try to apply is larger than remain to pay. Split the discount in 2 smaller discounts before.
ErrorFileNotFoundWithSharedLink=Dosya bulunamadı. Paylaşım anahtarı değiştirilmiş veya dosya yakın bir zamanda kaldırılmış olabilir.
ErrorProductBarCodeAlreadyExists=The product barcode %s already exists on another product reference.
-ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using virtual product to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number.
+ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using kits to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number.
ErrorDescRequiredForFreeProductLines=Description is mandatory for lines with free product
ErrorAPageWithThisNameOrAliasAlreadyExists=The page/container %s has the same name or alternative alias that the one your try to use
ErrorDuringChartLoad=Error when loading chart of accounts. If few accounts were not loaded, you can still enter them manually.
@@ -243,6 +246,16 @@ ErrorReplaceStringEmpty=Error, the string to replace into is empty
ErrorProductNeedBatchNumber=Error, product '%s' need a lot/serial number
ErrorProductDoesNotNeedBatchNumber=Error, product '%s' does not accept a lot/serial number
ErrorFailedToReadObject=Error, failed to read object of type %s
+ErrorParameterMustBeEnabledToAllwoThisFeature=Error, parameter %s must be enabled into conf/conf.php to allow use of Command Line Interface by the internal job scheduler
+ErrorLoginDateValidity=Error, this login is outside the validity date range
+ErrorValueLength=Length of field '%s' must be higher than '%s'
+ErrorReservedKeyword=The word '%s' is a reserved keyword
+ErrorNotAvailableWithThisDistribution=Not available with this distribution
+ErrorPublicInterfaceNotEnabled=Public interface was not enabled
+ErrorLanguageRequiredIfPageIsTranslationOfAnother=The language of new page must be defined if it is set as a translation of another page
+ErrorLanguageMustNotBeSourceLanguageIfPageIsTranslationOfAnother=The language of new page must not be the source language if it is set as a translation of another page
+ErrorAParameterIsRequiredForThisOperation=A parameter is mandatory for this operation
+
# Warnings
WarningParamUploadMaxFileSizeHigherThanPostMaxSize=PHP'nizdeki upload_max_filesize (%s) parametresi, post_max_size (%s) PHP parametresinden daha yüksek. Bu tutarlı bir kurulum değil.
WarningPasswordSetWithNoAccount=Bu üye için bir parola ayarlıdır. Ancak, hiçbir kullanıcı hesabı oluşturulmamıştır. Yani bu şifre saklanır ama Dolibarr'a giriş için kullanılamaz. Dış bir modül/arayüz tarafından kullanılıyor olabilir, ama bir üye için ne bir kullanıcı adı ne de parola tanımlamanız gerekmiyorsa "Her üye için bir kullanıcı adı yönet" seçeneğini devre dışı bırakabilirsiniz. Bir kullanıcı adı yönetmeniz gerekiyorsa ama herhangi bir parolaya gereksinim duymuyorsanız bu uyarıyı engellemek için bu alanı boş bırakabilirsiniz. Not: Eğer bir üye bir kullanıcıya bağlıysa kullanıcı adı olarak e-posta adresi de kullanılabilir.
@@ -267,6 +280,10 @@ WarningYourLoginWasModifiedPleaseLogin=Kullanıcı adınız değiştirilmiştir.
WarningAnEntryAlreadyExistForTransKey=An entry already exists for the translation key for this language
WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different recipient is limited to %s when using the mass actions on lists
WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report
+WarningProjectDraft=Project is still in draft mode. Don't forget to validate it if you plan to use tasks.
WarningProjectClosed=Project is closed. You must re-open it first.
WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list.
-WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table
+WarningFailedToAddFileIntoDatabaseIndex=Warning, failed to add file entry into ECM database index table
+WarningTheHiddenOptionIsOn=Warning, the hidden option %s is on.
+WarningCreateSubAccounts=Warning, you can't create directly a sub account, you must create a third party or an user and assign them an accounting code to find them in this list
+WarningAvailableOnlyForHTTPSServers=Available only if using HTTPS secured connection.
diff --git a/htdocs/langs/tr_TR/exports.lang b/htdocs/langs/tr_TR/exports.lang
index 3818365af40..a909d78355e 100644
--- a/htdocs/langs/tr_TR/exports.lang
+++ b/htdocs/langs/tr_TR/exports.lang
@@ -26,6 +26,8 @@ FieldTitle=Alan başlğı
NowClickToGenerateToBuildExportFile=Şimdi açılan kutudan dosya biçimini seçin ve dışa aktarma dosyasını oluşturmak için "Oluştur" linkine tıklayın...
AvailableFormats=Mevcut Formatlar
LibraryShort=Kitaplık
+ExportCsvSeparator=Csv caracter separator
+ImportCsvSeparator=Csv caracter separator
Step=Adım
FormatedImport=İçe Aktarma Yardımcısı
FormatedImportDesc1=This module allows you to update existing data or add new objects into the database from a file without technical knowledge, using an assistant.
@@ -131,3 +133,4 @@ KeysToUseForUpdates=Key (column) to use for updating existing data
NbInsert=Eklenen satır sayısı: %s
NbUpdate=Güncellenmiş satır sayısı: %s
MultipleRecordFoundWithTheseFilters=Bu filtrelerle birden çok kayıt bulundu: %s
+StocksWithBatch=Stocks and location (warehouse) of products with batch/serial number
diff --git a/htdocs/langs/tr_TR/mails.lang b/htdocs/langs/tr_TR/mails.lang
index 85fe5c91d72..fd55d217c3a 100644
--- a/htdocs/langs/tr_TR/mails.lang
+++ b/htdocs/langs/tr_TR/mails.lang
@@ -92,6 +92,7 @@ MailingModuleDescEmailsFromUser=Kullanıcı tarafından girilen e-postalar
MailingModuleDescDolibarrUsers=E-postaları olan kullanıcılar
MailingModuleDescThirdPartiesByCategories=Üçüncü taraflar (kategorilere göre)
SendingFromWebInterfaceIsNotAllowed=Sending from web interface is not allowed.
+EmailCollectorFilterDesc=All filters must match to have an email being collected
# Libelle des modules de liste de destinataires mailing
LineInFile=Satır %s dosyası
@@ -125,12 +126,13 @@ TagMailtoEmail=Alıcı E-posta Adresi ("kime:" html linkini içeren)
NoEmailSentBadSenderOrRecipientEmail=Gönderilen e-posta yok. Hatalı gönderici ya da alıcı epostası. Kullanıcı profilini doğrula.
# Module Notifications
Notifications=Bildirimler
-NoNotificationsWillBeSent=Bu etkinlik ve firma için hiçbir e-posta bildirimi planlanmamış
-ANotificationsWillBeSent=E-posta ile 1 bildirim gönderilecektir
-SomeNotificationsWillBeSent=%s bildirim e-posta ile gönderilecektir
-AddNewNotification=Yeni bir e-posta bildirim hedefi/etkinliği oluştur
-ListOfActiveNotifications=E-posta bildirimi için aktif olan hedef/etkinlik listesi
-ListOfNotificationsDone=Gönderilen tüm e-posta bildirimleri listesi
+NotificationsAuto=Notifications Auto.
+NoNotificationsWillBeSent=No automatic email notifications are planned for this event type and company
+ANotificationsWillBeSent=1 automatic notification will be sent by email
+SomeNotificationsWillBeSent=%s automatic notifications will be sent by email
+AddNewNotification=Subscribe to a new automatic email notification (target/event)
+ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification
+ListOfNotificationsDone=List all automatic email notifications sent
MailSendSetupIs=E-posta gönderme yapılandırması '%s'ye ayarlandı. Bu mod toplu e-postalama için kullanılamaz.
MailSendSetupIs2='%s' Modunu kullanmak için '%s' parametresini değiştirecekseniz, önce yönetici hesabı ile %sGiriş - Ayarlar - E-postalar%s menüsüne gitmelisiniz. Bu mod ile İnternet Servis Sağlayıcınız tarafından sağlanan SMTP sunucusu ayarlarını girebilir ve Toplu e-posta özelliğini kullanabilirsiniz.
MailSendSetupIs3=SMTP sunucusunun nasıl yapılandırılacağı konusunda sorunuz varsa, %s e sorabilirsiniz.
@@ -140,7 +142,7 @@ UseFormatFileEmailToTarget=Imported file must have format email;name;fir
UseFormatInputEmailToTarget=Enter a string with format email;name;firstname;other
MailAdvTargetRecipients=Alıcılar (gelişmiş seçim)
AdvTgtTitle=Fill input fields to preselect the third parties or contacts/addresses to target
-AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima% will target all jean, joe, start with jim but not jimo and not everything that starts with jima
+AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima%% will target all jean, joe, start with jim but not jimo and not everything that starts with jima
AdvTgtSearchIntHelp=Tam sayı veya kayan değer seçmek için aralık kullanın
AdvTgtMinVal=En düşük değer
AdvTgtMaxVal=En yüksek değer
@@ -162,13 +164,14 @@ AdvTgtCreateFilter=Süzgeç oluştur
AdvTgtOrCreateNewFilter=Yeni süzgeç adı
NoContactWithCategoryFound=Kategorisi olan hiç bir kişi/adres bulunamadı
NoContactLinkedToThirdpartieWithCategoryFound=Kategorisi olan hiç bir kişi/adres bulunamadı
-OutGoingEmailSetup=Giden e-posta kurulumu
-InGoingEmailSetup=Gelen e-posta kurulumu
-OutGoingEmailSetupForEmailing=Outgoing email setup (for module %s)
-DefaultOutgoingEmailSetup=Varsayılan giden e-posta kurulumu
+OutGoingEmailSetup=Outgoing emails
+InGoingEmailSetup=Incoming emails
+OutGoingEmailSetupForEmailing=Outgoing emails (for module %s)
+DefaultOutgoingEmailSetup=Same configuration than the global Outgoing email setup
Information=Bilgi
ContactsWithThirdpartyFilter=Üçüncü parti filtreli kişiler
Unanswered=Unanswered
Answered=Cevaplandı
IsNotAnAnswer=Is not answer (initial email)
IsAnAnswer=Is an answer of an initial email
+RecordCreatedByEmailCollector=Record created by the Email Collector %s from email %s
diff --git a/htdocs/langs/tr_TR/main.lang b/htdocs/langs/tr_TR/main.lang
index ecc538bf1dc..ff53f4a6141 100644
--- a/htdocs/langs/tr_TR/main.lang
+++ b/htdocs/langs/tr_TR/main.lang
@@ -28,7 +28,9 @@ NoTemplateDefined=Bu e-posta türü için mevcut şablon yok
AvailableVariables=Mevcut yedek değişkenler
NoTranslation=Çeviri yok
Translation=Çeviri
+CurrentTimeZone=PHP Saat Dilimi (sunucu)
EmptySearchString=Enter non empty search criterias
+EnterADateCriteria=Enter a date criteria
NoRecordFound=Kayıt bulunamadı
NoRecordDeleted=Hiç kayıt silinmedi
NotEnoughDataYet=Yeterli bilgi yok
@@ -85,6 +87,8 @@ FileWasNotUploaded=Bu ekleme için bir dosya seçildi ama henüz gönderilmedi.
NbOfEntries=Kayıt sayısı
GoToWikiHelpPage=Çevrimiçi yardım oku (Internet erişimi gerekir)
GoToHelpPage=Yardım oku
+DedicatedPageAvailable=There is a dedicated help page related to your current screen
+HomePage=Ana Sayfa
RecordSaved=Kayıt kaydedildi
RecordDeleted=Kayıt silindi
RecordGenerated=Kayıt oluşturuldu
@@ -433,6 +437,7 @@ RemainToPay=Kalan ödeme
Module=Modül/Uygulama
Modules=Modüller/Uygulamalar
Option=Seçenek
+Filters=Filters
List=Liste
FullList=Tüm liste
FullConversation=Full conversation
@@ -671,7 +676,7 @@ SendMail=E-posta gönder
Email=E-posta
NoEMail=E-posta yok
AlreadyRead=Zaten okundu
-NotRead=Okunmayan
+NotRead=Okunmamış
NoMobilePhone=Cep telefonu yok
Owner=Sahibi
FollowingConstantsWillBeSubstituted=Aşağıdaki değişmezler uygun değerlerin yerine konacaktır
@@ -1107,3 +1112,8 @@ UpToDate=Up-to-date
OutOfDate=Out-of-date
EventReminder=Event Reminder
UpdateForAllLines=Update for all lines
+OnHold=Beklemede
+AffectTag=Affect Tag
+ConfirmAffectTag=Bulk Tag Affect
+ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected record(s)?
+CategTypeNotFound=No tag type found for type of records
diff --git a/htdocs/langs/tr_TR/modulebuilder.lang b/htdocs/langs/tr_TR/modulebuilder.lang
index 93b4879a0d0..c80a020642b 100644
--- a/htdocs/langs/tr_TR/modulebuilder.lang
+++ b/htdocs/langs/tr_TR/modulebuilder.lang
@@ -40,6 +40,7 @@ PageForCreateEditView=Bir kaydı oluşturmak/düzenlemek/görüntülemek için P
PageForAgendaTab=Etkinlik sekmesi için PHP sayfası
PageForDocumentTab=Belge sekmesi için PHP sayfası
PageForNoteTab=Not sekmesi için PHP sayfası
+PageForContactTab=PHP page for contact tab
PathToModulePackage=Path to zip of module/application package
PathToModuleDocumentation=Modül/uygulama dökümantasyon dosyasına yol (%s)
SpaceOrSpecialCharAreNotAllowed=Boşluklara veya özel karakterlere izin verilmez.
@@ -77,7 +78,7 @@ IsAMeasure=Is a measure
DirScanned=Taranan dizin
NoTrigger=No trigger
NoWidget=Ekran etiketi yok
-GoToApiExplorer=API gezginine git
+GoToApiExplorer=API explorer
ListOfMenusEntries=Menü kayıtlarının listesi
ListOfDictionariesEntries=Sözlük girişlerinin listesi
ListOfPermissionsDefined=Tanımlanan izinlerin listesi
@@ -105,7 +106,7 @@ TryToUseTheModuleBuilder=Eğer SQL ve PHP hakkında bilginiz varsa, yerel modül
SeeTopRightMenu=Sağ üst menüde yer alan simgesine bakın
AddLanguageFile=Dil dosyası ekle
YouCanUseTranslationKey=You can use here a key that is the translation key found into language file (see tab "Languages")
-DropTableIfEmpty=(Boşsa tabloyu sil)
+DropTableIfEmpty=(Destroy table if empty)
TableDoesNotExists=%s tablosu mevcut değil
TableDropped=%s tablosu silindi
InitStructureFromExistingTable=Build the structure array string of an existing table
@@ -126,7 +127,6 @@ UseSpecificEditorURL = Spesifik bir editör URL'si kullanın
UseSpecificFamily = Use a specific family
UseSpecificAuthor = Spesifik bir yazar kullanın
UseSpecificVersion = Use a specific initial version
-ModuleMustBeEnabled=Önce modül/uygulama etkinleştirilmelidir
IncludeRefGeneration=The reference of object must be generated automatically
IncludeRefGenerationHelp=Check this if you want to include code to manage the generation automatically of the reference
IncludeDocGeneration=Nesneden bazı belgeler oluşturmak istiyorum
@@ -140,3 +140,4 @@ TypeOfFieldsHelp=Type of fields: varchar(99), double(24,8), real, text, html,
AsciiToHtmlConverter=Ascii to HTML converter
AsciiToPdfConverter=Ascii to PDF converter
TableNotEmptyDropCanceled=Table not empty. Drop has been canceled.
+ModuleBuilderNotAllowed=The module builder is available but not allowed to your user.
diff --git a/htdocs/langs/tr_TR/other.lang b/htdocs/langs/tr_TR/other.lang
index 1ac66fd963c..3b32b32bc93 100644
--- a/htdocs/langs/tr_TR/other.lang
+++ b/htdocs/langs/tr_TR/other.lang
@@ -5,8 +5,6 @@ Tools=Araçlar
TMenuTools=Araçlar
ToolsDesc=Diğer menü girişlerinde bulunmayan tüm araçlar burada gruplandırılmıştır. Tüm araçlara sol menüden erişilebilir.
Birthday=Doğumgünü
-BirthdayDate=Doğumgünü tarihi
-DateToBirth=Doğum günü
BirthdayAlertOn=doğum günü uyarısı etkin
BirthdayAlertOff=doğumgünü uyarısı etkin değil
TransKey=TransKey anahtarının çevirisi
@@ -16,6 +14,8 @@ PreviousMonthOfInvoice=Fatura tarihinden önceki ay (sayı 1-12)
TextPreviousMonthOfInvoice=Fatura tarihinden önceki ay (metin)
NextMonthOfInvoice=Fatura tarihinden sonraki ay (sayı 1-12)
TextNextMonthOfInvoice=Fatura tarihinden sonraki ay (metin)
+PreviousMonth=Previous month
+CurrentMonth=Current month
ZipFileGeneratedInto=Zip dosyası %s içinde oluşturuldu.
DocFileGeneratedInto=Doc dosyası %s içinde oluşturuldu.
JumpToLogin=Bağlantı kesildi. Giriş sayfasına git...
@@ -99,6 +99,7 @@ PredefinedMailContentSendShipping=__(Hello)__\n\n__REF__ referans numaralı sevk
PredefinedMailContentSendFichInter=__(Hello)__\n\n__REF__ referans numaralı müdahaleyi ekte bulabilirsiniz\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
PredefinedMailContentLink=Ödemeniz yapılmadıysa ödemenizi yapmak için aşağıdaki bağlantıyı tıklayabilirsiniz.\n\n%s\n\n
PredefinedMailContentGeneric=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
+PredefinedMailContentSendActionComm=Event reminder "__EVENT_LABEL__" on __EVENT_DATE__ at __EVENT_TIME__
This is an automatic message, please do not reply.
DemoDesc=Dolibarr, çeşitli iş modüllerini destekleyen kompakt bir ERP/CRM çözümüdür. Tüm modüllerin sergilendiği bir demonun mantığı yoktur, çünkü böyle bir senaryo asla gerçekleşmez (birkaç yüz adet mevcut). Bu nedenle birkaç demo profili vardır.
ChooseYourDemoProfil=İşlemlerinize uyan demo profilini seçin...
ChooseYourDemoProfilMore=...veya kendi profilinizi oluşturun (manuel modül seçimi)
@@ -258,6 +259,7 @@ ContactCreatedByEmailCollector=Contact/address created by email collector from e
ProjectCreatedByEmailCollector=Project created by email collector from email MSGID %s
TicketCreatedByEmailCollector=Ticket created by email collector from email MSGID %s
OpeningHoursFormatDesc=Use a - to separate opening and closing hours. Use a space to enter different ranges. Example: 8-12 14-18
+PrefixSession=Prefix for session ID
##### Export #####
ExportsArea=Dışa aktarma alanı
diff --git a/htdocs/langs/tr_TR/products.lang b/htdocs/langs/tr_TR/products.lang
index a5c62b2b2d2..8474ac1176c 100644
--- a/htdocs/langs/tr_TR/products.lang
+++ b/htdocs/langs/tr_TR/products.lang
@@ -108,7 +108,8 @@ FillWithLastServiceDates=Fill with last service line dates
MultiPricesAbility=Ürün/hizmet başına çoklu fiyat segmenti (her müşteri bir fiyat segmentinde)
MultiPricesNumPrices=Fiyat sayısı
DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices
-AssociatedProductsAbility=Activate kits (virtual products)
+AssociatedProductsAbility=Enable Kits (set of other products)
+VariantsAbility=Enable Variants (variations of products, for example color, size)
AssociatedProducts=Kits
AssociatedProductsNumber=Number of products composing this kit
ParentProductsNumber=Ana paket ürünü sayısı
@@ -167,8 +168,10 @@ BuyingPrices=Alış fiyatları
CustomerPrices=Müşteri fiyatları
SuppliersPrices=Tedarikçi fiyatları
SuppliersPricesOfProductsOrServices=Tedarikçi fiyatları (ürün veya hizmetlerin)
-CustomCode=G.T.İ.P Numarası
+CustomCode=Customs|Commodity|HS code
CountryOrigin=Menşei ülke
+RegionStateOrigin=Region origin
+StateOrigin=State|Province origin
Nature=Nature of product (material/finished)
NatureOfProductShort=Nature of product
NatureOfProductDesc=Raw material or finished product
@@ -239,7 +242,7 @@ AlwaysUseFixedPrice=Sabit fiyatı kullan
PriceByQuantity=Miktara göre değişen fiyatlar
DisablePriceByQty=Fiyatları miktara göre devre dışı bırak
PriceByQuantityRange=Miktar aralığı
-MultipriceRules=Fiyat seviyesi kuralları
+MultipriceRules=Automatic prices for segment
UseMultipriceRules=İlk segmente göre diğer tüm segmentlerin fiyatlarını otomatik olarak hesaplamak için fiyat segmenti kurallarını (ürün modülü kurulumunda tanımlanan) kullan
PercentVariationOver=%s üzerindeki %% değişim
PercentDiscountOver=%s üzerindeki %% indirim
diff --git a/htdocs/langs/tr_TR/recruitment.lang b/htdocs/langs/tr_TR/recruitment.lang
index 7d2ea6182f2..caede8f42a0 100644
--- a/htdocs/langs/tr_TR/recruitment.lang
+++ b/htdocs/langs/tr_TR/recruitment.lang
@@ -73,3 +73,4 @@ JobClosedTextCandidateFound=The job position is closed. The position has been fi
JobClosedTextCanceled=The job position is closed.
ExtrafieldsJobPosition=Complementary attributes (job positions)
ExtrafieldsCandidatures=Complementary attributes (job applications)
+MakeOffer=Make an offer
diff --git a/htdocs/langs/tr_TR/sendings.lang b/htdocs/langs/tr_TR/sendings.lang
index a56954de001..cdbc562d1ac 100644
--- a/htdocs/langs/tr_TR/sendings.lang
+++ b/htdocs/langs/tr_TR/sendings.lang
@@ -30,6 +30,7 @@ OtherSendingsForSameOrder=Bu sipariş için diğer sevkiyatlar
SendingsAndReceivingForSameOrder=Bu sipariş için gönderiler ve makbuzlar
SendingsToValidate=Doğrulanacak sevkiyatlar
StatusSendingCanceled=İptal edildi
+StatusSendingCanceledShort=İptal edildi
StatusSendingDraft=Taslak
StatusSendingValidated=Doğrulanmış (sevkedilecek ürünler veya halihazırda sevkedilmişler)
StatusSendingProcessed=İşlenmiş
@@ -65,6 +66,7 @@ ValidateOrderFirstBeforeShipment=Sevkiyatları yapabilmek için önce siparişi
# Sending methods
# ModelDocument
DocumentModelTyphon=Teslimat makbuzları için daha fazla eksiksiz doküman modeli (logo. ..)
+DocumentModelStorm=More complete document model for delivery receipts and extrafields compatibility (logo...)
Error_EXPEDITION_ADDON_NUMBER_NotDefined=EXPEDITION_ADDON_NUMBER değişmezi tanımlanmamış
SumOfProductVolumes=Ürün hacimleri toplamı
SumOfProductWeights=Ürün ağırlıkları toplamı
diff --git a/htdocs/langs/tr_TR/stocks.lang b/htdocs/langs/tr_TR/stocks.lang
index be4eb25d528..0c5e145043e 100644
--- a/htdocs/langs/tr_TR/stocks.lang
+++ b/htdocs/langs/tr_TR/stocks.lang
@@ -240,3 +240,4 @@ InventoryRealQtyHelp=Set value to 0 to reset qty Keep field empty, or remove
UpdateByScaning=Update by scaning
UpdateByScaningProductBarcode=Update by scan (product barcode)
UpdateByScaningLot=Update by scan (lot|serial barcode)
+DisableStockChangeOfSubProduct=Deactivate the stock change for all the subproducts of this Kit during this movement.
diff --git a/htdocs/langs/tr_TR/ticket.lang b/htdocs/langs/tr_TR/ticket.lang
index 55746ab9f31..86bfb2ce139 100644
--- a/htdocs/langs/tr_TR/ticket.lang
+++ b/htdocs/langs/tr_TR/ticket.lang
@@ -31,10 +31,8 @@ TicketDictType=Destek Bildirimi - Türler
TicketDictCategory=Destek Bildirimi - Gruplar
TicketDictSeverity=Destek Bildirimi - Önemler
TicketDictResolution=Destek Bildirimi - Çözüm
-TicketTypeShortBUGSOFT=Yazılım arızası
-TicketTypeShortBUGHARD=Donanım arızası
-TicketTypeShortCOM=Ticari soru
+TicketTypeShortCOM=Ticari soru
TicketTypeShortHELP=Request for functionnal help
TicketTypeShortISSUE=Issue, bug or problem
TicketTypeShortREQUEST=Change or enhancement request
@@ -44,7 +42,7 @@ TicketTypeShortOTHER=Diğer
TicketSeverityShortLOW=Düşük
TicketSeverityShortNORMAL=Normal
TicketSeverityShortHIGH=Yüksek
-TicketSeverityShortBLOCKING=Kritik/Engelleyici
+TicketSeverityShortBLOCKING=Critical, Blocking
ErrorBadEmailAddress='%s' alanı hatalı
MenuTicketMyAssign=Destek bildirimlerim
@@ -60,7 +58,6 @@ OriginEmail=E-posta kaynağı
Notify_TICKET_SENTBYMAIL=Destek bildirimini e-posta ile gönderil
# Status
-NotRead=Okunmayan
Read=Okundu
Assigned=Atanan
InProgress=Devam etmekte
@@ -126,6 +123,7 @@ TicketsActivatePublicInterfaceHelp=Genel arayüz, ziyaretçilerin destek bildiri
TicketsAutoAssignTicket=Destek bildirimini oluşturan kullanıcıyı otomatik olarak atayın
TicketsAutoAssignTicketHelp=Bir destek bildirimi oluştururken, kullanıcı otomatik olarak destek bildirimine atanabilir.
TicketNumberingModules=Destek bildirimi numaralandırma modülü
+TicketsModelModule=Document templates for tickets
TicketNotifyTiersAtCreation=Oluşturunca üçüncü tarafa bildir
TicketsDisableCustomerEmail=Bir destek bildirimi ortak arayüzden oluşturulduğunda e-postaları her zaman devre dışı bırak
TicketsPublicNotificationNewMessage=Send email(s) when a new message is added
@@ -233,7 +231,6 @@ TicketLogStatusChanged=Status changed: %s to %s
TicketNotNotifyTiersAtCreate=Not notify company at create
Unread=Okunmamış
TicketNotCreatedFromPublicInterface=Mevcut değil. Destek bildirimi genel arayüzden oluşturulmadı.
-PublicInterfaceNotEnabled=Public interface was not enabled
ErrorTicketRefRequired=Destek bildirimi referans adı gerekli
#
diff --git a/htdocs/langs/tr_TR/website.lang b/htdocs/langs/tr_TR/website.lang
index 65378d92d62..38b93f9cc3a 100644
--- a/htdocs/langs/tr_TR/website.lang
+++ b/htdocs/langs/tr_TR/website.lang
@@ -30,7 +30,6 @@ EditInLine=Satır içi düzenle
AddWebsite=Web sitesi ekle
Webpage=Web sayfası/kapsayıcı
AddPage=Sayfa/kapsayıcı ekle
-HomePage=Ana Sayfa
PageContainer=Sayfa
PreviewOfSiteNotYetAvailable=Preview of your website %s not yet available. You must first 'Import a full website template' or just 'Add a page/container'.
RequestedPageHasNoContentYet=İstenen %s kimlik numaralı sayfa henüz bir içeriğe sahip değil, önbellek dosyası .tpl.php kaldırıldı. Bu sorunu çözmek için sayfa içeriğini düzenleyin.
@@ -101,7 +100,7 @@ EmptyPage=Boş sayfa
ExternalURLMustStartWithHttp=Harici URL http:// veya https:// ile başlamalıdır
ZipOfWebsitePackageToImport=Upload the Zip file of the website template package
ZipOfWebsitePackageToLoad=or Choose an available embedded website template package
-ShowSubcontainers=Dinamik içeriği dahil et
+ShowSubcontainers=Show dynamic content
InternalURLOfPage=Sayfanın iç URL'si
ThisPageIsTranslationOf=This page/container is a translation of
ThisPageHasTranslationPages=Bu sayfa/kapsayıcı'nın çevirisi mevcut
@@ -137,3 +136,4 @@ RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using
PagesRegenerated=%s page(s)/container(s) regenerated
RegenerateWebsiteContent=Regenerate web site cache files
AllowedInFrames=Allowed in Frames
+DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languages into web site properties.
diff --git a/htdocs/langs/tr_TR/withdrawals.lang b/htdocs/langs/tr_TR/withdrawals.lang
index 04b9a4a8498..9d5d4140075 100644
--- a/htdocs/langs/tr_TR/withdrawals.lang
+++ b/htdocs/langs/tr_TR/withdrawals.lang
@@ -42,6 +42,7 @@ LastWithdrawalReceipt=Latest %s direct debit receipts
MakeWithdrawRequest=Otomatik ödeme talebi oluşturun
MakeBankTransferOrder=Make a credit transfer request
WithdrawRequestsDone=%s direct debit payment requests recorded
+BankTransferRequestsDone=%s credit transfer requests recorded
ThirdPartyBankCode=Üçüncü parti banka kodu
NoInvoiceCouldBeWithdrawed=No invoice debited successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s.
ClassCredited=Alacak olarak sınıflandır
@@ -131,7 +132,8 @@ SEPARCUR=SEPA CUR
SEPAFRST=SEPA FRST
ExecutionDate=Execution date
CreateForSepa=Otomatik ödeme dosyası oluşturun
-ICS=Creditor Identifier CI
+ICS=Creditor Identifier CI for direct debit
+ICSTransfer=Creditor Identifier CI for bank transfer
END_TO_END="EndToEndId" SEPA XML tag - Unique id assigned per transaction
USTRD="Unstructured" SEPA XML tag
ADDDAYS=Add days to Execution Date
@@ -146,3 +148,4 @@ InfoRejectSubject=Direct debit payment order refused
InfoRejectMessage=Merhaba,
fatura %s, ait olduğu firma %s, tutarı %s olan otomatik ödeme talimatı banka tarafından reddedilmiştir. - -- %s
ModeWarning=Gerçek mod için seçenek ayarlanmamış, bu simülasyondan sonra durdururuz
ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know wich one to use.
+ErrorICSmissing=Missing ICS in Bank account %s
diff --git a/htdocs/langs/uk_UA/accountancy.lang b/htdocs/langs/uk_UA/accountancy.lang
index f99b2780e48..a4b4a1f90cb 100644
--- a/htdocs/langs/uk_UA/accountancy.lang
+++ b/htdocs/langs/uk_UA/accountancy.lang
@@ -48,6 +48,7 @@ CountriesExceptMe=All countries except %s
AccountantFiles=Export source documents
ExportAccountingSourceDocHelp=With this tool, you can export the source events (list and PDFs) that were used to generate your accountancy. To export your journals, use the menu entry %s - %s.
VueByAccountAccounting=View by accounting account
+VueBySubAccountAccounting=View by accounting subaccount
MainAccountForCustomersNotDefined=Main accounting account for customers not defined in setup
MainAccountForSuppliersNotDefined=Main accounting account for vendors not defined in setup
@@ -144,7 +145,7 @@ NotVentilatedinAccount=Not bound to the accounting account
XLineSuccessfullyBinded=%s products/services successfully bound to an accounting account
XLineFailedToBeBinded=%s products/services were not bound to any accounting account
-ACCOUNTING_LIMIT_LIST_VENTILATION=Number of elements to bind shown by page (maximum recommended: 50)
+ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50)
ACCOUNTING_LIST_SORT_VENTILATION_TODO=Begin the sorting of the page "Binding to do" by the most recent elements
ACCOUNTING_LIST_SORT_VENTILATION_DONE=Begin the sorting of the page "Binding done" by the most recent elements
@@ -198,7 +199,8 @@ Docdate=Date
Docref=Reference
LabelAccount=Label account
LabelOperation=Label operation
-Sens=Sens
+Sens=Direction
+AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received For an accounting account of a supplier, use Debit to record a payment you make
LetteringCode=Lettering code
Lettering=Lettering
Codejournal=Journal
@@ -206,7 +208,8 @@ JournalLabel=Journal label
NumPiece=Piece number
TransactionNumShort=Num. transaction
AccountingCategory=Personalized groups
-GroupByAccountAccounting=Group by accounting account
+GroupByAccountAccounting=Group by general ledger account
+GroupBySubAccountAccounting=Group by subledger account
AccountingAccountGroupsDesc=You can define here some groups of accounting account. They will be used for personalized accounting reports.
ByAccounts=By accounts
ByPredefinedAccountGroups=By predefined groups
@@ -248,7 +251,7 @@ PaymentsNotLinkedToProduct=Payment not linked to any product / service
OpeningBalance=Opening balance
ShowOpeningBalance=Show opening balance
HideOpeningBalance=Hide opening balance
-ShowSubtotalByGroup=Show subtotal by group
+ShowSubtotalByGroup=Show subtotal by level
Pcgtype=Group of account
PcgtypeDesc=Group of account are used as predefined 'filter' and 'grouping' criteria for some accounting reports. For example, 'INCOME' or 'EXPENSE' are used as groups for accounting accounts of products to build the expense/income report.
@@ -271,11 +274,13 @@ DescVentilExpenseReport=Consult here the list of expense report lines bound (or
DescVentilExpenseReportMore=If you setup accounting account on type of expense report lines, the application will be able to make all the binding between your expense report lines and the accounting account of your chart of accounts, just in one click with the button "%s". If account was not set on fees dictionary or if you still have some lines not bound to any account, you will have to make a manual binding from the menu "%s".
DescVentilDoneExpenseReport=Consult here the list of the lines of expenses reports and their fees accounting account
+Closure=Annual closure
DescClosure=Consult here the number of movements by month who are not validated & fiscal years already open
OverviewOfMovementsNotValidated=Step 1/ Overview of movements not validated. (Necessary to close a fiscal year)
+AllMovementsWereRecordedAsValidated=All movements were recorded as validated
+NotAllMovementsCouldBeRecordedAsValidated=Not all movements could be recorded as validated
ValidateMovements=Validate movements
DescValidateMovements=Any modification or deletion of writing, lettering and deletes will be prohibited. All entries for an exercise must be validated otherwise closing will not be possible
-SelectMonthAndValidate=Select month and validate movements
ValidateHistory=Bind Automatically
AutomaticBindingDone=Automatic binding done
@@ -293,6 +298,7 @@ Accounted=Accounted in ledger
NotYetAccounted=Not yet accounted in ledger
ShowTutorial=Show Tutorial
NotReconciled=Not reconciled
+WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view
## Admin
BindingOptions=Binding options
@@ -337,6 +343,7 @@ Modelcsv_LDCompta10=Export for LD Compta (v10 & higher)
Modelcsv_openconcerto=Export for OpenConcerto (Test)
Modelcsv_configurable=Export CSV Configurable
Modelcsv_FEC=Export FEC
+Modelcsv_FEC2=Export FEC (With dates generation writing / document reversed)
Modelcsv_Sage50_Swiss=Export for Sage 50 Switzerland
Modelcsv_winfic=Export Winfic - eWinfic - WinSis Compta
Modelcsv_Gestinumv3=Export for Gestinum (v3)
diff --git a/htdocs/langs/uk_UA/admin.lang b/htdocs/langs/uk_UA/admin.lang
index d04882db68a..778d6d5ee2c 100644
--- a/htdocs/langs/uk_UA/admin.lang
+++ b/htdocs/langs/uk_UA/admin.lang
@@ -56,6 +56,8 @@ GUISetup=Зовнішній вигляд
SetupArea=Налаштування
UploadNewTemplate=Завантажити новий шаблон(и)
FormToTestFileUploadForm=Форма для тестування завантаження файлу (відповідно до налаштування)
+ModuleMustBeEnabled=The module/application %s must be enabled
+ModuleIsEnabled=The module/application %s has been enabled
IfModuleEnabled=Примітка: так діє, лише якщо модуль %s увімкнено
RemoveLock=Видаліть або перейменуйте файл %s , якщо він існує, щоб дозволити використання інструменту "Оновити / Встановити".
RestoreLock=Відновіть файл %s , лише з дозволом для читання, щоб відключити подальше використання інструменту "Оновити / Встановити".
@@ -85,7 +87,6 @@ ShowPreview=Показати попередній перегляд
ShowHideDetails=Show-Hide details
PreviewNotAvailable=Попередній перегляд недоступний
ThemeCurrentlyActive=Тема наразі активна
-CurrentTimeZone=PHP TimeZone (сервер)
MySQLTimeZone=TimeZone MySql (база даних)
TZHasNoEffect=Дати зберігаються та повертаються сервером баз даних так, ніби вони зберігаються як подані рядки. Часовий пояс діє лише при використанні функції UNIX_TIMESTAMP (яку не використовує Dolibarr, тому часовий пояс бази даних не повинен мати ніякого ефекту, навіть якщо він був змінений після введення даних).
Space=Простір
@@ -153,8 +154,8 @@ SystemToolsAreaDesc=Ця область забезпечує функції ад
Purge=Чистка
PurgeAreaDesc=Ця сторінка дозволяє видалити всі файли, що були створені або зберігаються Dolibarr (тимчасові файли або всі файли в каталозі %s ). Використовувати цю функцію зазвичай не потрібно. Вона надається як рішення для користувачів, у яких Dolibarr розміщений у провайдера, що не надає дозволу на видалення файлів, створених веб-сервером.
PurgeDeleteLogFile=Видалення файлів журналів, включаючи %s , визначених для модуля Syslog (немає ризику втрати даних)
-PurgeDeleteTemporaryFiles=Видаліть усі тимчасові файли (без ризику втрати даних). Примітка: Видалення робиться лише в тому випадку, якщо тимчасовий каталог був створений 24 години тому.
-PurgeDeleteTemporaryFilesShort=Видалення тимчасових файлів
+PurgeDeleteTemporaryFiles=Delete all log and temporary files (no risk of losing data). Note: Deletion of temporary files is done only if the temp directory was created more than 24 hours ago.
+PurgeDeleteTemporaryFilesShort=Delete log and temporary files
PurgeDeleteAllFilesInDocumentsDir=Видалить усі файли в каталозі: %s . Це видалить усі згенеровані документи, пов'язані з елементами (контрагенти, рахунки тощо), файли, завантажені в модуль ECM, резервні копії бази даних та тимчасові файли.
PurgeRunNow=Очистити зараз
PurgeNothingToDelete=Немає каталогів або файлів для видалення.
@@ -256,6 +257,7 @@ ReferencedPreferredPartners=Партнери
OtherResources=Інші ресурси
ExternalResources=Додаткові ресурси
SocialNetworks=Соціальні мережі
+SocialNetworkId=Social Network ID
ForDocumentationSeeWiki=Для перегляду довідки користувача або документації розробника (Doc, FAQ...), перейдіть на Dolibarr Wiki: %s
ForAnswersSeeForum=Для будь-яких інших питань/допомоги ви можете скористатися форумом Dolibarr: %s
HelpCenterDesc1=Ось деякі ресурси для отримання допомоги та підтримки з Dolibarr.
@@ -375,7 +377,7 @@ ExamplesWithCurrentSetup=Приклади з поточною конфігура
ListOfDirectories=Список каталогів шаблонів OpenDocument
ListOfDirectoriesForModelGenODT=List of directories containing templates files with OpenDocument format.
Put here full path of directories. Add a carriage return between eah directory. To add a directory of the GED module, add here DOL_DATA_ROOT/ecm/yourdirectoryname.
Files in those directories must end with .odt or .ods.
NumberOfModelFilesFound=Кількість файлів шаблонів ODT/ODS, знайдених у цих каталогах
-ExampleOfDirectoriesForModelGen=Приклади синтаксису: c:\\mydir /home/mydir DOL_DATA_ROOT/ecm/ecmdir
+ExampleOfDirectoriesForModelGen=Examples of syntax: c:\\myapp\\mydocumentdir\\mysubdir /home/myapp/mydocumentdir/mysubdir DOL_DATA_ROOT/ecm/ecmdir
FollowingSubstitutionKeysCanBeUsed= Щоб дізнатися, як створити шаблони odt-документів, перш ніж зберігати їх у цих каталогах, прочитайте документацію на wiki:
FullListOnOnlineDocumentation=http://wiki.dolibarr.org/index.php/Create_an_ODT_document_template
FirstnameNamePosition=Розміщення імені та прізвища
@@ -406,7 +408,7 @@ UrlGenerationParameters=Параметри безпеки URL
SecurityTokenIsUnique=Використовувати унікальний ключ безпеки для кожної URL-адреси
EnterRefToBuildUrl=Введіть характеристику для об'єкта %s
GetSecuredUrl=Отримати обчислену URL-адресу
-ButtonHideUnauthorized=Заховати для звичайних користувачів кнопки привілейованих функцій, замість того щоб відображати їх затемненими.
+ButtonHideUnauthorized=Hide unauthorized action buttons also for internal users (just greyed otherwise)
OldVATRates=Старе значення комісії
NewVATRates=Нове значення комісії
PriceBaseTypeToChange=Modify on prices with base reference value defined on
@@ -1689,7 +1691,7 @@ NotTopTreeMenuPersonalized=Personalized menus not linked to a top menu entry
NewMenu=New menu
MenuHandler=Menu handler
MenuModule=Source module
-HideUnauthorizedMenu= Hide unauthorized menus (gray)
+HideUnauthorizedMenu=Hide unauthorized menus also for internal users (just greyed otherwise)
DetailId=Id menu
DetailMenuHandler=Menu handler where to show new menu
DetailMenuModule=Module name if menu entry come from a module
@@ -1983,11 +1985,12 @@ EMailHost=Host of email IMAP server
MailboxSourceDirectory=Mailbox source directory
MailboxTargetDirectory=Mailbox target directory
EmailcollectorOperations=Operations to do by collector
+EmailcollectorOperationsDesc=Operations are executed from top to bottom order
MaxEmailCollectPerCollect=Max number of emails collected per collect
CollectNow=Collect now
ConfirmCloneEmailCollector=Are you sure you want to clone the Email collector %s ?
-DateLastCollectResult=Date latest collect tried
-DateLastcollectResultOk=Date latest collect successfull
+DateLastCollectResult=Date of latest collect try
+DateLastcollectResultOk=Date of latest collect success
LastResult=Latest result
EmailCollectorConfirmCollectTitle=Email collect confirmation
EmailCollectorConfirmCollect=Do you want to run the collection for this collector now ?
@@ -2005,7 +2008,7 @@ WithDolTrackingID=Message from a conversation initiated by a first email sent fr
WithoutDolTrackingID=Message from a conversation initiated by a first email NOT sent from Dolibarr
WithDolTrackingIDInMsgId=Message sent from Dolibarr
WithoutDolTrackingIDInMsgId=Message NOT sent from Dolibarr
-CreateCandidature=Create candidature
+CreateCandidature=Create job application
FormatZip=Zip
MainMenuCode=Menu entry code (mainmenu)
ECMAutoTree=Show automatic ECM tree
@@ -2083,3 +2086,7 @@ CountryIfSpecificToOneCountry=Country (if specific to a given country)
YouMayFindSecurityAdviceHere=You may find security advisory here
ModuleActivatedMayExposeInformation=This module may expose sensitive data. If you don't need it, disable it.
ModuleActivatedDoNotUseInProduction=A module designed for the development has been enabled. Do not enable it on a production environment.
+CombinationsSeparator=Separator character for product combinations
+SeeLinkToOnlineDocumentation=See link to online documention on top menu for examples
+SHOW_SUBPRODUCT_REF_IN_PDF=If the feature "%s" of module %s is used, show details of subproducts of a kit on PDF.
+AskThisIDToYourBank=Contact your bank to get this ID
diff --git a/htdocs/langs/uk_UA/banks.lang b/htdocs/langs/uk_UA/banks.lang
index 676fdcd7500..c7541254c41 100644
--- a/htdocs/langs/uk_UA/banks.lang
+++ b/htdocs/langs/uk_UA/banks.lang
@@ -173,8 +173,8 @@ SEPAMandate=SEPA mandate
YourSEPAMandate=Your SEPA mandate
FindYourSEPAMandate=This is your SEPA mandate to authorize our company to make direct debit order to your bank. Return it signed (scan of the signed document) or send it by mail to
AutoReportLastAccountStatement=Automatically fill the field 'number of bank statement' with last statement number when making reconciliation
-CashControl=POS cash fence
-NewCashFence=New cash fence
+CashControl=POS cash desk control
+NewCashFence=New cash desk closing
BankColorizeMovement=Colorize movements
BankColorizeMovementDesc=If this function is enable, you can choose specific background color for debit or credit movements
BankColorizeMovementName1=Background color for debit movement
diff --git a/htdocs/langs/uk_UA/blockedlog.lang b/htdocs/langs/uk_UA/blockedlog.lang
index 5afae6e9e53..0bba5605d0f 100644
--- a/htdocs/langs/uk_UA/blockedlog.lang
+++ b/htdocs/langs/uk_UA/blockedlog.lang
@@ -35,7 +35,7 @@ logDON_DELETE=Donation logical deletion
logMEMBER_SUBSCRIPTION_CREATE=Member subscription created
logMEMBER_SUBSCRIPTION_MODIFY=Member subscription modified
logMEMBER_SUBSCRIPTION_DELETE=Member subscription logical deletion
-logCASHCONTROL_VALIDATE=Cash fence recording
+logCASHCONTROL_VALIDATE=Cash desk closing recording
BlockedLogBillDownload=Customer invoice download
BlockedLogBillPreview=Customer invoice preview
BlockedlogInfoDialog=Log Details
diff --git a/htdocs/langs/uk_UA/boxes.lang b/htdocs/langs/uk_UA/boxes.lang
index 187fb5abbfe..7589adeeb95 100644
--- a/htdocs/langs/uk_UA/boxes.lang
+++ b/htdocs/langs/uk_UA/boxes.lang
@@ -46,9 +46,12 @@ BoxTitleLastModifiedDonations=Latest %s modified donations
BoxTitleLastModifiedExpenses=Latest %s modified expense reports
BoxTitleLatestModifiedBoms=Latest %s modified BOMs
BoxTitleLatestModifiedMos=Latest %s modified Manufacturing Orders
+BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded
BoxGlobalActivity=Global activity (invoices, proposals, orders)
BoxGoodCustomers=Good customers
BoxTitleGoodCustomers=%s Good customers
+BoxScheduledJobs=Scheduled jobs
+BoxTitleFunnelOfProspection=Lead funnel
FailedToRefreshDataInfoNotUpToDate=Failed to refresh RSS flux. Latest successful refresh date: %s
LastRefreshDate=Latest refresh date
NoRecordedBookmarks=No bookmarks defined.
@@ -102,5 +105,7 @@ SuspenseAccountNotDefined=Suspense account isn't defined
BoxLastCustomerShipments=Last customer shipments
BoxTitleLastCustomerShipments=Latest %s customer shipments
NoRecordedShipments=No recorded customer shipment
+BoxCustomersOutstandingBillReached=Customers with oustanding limit reached
# Pages
AccountancyHome=Accountancy
+ValidatedProjects=Validated projects
diff --git a/htdocs/langs/uk_UA/cashdesk.lang b/htdocs/langs/uk_UA/cashdesk.lang
index a77e6f6893f..a7372bb3b86 100644
--- a/htdocs/langs/uk_UA/cashdesk.lang
+++ b/htdocs/langs/uk_UA/cashdesk.lang
@@ -49,8 +49,8 @@ Footer=Footer
AmountAtEndOfPeriod=Amount at end of period (day, month or year)
TheoricalAmount=Theorical amount
RealAmount=Real amount
-CashFence=Cash fence
-CashFenceDone=Cash fence done for the period
+CashFence=Cash desk closing
+CashFenceDone=Cash desk closing done for the period
NbOfInvoices=К-ть рахунків-фактур
Paymentnumpad=Type of Pad to enter payment
Numberspad=Numbers Pad
@@ -99,8 +99,9 @@ CashDeskRefNumberingModules=Numbering module for POS sales
CashDeskGenericMaskCodes6 = {TN} tag is used to add the terminal number
TakeposGroupSameProduct=Group same products lines
StartAParallelSale=Start a new parallel sale
-ControlCashOpening=Control cash box at opening POS
-CloseCashFence=Close cash fence
+SaleStartedAt=Sale started at %s
+ControlCashOpening=Control cash popup at opening POS
+CloseCashFence=Close cash desk control
CashReport=Cash report
MainPrinterToUse=Main printer to use
OrderPrinterToUse=Order printer to use
@@ -122,3 +123,4 @@ GiftReceipt=Gift receipt
ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled first
AllowDelayedPayment=Allow delayed payment
PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts
+WeighingScale=Weighing scale
diff --git a/htdocs/langs/uk_UA/categories.lang b/htdocs/langs/uk_UA/categories.lang
index ba37a43b4ec..4ddf0d6093f 100644
--- a/htdocs/langs/uk_UA/categories.lang
+++ b/htdocs/langs/uk_UA/categories.lang
@@ -19,6 +19,7 @@ ProjectsCategoriesArea=Projects tags/categories area
UsersCategoriesArea=Users tags/categories area
SubCats=Sub-categories
CatList=List of tags/categories
+CatListAll=List of tags/categories (all types)
NewCategory=New tag/category
ModifCat=Modify tag/category
CatCreated=Tag/category created
@@ -65,16 +66,22 @@ UsersCategoriesShort=Users tags/categories
StockCategoriesShort=Warehouse tags/categories
ThisCategoryHasNoItems=This category does not contain any items.
CategId=Tag/category id
-CatSupList=List of vendor tags/categories
-CatCusList=List of customer/prospect tags/categories
+ParentCategory=Parent tag/category
+ParentCategoryLabel=Label of parent tag/category
+CatSupList=List of vendors tags/categories
+CatCusList=List of customers/prospects tags/categories
CatProdList=List of products tags/categories
CatMemberList=List of members tags/categories
-CatContactList=List of contact tags/categories
-CatSupLinks=Links between suppliers and tags/categories
+CatContactList=List of contacts tags/categories
+CatProjectsList=List of projects tags/categories
+CatUsersList=List of users tags/categories
+CatSupLinks=Links between vendors and tags/categories
CatCusLinks=Links between customers/prospects and tags/categories
CatContactsLinks=Links between contacts/addresses and tags/categories
CatProdLinks=Links between products/services and tags/categories
-CatProJectLinks=Links between projects and tags/categories
+CatMembersLinks=Links between members and tags/categories
+CatProjectsLinks=Links between projects and tags/categories
+CatUsersLinks=Links between users and tags/categories
DeleteFromCat=Remove from tags/category
ExtraFieldsCategories=Complementary attributes
CategoriesSetup=Tags/categories setup
diff --git a/htdocs/langs/uk_UA/companies.lang b/htdocs/langs/uk_UA/companies.lang
index 7bb65732df0..e788c649905 100644
--- a/htdocs/langs/uk_UA/companies.lang
+++ b/htdocs/langs/uk_UA/companies.lang
@@ -358,7 +358,7 @@ VATIntraCheckableOnEUSite=Check the intra-Community VAT ID on the European Commi
VATIntraManualCheck=You can also check manually on the European Commission website %s
ErrorVATCheckMS_UNAVAILABLE=Check not possible. Check service is not provided by the member state (%s).
NorProspectNorCustomer=Not prospect, nor customer
-JuridicalStatus=Legal Entity Type
+JuridicalStatus=Business entity type
Workforce=Workforce
Staff=Employees
ProspectLevelShort=Potential
diff --git a/htdocs/langs/uk_UA/compta.lang b/htdocs/langs/uk_UA/compta.lang
index f7643379a98..717985b9ddc 100644
--- a/htdocs/langs/uk_UA/compta.lang
+++ b/htdocs/langs/uk_UA/compta.lang
@@ -111,7 +111,7 @@ Refund=Refund
SocialContributionsPayments=Social/fiscal taxes payments
ShowVatPayment=Show VAT payment
TotalToPay=Total to pay
-BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted ascending on %s and filtered for 1 bank account
+BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted on %s and filtered on 1 bank account (with no other filters)
CustomerAccountancyCode=Customer accounting code
SupplierAccountancyCode=Vendor accounting code
CustomerAccountancyCodeShort=Cust. account. code
@@ -140,7 +140,7 @@ ConfirmDeleteSocialContribution=Are you sure you want to delete this social/fisc
ExportDataset_tax_1=Social and fiscal taxes and payments
CalcModeVATDebt=Mode %sVAT on commitment accounting%s.
CalcModeVATEngagement=Mode %sVAT on incomes-expenses%s.
-CalcModeDebt=Analysis of known recorded invoices even if they are not yet accounted in ledger.
+CalcModeDebt=Analysis of known recorded documents even if they are not yet accounted in ledger.
CalcModeEngagement=Analysis of known recorded payments, even if they are not yet accounted in Ledger.
CalcModeBookkeeping=Analysis of data journalized in Bookkeeping Ledger table.
CalcModeLT1= Mode %sRE on customer invoices - suppliers invoices%s
@@ -154,9 +154,9 @@ AnnualSummaryInputOutputMode=Balance of income and expenses, annual summary
AnnualByCompanies=Balance of income and expenses, by predefined groups of account
AnnualByCompaniesDueDebtMode=Balance of income and expenses, detail by predefined groups, mode %sClaims-Debts%s said Commitment accounting.
AnnualByCompaniesInputOutputMode=Balance of income and expenses, detail by predefined groups, mode %sIncomes-Expenses%s said cash accounting.
-SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation on actual payments made even if they are not yet accounted in Ledger.
-SeeReportInDueDebtMode=See %sanalysis of invoices%s for a calculation based on known recorded invoices even if they are not yet accounted in Ledger.
-SeeReportInBookkeepingMode=See %sBookeeping report%s for a calculation on Bookkeeping Ledger table
+SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation based on recorded payments made even if they are not yet accounted in Ledger
+SeeReportInDueDebtMode=See %sanalysis of recorded documents%s for a calculation based on known recorded documents even if they are not yet accounted in Ledger
+SeeReportInBookkeepingMode=See %sanalysis of bookeeping ledger table%s for a report based on Bookkeeping Ledger table
RulesAmountWithTaxIncluded=- Amounts shown are with all taxes included
RulesResultDue=- It includes outstanding invoices, expenses, VAT, donations whether they are paid or not. Is also includes paid salaries. - It is based on the billing date of invoices and on the due date for expenses or tax payments. For salaries defined with Salary module, the value date of payment is used.
RulesResultInOut=- It includes the real payments made on invoices, expenses, VAT and salaries. - It is based on the payment dates of the invoices, expenses, VAT and salaries. The donation date for donation.
@@ -169,12 +169,15 @@ RulesResultBookkeepingPersonalized=It show record in your Ledger with accounting
SeePageForSetup=See menu %s for setup
DepositsAreNotIncluded=- Down payment invoices are not included
DepositsAreIncluded=- Down payment invoices are included
+LT1ReportByMonth=Tax 2 report by month
+LT2ReportByMonth=Tax 3 report by month
LT1ReportByCustomers=Report tax 2 by third party
LT2ReportByCustomers=Report tax 3 by third party
LT1ReportByCustomersES=Report by third party RE
LT2ReportByCustomersES=Report by third party IRPF
VATReport=Sale tax report
VATReportByPeriods=Sale tax report by period
+VATReportByMonth=Sale tax report by month
VATReportByRates=Sale tax report by rates
VATReportByThirdParties=Sale tax report by third parties
VATReportByCustomers=Sale tax report by customer
diff --git a/htdocs/langs/uk_UA/cron.lang b/htdocs/langs/uk_UA/cron.lang
index 87dc53e8b69..46c3b30f128 100644
--- a/htdocs/langs/uk_UA/cron.lang
+++ b/htdocs/langs/uk_UA/cron.lang
@@ -6,14 +6,15 @@ Permission23102 = Create/update Scheduled job
Permission23103 = Delete Scheduled job
Permission23104 = Execute Scheduled job
# Admin
-CronSetup= Scheduled job management setup
-URLToLaunchCronJobs=URL to check and launch qualified cron jobs
-OrToLaunchASpecificJob=Or to check and launch a specific job
+CronSetup=Scheduled job management setup
+URLToLaunchCronJobs=URL to check and launch qualified cron jobs from a browser
+OrToLaunchASpecificJob=Or to check and launch a specific job from a browser
KeyForCronAccess=Security key for URL to launch cron jobs
FileToLaunchCronJobs=Command line to check and launch qualified cron jobs
CronExplainHowToRunUnix=On Unix environment you should use the following crontab entry to run the command line each 5 minutes
-CronExplainHowToRunWin=On Microsoft(tm) Windows environement you can use Scheduled task tools to run the command line each 5 minutes
+CronExplainHowToRunWin=On Microsoft(tm) Windows environment you can use Scheduled Task tools to run the command line each 5 minutes
CronMethodDoesNotExists=Class %s does not contains any method %s
+CronMethodNotAllowed=Method %s of class %s is in blacklist of forbidden methods
CronJobDefDesc=Cron job profiles are defined into the module descriptor file. When module is activated, they are loaded and available so you can administer the jobs from the admin tools menu %s.
CronJobProfiles=List of predefined cron job profiles
# Menu
@@ -42,10 +43,11 @@ CronModule=Module
CronNoJobs=No jobs registered
CronPriority=Priority
CronLabel=Label
-CronNbRun=Nb. launch
-CronMaxRun=Max number launch
+CronNbRun=Number of launches
+CronMaxRun=Maximum number of launches
CronEach=Every
JobFinished=Job launched and finished
+Scheduled=Scheduled
#Page card
CronAdd= Add jobs
CronEvery=Execute job each
@@ -56,16 +58,16 @@ CronNote=Comment
CronFieldMandatory=Fields %s is mandatory
CronErrEndDateStartDt=End date cannot be before start date
StatusAtInstall=Status at module installation
-CronStatusActiveBtn=Enable
+CronStatusActiveBtn=Schedule
CronStatusInactiveBtn=Disable
CronTaskInactive=This job is disabled
CronId=Id
CronClassFile=Filename with class
-CronModuleHelp=Name of Dolibarr module directory (also work with external Dolibarr module). For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for module is product
-CronClassFileHelp=The relative path and file name to load (path is relative to web server root directory). For exemple to call the fetch method of Dolibarr Product object htdocs/product/class/product.class.php, the value for class file name is product/class/product.class.php
-CronObjectHelp=The object name to load. For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for class file name is Product
-CronMethodHelp=The object method to launch. For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for method is fetch
-CronArgsHelp=The method arguments. For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for paramters can be 0, ProductRef
+CronModuleHelp=Name of Dolibarr module directory (also work with external Dolibarr module). For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for module is product
+CronClassFileHelp=The relative path and file name to load (path is relative to web server root directory). For example to call the fetch method of Dolibarr Product object htdocs/product/class/product.class.php, the value for class file name is product/class/product.class.php
+CronObjectHelp=The object name to load. For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for class file name is Product
+CronMethodHelp=The object method to launch. For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for method is fetch
+CronArgsHelp=The method arguments. For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for paramters can be 0, ProductRef
CronCommandHelp=The system command line to execute.
CronCreateJob=Create new Scheduled Job
CronFrom=Продавець
@@ -76,8 +78,14 @@ CronType_method=Call method of a PHP Class
CronType_command=Shell command
CronCannotLoadClass=Cannot load class file %s (to use class %s)
CronCannotLoadObject=Class file %s was loaded, but object %s was not found into it
-UseMenuModuleToolsToAddCronJobs=Go into menu "Home - Admin tools - Scheduled jobs" to see and edit scheduled jobs.
+UseMenuModuleToolsToAddCronJobs=Go into menu "Home - Admin tools - Scheduled jobs" to see and edit scheduled jobs.
JobDisabled=Job disabled
MakeLocalDatabaseDumpShort=Local database backup
-MakeLocalDatabaseDump=Create a local database dump. Parameters are: compression ('gz' or 'bz' or 'none'), backup type ('mysql' or 'pgsql'), 1, 'auto' or filename to build, number of backup files to keep
+MakeLocalDatabaseDump=Create a local database dump. Parameters are: compression ('gz' or 'bz' or 'none'), backup type ('mysql', 'pgsql', 'auto'), 1, 'auto' or filename to build, number of backup files to keep
WarningCronDelayed=Attention, for performance purpose, whatever is next date of execution of enabled jobs, your jobs may be delayed to a maximum of %s hours, before being run.
+DATAPOLICYJob=Data cleaner and anonymizer
+JobXMustBeEnabled=Job %s must be enabled
+# Cron Boxes
+LastExecutedScheduledJob=Last executed scheduled job
+NextScheduledJobExecute=Next scheduled job to execute
+NumberScheduledJobError=Number of scheduled jobs in error
diff --git a/htdocs/langs/uk_UA/errors.lang b/htdocs/langs/uk_UA/errors.lang
index 893f4a35b65..5b26be724d9 100644
--- a/htdocs/langs/uk_UA/errors.lang
+++ b/htdocs/langs/uk_UA/errors.lang
@@ -5,8 +5,10 @@ NoErrorCommitIsDone=No error, we commit
# Errors
ErrorButCommitIsDone=Errors found but we validate despite this
ErrorBadEMail=Email %s is wrong
+ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record)
ErrorBadUrl=Url %s is wrong
ErrorBadValueForParamNotAString=Bad value for your parameter. It appends generally when translation is missing.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorLoginAlreadyExists=Login %s already exists.
ErrorGroupAlreadyExists=Group %s already exists.
ErrorRecordNotFound=Record not found.
@@ -48,6 +50,7 @@ ErrorFieldsRequired=Some required fields were not filled.
ErrorSubjectIsRequired=The email topic is required
ErrorFailedToCreateDir=Failed to create a directory. Check that Web server user has permissions to write into Dolibarr documents directory. If parameter safe_mode is enabled on this PHP, check that Dolibarr php files owns to web server user (or group).
ErrorNoMailDefinedForThisUser=No mail defined for this user
+ErrorSetupOfEmailsNotComplete=Setup of emails is not complete
ErrorFeatureNeedJavascript=This feature need javascript to be activated to work. Change this in setup - display.
ErrorTopMenuMustHaveAParentWithId0=A menu of type 'Top' can't have a parent menu. Put 0 in parent menu or choose a menu of type 'Left'.
ErrorLeftMenuMustHaveAParentId=A menu of type 'Left' must have a parent id.
@@ -75,7 +78,7 @@ ErrorExportDuplicateProfil=This profile name already exists for this export set.
ErrorLDAPSetupNotComplete=Dolibarr-LDAP matching is not complete.
ErrorLDAPMakeManualTest=A .ldif file has been generated in directory %s. Try to load it manually from command line to have more information on errors.
ErrorCantSaveADoneUserWithZeroPercentage=Can't save an action with "status not started" if field "done by" is also filled.
-ErrorRefAlreadyExists=Ref used for creation already exists.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorPleaseTypeBankTransactionReportName=Please enter the bank statement name where the entry has to be reported (Format YYYYMM or YYYYMMDD)
ErrorRecordHasChildren=Failed to delete record since it has some child records.
ErrorRecordHasAtLeastOneChildOfType=Object has at least one child of type %s
@@ -216,7 +219,7 @@ ErrorChooseBetweenFreeEntryOrPredefinedProduct=You must choose if article is a p
ErrorDiscountLargerThanRemainToPaySplitItBefore=The discount you try to apply is larger than remain to pay. Split the discount in 2 smaller discounts before.
ErrorFileNotFoundWithSharedLink=File was not found. May be the share key was modified or file was removed recently.
ErrorProductBarCodeAlreadyExists=The product barcode %s already exists on another product reference.
-ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using virtual product to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number.
+ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using kits to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number.
ErrorDescRequiredForFreeProductLines=Description is mandatory for lines with free product
ErrorAPageWithThisNameOrAliasAlreadyExists=The page/container %s has the same name or alternative alias that the one your try to use
ErrorDuringChartLoad=Error when loading chart of accounts. If few accounts were not loaded, you can still enter them manually.
@@ -243,6 +246,16 @@ ErrorReplaceStringEmpty=Error, the string to replace into is empty
ErrorProductNeedBatchNumber=Error, product '%s' need a lot/serial number
ErrorProductDoesNotNeedBatchNumber=Error, product '%s' does not accept a lot/serial number
ErrorFailedToReadObject=Error, failed to read object of type %s
+ErrorParameterMustBeEnabledToAllwoThisFeature=Error, parameter %s must be enabled into conf/conf.php to allow use of Command Line Interface by the internal job scheduler
+ErrorLoginDateValidity=Error, this login is outside the validity date range
+ErrorValueLength=Length of field '%s' must be higher than '%s'
+ErrorReservedKeyword=The word '%s' is a reserved keyword
+ErrorNotAvailableWithThisDistribution=Not available with this distribution
+ErrorPublicInterfaceNotEnabled=Public interface was not enabled
+ErrorLanguageRequiredIfPageIsTranslationOfAnother=The language of new page must be defined if it is set as a translation of another page
+ErrorLanguageMustNotBeSourceLanguageIfPageIsTranslationOfAnother=The language of new page must not be the source language if it is set as a translation of another page
+ErrorAParameterIsRequiredForThisOperation=A parameter is mandatory for this operation
+
# Warnings
WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup.
WarningPasswordSetWithNoAccount=A password was set for this member. However, no user account was created. So this password is stored but can't be used to login to Dolibarr. It may be used by an external module/interface but if you don't need to define any login nor password for a member, you can disable option "Manage a login for each member" from Member module setup. If you need to manage a login but don't need any password, you can keep this field empty to avoid this warning. Note: Email can also be used as a login if the member is linked to a user.
@@ -267,6 +280,10 @@ WarningYourLoginWasModifiedPleaseLogin=Your login was modified. For security pur
WarningAnEntryAlreadyExistForTransKey=An entry already exists for the translation key for this language
WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different recipient is limited to %s when using the mass actions on lists
WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report
+WarningProjectDraft=Project is still in draft mode. Don't forget to validate it if you plan to use tasks.
WarningProjectClosed=Project is closed. You must re-open it first.
WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list.
-WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table
+WarningFailedToAddFileIntoDatabaseIndex=Warning, failed to add file entry into ECM database index table
+WarningTheHiddenOptionIsOn=Warning, the hidden option %s is on.
+WarningCreateSubAccounts=Warning, you can't create directly a sub account, you must create a third party or an user and assign them an accounting code to find them in this list
+WarningAvailableOnlyForHTTPSServers=Available only if using HTTPS secured connection.
diff --git a/htdocs/langs/uk_UA/exports.lang b/htdocs/langs/uk_UA/exports.lang
index 50ef674d821..e075edfbcbe 100644
--- a/htdocs/langs/uk_UA/exports.lang
+++ b/htdocs/langs/uk_UA/exports.lang
@@ -133,3 +133,4 @@ KeysToUseForUpdates=Key (column) to use for updating existing data
NbInsert=Number of inserted lines: %s
NbUpdate=Number of updated lines: %s
MultipleRecordFoundWithTheseFilters=Multiple records have been found with these filters: %s
+StocksWithBatch=Stocks and location (warehouse) of products with batch/serial number
diff --git a/htdocs/langs/uk_UA/mails.lang b/htdocs/langs/uk_UA/mails.lang
index 754ce0cee4b..0a8fe1c73ca 100644
--- a/htdocs/langs/uk_UA/mails.lang
+++ b/htdocs/langs/uk_UA/mails.lang
@@ -92,6 +92,7 @@ MailingModuleDescEmailsFromUser=Emails input by user
MailingModuleDescDolibarrUsers=Users with Emails
MailingModuleDescThirdPartiesByCategories=Third parties (by categories)
SendingFromWebInterfaceIsNotAllowed=Sending from web interface is not allowed.
+EmailCollectorFilterDesc=All filters must match to have an email being collected
# Libelle des modules de liste de destinataires mailing
LineInFile=Line %s in file
@@ -125,12 +126,13 @@ TagMailtoEmail=Recipient Email (including html "mailto:" link)
NoEmailSentBadSenderOrRecipientEmail=No email sent. Bad sender or recipient email. Verify user profile.
# Module Notifications
Notifications=Оповіщення
-NoNotificationsWillBeSent=No email notifications are planned for this event and company
-ANotificationsWillBeSent=1 notification will be sent by email
-SomeNotificationsWillBeSent=%s notifications will be sent by email
-AddNewNotification=Activate a new email notification target/event
-ListOfActiveNotifications=List all active targets/events for email notification
-ListOfNotificationsDone=List all email notifications sent
+NotificationsAuto=Notifications Auto.
+NoNotificationsWillBeSent=No automatic email notifications are planned for this event type and company
+ANotificationsWillBeSent=1 automatic notification will be sent by email
+SomeNotificationsWillBeSent=%s automatic notifications will be sent by email
+AddNewNotification=Subscribe to a new automatic email notification (target/event)
+ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification
+ListOfNotificationsDone=List all automatic email notifications sent
MailSendSetupIs=Configuration of email sending has been setup to '%s'. This mode can't be used to send mass emailing.
MailSendSetupIs2=You must first go, with an admin account, into menu %sHome - Setup - EMails%s to change parameter '%s' to use mode '%s'. With this mode, you can enter setup of the SMTP server provided by your Internet Service Provider and use Mass emailing feature.
MailSendSetupIs3=If you have any questions on how to setup your SMTP server, you can ask to %s.
@@ -140,7 +142,7 @@ UseFormatFileEmailToTarget=Imported file must have format email;name;fir
UseFormatInputEmailToTarget=Enter a string with format email;name;firstname;other
MailAdvTargetRecipients=Recipients (advanced selection)
AdvTgtTitle=Fill input fields to preselect the third parties or contacts/addresses to target
-AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima% will target all jean, joe, start with jim but not jimo and not everything that starts with jima
+AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima%% will target all jean, joe, start with jim but not jimo and not everything that starts with jima
AdvTgtSearchIntHelp=Use interval to select int or float value
AdvTgtMinVal=Minimum value
AdvTgtMaxVal=Maximum value
@@ -162,13 +164,14 @@ AdvTgtCreateFilter=Create filter
AdvTgtOrCreateNewFilter=Name of new filter
NoContactWithCategoryFound=No contact/address with a category found
NoContactLinkedToThirdpartieWithCategoryFound=No contact/address with a category found
-OutGoingEmailSetup=Outgoing email setup
-InGoingEmailSetup=Incoming email setup
-OutGoingEmailSetupForEmailing=Outgoing email setup (for module %s)
-DefaultOutgoingEmailSetup=Default outgoing email setup
+OutGoingEmailSetup=Outgoing emails
+InGoingEmailSetup=Incoming emails
+OutGoingEmailSetupForEmailing=Outgoing emails (for module %s)
+DefaultOutgoingEmailSetup=Same configuration than the global Outgoing email setup
Information=Information
ContactsWithThirdpartyFilter=Contacts with third-party filter
Unanswered=Unanswered
Answered=Answered
IsNotAnAnswer=Is not answer (initial email)
IsAnAnswer=Is an answer of an initial email
+RecordCreatedByEmailCollector=Record created by the Email Collector %s from email %s
diff --git a/htdocs/langs/uk_UA/main.lang b/htdocs/langs/uk_UA/main.lang
index 2f257767cd7..18a6c5aab6e 100644
--- a/htdocs/langs/uk_UA/main.lang
+++ b/htdocs/langs/uk_UA/main.lang
@@ -28,7 +28,9 @@ NoTemplateDefined=No template available for this email type
AvailableVariables=Available substitution variables
NoTranslation=Немає перекладу
Translation=Translation
+CurrentTimeZone=PHP TimeZone (сервер)
EmptySearchString=Enter non empty search criterias
+EnterADateCriteria=Enter a date criteria
NoRecordFound=Записів не знайдено
NoRecordDeleted=No record deleted
NotEnoughDataYet=Not enough data
@@ -85,6 +87,8 @@ FileWasNotUploaded=A file is selected for attachment but was not yet uploaded. C
NbOfEntries=No. of entries
GoToWikiHelpPage=Read online help (Internet access needed)
GoToHelpPage=Read help
+DedicatedPageAvailable=There is a dedicated help page related to your current screen
+HomePage=Home Page
RecordSaved=Record saved
RecordDeleted=Record deleted
RecordGenerated=Record generated
@@ -433,6 +437,7 @@ RemainToPay=Remain to pay
Module=Module/Application
Modules=Modules/Applications
Option=Option
+Filters=Filters
List=List
FullList=Full list
FullConversation=Full conversation
@@ -1107,3 +1112,8 @@ UpToDate=Up-to-date
OutOfDate=Out-of-date
EventReminder=Event Reminder
UpdateForAllLines=Update for all lines
+OnHold=On hold
+AffectTag=Affect Tag
+ConfirmAffectTag=Bulk Tag Affect
+ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected record(s)?
+CategTypeNotFound=No tag type found for type of records
diff --git a/htdocs/langs/uk_UA/modulebuilder.lang b/htdocs/langs/uk_UA/modulebuilder.lang
index 2ac06ba7f55..7a72508aa33 100644
--- a/htdocs/langs/uk_UA/modulebuilder.lang
+++ b/htdocs/langs/uk_UA/modulebuilder.lang
@@ -40,6 +40,7 @@ PageForCreateEditView=PHP page to create/edit/view a record
PageForAgendaTab=PHP page for event tab
PageForDocumentTab=PHP page for document tab
PageForNoteTab=PHP page for note tab
+PageForContactTab=PHP page for contact tab
PathToModulePackage=Path to zip of module/application package
PathToModuleDocumentation=Path to file of module/application documentation (%s)
SpaceOrSpecialCharAreNotAllowed=Spaces or special characters are not allowed.
@@ -77,7 +78,7 @@ IsAMeasure=Is a measure
DirScanned=Directory scanned
NoTrigger=No trigger
NoWidget=No widget
-GoToApiExplorer=Go to API explorer
+GoToApiExplorer=API explorer
ListOfMenusEntries=List of menu entries
ListOfDictionariesEntries=List of dictionaries entries
ListOfPermissionsDefined=List of defined permissions
@@ -105,7 +106,7 @@ TryToUseTheModuleBuilder=If you have knowledge of SQL and PHP, you may use the n
SeeTopRightMenu=See on the top right menu
AddLanguageFile=Add language file
YouCanUseTranslationKey=You can use here a key that is the translation key found into language file (see tab "Languages")
-DropTableIfEmpty=(Delete table if empty)
+DropTableIfEmpty=(Destroy table if empty)
TableDoesNotExists=The table %s does not exists
TableDropped=Table %s deleted
InitStructureFromExistingTable=Build the structure array string of an existing table
@@ -126,7 +127,6 @@ UseSpecificEditorURL = Use a specific editor URL
UseSpecificFamily = Use a specific family
UseSpecificAuthor = Use a specific author
UseSpecificVersion = Use a specific initial version
-ModuleMustBeEnabled=The module/application must be enabled first
IncludeRefGeneration=The reference of object must be generated automatically
IncludeRefGenerationHelp=Check this if you want to include code to manage the generation automatically of the reference
IncludeDocGeneration=I want to generate some documents from the object
@@ -140,3 +140,4 @@ TypeOfFieldsHelp=Type of fields: varchar(99), double(24,8), real, text, html,
AsciiToHtmlConverter=Ascii to HTML converter
AsciiToPdfConverter=Ascii to PDF converter
TableNotEmptyDropCanceled=Table not empty. Drop has been canceled.
+ModuleBuilderNotAllowed=The module builder is available but not allowed to your user.
diff --git a/htdocs/langs/uk_UA/other.lang b/htdocs/langs/uk_UA/other.lang
index c6472c143db..b8091218ad9 100644
--- a/htdocs/langs/uk_UA/other.lang
+++ b/htdocs/langs/uk_UA/other.lang
@@ -5,8 +5,6 @@ Tools=Tools
TMenuTools=Tools
ToolsDesc=All tools not included in other menu entries are grouped here. All the tools can be accessed via the left menu.
Birthday=Birthday
-BirthdayDate=Birthday date
-DateToBirth=Birth date
BirthdayAlertOn=birthday alert active
BirthdayAlertOff=birthday alert inactive
TransKey=Translation of the key TransKey
@@ -16,6 +14,8 @@ PreviousMonthOfInvoice=Previous month (number 1-12) of invoice date
TextPreviousMonthOfInvoice=Previous month (text) of invoice date
NextMonthOfInvoice=Following month (number 1-12) of invoice date
TextNextMonthOfInvoice=Following month (text) of invoice date
+PreviousMonth=Previous month
+CurrentMonth=Current month
ZipFileGeneratedInto=Zip file generated into %s.
DocFileGeneratedInto=Doc file generated into %s.
JumpToLogin=Disconnected. Go to login page...
@@ -99,6 +99,7 @@ PredefinedMailContentSendShipping=__(Hello)__\n\nPlease find shipping __REF__ at
PredefinedMailContentSendFichInter=__(Hello)__\n\nPlease find intervention __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.\n\n%s\n\n
PredefinedMailContentGeneric=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
+PredefinedMailContentSendActionComm=Event reminder "__EVENT_LABEL__" on __EVENT_DATE__ at __EVENT_TIME__
This is an automatic message, please do not reply.
DemoDesc=Dolibarr is a compact ERP/CRM supporting several business modules. A demo showcasing all modules makes no sense as this scenario never occurs (several hundred available). So, several demo profiles are available.
ChooseYourDemoProfil=Choose the demo profile that best suits your needs...
ChooseYourDemoProfilMore=...or build your own profile (manual module selection)
@@ -137,7 +138,7 @@ Right=Right
CalculatedWeight=Calculated weight
CalculatedVolume=Calculated volume
Weight=Weight
-WeightUnitton=tonne
+WeightUnitton=ton
WeightUnitkg=kg
WeightUnitg=g
WeightUnitmg=mg
@@ -258,6 +259,7 @@ ContactCreatedByEmailCollector=Contact/address created by email collector from e
ProjectCreatedByEmailCollector=Project created by email collector from email MSGID %s
TicketCreatedByEmailCollector=Ticket created by email collector from email MSGID %s
OpeningHoursFormatDesc=Use a - to separate opening and closing hours. Use a space to enter different ranges. Example: 8-12 14-18
+PrefixSession=Prefix for session ID
##### Export #####
ExportsArea=Exports area
diff --git a/htdocs/langs/uk_UA/products.lang b/htdocs/langs/uk_UA/products.lang
index de32e4bd5dc..3f4c3573801 100644
--- a/htdocs/langs/uk_UA/products.lang
+++ b/htdocs/langs/uk_UA/products.lang
@@ -108,7 +108,8 @@ FillWithLastServiceDates=Fill with last service line dates
MultiPricesAbility=Multiple price segments per product/service (each customer is in one price segment)
MultiPricesNumPrices=Number of prices
DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices
-AssociatedProductsAbility=Activate kits (virtual products)
+AssociatedProductsAbility=Enable Kits (set of other products)
+VariantsAbility=Enable Variants (variations of products, for example color, size)
AssociatedProducts=Kits
AssociatedProductsNumber=Number of products composing this kit
ParentProductsNumber=Number of parent packaging product
@@ -167,8 +168,10 @@ BuyingPrices=Buying prices
CustomerPrices=Customer prices
SuppliersPrices=Vendor prices
SuppliersPricesOfProductsOrServices=Vendor prices (of products or services)
-CustomCode=Customs / Commodity / HS code
+CustomCode=Customs|Commodity|HS code
CountryOrigin=Origin country
+RegionStateOrigin=Region origin
+StateOrigin=State|Province origin
Nature=Nature of product (material/finished)
NatureOfProductShort=Nature of product
NatureOfProductDesc=Raw material or finished product
@@ -239,7 +242,7 @@ AlwaysUseFixedPrice=Use the fixed price
PriceByQuantity=Different prices by quantity
DisablePriceByQty=Disable prices by quantity
PriceByQuantityRange=Quantity range
-MultipriceRules=Price segment rules
+MultipriceRules=Automatic prices for segment
UseMultipriceRules=Use price segment rules (defined into product module setup) to auto calculate prices of all other segments according to first segment
PercentVariationOver=%% variation over %s
PercentDiscountOver=%% discount over %s
diff --git a/htdocs/langs/uk_UA/recruitment.lang b/htdocs/langs/uk_UA/recruitment.lang
index a160e956958..04e0a8bb779 100644
--- a/htdocs/langs/uk_UA/recruitment.lang
+++ b/htdocs/langs/uk_UA/recruitment.lang
@@ -73,3 +73,4 @@ JobClosedTextCandidateFound=The job position is closed. The position has been fi
JobClosedTextCanceled=The job position is closed.
ExtrafieldsJobPosition=Complementary attributes (job positions)
ExtrafieldsCandidatures=Complementary attributes (job applications)
+MakeOffer=Make an offer
diff --git a/htdocs/langs/uk_UA/sendings.lang b/htdocs/langs/uk_UA/sendings.lang
index 43fa631631e..364df1eb8c9 100644
--- a/htdocs/langs/uk_UA/sendings.lang
+++ b/htdocs/langs/uk_UA/sendings.lang
@@ -30,6 +30,7 @@ OtherSendingsForSameOrder=Other shipments for this order
SendingsAndReceivingForSameOrder=Shipments and receipts for this order
SendingsToValidate=Shipments to validate
StatusSendingCanceled=Canceled
+StatusSendingCanceledShort=Canceled
StatusSendingDraft=Проект
StatusSendingValidated=Validated (products to ship or already shipped)
StatusSendingProcessed=Оброблений
@@ -65,6 +66,7 @@ ValidateOrderFirstBeforeShipment=You must first validate the order before being
# Sending methods
# ModelDocument
DocumentModelTyphon=More complete document model for delivery receipts (logo...)
+DocumentModelStorm=More complete document model for delivery receipts and extrafields compatibility (logo...)
Error_EXPEDITION_ADDON_NUMBER_NotDefined=Constant EXPEDITION_ADDON_NUMBER not defined
SumOfProductVolumes=Sum of product volumes
SumOfProductWeights=Sum of product weights
diff --git a/htdocs/langs/uk_UA/stocks.lang b/htdocs/langs/uk_UA/stocks.lang
index fddb3382b60..3ede617d1cc 100644
--- a/htdocs/langs/uk_UA/stocks.lang
+++ b/htdocs/langs/uk_UA/stocks.lang
@@ -240,3 +240,4 @@ InventoryRealQtyHelp=Set value to 0 to reset qty Keep field empty, or remove
UpdateByScaning=Update by scaning
UpdateByScaningProductBarcode=Update by scan (product barcode)
UpdateByScaningLot=Update by scan (lot|serial barcode)
+DisableStockChangeOfSubProduct=Deactivate the stock change for all the subproducts of this Kit during this movement.
diff --git a/htdocs/langs/uk_UA/ticket.lang b/htdocs/langs/uk_UA/ticket.lang
index cc7caade32a..aa2c156c056 100644
--- a/htdocs/langs/uk_UA/ticket.lang
+++ b/htdocs/langs/uk_UA/ticket.lang
@@ -31,10 +31,8 @@ TicketDictType=Заявка-Типи
TicketDictCategory=Заявка-Групи
TicketDictSeverity=Ticket - Severities
TicketDictResolution=Ticket - Resolution
-TicketTypeShortBUGSOFT=Dysfonctionnement logiciel
-TicketTypeShortBUGHARD=Dysfonctionnement matériel
-TicketTypeShortCOM=Комерційне питання
+TicketTypeShortCOM=Комерційне питання
TicketTypeShortHELP=Request for functionnal help
TicketTypeShortISSUE=Issue, bug or problem
TicketTypeShortREQUEST=Change or enhancement request
@@ -44,7 +42,7 @@ TicketTypeShortOTHER=Інший
TicketSeverityShortLOW=Low
TicketSeverityShortNORMAL=Normal
TicketSeverityShortHIGH=High
-TicketSeverityShortBLOCKING=Critical/Blocking
+TicketSeverityShortBLOCKING=Critical, Blocking
ErrorBadEmailAddress=Field '%s' incorrect
MenuTicketMyAssign=Мої заявки
@@ -60,7 +58,6 @@ OriginEmail=Email source
Notify_TICKET_SENTBYMAIL=Send ticket message by email
# Status
-NotRead=Не читаються
Read=Прочитані
Assigned=Assigned
InProgress=In progress
@@ -126,6 +123,7 @@ TicketsActivatePublicInterfaceHelp=Public interface allow any visitors to create
TicketsAutoAssignTicket=Automatically assign the user who created the ticket
TicketsAutoAssignTicketHelp=When creating a ticket, the user can be automatically assigned to the ticket.
TicketNumberingModules=Tickets numbering module
+TicketsModelModule=Document templates for tickets
TicketNotifyTiersAtCreation=Notify third party at creation
TicketsDisableCustomerEmail=Always disable emails when a ticket is created from public interface
TicketsPublicNotificationNewMessage=Send email(s) when a new message is added
@@ -233,7 +231,6 @@ TicketLogStatusChanged=Status changed: %s to %s
TicketNotNotifyTiersAtCreate=Not notify company at create
Unread=Непрочитані
TicketNotCreatedFromPublicInterface=Not available. Ticket was not created from public interface.
-PublicInterfaceNotEnabled=Public interface was not enabled
ErrorTicketRefRequired=Ticket reference name is required
#
diff --git a/htdocs/langs/uk_UA/website.lang b/htdocs/langs/uk_UA/website.lang
index ebd59dac2fa..447d9de9a65 100644
--- a/htdocs/langs/uk_UA/website.lang
+++ b/htdocs/langs/uk_UA/website.lang
@@ -30,7 +30,6 @@ EditInLine=Edit inline
AddWebsite=Add website
Webpage=Web page/container
AddPage=Add page/container
-HomePage=Home Page
PageContainer=Page
PreviewOfSiteNotYetAvailable=Preview of your website %s not yet available. You must first 'Import a full website template' or just 'Add a page/container'.
RequestedPageHasNoContentYet=Requested page with id %s has no content yet, or cache file .tpl.php was removed. Edit content of the page to solve this.
@@ -101,7 +100,7 @@ EmptyPage=Empty page
ExternalURLMustStartWithHttp=External URL must start with http:// or https://
ZipOfWebsitePackageToImport=Upload the Zip file of the website template package
ZipOfWebsitePackageToLoad=or Choose an available embedded website template package
-ShowSubcontainers=Include dynamic content
+ShowSubcontainers=Show dynamic content
InternalURLOfPage=Internal URL of page
ThisPageIsTranslationOf=This page/container is a translation of
ThisPageHasTranslationPages=This page/container has translation
@@ -137,3 +136,4 @@ RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using
PagesRegenerated=%s page(s)/container(s) regenerated
RegenerateWebsiteContent=Regenerate web site cache files
AllowedInFrames=Allowed in Frames
+DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languages into web site properties.
diff --git a/htdocs/langs/uk_UA/withdrawals.lang b/htdocs/langs/uk_UA/withdrawals.lang
index 533989bdd30..f419bdff0a5 100644
--- a/htdocs/langs/uk_UA/withdrawals.lang
+++ b/htdocs/langs/uk_UA/withdrawals.lang
@@ -42,6 +42,7 @@ LastWithdrawalReceipt=Latest %s direct debit receipts
MakeWithdrawRequest=Make a direct debit payment request
MakeBankTransferOrder=Make a credit transfer request
WithdrawRequestsDone=%s direct debit payment requests recorded
+BankTransferRequestsDone=%s credit transfer requests recorded
ThirdPartyBankCode=Third-party bank code
NoInvoiceCouldBeWithdrawed=No invoice debited successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s.
ClassCredited=Classify credited
@@ -131,7 +132,8 @@ SEPARCUR=SEPA CUR
SEPAFRST=SEPA FRST
ExecutionDate=Execution date
CreateForSepa=Create direct debit file
-ICS=Creditor Identifier CI
+ICS=Creditor Identifier CI for direct debit
+ICSTransfer=Creditor Identifier CI for bank transfer
END_TO_END="EndToEndId" SEPA XML tag - Unique id assigned per transaction
USTRD="Unstructured" SEPA XML tag
ADDDAYS=Add days to Execution Date
@@ -146,3 +148,4 @@ InfoRejectSubject=Direct debit payment order refused
InfoRejectMessage=Hello,
the direct debit payment order of invoice %s related to the company %s, with an amount of %s has been refused by the bank.
-- %s
ModeWarning=Option for real mode was not set, we stop after this simulation
ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know wich one to use.
+ErrorICSmissing=Missing ICS in Bank account %s
diff --git a/htdocs/langs/uz_UZ/accountancy.lang b/htdocs/langs/uz_UZ/accountancy.lang
index 3211a0b62df..33ba4d9fea7 100644
--- a/htdocs/langs/uz_UZ/accountancy.lang
+++ b/htdocs/langs/uz_UZ/accountancy.lang
@@ -48,6 +48,7 @@ CountriesExceptMe=All countries except %s
AccountantFiles=Export source documents
ExportAccountingSourceDocHelp=With this tool, you can export the source events (list and PDFs) that were used to generate your accountancy. To export your journals, use the menu entry %s - %s.
VueByAccountAccounting=View by accounting account
+VueBySubAccountAccounting=View by accounting subaccount
MainAccountForCustomersNotDefined=Main accounting account for customers not defined in setup
MainAccountForSuppliersNotDefined=Main accounting account for vendors not defined in setup
@@ -144,7 +145,7 @@ NotVentilatedinAccount=Not bound to the accounting account
XLineSuccessfullyBinded=%s products/services successfully bound to an accounting account
XLineFailedToBeBinded=%s products/services were not bound to any accounting account
-ACCOUNTING_LIMIT_LIST_VENTILATION=Number of elements to bind shown by page (maximum recommended: 50)
+ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50)
ACCOUNTING_LIST_SORT_VENTILATION_TODO=Begin the sorting of the page "Binding to do" by the most recent elements
ACCOUNTING_LIST_SORT_VENTILATION_DONE=Begin the sorting of the page "Binding done" by the most recent elements
@@ -198,7 +199,8 @@ Docdate=Date
Docref=Reference
LabelAccount=Label account
LabelOperation=Label operation
-Sens=Sens
+Sens=Direction
+AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received For an accounting account of a supplier, use Debit to record a payment you make
LetteringCode=Lettering code
Lettering=Lettering
Codejournal=Journal
@@ -206,7 +208,8 @@ JournalLabel=Journal label
NumPiece=Piece number
TransactionNumShort=Num. transaction
AccountingCategory=Personalized groups
-GroupByAccountAccounting=Group by accounting account
+GroupByAccountAccounting=Group by general ledger account
+GroupBySubAccountAccounting=Group by subledger account
AccountingAccountGroupsDesc=You can define here some groups of accounting account. They will be used for personalized accounting reports.
ByAccounts=By accounts
ByPredefinedAccountGroups=By predefined groups
@@ -248,7 +251,7 @@ PaymentsNotLinkedToProduct=Payment not linked to any product / service
OpeningBalance=Opening balance
ShowOpeningBalance=Show opening balance
HideOpeningBalance=Hide opening balance
-ShowSubtotalByGroup=Show subtotal by group
+ShowSubtotalByGroup=Show subtotal by level
Pcgtype=Group of account
PcgtypeDesc=Group of account are used as predefined 'filter' and 'grouping' criteria for some accounting reports. For example, 'INCOME' or 'EXPENSE' are used as groups for accounting accounts of products to build the expense/income report.
@@ -271,11 +274,13 @@ DescVentilExpenseReport=Consult here the list of expense report lines bound (or
DescVentilExpenseReportMore=If you setup accounting account on type of expense report lines, the application will be able to make all the binding between your expense report lines and the accounting account of your chart of accounts, just in one click with the button "%s". If account was not set on fees dictionary or if you still have some lines not bound to any account, you will have to make a manual binding from the menu "%s".
DescVentilDoneExpenseReport=Consult here the list of the lines of expenses reports and their fees accounting account
+Closure=Annual closure
DescClosure=Consult here the number of movements by month who are not validated & fiscal years already open
OverviewOfMovementsNotValidated=Step 1/ Overview of movements not validated. (Necessary to close a fiscal year)
+AllMovementsWereRecordedAsValidated=All movements were recorded as validated
+NotAllMovementsCouldBeRecordedAsValidated=Not all movements could be recorded as validated
ValidateMovements=Validate movements
DescValidateMovements=Any modification or deletion of writing, lettering and deletes will be prohibited. All entries for an exercise must be validated otherwise closing will not be possible
-SelectMonthAndValidate=Select month and validate movements
ValidateHistory=Bind Automatically
AutomaticBindingDone=Automatic binding done
@@ -293,6 +298,7 @@ Accounted=Accounted in ledger
NotYetAccounted=Not yet accounted in ledger
ShowTutorial=Show Tutorial
NotReconciled=Not reconciled
+WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view
## Admin
BindingOptions=Binding options
@@ -337,6 +343,7 @@ Modelcsv_LDCompta10=Export for LD Compta (v10 & higher)
Modelcsv_openconcerto=Export for OpenConcerto (Test)
Modelcsv_configurable=Export CSV Configurable
Modelcsv_FEC=Export FEC
+Modelcsv_FEC2=Export FEC (With dates generation writing / document reversed)
Modelcsv_Sage50_Swiss=Export for Sage 50 Switzerland
Modelcsv_winfic=Export Winfic - eWinfic - WinSis Compta
Modelcsv_Gestinumv3=Export for Gestinum (v3)
diff --git a/htdocs/langs/uz_UZ/admin.lang b/htdocs/langs/uz_UZ/admin.lang
index f1c41a3b62b..189b0b5186a 100644
--- a/htdocs/langs/uz_UZ/admin.lang
+++ b/htdocs/langs/uz_UZ/admin.lang
@@ -56,6 +56,8 @@ GUISetup=Display
SetupArea=Setup
UploadNewTemplate=Upload new template(s)
FormToTestFileUploadForm=Form to test file upload (according to setup)
+ModuleMustBeEnabled=The module/application %s must be enabled
+ModuleIsEnabled=The module/application %s has been enabled
IfModuleEnabled=Note: yes is effective only if module %s is enabled
RemoveLock=Remove/rename file %s if it exists, to allow usage of the Update/Install tool.
RestoreLock=Restore file %s, with read permission only, to disable any further use of the Update/Install tool.
@@ -85,7 +87,6 @@ ShowPreview=Show preview
ShowHideDetails=Show-Hide details
PreviewNotAvailable=Preview not available
ThemeCurrentlyActive=Theme currently active
-CurrentTimeZone=TimeZone PHP (server)
MySQLTimeZone=TimeZone MySql (database)
TZHasNoEffect=Dates are stored and returned by database server as if they were kept as submitted string. The timezone has effect only when using the UNIX_TIMESTAMP function (that should not be used by Dolibarr, so database TZ should have no effect, even if changed after data was entered).
Space=Space
@@ -153,8 +154,8 @@ SystemToolsAreaDesc=This area provides administration functions. Use the menu to
Purge=Purge
PurgeAreaDesc=This page allows you to delete all files generated or stored by Dolibarr (temporary files or all files in %s directory). Using this feature is not normally necessary. It is provided as a workaround for users whose Dolibarr is hosted by a provider that does not offer permissions to delete files generated by the web server.
PurgeDeleteLogFile=Delete log files, including %s defined for Syslog module (no risk of losing data)
-PurgeDeleteTemporaryFiles=Delete all temporary files (no risk of losing data). Note: Deletion is done only if the temp directory was created 24 hours ago.
-PurgeDeleteTemporaryFilesShort=Delete temporary files
+PurgeDeleteTemporaryFiles=Delete all log and temporary files (no risk of losing data). Note: Deletion of temporary files is done only if the temp directory was created more than 24 hours ago.
+PurgeDeleteTemporaryFilesShort=Delete log and temporary files
PurgeDeleteAllFilesInDocumentsDir=Delete all files in directory: %s. This will delete all generated documents related to elements (third parties, invoices etc...), files uploaded into the ECM module, database backup dumps and temporary files.
PurgeRunNow=Purge now
PurgeNothingToDelete=No directory or files to delete.
@@ -256,6 +257,7 @@ ReferencedPreferredPartners=Preferred Partners
OtherResources=Other resources
ExternalResources=External Resources
SocialNetworks=Social Networks
+SocialNetworkId=Social Network ID
ForDocumentationSeeWiki=For user or developer documentation (Doc, FAQs...), take a look at the Dolibarr Wiki: %s
ForAnswersSeeForum=For any other questions/help, you can use the Dolibarr forum: %s
HelpCenterDesc1=Here are some resources for getting help and support with Dolibarr.
@@ -375,7 +377,7 @@ ExamplesWithCurrentSetup=Examples with current configuration
ListOfDirectories=List of OpenDocument templates directories
ListOfDirectoriesForModelGenODT=List of directories containing templates files with OpenDocument format.
Put here full path of directories. Add a carriage return between eah directory. To add a directory of the GED module, add here DOL_DATA_ROOT/ecm/yourdirectoryname.
Files in those directories must end with .odt or .ods.
NumberOfModelFilesFound=Number of ODT/ODS template files found in these directories
-ExampleOfDirectoriesForModelGen=Examples of syntax: c:\\mydir /home/mydir DOL_DATA_ROOT/ecm/ecmdir
+ExampleOfDirectoriesForModelGen=Examples of syntax: c:\\myapp\\mydocumentdir\\mysubdir /home/myapp/mydocumentdir/mysubdir DOL_DATA_ROOT/ecm/ecmdir
FollowingSubstitutionKeysCanBeUsed= To know how to create your odt document templates, before storing them in those directories, read wiki documentation:
FullListOnOnlineDocumentation=http://wiki.dolibarr.org/index.php/Create_an_ODT_document_template
FirstnameNamePosition=Position of Name/Lastname
@@ -406,7 +408,7 @@ UrlGenerationParameters=Parameters to secure URLs
SecurityTokenIsUnique=Use a unique securekey parameter for each URL
EnterRefToBuildUrl=Enter reference for object %s
GetSecuredUrl=Get calculated URL
-ButtonHideUnauthorized=Hide buttons for non-admin users for unauthorized actions instead of showing greyed disabled buttons
+ButtonHideUnauthorized=Hide unauthorized action buttons also for internal users (just greyed otherwise)
OldVATRates=Old VAT rate
NewVATRates=New VAT rate
PriceBaseTypeToChange=Modify on prices with base reference value defined on
@@ -1689,7 +1691,7 @@ NotTopTreeMenuPersonalized=Personalized menus not linked to a top menu entry
NewMenu=New menu
MenuHandler=Menu handler
MenuModule=Source module
-HideUnauthorizedMenu= Hide unauthorized menus (gray)
+HideUnauthorizedMenu=Hide unauthorized menus also for internal users (just greyed otherwise)
DetailId=Id menu
DetailMenuHandler=Menu handler where to show new menu
DetailMenuModule=Module name if menu entry come from a module
@@ -1983,11 +1985,12 @@ EMailHost=Host of email IMAP server
MailboxSourceDirectory=Mailbox source directory
MailboxTargetDirectory=Mailbox target directory
EmailcollectorOperations=Operations to do by collector
+EmailcollectorOperationsDesc=Operations are executed from top to bottom order
MaxEmailCollectPerCollect=Max number of emails collected per collect
CollectNow=Collect now
ConfirmCloneEmailCollector=Are you sure you want to clone the Email collector %s ?
-DateLastCollectResult=Date latest collect tried
-DateLastcollectResultOk=Date latest collect successfull
+DateLastCollectResult=Date of latest collect try
+DateLastcollectResultOk=Date of latest collect success
LastResult=Latest result
EmailCollectorConfirmCollectTitle=Email collect confirmation
EmailCollectorConfirmCollect=Do you want to run the collection for this collector now ?
@@ -2005,7 +2008,7 @@ WithDolTrackingID=Message from a conversation initiated by a first email sent fr
WithoutDolTrackingID=Message from a conversation initiated by a first email NOT sent from Dolibarr
WithDolTrackingIDInMsgId=Message sent from Dolibarr
WithoutDolTrackingIDInMsgId=Message NOT sent from Dolibarr
-CreateCandidature=Create candidature
+CreateCandidature=Create job application
FormatZip=Zip
MainMenuCode=Menu entry code (mainmenu)
ECMAutoTree=Show automatic ECM tree
@@ -2083,3 +2086,7 @@ CountryIfSpecificToOneCountry=Country (if specific to a given country)
YouMayFindSecurityAdviceHere=You may find security advisory here
ModuleActivatedMayExposeInformation=This module may expose sensitive data. If you don't need it, disable it.
ModuleActivatedDoNotUseInProduction=A module designed for the development has been enabled. Do not enable it on a production environment.
+CombinationsSeparator=Separator character for product combinations
+SeeLinkToOnlineDocumentation=See link to online documention on top menu for examples
+SHOW_SUBPRODUCT_REF_IN_PDF=If the feature "%s" of module %s is used, show details of subproducts of a kit on PDF.
+AskThisIDToYourBank=Contact your bank to get this ID
diff --git a/htdocs/langs/uz_UZ/banks.lang b/htdocs/langs/uz_UZ/banks.lang
index 9500a5b8b2e..a0dc27f86c4 100644
--- a/htdocs/langs/uz_UZ/banks.lang
+++ b/htdocs/langs/uz_UZ/banks.lang
@@ -173,8 +173,8 @@ SEPAMandate=SEPA mandate
YourSEPAMandate=Your SEPA mandate
FindYourSEPAMandate=This is your SEPA mandate to authorize our company to make direct debit order to your bank. Return it signed (scan of the signed document) or send it by mail to
AutoReportLastAccountStatement=Automatically fill the field 'number of bank statement' with last statement number when making reconciliation
-CashControl=POS cash fence
-NewCashFence=New cash fence
+CashControl=POS cash desk control
+NewCashFence=New cash desk closing
BankColorizeMovement=Colorize movements
BankColorizeMovementDesc=If this function is enable, you can choose specific background color for debit or credit movements
BankColorizeMovementName1=Background color for debit movement
diff --git a/htdocs/langs/uz_UZ/blockedlog.lang b/htdocs/langs/uz_UZ/blockedlog.lang
index 5afae6e9e53..0bba5605d0f 100644
--- a/htdocs/langs/uz_UZ/blockedlog.lang
+++ b/htdocs/langs/uz_UZ/blockedlog.lang
@@ -35,7 +35,7 @@ logDON_DELETE=Donation logical deletion
logMEMBER_SUBSCRIPTION_CREATE=Member subscription created
logMEMBER_SUBSCRIPTION_MODIFY=Member subscription modified
logMEMBER_SUBSCRIPTION_DELETE=Member subscription logical deletion
-logCASHCONTROL_VALIDATE=Cash fence recording
+logCASHCONTROL_VALIDATE=Cash desk closing recording
BlockedLogBillDownload=Customer invoice download
BlockedLogBillPreview=Customer invoice preview
BlockedlogInfoDialog=Log Details
diff --git a/htdocs/langs/uz_UZ/boxes.lang b/htdocs/langs/uz_UZ/boxes.lang
index d6fd298a3a7..7db4ea8aa17 100644
--- a/htdocs/langs/uz_UZ/boxes.lang
+++ b/htdocs/langs/uz_UZ/boxes.lang
@@ -46,9 +46,12 @@ BoxTitleLastModifiedDonations=Latest %s modified donations
BoxTitleLastModifiedExpenses=Latest %s modified expense reports
BoxTitleLatestModifiedBoms=Latest %s modified BOMs
BoxTitleLatestModifiedMos=Latest %s modified Manufacturing Orders
+BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded
BoxGlobalActivity=Global activity (invoices, proposals, orders)
BoxGoodCustomers=Good customers
BoxTitleGoodCustomers=%s Good customers
+BoxScheduledJobs=Scheduled jobs
+BoxTitleFunnelOfProspection=Lead funnel
FailedToRefreshDataInfoNotUpToDate=Failed to refresh RSS flux. Latest successful refresh date: %s
LastRefreshDate=Latest refresh date
NoRecordedBookmarks=No bookmarks defined.
@@ -102,5 +105,7 @@ SuspenseAccountNotDefined=Suspense account isn't defined
BoxLastCustomerShipments=Last customer shipments
BoxTitleLastCustomerShipments=Latest %s customer shipments
NoRecordedShipments=No recorded customer shipment
+BoxCustomersOutstandingBillReached=Customers with oustanding limit reached
# Pages
AccountancyHome=Accountancy
+ValidatedProjects=Validated projects
diff --git a/htdocs/langs/uz_UZ/cashdesk.lang b/htdocs/langs/uz_UZ/cashdesk.lang
index 498baa82200..3fef645d99d 100644
--- a/htdocs/langs/uz_UZ/cashdesk.lang
+++ b/htdocs/langs/uz_UZ/cashdesk.lang
@@ -49,8 +49,8 @@ Footer=Footer
AmountAtEndOfPeriod=Amount at end of period (day, month or year)
TheoricalAmount=Theorical amount
RealAmount=Real amount
-CashFence=Cash fence
-CashFenceDone=Cash fence done for the period
+CashFence=Cash desk closing
+CashFenceDone=Cash desk closing done for the period
NbOfInvoices=Nb of invoices
Paymentnumpad=Type of Pad to enter payment
Numberspad=Numbers Pad
@@ -99,8 +99,9 @@ CashDeskRefNumberingModules=Numbering module for POS sales
CashDeskGenericMaskCodes6 = {TN} tag is used to add the terminal number
TakeposGroupSameProduct=Group same products lines
StartAParallelSale=Start a new parallel sale
-ControlCashOpening=Control cash box at opening POS
-CloseCashFence=Close cash fence
+SaleStartedAt=Sale started at %s
+ControlCashOpening=Control cash popup at opening POS
+CloseCashFence=Close cash desk control
CashReport=Cash report
MainPrinterToUse=Main printer to use
OrderPrinterToUse=Order printer to use
@@ -122,3 +123,4 @@ GiftReceipt=Gift receipt
ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled first
AllowDelayedPayment=Allow delayed payment
PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts
+WeighingScale=Weighing scale
diff --git a/htdocs/langs/uz_UZ/categories.lang b/htdocs/langs/uz_UZ/categories.lang
index ba37a43b4ec..4ddf0d6093f 100644
--- a/htdocs/langs/uz_UZ/categories.lang
+++ b/htdocs/langs/uz_UZ/categories.lang
@@ -19,6 +19,7 @@ ProjectsCategoriesArea=Projects tags/categories area
UsersCategoriesArea=Users tags/categories area
SubCats=Sub-categories
CatList=List of tags/categories
+CatListAll=List of tags/categories (all types)
NewCategory=New tag/category
ModifCat=Modify tag/category
CatCreated=Tag/category created
@@ -65,16 +66,22 @@ UsersCategoriesShort=Users tags/categories
StockCategoriesShort=Warehouse tags/categories
ThisCategoryHasNoItems=This category does not contain any items.
CategId=Tag/category id
-CatSupList=List of vendor tags/categories
-CatCusList=List of customer/prospect tags/categories
+ParentCategory=Parent tag/category
+ParentCategoryLabel=Label of parent tag/category
+CatSupList=List of vendors tags/categories
+CatCusList=List of customers/prospects tags/categories
CatProdList=List of products tags/categories
CatMemberList=List of members tags/categories
-CatContactList=List of contact tags/categories
-CatSupLinks=Links between suppliers and tags/categories
+CatContactList=List of contacts tags/categories
+CatProjectsList=List of projects tags/categories
+CatUsersList=List of users tags/categories
+CatSupLinks=Links between vendors and tags/categories
CatCusLinks=Links between customers/prospects and tags/categories
CatContactsLinks=Links between contacts/addresses and tags/categories
CatProdLinks=Links between products/services and tags/categories
-CatProJectLinks=Links between projects and tags/categories
+CatMembersLinks=Links between members and tags/categories
+CatProjectsLinks=Links between projects and tags/categories
+CatUsersLinks=Links between users and tags/categories
DeleteFromCat=Remove from tags/category
ExtraFieldsCategories=Complementary attributes
CategoriesSetup=Tags/categories setup
diff --git a/htdocs/langs/uz_UZ/companies.lang b/htdocs/langs/uz_UZ/companies.lang
index dadff6a7894..8dc815b522e 100644
--- a/htdocs/langs/uz_UZ/companies.lang
+++ b/htdocs/langs/uz_UZ/companies.lang
@@ -358,7 +358,7 @@ VATIntraCheckableOnEUSite=Check the intra-Community VAT ID on the European Commi
VATIntraManualCheck=You can also check manually on the European Commission website %s
ErrorVATCheckMS_UNAVAILABLE=Check not possible. Check service is not provided by the member state (%s).
NorProspectNorCustomer=Not prospect, nor customer
-JuridicalStatus=Legal Entity Type
+JuridicalStatus=Business entity type
Workforce=Workforce
Staff=Employees
ProspectLevelShort=Potential
diff --git a/htdocs/langs/uz_UZ/compta.lang b/htdocs/langs/uz_UZ/compta.lang
index 8f4f058bb87..1afeb6e3727 100644
--- a/htdocs/langs/uz_UZ/compta.lang
+++ b/htdocs/langs/uz_UZ/compta.lang
@@ -111,7 +111,7 @@ Refund=Refund
SocialContributionsPayments=Social/fiscal taxes payments
ShowVatPayment=Show VAT payment
TotalToPay=Total to pay
-BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted ascending on %s and filtered for 1 bank account
+BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted on %s and filtered on 1 bank account (with no other filters)
CustomerAccountancyCode=Customer accounting code
SupplierAccountancyCode=Vendor accounting code
CustomerAccountancyCodeShort=Cust. account. code
@@ -140,7 +140,7 @@ ConfirmDeleteSocialContribution=Are you sure you want to delete this social/fisc
ExportDataset_tax_1=Social and fiscal taxes and payments
CalcModeVATDebt=Mode %sVAT on commitment accounting%s.
CalcModeVATEngagement=Mode %sVAT on incomes-expenses%s.
-CalcModeDebt=Analysis of known recorded invoices even if they are not yet accounted in ledger.
+CalcModeDebt=Analysis of known recorded documents even if they are not yet accounted in ledger.
CalcModeEngagement=Analysis of known recorded payments, even if they are not yet accounted in Ledger.
CalcModeBookkeeping=Analysis of data journalized in Bookkeeping Ledger table.
CalcModeLT1= Mode %sRE on customer invoices - suppliers invoices%s
@@ -154,9 +154,9 @@ AnnualSummaryInputOutputMode=Balance of income and expenses, annual summary
AnnualByCompanies=Balance of income and expenses, by predefined groups of account
AnnualByCompaniesDueDebtMode=Balance of income and expenses, detail by predefined groups, mode %sClaims-Debts%s said Commitment accounting.
AnnualByCompaniesInputOutputMode=Balance of income and expenses, detail by predefined groups, mode %sIncomes-Expenses%s said cash accounting.
-SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation on actual payments made even if they are not yet accounted in Ledger.
-SeeReportInDueDebtMode=See %sanalysis of invoices%s for a calculation based on known recorded invoices even if they are not yet accounted in Ledger.
-SeeReportInBookkeepingMode=See %sBookeeping report%s for a calculation on Bookkeeping Ledger table
+SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation based on recorded payments made even if they are not yet accounted in Ledger
+SeeReportInDueDebtMode=See %sanalysis of recorded documents%s for a calculation based on known recorded documents even if they are not yet accounted in Ledger
+SeeReportInBookkeepingMode=See %sanalysis of bookeeping ledger table%s for a report based on Bookkeeping Ledger table
RulesAmountWithTaxIncluded=- Amounts shown are with all taxes included
RulesResultDue=- It includes outstanding invoices, expenses, VAT, donations whether they are paid or not. Is also includes paid salaries. - It is based on the billing date of invoices and on the due date for expenses or tax payments. For salaries defined with Salary module, the value date of payment is used.
RulesResultInOut=- It includes the real payments made on invoices, expenses, VAT and salaries. - It is based on the payment dates of the invoices, expenses, VAT and salaries. The donation date for donation.
@@ -169,12 +169,15 @@ RulesResultBookkeepingPersonalized=It show record in your Ledger with accounting
SeePageForSetup=See menu %s for setup
DepositsAreNotIncluded=- Down payment invoices are not included
DepositsAreIncluded=- Down payment invoices are included
+LT1ReportByMonth=Tax 2 report by month
+LT2ReportByMonth=Tax 3 report by month
LT1ReportByCustomers=Report tax 2 by third party
LT2ReportByCustomers=Report tax 3 by third party
LT1ReportByCustomersES=Report by third party RE
LT2ReportByCustomersES=Report by third party IRPF
VATReport=Sale tax report
VATReportByPeriods=Sale tax report by period
+VATReportByMonth=Sale tax report by month
VATReportByRates=Sale tax report by rates
VATReportByThirdParties=Sale tax report by third parties
VATReportByCustomers=Sale tax report by customer
diff --git a/htdocs/langs/uz_UZ/cron.lang b/htdocs/langs/uz_UZ/cron.lang
index d2da7ded67e..2ebdda1e685 100644
--- a/htdocs/langs/uz_UZ/cron.lang
+++ b/htdocs/langs/uz_UZ/cron.lang
@@ -6,14 +6,15 @@ Permission23102 = Create/update Scheduled job
Permission23103 = Delete Scheduled job
Permission23104 = Execute Scheduled job
# Admin
-CronSetup= Scheduled job management setup
-URLToLaunchCronJobs=URL to check and launch qualified cron jobs
-OrToLaunchASpecificJob=Or to check and launch a specific job
+CronSetup=Scheduled job management setup
+URLToLaunchCronJobs=URL to check and launch qualified cron jobs from a browser
+OrToLaunchASpecificJob=Or to check and launch a specific job from a browser
KeyForCronAccess=Security key for URL to launch cron jobs
FileToLaunchCronJobs=Command line to check and launch qualified cron jobs
CronExplainHowToRunUnix=On Unix environment you should use the following crontab entry to run the command line each 5 minutes
-CronExplainHowToRunWin=On Microsoft(tm) Windows environement you can use Scheduled task tools to run the command line each 5 minutes
+CronExplainHowToRunWin=On Microsoft(tm) Windows environment you can use Scheduled Task tools to run the command line each 5 minutes
CronMethodDoesNotExists=Class %s does not contains any method %s
+CronMethodNotAllowed=Method %s of class %s is in blacklist of forbidden methods
CronJobDefDesc=Cron job profiles are defined into the module descriptor file. When module is activated, they are loaded and available so you can administer the jobs from the admin tools menu %s.
CronJobProfiles=List of predefined cron job profiles
# Menu
@@ -42,10 +43,11 @@ CronModule=Module
CronNoJobs=No jobs registered
CronPriority=Priority
CronLabel=Label
-CronNbRun=Nb. launch
-CronMaxRun=Max number launch
+CronNbRun=Number of launches
+CronMaxRun=Maximum number of launches
CronEach=Every
JobFinished=Job launched and finished
+Scheduled=Scheduled
#Page card
CronAdd= Add jobs
CronEvery=Execute job each
@@ -56,16 +58,16 @@ CronNote=Comment
CronFieldMandatory=Fields %s is mandatory
CronErrEndDateStartDt=End date cannot be before start date
StatusAtInstall=Status at module installation
-CronStatusActiveBtn=Enable
+CronStatusActiveBtn=Schedule
CronStatusInactiveBtn=Disable
CronTaskInactive=This job is disabled
CronId=Id
CronClassFile=Filename with class
-CronModuleHelp=Name of Dolibarr module directory (also work with external Dolibarr module). For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for module is product
-CronClassFileHelp=The relative path and file name to load (path is relative to web server root directory). For exemple to call the fetch method of Dolibarr Product object htdocs/product/class/product.class.php, the value for class file name is product/class/product.class.php
-CronObjectHelp=The object name to load. For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for class file name is Product
-CronMethodHelp=The object method to launch. For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for method is fetch
-CronArgsHelp=The method arguments. For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for paramters can be 0, ProductRef
+CronModuleHelp=Name of Dolibarr module directory (also work with external Dolibarr module). For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for module is product
+CronClassFileHelp=The relative path and file name to load (path is relative to web server root directory). For example to call the fetch method of Dolibarr Product object htdocs/product/class/product.class.php, the value for class file name is product/class/product.class.php
+CronObjectHelp=The object name to load. For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for class file name is Product
+CronMethodHelp=The object method to launch. For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for method is fetch
+CronArgsHelp=The method arguments. For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for paramters can be 0, ProductRef
CronCommandHelp=The system command line to execute.
CronCreateJob=Create new Scheduled Job
CronFrom=From
@@ -76,8 +78,14 @@ CronType_method=Call method of a PHP Class
CronType_command=Shell command
CronCannotLoadClass=Cannot load class file %s (to use class %s)
CronCannotLoadObject=Class file %s was loaded, but object %s was not found into it
-UseMenuModuleToolsToAddCronJobs=Go into menu "Home - Admin tools - Scheduled jobs" to see and edit scheduled jobs.
+UseMenuModuleToolsToAddCronJobs=Go into menu "Home - Admin tools - Scheduled jobs" to see and edit scheduled jobs.
JobDisabled=Job disabled
MakeLocalDatabaseDumpShort=Local database backup
-MakeLocalDatabaseDump=Create a local database dump. Parameters are: compression ('gz' or 'bz' or 'none'), backup type ('mysql' or 'pgsql'), 1, 'auto' or filename to build, number of backup files to keep
+MakeLocalDatabaseDump=Create a local database dump. Parameters are: compression ('gz' or 'bz' or 'none'), backup type ('mysql', 'pgsql', 'auto'), 1, 'auto' or filename to build, number of backup files to keep
WarningCronDelayed=Attention, for performance purpose, whatever is next date of execution of enabled jobs, your jobs may be delayed to a maximum of %s hours, before being run.
+DATAPOLICYJob=Data cleaner and anonymizer
+JobXMustBeEnabled=Job %s must be enabled
+# Cron Boxes
+LastExecutedScheduledJob=Last executed scheduled job
+NextScheduledJobExecute=Next scheduled job to execute
+NumberScheduledJobError=Number of scheduled jobs in error
diff --git a/htdocs/langs/uz_UZ/errors.lang b/htdocs/langs/uz_UZ/errors.lang
index 893f4a35b65..5b26be724d9 100644
--- a/htdocs/langs/uz_UZ/errors.lang
+++ b/htdocs/langs/uz_UZ/errors.lang
@@ -5,8 +5,10 @@ NoErrorCommitIsDone=No error, we commit
# Errors
ErrorButCommitIsDone=Errors found but we validate despite this
ErrorBadEMail=Email %s is wrong
+ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record)
ErrorBadUrl=Url %s is wrong
ErrorBadValueForParamNotAString=Bad value for your parameter. It appends generally when translation is missing.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorLoginAlreadyExists=Login %s already exists.
ErrorGroupAlreadyExists=Group %s already exists.
ErrorRecordNotFound=Record not found.
@@ -48,6 +50,7 @@ ErrorFieldsRequired=Some required fields were not filled.
ErrorSubjectIsRequired=The email topic is required
ErrorFailedToCreateDir=Failed to create a directory. Check that Web server user has permissions to write into Dolibarr documents directory. If parameter safe_mode is enabled on this PHP, check that Dolibarr php files owns to web server user (or group).
ErrorNoMailDefinedForThisUser=No mail defined for this user
+ErrorSetupOfEmailsNotComplete=Setup of emails is not complete
ErrorFeatureNeedJavascript=This feature need javascript to be activated to work. Change this in setup - display.
ErrorTopMenuMustHaveAParentWithId0=A menu of type 'Top' can't have a parent menu. Put 0 in parent menu or choose a menu of type 'Left'.
ErrorLeftMenuMustHaveAParentId=A menu of type 'Left' must have a parent id.
@@ -75,7 +78,7 @@ ErrorExportDuplicateProfil=This profile name already exists for this export set.
ErrorLDAPSetupNotComplete=Dolibarr-LDAP matching is not complete.
ErrorLDAPMakeManualTest=A .ldif file has been generated in directory %s. Try to load it manually from command line to have more information on errors.
ErrorCantSaveADoneUserWithZeroPercentage=Can't save an action with "status not started" if field "done by" is also filled.
-ErrorRefAlreadyExists=Ref used for creation already exists.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorPleaseTypeBankTransactionReportName=Please enter the bank statement name where the entry has to be reported (Format YYYYMM or YYYYMMDD)
ErrorRecordHasChildren=Failed to delete record since it has some child records.
ErrorRecordHasAtLeastOneChildOfType=Object has at least one child of type %s
@@ -216,7 +219,7 @@ ErrorChooseBetweenFreeEntryOrPredefinedProduct=You must choose if article is a p
ErrorDiscountLargerThanRemainToPaySplitItBefore=The discount you try to apply is larger than remain to pay. Split the discount in 2 smaller discounts before.
ErrorFileNotFoundWithSharedLink=File was not found. May be the share key was modified or file was removed recently.
ErrorProductBarCodeAlreadyExists=The product barcode %s already exists on another product reference.
-ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using virtual product to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number.
+ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using kits to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number.
ErrorDescRequiredForFreeProductLines=Description is mandatory for lines with free product
ErrorAPageWithThisNameOrAliasAlreadyExists=The page/container %s has the same name or alternative alias that the one your try to use
ErrorDuringChartLoad=Error when loading chart of accounts. If few accounts were not loaded, you can still enter them manually.
@@ -243,6 +246,16 @@ ErrorReplaceStringEmpty=Error, the string to replace into is empty
ErrorProductNeedBatchNumber=Error, product '%s' need a lot/serial number
ErrorProductDoesNotNeedBatchNumber=Error, product '%s' does not accept a lot/serial number
ErrorFailedToReadObject=Error, failed to read object of type %s
+ErrorParameterMustBeEnabledToAllwoThisFeature=Error, parameter %s must be enabled into conf/conf.php to allow use of Command Line Interface by the internal job scheduler
+ErrorLoginDateValidity=Error, this login is outside the validity date range
+ErrorValueLength=Length of field '%s' must be higher than '%s'
+ErrorReservedKeyword=The word '%s' is a reserved keyword
+ErrorNotAvailableWithThisDistribution=Not available with this distribution
+ErrorPublicInterfaceNotEnabled=Public interface was not enabled
+ErrorLanguageRequiredIfPageIsTranslationOfAnother=The language of new page must be defined if it is set as a translation of another page
+ErrorLanguageMustNotBeSourceLanguageIfPageIsTranslationOfAnother=The language of new page must not be the source language if it is set as a translation of another page
+ErrorAParameterIsRequiredForThisOperation=A parameter is mandatory for this operation
+
# Warnings
WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup.
WarningPasswordSetWithNoAccount=A password was set for this member. However, no user account was created. So this password is stored but can't be used to login to Dolibarr. It may be used by an external module/interface but if you don't need to define any login nor password for a member, you can disable option "Manage a login for each member" from Member module setup. If you need to manage a login but don't need any password, you can keep this field empty to avoid this warning. Note: Email can also be used as a login if the member is linked to a user.
@@ -267,6 +280,10 @@ WarningYourLoginWasModifiedPleaseLogin=Your login was modified. For security pur
WarningAnEntryAlreadyExistForTransKey=An entry already exists for the translation key for this language
WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different recipient is limited to %s when using the mass actions on lists
WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report
+WarningProjectDraft=Project is still in draft mode. Don't forget to validate it if you plan to use tasks.
WarningProjectClosed=Project is closed. You must re-open it first.
WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list.
-WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table
+WarningFailedToAddFileIntoDatabaseIndex=Warning, failed to add file entry into ECM database index table
+WarningTheHiddenOptionIsOn=Warning, the hidden option %s is on.
+WarningCreateSubAccounts=Warning, you can't create directly a sub account, you must create a third party or an user and assign them an accounting code to find them in this list
+WarningAvailableOnlyForHTTPSServers=Available only if using HTTPS secured connection.
diff --git a/htdocs/langs/uz_UZ/exports.lang b/htdocs/langs/uz_UZ/exports.lang
index 2dcf4317e00..a0eb7161ef2 100644
--- a/htdocs/langs/uz_UZ/exports.lang
+++ b/htdocs/langs/uz_UZ/exports.lang
@@ -26,6 +26,8 @@ FieldTitle=Field title
NowClickToGenerateToBuildExportFile=Now, select the file format in the combo box and click on "Generate" to build the export file...
AvailableFormats=Available Formats
LibraryShort=Library
+ExportCsvSeparator=Csv caracter separator
+ImportCsvSeparator=Csv caracter separator
Step=Step
FormatedImport=Import Assistant
FormatedImportDesc1=This module allows you to update existing data or add new objects into the database from a file without technical knowledge, using an assistant.
@@ -131,3 +133,4 @@ KeysToUseForUpdates=Key (column) to use for updating existing data
NbInsert=Number of inserted lines: %s
NbUpdate=Number of updated lines: %s
MultipleRecordFoundWithTheseFilters=Multiple records have been found with these filters: %s
+StocksWithBatch=Stocks and location (warehouse) of products with batch/serial number
diff --git a/htdocs/langs/uz_UZ/mails.lang b/htdocs/langs/uz_UZ/mails.lang
index 1235eef3b27..7fd93be7b71 100644
--- a/htdocs/langs/uz_UZ/mails.lang
+++ b/htdocs/langs/uz_UZ/mails.lang
@@ -92,6 +92,7 @@ MailingModuleDescEmailsFromUser=Emails input by user
MailingModuleDescDolibarrUsers=Users with Emails
MailingModuleDescThirdPartiesByCategories=Third parties (by categories)
SendingFromWebInterfaceIsNotAllowed=Sending from web interface is not allowed.
+EmailCollectorFilterDesc=All filters must match to have an email being collected
# Libelle des modules de liste de destinataires mailing
LineInFile=Line %s in file
@@ -125,12 +126,13 @@ TagMailtoEmail=Recipient Email (including html "mailto:" link)
NoEmailSentBadSenderOrRecipientEmail=No email sent. Bad sender or recipient email. Verify user profile.
# Module Notifications
Notifications=Notifications
-NoNotificationsWillBeSent=No email notifications are planned for this event and company
-ANotificationsWillBeSent=1 notification will be sent by email
-SomeNotificationsWillBeSent=%s notifications will be sent by email
-AddNewNotification=Activate a new email notification target/event
-ListOfActiveNotifications=List all active targets/events for email notification
-ListOfNotificationsDone=List all email notifications sent
+NotificationsAuto=Notifications Auto.
+NoNotificationsWillBeSent=No automatic email notifications are planned for this event type and company
+ANotificationsWillBeSent=1 automatic notification will be sent by email
+SomeNotificationsWillBeSent=%s automatic notifications will be sent by email
+AddNewNotification=Subscribe to a new automatic email notification (target/event)
+ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification
+ListOfNotificationsDone=List all automatic email notifications sent
MailSendSetupIs=Configuration of email sending has been setup to '%s'. This mode can't be used to send mass emailing.
MailSendSetupIs2=You must first go, with an admin account, into menu %sHome - Setup - EMails%s to change parameter '%s' to use mode '%s'. With this mode, you can enter setup of the SMTP server provided by your Internet Service Provider and use Mass emailing feature.
MailSendSetupIs3=If you have any questions on how to setup your SMTP server, you can ask to %s.
@@ -140,7 +142,7 @@ UseFormatFileEmailToTarget=Imported file must have format email;name;fir
UseFormatInputEmailToTarget=Enter a string with format email;name;firstname;other
MailAdvTargetRecipients=Recipients (advanced selection)
AdvTgtTitle=Fill input fields to preselect the third parties or contacts/addresses to target
-AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima% will target all jean, joe, start with jim but not jimo and not everything that starts with jima
+AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima%% will target all jean, joe, start with jim but not jimo and not everything that starts with jima
AdvTgtSearchIntHelp=Use interval to select int or float value
AdvTgtMinVal=Minimum value
AdvTgtMaxVal=Maximum value
@@ -162,13 +164,14 @@ AdvTgtCreateFilter=Create filter
AdvTgtOrCreateNewFilter=Name of new filter
NoContactWithCategoryFound=No contact/address with a category found
NoContactLinkedToThirdpartieWithCategoryFound=No contact/address with a category found
-OutGoingEmailSetup=Outgoing email setup
-InGoingEmailSetup=Incoming email setup
-OutGoingEmailSetupForEmailing=Outgoing email setup (for module %s)
-DefaultOutgoingEmailSetup=Default outgoing email setup
+OutGoingEmailSetup=Outgoing emails
+InGoingEmailSetup=Incoming emails
+OutGoingEmailSetupForEmailing=Outgoing emails (for module %s)
+DefaultOutgoingEmailSetup=Same configuration than the global Outgoing email setup
Information=Information
ContactsWithThirdpartyFilter=Contacts with third-party filter
Unanswered=Unanswered
Answered=Answered
IsNotAnAnswer=Is not answer (initial email)
IsAnAnswer=Is an answer of an initial email
+RecordCreatedByEmailCollector=Record created by the Email Collector %s from email %s
diff --git a/htdocs/langs/uz_UZ/main.lang b/htdocs/langs/uz_UZ/main.lang
index cc76ba88d89..d1ad00f4463 100644
--- a/htdocs/langs/uz_UZ/main.lang
+++ b/htdocs/langs/uz_UZ/main.lang
@@ -28,7 +28,9 @@ NoTemplateDefined=No template available for this email type
AvailableVariables=Available substitution variables
NoTranslation=No translation
Translation=Translation
+CurrentTimeZone=TimeZone PHP (server)
EmptySearchString=Enter non empty search criterias
+EnterADateCriteria=Enter a date criteria
NoRecordFound=No record found
NoRecordDeleted=No record deleted
NotEnoughDataYet=Not enough data
@@ -85,6 +87,8 @@ FileWasNotUploaded=A file is selected for attachment but was not yet uploaded. C
NbOfEntries=No. of entries
GoToWikiHelpPage=Read online help (Internet access needed)
GoToHelpPage=Read help
+DedicatedPageAvailable=There is a dedicated help page related to your current screen
+HomePage=Home Page
RecordSaved=Record saved
RecordDeleted=Record deleted
RecordGenerated=Record generated
@@ -433,6 +437,7 @@ RemainToPay=Remain to pay
Module=Module/Application
Modules=Modules/Applications
Option=Option
+Filters=Filters
List=List
FullList=Full list
FullConversation=Full conversation
@@ -671,7 +676,7 @@ SendMail=Send email
Email=Email
NoEMail=No email
AlreadyRead=Already read
-NotRead=Not read
+NotRead=Unread
NoMobilePhone=No mobile phone
Owner=Owner
FollowingConstantsWillBeSubstituted=The following constants will be replaced with the corresponding value.
@@ -1107,3 +1112,8 @@ UpToDate=Up-to-date
OutOfDate=Out-of-date
EventReminder=Event Reminder
UpdateForAllLines=Update for all lines
+OnHold=On hold
+AffectTag=Affect Tag
+ConfirmAffectTag=Bulk Tag Affect
+ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected record(s)?
+CategTypeNotFound=No tag type found for type of records
diff --git a/htdocs/langs/uz_UZ/modulebuilder.lang b/htdocs/langs/uz_UZ/modulebuilder.lang
index 460aef8103b..845dd12624d 100644
--- a/htdocs/langs/uz_UZ/modulebuilder.lang
+++ b/htdocs/langs/uz_UZ/modulebuilder.lang
@@ -40,6 +40,7 @@ PageForCreateEditView=PHP page to create/edit/view a record
PageForAgendaTab=PHP page for event tab
PageForDocumentTab=PHP page for document tab
PageForNoteTab=PHP page for note tab
+PageForContactTab=PHP page for contact tab
PathToModulePackage=Path to zip of module/application package
PathToModuleDocumentation=Path to file of module/application documentation (%s)
SpaceOrSpecialCharAreNotAllowed=Spaces or special characters are not allowed.
@@ -77,7 +78,7 @@ IsAMeasure=Is a measure
DirScanned=Directory scanned
NoTrigger=No trigger
NoWidget=No widget
-GoToApiExplorer=Go to API explorer
+GoToApiExplorer=API explorer
ListOfMenusEntries=List of menu entries
ListOfDictionariesEntries=List of dictionaries entries
ListOfPermissionsDefined=List of defined permissions
@@ -105,7 +106,7 @@ TryToUseTheModuleBuilder=If you have knowledge of SQL and PHP, you may use the n
SeeTopRightMenu=See on the top right menu
AddLanguageFile=Add language file
YouCanUseTranslationKey=You can use here a key that is the translation key found into language file (see tab "Languages")
-DropTableIfEmpty=(Delete table if empty)
+DropTableIfEmpty=(Destroy table if empty)
TableDoesNotExists=The table %s does not exists
TableDropped=Table %s deleted
InitStructureFromExistingTable=Build the structure array string of an existing table
@@ -126,7 +127,6 @@ UseSpecificEditorURL = Use a specific editor URL
UseSpecificFamily = Use a specific family
UseSpecificAuthor = Use a specific author
UseSpecificVersion = Use a specific initial version
-ModuleMustBeEnabled=The module/application must be enabled first
IncludeRefGeneration=The reference of object must be generated automatically
IncludeRefGenerationHelp=Check this if you want to include code to manage the generation automatically of the reference
IncludeDocGeneration=I want to generate some documents from the object
@@ -140,3 +140,4 @@ TypeOfFieldsHelp=Type of fields: varchar(99), double(24,8), real, text, html,
AsciiToHtmlConverter=Ascii to HTML converter
AsciiToPdfConverter=Ascii to PDF converter
TableNotEmptyDropCanceled=Table not empty. Drop has been canceled.
+ModuleBuilderNotAllowed=The module builder is available but not allowed to your user.
diff --git a/htdocs/langs/uz_UZ/other.lang b/htdocs/langs/uz_UZ/other.lang
index 54c0572d453..0a7b3723ab1 100644
--- a/htdocs/langs/uz_UZ/other.lang
+++ b/htdocs/langs/uz_UZ/other.lang
@@ -5,8 +5,6 @@ Tools=Tools
TMenuTools=Tools
ToolsDesc=All tools not included in other menu entries are grouped here. All the tools can be accessed via the left menu.
Birthday=Birthday
-BirthdayDate=Birthday date
-DateToBirth=Birth date
BirthdayAlertOn=birthday alert active
BirthdayAlertOff=birthday alert inactive
TransKey=Translation of the key TransKey
@@ -16,6 +14,8 @@ PreviousMonthOfInvoice=Previous month (number 1-12) of invoice date
TextPreviousMonthOfInvoice=Previous month (text) of invoice date
NextMonthOfInvoice=Following month (number 1-12) of invoice date
TextNextMonthOfInvoice=Following month (text) of invoice date
+PreviousMonth=Previous month
+CurrentMonth=Current month
ZipFileGeneratedInto=Zip file generated into %s.
DocFileGeneratedInto=Doc file generated into %s.
JumpToLogin=Disconnected. Go to login page...
@@ -99,6 +99,7 @@ PredefinedMailContentSendShipping=__(Hello)__\n\nPlease find shipping __REF__ at
PredefinedMailContentSendFichInter=__(Hello)__\n\nPlease find intervention __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.\n\n%s\n\n
PredefinedMailContentGeneric=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
+PredefinedMailContentSendActionComm=Event reminder "__EVENT_LABEL__" on __EVENT_DATE__ at __EVENT_TIME__
This is an automatic message, please do not reply.
DemoDesc=Dolibarr is a compact ERP/CRM supporting several business modules. A demo showcasing all modules makes no sense as this scenario never occurs (several hundred available). So, several demo profiles are available.
ChooseYourDemoProfil=Choose the demo profile that best suits your needs...
ChooseYourDemoProfilMore=...or build your own profile (manual module selection)
@@ -137,7 +138,7 @@ Right=Right
CalculatedWeight=Calculated weight
CalculatedVolume=Calculated volume
Weight=Weight
-WeightUnitton=tonne
+WeightUnitton=ton
WeightUnitkg=kg
WeightUnitg=g
WeightUnitmg=mg
@@ -258,6 +259,7 @@ ContactCreatedByEmailCollector=Contact/address created by email collector from e
ProjectCreatedByEmailCollector=Project created by email collector from email MSGID %s
TicketCreatedByEmailCollector=Ticket created by email collector from email MSGID %s
OpeningHoursFormatDesc=Use a - to separate opening and closing hours. Use a space to enter different ranges. Example: 8-12 14-18
+PrefixSession=Prefix for session ID
##### Export #####
ExportsArea=Exports area
diff --git a/htdocs/langs/uz_UZ/products.lang b/htdocs/langs/uz_UZ/products.lang
index 97db059594f..f0c4a5362b8 100644
--- a/htdocs/langs/uz_UZ/products.lang
+++ b/htdocs/langs/uz_UZ/products.lang
@@ -108,7 +108,8 @@ FillWithLastServiceDates=Fill with last service line dates
MultiPricesAbility=Multiple price segments per product/service (each customer is in one price segment)
MultiPricesNumPrices=Number of prices
DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices
-AssociatedProductsAbility=Activate kits (virtual products)
+AssociatedProductsAbility=Enable Kits (set of other products)
+VariantsAbility=Enable Variants (variations of products, for example color, size)
AssociatedProducts=Kits
AssociatedProductsNumber=Number of products composing this kit
ParentProductsNumber=Number of parent packaging product
@@ -167,8 +168,10 @@ BuyingPrices=Buying prices
CustomerPrices=Customer prices
SuppliersPrices=Vendor prices
SuppliersPricesOfProductsOrServices=Vendor prices (of products or services)
-CustomCode=Customs / Commodity / HS code
+CustomCode=Customs|Commodity|HS code
CountryOrigin=Origin country
+RegionStateOrigin=Region origin
+StateOrigin=State|Province origin
Nature=Nature of product (material/finished)
NatureOfProductShort=Nature of product
NatureOfProductDesc=Raw material or finished product
@@ -239,7 +242,7 @@ AlwaysUseFixedPrice=Use the fixed price
PriceByQuantity=Different prices by quantity
DisablePriceByQty=Disable prices by quantity
PriceByQuantityRange=Quantity range
-MultipriceRules=Price segment rules
+MultipriceRules=Automatic prices for segment
UseMultipriceRules=Use price segment rules (defined into product module setup) to auto calculate prices of all other segments according to first segment
PercentVariationOver=%% variation over %s
PercentDiscountOver=%% discount over %s
diff --git a/htdocs/langs/uz_UZ/recruitment.lang b/htdocs/langs/uz_UZ/recruitment.lang
index b775e78552e..437445f25dc 100644
--- a/htdocs/langs/uz_UZ/recruitment.lang
+++ b/htdocs/langs/uz_UZ/recruitment.lang
@@ -73,3 +73,4 @@ JobClosedTextCandidateFound=The job position is closed. The position has been fi
JobClosedTextCanceled=The job position is closed.
ExtrafieldsJobPosition=Complementary attributes (job positions)
ExtrafieldsCandidatures=Complementary attributes (job applications)
+MakeOffer=Make an offer
diff --git a/htdocs/langs/uz_UZ/sendings.lang b/htdocs/langs/uz_UZ/sendings.lang
index 5ce3b7f67e9..73bd9aebd42 100644
--- a/htdocs/langs/uz_UZ/sendings.lang
+++ b/htdocs/langs/uz_UZ/sendings.lang
@@ -30,6 +30,7 @@ OtherSendingsForSameOrder=Other shipments for this order
SendingsAndReceivingForSameOrder=Shipments and receipts for this order
SendingsToValidate=Shipments to validate
StatusSendingCanceled=Canceled
+StatusSendingCanceledShort=Canceled
StatusSendingDraft=Draft
StatusSendingValidated=Validated (products to ship or already shipped)
StatusSendingProcessed=Processed
@@ -65,6 +66,7 @@ ValidateOrderFirstBeforeShipment=You must first validate the order before being
# Sending methods
# ModelDocument
DocumentModelTyphon=More complete document model for delivery receipts (logo...)
+DocumentModelStorm=More complete document model for delivery receipts and extrafields compatibility (logo...)
Error_EXPEDITION_ADDON_NUMBER_NotDefined=Constant EXPEDITION_ADDON_NUMBER not defined
SumOfProductVolumes=Sum of product volumes
SumOfProductWeights=Sum of product weights
diff --git a/htdocs/langs/uz_UZ/stocks.lang b/htdocs/langs/uz_UZ/stocks.lang
index 660443bcded..6cf089096dd 100644
--- a/htdocs/langs/uz_UZ/stocks.lang
+++ b/htdocs/langs/uz_UZ/stocks.lang
@@ -240,3 +240,4 @@ InventoryRealQtyHelp=Set value to 0 to reset qty Keep field empty, or remove
UpdateByScaning=Update by scaning
UpdateByScaningProductBarcode=Update by scan (product barcode)
UpdateByScaningLot=Update by scan (lot|serial barcode)
+DisableStockChangeOfSubProduct=Deactivate the stock change for all the subproducts of this Kit during this movement.
diff --git a/htdocs/langs/uz_UZ/ticket.lang b/htdocs/langs/uz_UZ/ticket.lang
index 59519282c80..982fff90ffa 100644
--- a/htdocs/langs/uz_UZ/ticket.lang
+++ b/htdocs/langs/uz_UZ/ticket.lang
@@ -31,10 +31,8 @@ TicketDictType=Ticket - Types
TicketDictCategory=Ticket - Groupes
TicketDictSeverity=Ticket - Severities
TicketDictResolution=Ticket - Resolution
-TicketTypeShortBUGSOFT=Dysfonctionnement logiciel
-TicketTypeShortBUGHARD=Dysfonctionnement matériel
-TicketTypeShortCOM=Commercial question
+TicketTypeShortCOM=Commercial question
TicketTypeShortHELP=Request for functionnal help
TicketTypeShortISSUE=Issue, bug or problem
TicketTypeShortREQUEST=Change or enhancement request
@@ -44,7 +42,7 @@ TicketTypeShortOTHER=Other
TicketSeverityShortLOW=Low
TicketSeverityShortNORMAL=Normal
TicketSeverityShortHIGH=High
-TicketSeverityShortBLOCKING=Critical/Blocking
+TicketSeverityShortBLOCKING=Critical, Blocking
ErrorBadEmailAddress=Field '%s' incorrect
MenuTicketMyAssign=My tickets
@@ -60,7 +58,6 @@ OriginEmail=Email source
Notify_TICKET_SENTBYMAIL=Send ticket message by email
# Status
-NotRead=Not read
Read=Read
Assigned=Assigned
InProgress=In progress
@@ -126,6 +123,7 @@ TicketsActivatePublicInterfaceHelp=Public interface allow any visitors to create
TicketsAutoAssignTicket=Automatically assign the user who created the ticket
TicketsAutoAssignTicketHelp=When creating a ticket, the user can be automatically assigned to the ticket.
TicketNumberingModules=Tickets numbering module
+TicketsModelModule=Document templates for tickets
TicketNotifyTiersAtCreation=Notify third party at creation
TicketsDisableCustomerEmail=Always disable emails when a ticket is created from public interface
TicketsPublicNotificationNewMessage=Send email(s) when a new message is added
@@ -233,7 +231,6 @@ TicketLogStatusChanged=Status changed: %s to %s
TicketNotNotifyTiersAtCreate=Not notify company at create
Unread=Unread
TicketNotCreatedFromPublicInterface=Not available. Ticket was not created from public interface.
-PublicInterfaceNotEnabled=Public interface was not enabled
ErrorTicketRefRequired=Ticket reference name is required
#
diff --git a/htdocs/langs/uz_UZ/website.lang b/htdocs/langs/uz_UZ/website.lang
index 03e042e4be6..f17def114b8 100644
--- a/htdocs/langs/uz_UZ/website.lang
+++ b/htdocs/langs/uz_UZ/website.lang
@@ -30,7 +30,6 @@ EditInLine=Edit inline
AddWebsite=Add website
Webpage=Web page/container
AddPage=Add page/container
-HomePage=Home Page
PageContainer=Page
PreviewOfSiteNotYetAvailable=Preview of your website %s not yet available. You must first 'Import a full website template' or just 'Add a page/container'.
RequestedPageHasNoContentYet=Requested page with id %s has no content yet, or cache file .tpl.php was removed. Edit content of the page to solve this.
@@ -101,7 +100,7 @@ EmptyPage=Empty page
ExternalURLMustStartWithHttp=External URL must start with http:// or https://
ZipOfWebsitePackageToImport=Upload the Zip file of the website template package
ZipOfWebsitePackageToLoad=or Choose an available embedded website template package
-ShowSubcontainers=Include dynamic content
+ShowSubcontainers=Show dynamic content
InternalURLOfPage=Internal URL of page
ThisPageIsTranslationOf=This page/container is a translation of
ThisPageHasTranslationPages=This page/container has translation
@@ -137,3 +136,4 @@ RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using
PagesRegenerated=%s page(s)/container(s) regenerated
RegenerateWebsiteContent=Regenerate web site cache files
AllowedInFrames=Allowed in Frames
+DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languages into web site properties.
diff --git a/htdocs/langs/uz_UZ/withdrawals.lang b/htdocs/langs/uz_UZ/withdrawals.lang
index 114a8d9dd6c..e3bec6f9cb8 100644
--- a/htdocs/langs/uz_UZ/withdrawals.lang
+++ b/htdocs/langs/uz_UZ/withdrawals.lang
@@ -42,6 +42,7 @@ LastWithdrawalReceipt=Latest %s direct debit receipts
MakeWithdrawRequest=Make a direct debit payment request
MakeBankTransferOrder=Make a credit transfer request
WithdrawRequestsDone=%s direct debit payment requests recorded
+BankTransferRequestsDone=%s credit transfer requests recorded
ThirdPartyBankCode=Third-party bank code
NoInvoiceCouldBeWithdrawed=No invoice debited successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s.
ClassCredited=Classify credited
@@ -131,7 +132,8 @@ SEPARCUR=SEPA CUR
SEPAFRST=SEPA FRST
ExecutionDate=Execution date
CreateForSepa=Create direct debit file
-ICS=Creditor Identifier CI
+ICS=Creditor Identifier CI for direct debit
+ICSTransfer=Creditor Identifier CI for bank transfer
END_TO_END="EndToEndId" SEPA XML tag - Unique id assigned per transaction
USTRD="Unstructured" SEPA XML tag
ADDDAYS=Add days to Execution Date
@@ -146,3 +148,4 @@ InfoRejectSubject=Direct debit payment order refused
InfoRejectMessage=Hello,
the direct debit payment order of invoice %s related to the company %s, with an amount of %s has been refused by the bank.
-- %s
ModeWarning=Option for real mode was not set, we stop after this simulation
ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know wich one to use.
+ErrorICSmissing=Missing ICS in Bank account %s
diff --git a/htdocs/langs/vi_VN/accountancy.lang b/htdocs/langs/vi_VN/accountancy.lang
index 0426ce8fd0b..ed5a2ce191c 100644
--- a/htdocs/langs/vi_VN/accountancy.lang
+++ b/htdocs/langs/vi_VN/accountancy.lang
@@ -48,6 +48,7 @@ CountriesExceptMe=Tất cả các quốc gia trừ %s
AccountantFiles=Export source documents
ExportAccountingSourceDocHelp=With this tool, you can export the source events (list and PDFs) that were used to generate your accountancy. To export your journals, use the menu entry %s - %s.
VueByAccountAccounting=View by accounting account
+VueBySubAccountAccounting=View by accounting subaccount
MainAccountForCustomersNotDefined=Tài khoản kế toán chính cho khách hàng không được định nghĩa trong thiết lập
MainAccountForSuppliersNotDefined=Tài khoản kế toán chính cho các nhà cung cấp không được định nghĩa trong thiết lập
@@ -144,7 +145,7 @@ NotVentilatedinAccount=Không liên kết với tài khoản kế toán
XLineSuccessfullyBinded=%s sản phẩm/ dịch vụ được liên kết thành công với tài khoản kế toán
XLineFailedToBeBinded=%s sản phẩm/ dịch vụ không bị ràng buộc với bất kỳ tài khoản kế toán nào
-ACCOUNTING_LIMIT_LIST_VENTILATION=Số phần tử để liên kết được hiển thị theo trang (khuyến nghị tối đa: 50)
+ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50)
ACCOUNTING_LIST_SORT_VENTILATION_TODO=Bắt đầu sắp xếp trang "Liên kết cần làm" theo các yếu tố gần đây nhất
ACCOUNTING_LIST_SORT_VENTILATION_DONE=Bắt đầu sắp xếp trang "Liên kết" theo các yếu tố gần đây nhất
@@ -198,7 +199,8 @@ Docdate=Ngày
Docref=Tham chiếu
LabelAccount=Nhãn tài khoản
LabelOperation=Nhãn hoạt động
-Sens=Ý nghĩa
+Sens=Direction
+AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received For an accounting account of a supplier, use Debit to record a payment you make
LetteringCode=Mã sắp đặt chữ
Lettering=Sắp đặt chữ
Codejournal=Nhật ký
@@ -206,7 +208,8 @@ JournalLabel=Mã nhật ký
NumPiece=Số lượng cái
TransactionNumShort=Số Giao dịch
AccountingCategory=Nhóm cá nhân hóa
-GroupByAccountAccounting=Nhóm theo tài khoản kế toán
+GroupByAccountAccounting=Group by general ledger account
+GroupBySubAccountAccounting=Group by subledger account
AccountingAccountGroupsDesc=Bạn có thể định nghĩa ở đây một số nhóm tài khoản kế toán. Chúng sẽ được sử dụng cho các báo cáo kế toán đã cá nhân hóa.
ByAccounts=Theo tài khoản
ByPredefinedAccountGroups=Theo nhóm được xác định trước
@@ -248,7 +251,7 @@ PaymentsNotLinkedToProduct=Thanh toán không được liên kết với bất k
OpeningBalance=Opening balance
ShowOpeningBalance=Xem số dư
HideOpeningBalance=Ẩn số dư
-ShowSubtotalByGroup=Show subtotal by group
+ShowSubtotalByGroup=Show subtotal by level
Pcgtype=Nhóm tài khoản
PcgtypeDesc=Nhóm tài khoản được sử dụng làm tiêu chí 'bộ lọc' và 'nhóm' được xác định trước cho một số báo cáo kế toán. Ví dụ: 'THU NHẬP' hoặc 'CHI PHÍ' được sử dụng làm nhóm cho tài khoản kế toán của các sản phẩm để xây dựng báo cáo chi phí / thu nhập.
@@ -271,11 +274,13 @@ DescVentilExpenseReport=Tham khảo tại đây danh sách các dòng báo cáo
DescVentilExpenseReportMore=Nếu bạn thiết lập tài khoản kế toán theo kiểu dòng báo cáo chi phí, ứng dụng sẽ có thể thực hiện tất cả các ràng buộc giữa các dòng báo cáo chi phí và tài khoản kế toán của hệ thống đồ tài khoản của bạn, chỉ bằng một cú nhấp chuột với nút "%s" . Nếu tài khoản không được đặt trong từ điển phí hoặc nếu bạn vẫn có một số dòng không bị ràng buộc với bất kỳ tài khoản nào, bạn sẽ phải thực hiện ràng buộc thủ công từ menu " %s ".
DescVentilDoneExpenseReport=Tham khảo tại đây danh sách các dòng báo cáo chi phí và tài khoản kế toán phí của họ
+Closure=Annual closure
DescClosure=Tham khảo tại đây số lượng kết chuyển theo tháng không được xác nhận và năm tài chính đã mở
OverviewOfMovementsNotValidated=Bước 1 / Tổng quan về các kết chuyển không được xác nhận. (Cần thiết để đóng một năm tài chính)
+AllMovementsWereRecordedAsValidated=All movements were recorded as validated
+NotAllMovementsCouldBeRecordedAsValidated=Not all movements could be recorded as validated
ValidateMovements=Xác nhận các kết chuyển
DescValidateMovements=Bất kỳ sửa đổi hoặc xóa viết, chữ và xóa sẽ bị cấm. Tất cả các mục cho một thi hành phải được xác nhận nếu không việc đóng sẽ không thể thực hiện được
-SelectMonthAndValidate=Chọn tháng và xác nhận các kết chuyển
ValidateHistory=Tự động ràng buộc
AutomaticBindingDone=Tự động ràng buộc thực hiện xong
@@ -293,6 +298,7 @@ Accounted=Tài khoản trên Sổ cái
NotYetAccounted=Chưa hạch toán vào Sổ cái
ShowTutorial=Chương trình hướng dẫn
NotReconciled=Chưa đối chiếu
+WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view
## Admin
BindingOptions=Binding options
@@ -337,6 +343,7 @@ Modelcsv_LDCompta10=Xuất cho chuẩn LD Compta (v10 hoặc cao hơn)
Modelcsv_openconcerto=Xuất dữ liệu cho OpenConcerto (Kiểm tra)
Modelcsv_configurable=Xuất dữ liệu cấu hình CSV
Modelcsv_FEC=Xuất dữ liệu FEC
+Modelcsv_FEC2=Export FEC (With dates generation writing / document reversed)
Modelcsv_Sage50_Swiss=Xuất dữ liệu cho Sage 50 Thụy Sĩ
Modelcsv_winfic=Export Winfic - eWinfic - WinSis Compta
Modelcsv_Gestinumv3=Export for Gestinum (v3)
diff --git a/htdocs/langs/vi_VN/admin.lang b/htdocs/langs/vi_VN/admin.lang
index ef784047979..b6e2a4ac6f2 100644
--- a/htdocs/langs/vi_VN/admin.lang
+++ b/htdocs/langs/vi_VN/admin.lang
@@ -56,6 +56,8 @@ GUISetup=Hiển thị
SetupArea=Thiết lập
UploadNewTemplate=Tải lên (các) mẫu mới
FormToTestFileUploadForm=Mẫu để thử nghiệm việc tải lên tập tin (dựa theo thiết lập)
+ModuleMustBeEnabled=The module/application %s must be enabled
+ModuleIsEnabled=The module/application %s has been enabled
IfModuleEnabled=Ghi chú: Yes chỉ có tác dụng nếu module %s được mở
RemoveLock=Xóa / đổi tên tệp %s nếu nó tồn tại, để cho phép sử dụng công cụ Cập nhật / Cài đặt.
RestoreLock=Khôi phục tệp %s , chỉ với quyền đọc, để vô hiệu hóa bất kỳ việc sử dụng thêm công cụ Cập nhật / Cài đặt nào.
@@ -85,7 +87,6 @@ ShowPreview=Hiển thị xem trước
ShowHideDetails=Show-Hide details
PreviewNotAvailable=Xem trước không sẵn có
ThemeCurrentlyActive=Giao diện hiện đã kích hoạt
-CurrentTimeZone=Mã vùng thời gian PHP (server)
MySQLTimeZone=TimeZone MySql (database)
TZHasNoEffect=Ngày được lưu trữ và trả về bởi máy chủ cơ sở dữ liệu như thể chúng được giữ dưới dạng chuỗi đã gửi. Múi giờ chỉ có hiệu lực khi sử dụng hàm UNIX_TIMESTAMP (không nên sử dụng bởi Dolibarr, vì vậy TZ cơ sở dữ liệu sẽ không có hiệu lực, ngay cả khi đã thay đổi sau khi nhập dữ liệu).
Space=Khoảng trống
@@ -153,8 +154,8 @@ SystemToolsAreaDesc=Khu vực này cung cấp các chức năng quản trị. S
Purge=Thanh lọc
PurgeAreaDesc=Trang này cho phép bạn xóa tất cả các tệp được tạo hoặc lưu trữ bởi Dolibarr (các tệp tạm thời hoặc tất cả các tệp trong thư mục %s ). Sử dụng tính năng này thường không cần thiết. Nó được cung cấp như một cách giải quyết cho người dùng có Dolibarr được lưu trữ bởi nhà cung cấp không cung cấp quyền xóa các tệp được tạo bởi máy chủ web.
PurgeDeleteLogFile=Xóa tập tin nhật ký %s được tạo bởi mô-đun Syslog (không gây nguy hiểm mất dữ liệu)
-PurgeDeleteTemporaryFiles=Xóa tất cả các tệp tạm thời (không có nguy cơ mất dữ liệu). Lưu ý: Việc xóa chỉ được thực hiện nếu thư mục tạm thời được tạo 24 giờ trước.
-PurgeDeleteTemporaryFilesShort=Xóa các tập tin tạm thời
+PurgeDeleteTemporaryFiles=Delete all log and temporary files (no risk of losing data). Note: Deletion of temporary files is done only if the temp directory was created more than 24 hours ago.
+PurgeDeleteTemporaryFilesShort=Delete log and temporary files
PurgeDeleteAllFilesInDocumentsDir=Xóa tất cả các tệp trong thư mục: %s . Việc này sẽ xóa tất cả các tài liệu được tạo liên quan đến các yếu tố (bên thứ ba, hóa đơn, v.v.), các tệp được tải lên mô-đun ECM, các bản sao lưu cơ sở dữ liệu và các tệp tạm thời.
PurgeRunNow=Thanh lọc bây giờ
PurgeNothingToDelete=Không có thư mục hoặc tập tin để xóa.
@@ -256,6 +257,7 @@ ReferencedPreferredPartners=Đối tác ưu tiên
OtherResources=Các tài nguyên khác
ExternalResources=Tài nguyên bên ngoài
SocialNetworks=Mạng xã hội
+SocialNetworkId=Social Network ID
ForDocumentationSeeWiki=For user or developer documentation (Doc, FAQs...), take a look at the Dolibarr Wiki: %s
ForAnswersSeeForum=For any other questions/help, you can use the Dolibarr forum: %s
HelpCenterDesc1=Dưới đây là một số tài nguyên để nhận trợ giúp và hỗ trợ với Dolibarr.
@@ -375,7 +377,7 @@ ExamplesWithCurrentSetup=Ví dụ với cấu hình hiện tại
ListOfDirectories=List of OpenDocument templates directories
ListOfDirectoriesForModelGenODT=Danh sách các thư mục chứa các tệp mẫu với định dạng OpenDocument.
Đặt ở đây đường dẫn đầy đủ của các thư mục. Thêm một trở lại đầu giữa thư mục eah. Để thêm một thư mục của mô-đun GED, thêm ở đây DOL_DATA_ROOT/ecm/yourdirectoryname.
Các tệp trong các thư mục đó phải kết thúc bằng .odt hoặc .ods.
NumberOfModelFilesFound=Số tệp mẫu ODT / ODS được tìm thấy trong các thư mục này
-ExampleOfDirectoriesForModelGen=Examples of syntax: c:\\mydir /home/mydir DOL_DATA_ROOT/ecm/ecmdir
+ExampleOfDirectoriesForModelGen=Examples of syntax: c:\\myapp\\mydocumentdir\\mysubdir /home/myapp/mydocumentdir/mysubdir DOL_DATA_ROOT/ecm/ecmdir
FollowingSubstitutionKeysCanBeUsed= To know how to create your odt document templates, before storing them in those directories, read wiki documentation:
FullListOnOnlineDocumentation=http://wiki.dolibarr.org/index.php/Create_an_ODT_document_template
FirstnameNamePosition=Chức vụ của Tên/Họ
@@ -406,7 +408,7 @@ UrlGenerationParameters=Các thông số để bảo mật URL
SecurityTokenIsUnique=Sử dụng một tham số securekey duy nhất cho mỗi URL
EnterRefToBuildUrl=Nhập tham chiếu cho đối tượng %s
GetSecuredUrl=Nhận URL được tính
-ButtonHideUnauthorized=Ẩn các nút cho người dùng không phải quản trị viên cho các hành động không được phép thay vì hiển thị các nút bị tắt màu xám
+ButtonHideUnauthorized=Hide unauthorized action buttons also for internal users (just greyed otherwise)
OldVATRates=Thuế suất VAT cũ
NewVATRates=Thuế suất VAT mới
PriceBaseTypeToChange=Sửa đổi về giá với giá trị tham chiếu cơ sở được xác định trên
@@ -1689,7 +1691,7 @@ NotTopTreeMenuPersonalized=Các menu được cá nhân hóa không được li
NewMenu=Menu mới
MenuHandler=Xử lý menu
MenuModule=Module nguồn
-HideUnauthorizedMenu= Ẩn menu không được phép (màu xám)
+HideUnauthorizedMenu=Hide unauthorized menus also for internal users (just greyed otherwise)
DetailId=ID menu
DetailMenuHandler=Xử lý menu nơi hiển thị menu mới
DetailMenuModule=Tên module nếu menu vào đến từ một module
@@ -1983,11 +1985,12 @@ EMailHost=Máy chủ email IMAP
MailboxSourceDirectory=Thư mục nguồn hộp thư
MailboxTargetDirectory=Thư mục đích hộp thư
EmailcollectorOperations=Hoạt động để làm bởi trình thu thập
+EmailcollectorOperationsDesc=Operations are executed from top to bottom order
MaxEmailCollectPerCollect=Số lượng email tối đa được thu thập trên mỗi thu thập
CollectNow=Thu thập ngay bây giờ
ConfirmCloneEmailCollector=Bạn có chắc chắn muốn sao chép trình thu thập Email %s không?
-DateLastCollectResult=Ngày thu thập mới nhất đã thử
-DateLastcollectResultOk=Ngày thu thập mới nhất thành công
+DateLastCollectResult=Date of latest collect try
+DateLastcollectResultOk=Date of latest collect success
LastResult=Kết quả mới nhất
EmailCollectorConfirmCollectTitle=Email xác nhận thu thập
EmailCollectorConfirmCollect=Bạn có muốn chạy trình thu thập cho thu thập này bây giờ không?
@@ -2005,7 +2008,7 @@ WithDolTrackingID=Message from a conversation initiated by a first email sent fr
WithoutDolTrackingID=Message from a conversation initiated by a first email NOT sent from Dolibarr
WithDolTrackingIDInMsgId=Message sent from Dolibarr
WithoutDolTrackingIDInMsgId=Message NOT sent from Dolibarr
-CreateCandidature=Create candidature
+CreateCandidature=Create job application
FormatZip=Zip
MainMenuCode=Mã mục nhập menu (mainmenu)
ECMAutoTree=Hiển thị cây ECM tự động
@@ -2083,3 +2086,7 @@ CountryIfSpecificToOneCountry=Country (if specific to a given country)
YouMayFindSecurityAdviceHere=You may find security advisory here
ModuleActivatedMayExposeInformation=This module may expose sensitive data. If you don't need it, disable it.
ModuleActivatedDoNotUseInProduction=A module designed for the development has been enabled. Do not enable it on a production environment.
+CombinationsSeparator=Separator character for product combinations
+SeeLinkToOnlineDocumentation=See link to online documention on top menu for examples
+SHOW_SUBPRODUCT_REF_IN_PDF=If the feature "%s" of module %s is used, show details of subproducts of a kit on PDF.
+AskThisIDToYourBank=Contact your bank to get this ID
diff --git a/htdocs/langs/vi_VN/banks.lang b/htdocs/langs/vi_VN/banks.lang
index 162d7062272..21917a81833 100644
--- a/htdocs/langs/vi_VN/banks.lang
+++ b/htdocs/langs/vi_VN/banks.lang
@@ -173,8 +173,8 @@ SEPAMandate=Ủy quyền SEPA
YourSEPAMandate=Ủy quyền SEPA của bạn
FindYourSEPAMandate=Đây là ủy quyền SEPA của bạn để ủy quyền cho công ty chúng tôi thực hiện lệnh ghi nợ trực tiếp vào ngân hàng của bạn. Trả lại nó đã ký (quét tài liệu đã ký) hoặc gửi thư đến
AutoReportLastAccountStatement=Tự động điền vào trường "số báo cáo ngân hàng" với số sao kê cuối cùng khi thực hiện đối chiếu
-CashControl=Rào cản tiền mặt POS
-NewCashFence=Rào cản tiền mặt mới
+CashControl=POS cash desk control
+NewCashFence=New cash desk closing
BankColorizeMovement=Tô màu cho các kết chuyển
BankColorizeMovementDesc=Nếu chức năng này được bật, bạn có thể chọn màu nền cụ thể cho các kết chuyển ghi nợ hoặc tín dụng
BankColorizeMovementName1=Màu nền cho kết chuyển ghi nợ
diff --git a/htdocs/langs/vi_VN/blockedlog.lang b/htdocs/langs/vi_VN/blockedlog.lang
index d0ed0570da4..9b3a20f1438 100644
--- a/htdocs/langs/vi_VN/blockedlog.lang
+++ b/htdocs/langs/vi_VN/blockedlog.lang
@@ -8,7 +8,7 @@ BrowseBlockedLog=Nhật ký không thể thay đổi
ShowAllFingerPrintsMightBeTooLong=Hiển thị tất cả các nhật ký lưu trữ (có thể dài)
ShowAllFingerPrintsErrorsMightBeTooLong=Hiển thị tất cả các nhật ký lưu trữ không hợp lệ (có thể dài)
DownloadBlockChain=Tải dấu vân tay
-KoCheckFingerprintValidity=Archived log entry is not valid. It means someone (a hacker?) has modified some data of this record after it was recorded, or has erased the previous archived record (check that line with previous # exists).
+KoCheckFingerprintValidity=Lưu trữ nhật ký không hợp lệ. Nó có nghĩa là ai đó (một hacker?) Đã sửa đổi một số dữ liệu của lần này sau khi nó được ghi lại hoặc đã xóa bản ghi lưu trữ trước đó (kiểm tra dòng đó với # tồn tại trước đó).
OkCheckFingerprintValidity=Bản ghi nhật ký lưu trữ là hợp lệ. Dữ liệu trên dòng này không được sửa đổi và mục nhập theo sau.
OkCheckFingerprintValidityButChainIsKo=Nhật ký lưu trữ có vẻ hợp lệ so với trước đó nhưng chuỗi đã bị hỏng trước đó.
AddedByAuthority=Lưu trữ vào ủy quyền từ xa
@@ -35,7 +35,7 @@ logDON_DELETE=Đóng góp được xóa logic
logMEMBER_SUBSCRIPTION_CREATE=Đăng ký thành viên đã tạo
logMEMBER_SUBSCRIPTION_MODIFY=Đăng ký thành viên đã sửa đổi
logMEMBER_SUBSCRIPTION_DELETE=Đăng ký thành viên đã xóa logic
-logCASHCONTROL_VALIDATE=Hàng rào tiền mặt ghi lại
+logCASHCONTROL_VALIDATE=Cash desk closing recording
BlockedLogBillDownload=Tải hóa đơn khách hàng
BlockedLogBillPreview=Xem trước hóa đơn khách hàng
BlockedlogInfoDialog=Chi tiết nhật ký
diff --git a/htdocs/langs/vi_VN/boxes.lang b/htdocs/langs/vi_VN/boxes.lang
index a92b40fb524..b0df817ba6e 100644
--- a/htdocs/langs/vi_VN/boxes.lang
+++ b/htdocs/langs/vi_VN/boxes.lang
@@ -46,9 +46,12 @@ BoxTitleLastModifiedDonations=Đóng góp sửa đổi mới nhất %s
BoxTitleLastModifiedExpenses=Báo cáo chi phí sửa đổi mới nhất %s
BoxTitleLatestModifiedBoms=BOMs sửa đổi mới nhất %s
BoxTitleLatestModifiedMos=Đơn đặt hàng sản xuất sửa đổi mới nhất %s
+BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded
BoxGlobalActivity=Hoạt động toàn cầu (hoá đơn, đề xuất, đơn đặt hàng)
BoxGoodCustomers=Khách hàng thân thiết
BoxTitleGoodCustomers=%s Khách hàng thân thiết
+BoxScheduledJobs=Công việc theo lịch trình
+BoxTitleFunnelOfProspection=Lead funnel
FailedToRefreshDataInfoNotUpToDate=Không thể làm mới thông lượng RSS. Ngày làm mới thành công mới nhất: %s
LastRefreshDate=Ngày làm tươi mới nhất
NoRecordedBookmarks=Không có dấu trang được xác định.
@@ -102,5 +105,7 @@ SuspenseAccountNotDefined=Tài khoản bị đình chỉ không được xác đ
BoxLastCustomerShipments=Lô hàng cuối cùng của khách hàng
BoxTitleLastCustomerShipments=Lô hàng mới nhất của khách hàng %s
NoRecordedShipments=Không ghi nhận lô hàng của khách hàng
+BoxCustomersOutstandingBillReached=Customers with oustanding limit reached
# Pages
AccountancyHome=Kế toán
+ValidatedProjects=Validated projects
diff --git a/htdocs/langs/vi_VN/cashdesk.lang b/htdocs/langs/vi_VN/cashdesk.lang
index b71e1adb3c9..e988007469f 100644
--- a/htdocs/langs/vi_VN/cashdesk.lang
+++ b/htdocs/langs/vi_VN/cashdesk.lang
@@ -49,8 +49,8 @@ Footer=Chân trang
AmountAtEndOfPeriod=Số tiền cuối kỳ (ngày, tháng hoặc năm)
TheoricalAmount=Số lượng lý thuyết
RealAmount=Số tiền thực tế
-CashFence=Cash fence
-CashFenceDone=Rào cản tiền mặt được thực hiện trong kỳ
+CashFence=Cash desk closing
+CashFenceDone=Cash desk closing done for the period
NbOfInvoices=Nb của hoá đơn
Paymentnumpad=Loại Bảng để nhập thanh toán
Numberspad=Bảng số
@@ -99,8 +99,9 @@ CashDeskRefNumberingModules=Numbering module for POS sales
CashDeskGenericMaskCodes6 = {TN}được sử dụng để thêm số thiết bị đầu cuối
TakeposGroupSameProduct=Nhóm sản phẩm cùng dòng
StartAParallelSale=Bắt đầu bán hàng mới
-ControlCashOpening=Control cash box at opening POS
-CloseCashFence=Close cash fence
+SaleStartedAt=Sale started at %s
+ControlCashOpening=Control cash popup at opening POS
+CloseCashFence=Close cash desk control
CashReport=Báo cáo tiền mặt
MainPrinterToUse=Máy in chính để dùng
OrderPrinterToUse=Máy in đơn hàng để dùng
@@ -122,3 +123,4 @@ GiftReceipt=Gift receipt
ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled first
AllowDelayedPayment=Allow delayed payment
PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts
+WeighingScale=Weighing scale
diff --git a/htdocs/langs/vi_VN/categories.lang b/htdocs/langs/vi_VN/categories.lang
index bb15ed66bb6..c7947d9a0d0 100644
--- a/htdocs/langs/vi_VN/categories.lang
+++ b/htdocs/langs/vi_VN/categories.lang
@@ -19,6 +19,7 @@ ProjectsCategoriesArea=Khu vực thẻ/ danh mục dự án
UsersCategoriesArea=Khu vực thẻ/ danh mục người dùng
SubCats=Danh mục con
CatList=Danh sách thẻ/danh mục
+CatListAll=List of tags/categories (all types)
NewCategory=Thẻ/danh mục mới
ModifCat=Sửa thẻ/ danh mục
CatCreated=Thẻ/danh mục đã tạo
@@ -65,16 +66,22 @@ UsersCategoriesShort=thẻ/ danh mục Người dùng
StockCategoriesShort=thẻ/ danh mục Kho
ThisCategoryHasNoItems=Danh mục này không có dữ liệu nào
CategId=ID thẻ/ danh mục
-CatSupList=Danh sách Nhà cung cấp thẻ/ danh mục
-CatCusList=Danh sách khách hàng/ tiềm năng thẻ/ danh mục
+ParentCategory=Parent tag/category
+ParentCategoryLabel=Label of parent tag/category
+CatSupList=List of vendors tags/categories
+CatCusList=List of customers/prospects tags/categories
CatProdList=Danh sách sản phẩm thẻ/danh mục
CatMemberList=Danh sách thành viên thẻ/ danh mục
-CatContactList=Danh sách liên lạc thẻ/ danh mục
-CatSupLinks=Liên kết giữa nhà cung cấp và thẻ/ danh mục
+CatContactList=List of contacts tags/categories
+CatProjectsList=List of projects tags/categories
+CatUsersList=List of users tags/categories
+CatSupLinks=Links between vendors and tags/categories
CatCusLinks=Liên kết giữa khách hàng/ tiềm năng và thẻ/ danh mục
CatContactsLinks=Liên kết Liên hệ/địa chỉ với danh mục
CatProdLinks=Liên kết giữa sản phẩm/ dịch vụ và thẻ/ danh mục
-CatProJectLinks=Liên kết giữa dự án và thẻ/ danh mục
+CatMembersLinks=Links between members and tags/categories
+CatProjectsLinks=Liên kết giữa dự án và thẻ/ danh mục
+CatUsersLinks=Links between users and tags/categories
DeleteFromCat=Xóa khỏi thẻ/ danh mục
ExtraFieldsCategories=Thuộc tính bổ sung
CategoriesSetup=Thiết lập thẻ/ danh mục
diff --git a/htdocs/langs/vi_VN/companies.lang b/htdocs/langs/vi_VN/companies.lang
index e559f40ecb5..38e3c5dad27 100644
--- a/htdocs/langs/vi_VN/companies.lang
+++ b/htdocs/langs/vi_VN/companies.lang
@@ -358,7 +358,7 @@ VATIntraCheckableOnEUSite=Kiểm tra ID VAT nội bộ cộng đồng trên tran
VATIntraManualCheck=Bạn cũng có thể kiểm tra thủ công trên trang web của Ủy ban Châu Âu %s
ErrorVATCheckMS_UNAVAILABLE=Check not possible. Check service is not provided by the member state (%s).
NorProspectNorCustomer=Không phải triển vọng, cũng không phải khách hàng
-JuridicalStatus=Loại pháp nhân
+JuridicalStatus=Business entity type
Workforce=Workforce
Staff=Nhân viên
ProspectLevelShort=Tiềm năng
diff --git a/htdocs/langs/vi_VN/compta.lang b/htdocs/langs/vi_VN/compta.lang
index f1cc23cf244..fda16aecf93 100644
--- a/htdocs/langs/vi_VN/compta.lang
+++ b/htdocs/langs/vi_VN/compta.lang
@@ -111,7 +111,7 @@ Refund=Hoàn thuế
SocialContributionsPayments=Thanh toán thuế xã hội / tài chính
ShowVatPayment=Hiện nộp thuế GTGT
TotalToPay=Tổng số trả
-BalanceVisibilityDependsOnSortAndFilters=Số dư chỉ hiển thị trong danh sách này nếu bảng được sắp xếp tăng dần trên %s và được lọc cho 1 tài khoản ngân hàng
+BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted on %s and filtered on 1 bank account (with no other filters)
CustomerAccountancyCode=Mã kế toán khách hàng
SupplierAccountancyCode=Mã kế toán nhà cung cấp
CustomerAccountancyCodeShort=Mã K.toán K.H
@@ -140,7 +140,7 @@ ConfirmDeleteSocialContribution=Bạn có chắc chắn muốn xóa khoản than
ExportDataset_tax_1=Thuế và tài chính xã hội và thanh toán
CalcModeVATDebt=Chế độ %sVAT về kế toán cam kết%s.
CalcModeVATEngagement=Chế độ %sVAT đối với thu nhập-chi phí%s.
-CalcModeDebt=Phân tích các hóa đơn được ghi lại ngay cả khi chúng chưa được hạch toán vào sổ cái.
+CalcModeDebt=Analysis of known recorded documents even if they are not yet accounted in ledger.
CalcModeEngagement=Phân tích các khoản thanh toán được ghi lại, ngay cả khi chúng chưa được hạch toán vào sổ cái.
CalcModeBookkeeping=Phân tích dữ liệu được báo cáo trong bảng Sổ sách kế toán.
CalcModeLT1= Chế độ %sRE trên hoá đơn của khách hàng - nhà cung cấp hoá đơn%s
@@ -154,9 +154,9 @@ AnnualSummaryInputOutputMode=Cán cân thu nhập và chi phí, tổng kết hà
AnnualByCompanies=Cân đối thu nhập và chi phí, theo các nhóm tài khoản được xác định trước
AnnualByCompaniesDueDebtMode=Cân đối thu nhập và chi phí, chi tiết theo các nhóm được xác định trước, chế độ %sKhiếu nại - Nợ%s cho biết Kế toán cam kết .
AnnualByCompaniesInputOutputMode=Cân đối thu nhập và chi phí, chi tiết theo các nhóm được xác định trước, chế độ %sThu nhập - Chi phí %s cho biết kế toán tiền mặt .
-SeeReportInInputOutputMode=Xem %s Phân tích thanh toán %s để biết tính toán về các khoản thanh toán thực tế được thực hiện ngay cả khi chúng chưa được hạch toán vào Sổ cái.
-SeeReportInDueDebtMode=Xem %s phân tích hóa đơn%s để biết cách tính toán dựa trên hóa đơn đã ghi ngay cả khi chúng chưa được hạch toán vào Sổ cái.
-SeeReportInBookkeepingMode=Xem %s Sổ sách báo cáo %s để biết tính toán trên bảng Sổ sách kế toán
+SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation based on recorded payments made even if they are not yet accounted in Ledger
+SeeReportInDueDebtMode=See %sanalysis of recorded documents%s for a calculation based on known recorded documents even if they are not yet accounted in Ledger
+SeeReportInBookkeepingMode=See %sanalysis of bookeeping ledger table%s for a report based on Bookkeeping Ledger table
RulesAmountWithTaxIncluded=- Các khoản hiển thị là với tất cả các loại thuế bao gồm
RulesResultDue=- It includes outstanding invoices, expenses, VAT, donations whether they are paid or not. Is also includes paid salaries. - It is based on the billing date of invoices and on the due date for expenses or tax payments. For salaries defined with Salary module, the value date of payment is used.
RulesResultInOut=- Nó bao gồm các khoản thanh toán thực tế được thực hiện trên hóa đơn, chi phí, VAT và tiền lương. - Nó dựa trên ngày thanh toán của hóa đơn, chi phí, VAT và tiền lương. Ngày quyên góp.
@@ -169,12 +169,15 @@ RulesResultBookkeepingPersonalized=Nó hiển thị ghi nhận trong Sổ cái c
SeePageForSetup=Xem menu %s để thiết lập
DepositsAreNotIncluded=- Không bao gồm hóa đơn giảm thanh toán
DepositsAreIncluded=- Bao gồm hóa đơn giảm thanh toán
+LT1ReportByMonth=Tax 2 report by month
+LT2ReportByMonth=Tax 3 report by month
LT1ReportByCustomers=Báo cáo thuế 2 của bên thứ ba
LT2ReportByCustomers=Báo cáo thuế 3 của bên thứ ba
LT1ReportByCustomersES=Báo cáo của bên thứ ba RE
LT2ReportByCustomersES=Báo cáo của bên thứ ba IRPF
VATReport=Báo cáo thuế bán hàng
VATReportByPeriods=Báo cáo thuế bán theo kỳ
+VATReportByMonth=Sale tax report by month
VATReportByRates=Báo cáo thuế bán hàng theo thuế suất
VATReportByThirdParties=Báo cáo thuế bán hàng của bên thứ ba
VATReportByCustomers=Báo cáo thuế bán hàng của khách hàng
diff --git a/htdocs/langs/vi_VN/cron.lang b/htdocs/langs/vi_VN/cron.lang
index 0a3630cf45d..3ea052d3289 100644
--- a/htdocs/langs/vi_VN/cron.lang
+++ b/htdocs/langs/vi_VN/cron.lang
@@ -7,13 +7,14 @@ Permission23103 = Xóa công việc theo lịch trình
Permission23104 = Thực hiện công việc theo lịch trình
# Admin
CronSetup=Thiết lập quản lý công việc theo lịch trình
-URLToLaunchCronJobs=URL để kiểm tra và khởi chạy các công việc định kỳ đủ điều kiện
-OrToLaunchASpecificJob=Hoặc để kiểm tra và khởi động một công việc cụ thể
+URLToLaunchCronJobs=URL to check and launch qualified cron jobs from a browser
+OrToLaunchASpecificJob=Or to check and launch a specific job from a browser
KeyForCronAccess=Khóa bảo mật cho URL để khởi chạy các công việc định kỳ
FileToLaunchCronJobs=Dòng lệnh để kiểm tra và khởi chạy các công việc định kỳ đủ điều kiện
CronExplainHowToRunUnix=Trên môi trường Unix, bạn nên sử dụng mục crontab sau để chạy dòng lệnh mỗi 5 phút
CronExplainHowToRunWin=Trên môi trường Microsoft (tm) Windows, bạn có thể sử dụng các công cụ Tác vụ theo lịch để chạy dòng lệnh mỗi 5 phút
CronMethodDoesNotExists=Lớp %s không chứa bất kỳ phương thức nào %s
+CronMethodNotAllowed=Method %s of class %s is in blacklist of forbidden methods
CronJobDefDesc=Hồ sơ công việc theo định kỳ được xác định vào tập tin mô tả mô-đun. Khi mô-đun được kích hoạt, chúng được tải và có sẵn để bạn có thể quản lý các công việc từ menu công cụ quản trị %s.
CronJobProfiles=Danh sách hồ sơ công việc định kỳ được xác định trước
# Menu
@@ -46,6 +47,7 @@ CronNbRun=Số lần khởi chạy
CronMaxRun=Số lần khởi chạy tối đa
CronEach=Mỗi
JobFinished=Công việc khởi chạy và kết thúc
+Scheduled=Scheduled
#Page card
CronAdd= Thêm công việc
CronEvery=Thực hiện mỗi công việc
@@ -56,7 +58,7 @@ CronNote=Nhận xét
CronFieldMandatory=Các trường %s là bắt buộc
CronErrEndDateStartDt=Ngày kết thúc không thể trước ngày bắt đầu
StatusAtInstall=Trạng thái khi cài đặt mô-đun
-CronStatusActiveBtn=Kích hoạt
+CronStatusActiveBtn=Schedule
CronStatusInactiveBtn=Vô hiệu hoá
CronTaskInactive=Công việc này bị vô hiệu hóa
CronId=Id
@@ -82,3 +84,8 @@ MakeLocalDatabaseDumpShort=Sao lưu cơ sở dữ liệu cục bộ
MakeLocalDatabaseDump=Tạo một kết xuất cơ sở dữ liệu cục bộ. Các tham số là: nén('gz' hoặc 'bz' hoặc 'none'), loại sao lưu ('mysql', 'pssql', 'auto'), 1, 'auto' hoặc tên tệp để tạo, số lượng tệp sao lưu cần giữ
WarningCronDelayed=Chú ý, vì mục đích hiệu suất, bất kể ngày nào là ngày thực hiện các công việc được kích hoạt, công việc của bạn có thể bị trì hoãn tối đa là %s giờ trước khi được chạy.
DATAPOLICYJob=Trình dọn dẹp dữ liệu và ẩn danh
+JobXMustBeEnabled=Job %s must be enabled
+# Cron Boxes
+LastExecutedScheduledJob=Last executed scheduled job
+NextScheduledJobExecute=Next scheduled job to execute
+NumberScheduledJobError=Number of scheduled jobs in error
diff --git a/htdocs/langs/vi_VN/errors.lang b/htdocs/langs/vi_VN/errors.lang
index 5c97da8e340..1413520f21d 100644
--- a/htdocs/langs/vi_VN/errors.lang
+++ b/htdocs/langs/vi_VN/errors.lang
@@ -5,8 +5,10 @@ NoErrorCommitIsDone=Không có lỗi, chúng tôi cam kết
# Errors
ErrorButCommitIsDone=Lỗi được tìm thấy nhưng chúng tôi xác nhận mặc dù điều này
ErrorBadEMail=Email %s là sai
+ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record)
ErrorBadUrl=Url% s là sai
ErrorBadValueForParamNotAString=Giá trị xấu cho tham số của bạn. Nói chung khi dịch bị thiếu.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorLoginAlreadyExists=Đăng nhập% s đã tồn tại.
ErrorGroupAlreadyExists=Nhóm% s đã tồn tại.
ErrorRecordNotFound=Ghi lại không tìm thấy.
@@ -48,6 +50,7 @@ ErrorFieldsRequired=Một số trường yêu cầu không được lấp đầy
ErrorSubjectIsRequired=Chủ đề email là bắt buộc
ErrorFailedToCreateDir=Không thể tạo một thư mục. Kiểm tra xem người sử dụng máy chủ web có quyền ghi vào thư mục tài liệu Dolibarr. Nếu tham số safe_mode được kích hoạt trên PHP này, hãy kiểm tra các tập tin php Dolibarr sở hữu cho người sử dụng máy chủ web (hoặc một nhóm).
ErrorNoMailDefinedForThisUser=Không có thư xác định cho người dùng này
+ErrorSetupOfEmailsNotComplete=Setup of emails is not complete
ErrorFeatureNeedJavascript=Tính năng này cần javascript để được kích hoạt để làm việc. Thay đổi điều này trong thiết lập - hiển thị.
ErrorTopMenuMustHaveAParentWithId0=Một thực đơn của loại 'Top' không thể có một trình đơn phụ huynh. Đặt 0 trong trình đơn phụ huynh hoặc chọn một trình đơn của loại 'trái'.
ErrorLeftMenuMustHaveAParentId=Một thực đơn của loại 'trái' phải có một id cha mẹ.
@@ -75,7 +78,7 @@ ErrorExportDuplicateProfil=Tên hồ sơ này đã tồn tại cho bộ xuất k
ErrorLDAPSetupNotComplete=Dolibarr-LDAP phù hợp là không đầy đủ.
ErrorLDAPMakeManualTest=Một tập tin .ldif đã được tạo ra trong thư mục% s. Hãy thử để tải nó bằng tay từ dòng lệnh để có thêm thông tin về lỗi.
ErrorCantSaveADoneUserWithZeroPercentage=Không thể lưu một hành động với "trạng thái chưa bắt đầu" nếu trường "được thực hiện bởi" cũng được điền.
-ErrorRefAlreadyExists=Tài liệu tham khảo dùng để tạo đã tồn tại.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorPleaseTypeBankTransactionReportName=Vui lòng nhập tên sao kê ngân hàng nơi mục nhập phải được báo cáo (Định dạng YYYYMM hoặc YYYYMMDD)
ErrorRecordHasChildren=Không thể xóa hồ sơ vì nó có một số hồ sơ con.
ErrorRecordHasAtLeastOneChildOfType=Đối tượng có ít nhất một con của loại %s
@@ -216,7 +219,7 @@ ErrorChooseBetweenFreeEntryOrPredefinedProduct=Bạn phải chọn nếu sản p
ErrorDiscountLargerThanRemainToPaySplitItBefore=Giảm giá bạn cố gắng áp dụng là lớn hơn tiền còn lại để trả. Chia giảm giá trong 2 giảm giá nhỏ hơn trước.
ErrorFileNotFoundWithSharedLink=Tập tin không được tìm thấy. Có thể là khóa chia sẻ đã được sửa đổi hoặc tập tin đã bị xóa gần đây.
ErrorProductBarCodeAlreadyExists=Mã vạch sản phẩm %s đã tồn tại trên một tham chiếu sản phẩm khác.
-ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Cũng lưu ý rằng việc sử dụng sản phẩm ảo để tự động tăng / giảm sản phẩm con là không thể khi ít nhất một sản phẩm phụ (hoặc sản phẩm phụ của sản phẩm phụ) cần số sê-ri/ lô.
+ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using kits to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number.
ErrorDescRequiredForFreeProductLines=Mô tả là bắt buộc đối với các dòng có sản phẩm miễn phí
ErrorAPageWithThisNameOrAliasAlreadyExists=Trang/ khung chứa %s có cùng tên hoặc bí danh thay thế mà bạn cố gắng sử dụng
ErrorDuringChartLoad=Lỗi khi tải hệ thống tài khoản. Nếu một vài tài khoản chưa được tải, bạn vẫn có thể nhập chúng theo cách thủ công.
@@ -243,6 +246,16 @@ ErrorReplaceStringEmpty=Lỗi, cụm từ để thay thế đang trống
ErrorProductNeedBatchNumber=Error, product '%s' need a lot/serial number
ErrorProductDoesNotNeedBatchNumber=Error, product '%s' does not accept a lot/serial number
ErrorFailedToReadObject=Error, failed to read object of type %s
+ErrorParameterMustBeEnabledToAllwoThisFeature=Error, parameter %s must be enabled into conf/conf.php to allow use of Command Line Interface by the internal job scheduler
+ErrorLoginDateValidity=Error, this login is outside the validity date range
+ErrorValueLength=Length of field '%s' must be higher than '%s'
+ErrorReservedKeyword=The word '%s' is a reserved keyword
+ErrorNotAvailableWithThisDistribution=Not available with this distribution
+ErrorPublicInterfaceNotEnabled=Giao diện công cộng không được kích hoạt
+ErrorLanguageRequiredIfPageIsTranslationOfAnother=The language of new page must be defined if it is set as a translation of another page
+ErrorLanguageMustNotBeSourceLanguageIfPageIsTranslationOfAnother=The language of new page must not be the source language if it is set as a translation of another page
+ErrorAParameterIsRequiredForThisOperation=A parameter is mandatory for this operation
+
# Warnings
WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Tham số PHP của bạn upload_max_filesize (%s) cao hơn tham số PHP post_max_size (%s). Đây không phải là một thiết lập phù hợp.
WarningPasswordSetWithNoAccount=Một mật khẩu đã được đặt cho thành viên này. Tuy nhiên, không có tài khoản người dùng nào được tạo. Vì vậy, mật khẩu này được lưu trữ nhưng không thể được sử dụng để đăng nhập vào Dolibarr. Nó có thể được sử dụng bởi một mô-đun / giao diện bên ngoài nhưng nếu bạn không cần xác định bất kỳ thông tin đăng nhập hay mật khẩu nào cho thành viên, bạn có thể tắt tùy chọn "Quản lý đăng nhập cho từng thành viên" từ thiết lập mô-đun Thành viên. Nếu bạn cần quản lý thông tin đăng nhập nhưng không cần bất kỳ mật khẩu nào, bạn có thể để trống trường này để tránh cảnh báo này. Lưu ý: Email cũng có thể được sử dụng làm thông tin đăng nhập nếu thành viên được liên kết với người dùng.
@@ -267,6 +280,10 @@ WarningYourLoginWasModifiedPleaseLogin=Đăng nhập của bạn đã được s
WarningAnEntryAlreadyExistForTransKey=Một mục đã tồn tại cho khóa dịch của ngôn ngữ này
WarningNumberOfRecipientIsRestrictedInMassAction=Cảnh báo, số lượng người nhận khác nhau được giới hạn ở %s khi sử dụng các hành động hàng loạt trong danh sách
WarningDateOfLineMustBeInExpenseReportRange=Cảnh báo, ngày của dòng không nằm trong phạm vi của báo cáo chi phí
+WarningProjectDraft=Project is still in draft mode. Don't forget to validate it if you plan to use tasks.
WarningProjectClosed=Dự án đã đóng. Bạn phải mở lại nó trước.
WarningSomeBankTransactionByChequeWereRemovedAfter=Một số giao dịch ngân hàng đã bị xóa sau đó biên nhận bao gồm cả chúng được tạo ra. Vì vậy, số lượng séc và tổng số hóa đơn có thể khác với số lượng và tổng số trong danh sách.
-WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table
+WarningFailedToAddFileIntoDatabaseIndex=Warning, failed to add file entry into ECM database index table
+WarningTheHiddenOptionIsOn=Warning, the hidden option %s is on.
+WarningCreateSubAccounts=Warning, you can't create directly a sub account, you must create a third party or an user and assign them an accounting code to find them in this list
+WarningAvailableOnlyForHTTPSServers=Available only if using HTTPS secured connection.
diff --git a/htdocs/langs/vi_VN/exports.lang b/htdocs/langs/vi_VN/exports.lang
index 81f0901f077..f15be790dc6 100644
--- a/htdocs/langs/vi_VN/exports.lang
+++ b/htdocs/langs/vi_VN/exports.lang
@@ -26,6 +26,8 @@ FieldTitle=Tiêu đề trường
NowClickToGenerateToBuildExportFile=Bây giờ, chọn định dạng tệp trong hộp combo và nhấp vào "Tạo" để tạo tệp xuất ...
AvailableFormats=Các định dạng có sẵn
LibraryShort=Thư viện
+ExportCsvSeparator=Phân cách thập phân
+ImportCsvSeparator=Phân cách thập phân
Step=Bước
FormatedImport=Trợ lý nhập dữ liệu
FormatedImportDesc1=Mô-đun này cho phép bạn cập nhật dữ liệu hiện có hoặc thêm các đối tượng mới vào cơ sở dữ liệu từ một tệp mà không có kiến thức kỹ thuật, sử dụng trợ lý.
@@ -37,7 +39,7 @@ FormatedExportDesc3=Khi dữ liệu cần xuất được chọn, bạn có th
Sheet=Bảng
NoImportableData=Không có dữ liệu có thể nhập (không có mô-đun với định nghĩa để cho phép nhập dữ liệu)
FileSuccessfullyBuilt=Tập tin được tạo
-SQLUsedForExport=SQL Request used to extract data
+SQLUsedForExport=Yêu cầu SQL để xuất liệu
LineId=Id của dòng
LineLabel=Nhãn của dòng
LineDescription=Mô tả của dòng
@@ -131,3 +133,4 @@ KeysToUseForUpdates=Khóa (cột) được sử dụng cho cập nhật d
NbInsert=Số dòng được chèn: %s
NbUpdate=Số dòng cập nhật: %s
MultipleRecordFoundWithTheseFilters=Nhiều bản ghi đã được tìm thấy với các bộ lọc này: %s
+StocksWithBatch=Stocks and location (warehouse) of products with batch/serial number
diff --git a/htdocs/langs/vi_VN/mails.lang b/htdocs/langs/vi_VN/mails.lang
index 200b7eae30b..31d9c0e0372 100644
--- a/htdocs/langs/vi_VN/mails.lang
+++ b/htdocs/langs/vi_VN/mails.lang
@@ -92,6 +92,7 @@ MailingModuleDescEmailsFromUser=Email đầu vào của người dùng
MailingModuleDescDolibarrUsers=Người dùng có email
MailingModuleDescThirdPartiesByCategories=Các bên thứ ba (theo danh mục)
SendingFromWebInterfaceIsNotAllowed=Gửi từ giao diện web không được phép.
+EmailCollectorFilterDesc=All filters must match to have an email being collected
# Libelle des modules de liste de destinataires mailing
LineInFile=Dòng %s trong tập tin
@@ -125,12 +126,13 @@ TagMailtoEmail=Email người nhận (bao gồm liên kết "mailto:" html)
NoEmailSentBadSenderOrRecipientEmail=Không có email nào được gửi. Người gửi hoặc người nhận email xấu. Xác nhận hồ sơ người dùng.
# Module Notifications
Notifications=Thông báo
-NoNotificationsWillBeSent=Không có thông báo email được lên kế hoạch cho sự kiện này và công ty
-ANotificationsWillBeSent=1 thông báo sẽ được gửi qua email
-SomeNotificationsWillBeSent=Thông báo %s sẽ được gửi qua email
-AddNewNotification=Kích hoạt email mới thông báo mục tiêu/sự kiện
-ListOfActiveNotifications=Liệt kê tất cả các mục tiêu/sự kiện đang hoạt động để thông báo qua email
-ListOfNotificationsDone=Liệt kê tất cả các thông báo email đã gửi
+NotificationsAuto=Notifications Auto.
+NoNotificationsWillBeSent=No automatic email notifications are planned for this event type and company
+ANotificationsWillBeSent=1 automatic notification will be sent by email
+SomeNotificationsWillBeSent=%s automatic notifications will be sent by email
+AddNewNotification=Subscribe to a new automatic email notification (target/event)
+ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification
+ListOfNotificationsDone=List all automatic email notifications sent
MailSendSetupIs=Cấu hình gửi email đã được thiết lập thành '%s'. Chế độ này không thể được sử dụng để gửi email hàng loạt.
MailSendSetupIs2=Trước tiên, bạn phải đi, với tài khoản quản trị viên, vào menu %sNhà - Cài đặt - EMails %s để thay đổi tham số '%s' để sử dụng chế độ '%s' . Với chế độ này, bạn có thể nhập thiết lập máy chủ SMTP do Nhà cung cấp dịch vụ Internet của bạn cung cấp và sử dụng tính năng gửi email hàng loạt.
MailSendSetupIs3=Nếu bạn có bất kỳ câu hỏi nào về cách thiết lập máy chủ SMTP của mình, bạn có thể hỏi %s.
@@ -140,7 +142,7 @@ UseFormatFileEmailToTarget=Tệp đã nhập phải có định dạng e
UseFormatInputEmailToTarget=Nhập một chuỗi với định dạng email;tên;họ;tênkhác
MailAdvTargetRecipients=Người nhận (lựa chọn nâng cao)
AdvTgtTitle=Điền vào các trường đầu vào để chọn trước bên thứ ba hoặc liên hệ / địa chỉ để nhắm mục tiêu
-AdvTgtSearchTextHelp=Sử dụng %% làm ký tự đại diện. Ví dụ: để tìm tất cả các mục như jean, joe, jim , bạn có thể nhập j%% , bạn cũng có thể sử dụng; như dấu phân cách cho giá trị, và sử dụng! ngoại trừ giá trị này. Ví dụ: jean; joe;jim%% ;!Jimo;!Jima% sẽ nhắm mục tiêu tất cả jean, joe, bắt đầu với jim nhưng không phải jimo và không phải mọi thứ bắt đầu bằng jima
+AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima%% will target all jean, joe, start with jim but not jimo and not everything that starts with jima
AdvTgtSearchIntHelp=Sử dụng khoảng để chọn giá trị int hoặc float
AdvTgtMinVal=Giá trị tối thiểu
AdvTgtMaxVal=Gia trị tối đa
@@ -162,13 +164,14 @@ AdvTgtCreateFilter=Tạo bộ lọc
AdvTgtOrCreateNewFilter=Tên bộ lọc mới
NoContactWithCategoryFound=Không có liên lạc/địa chỉ với một danh mục được tìm thấy
NoContactLinkedToThirdpartieWithCategoryFound=Không có liên lạc/địa chỉ với một danh mục được tìm thấy
-OutGoingEmailSetup=Thiết lập email đi
-InGoingEmailSetup=Thiết lập email đến
-OutGoingEmailSetupForEmailing=Thiết lập email gửi đi (cho module %s)
-DefaultOutgoingEmailSetup=Thiết lập email gửi đi mặc định
+OutGoingEmailSetup=Outgoing emails
+InGoingEmailSetup=Incoming emails
+OutGoingEmailSetupForEmailing=Outgoing emails (for module %s)
+DefaultOutgoingEmailSetup=Same configuration than the global Outgoing email setup
Information=Thông tin
ContactsWithThirdpartyFilter=Danh bạ với bộ lọc của bên thứ ba
Unanswered=Unanswered
Answered=Đã trả lời
IsNotAnAnswer=Is not answer (initial email)
IsAnAnswer=Is an answer of an initial email
+RecordCreatedByEmailCollector=Record created by the Email Collector %s from email %s
diff --git a/htdocs/langs/vi_VN/main.lang b/htdocs/langs/vi_VN/main.lang
index 4a0fe321d58..9b1e11a6ac2 100644
--- a/htdocs/langs/vi_VN/main.lang
+++ b/htdocs/langs/vi_VN/main.lang
@@ -28,7 +28,9 @@ NoTemplateDefined=Không có sẵn mẫu nào cho loại email này
AvailableVariables=Các biến thay thế có sẵn
NoTranslation=Không dịch
Translation=Dịch
+CurrentTimeZone=Mã vùng thời gian PHP (server)
EmptySearchString=Enter non empty search criterias
+EnterADateCriteria=Enter a date criteria
NoRecordFound=Không tìm thấy bản ghi
NoRecordDeleted=Không có bản ghi nào bị xóa
NotEnoughDataYet=Không đủ dữ liệu
@@ -85,6 +87,8 @@ FileWasNotUploaded=Một tập tin được chọn để đính kèm nhưng vẫ
NbOfEntries=Số lượng các mục
GoToWikiHelpPage=Đọc trợ giúp trực tuyến (Cần truy cập Internet)
GoToHelpPage=Đọc giúp đỡ
+DedicatedPageAvailable=There is a dedicated help page related to your current screen
+HomePage=Trang chủ
RecordSaved=Bản ghi đã lưu
RecordDeleted=Bản ghi đã xóa
RecordGenerated=Bản ghi được tạo
@@ -433,6 +437,7 @@ RemainToPay=Còn lại để trả tiền
Module=Mô-đun / Ứng dụng
Modules=Mô-đun / Ứng dụng
Option=Tùy chọn
+Filters=Filters
List=Danh sách
FullList=Danh mục đầy đủ
FullConversation=Full conversation
@@ -1107,3 +1112,8 @@ UpToDate=Up-to-date
OutOfDate=Out-of-date
EventReminder=Event Reminder
UpdateForAllLines=Update for all lines
+OnHold=On hold
+AffectTag=Affect Tag
+ConfirmAffectTag=Bulk Tag Affect
+ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected record(s)?
+CategTypeNotFound=No tag type found for type of records
diff --git a/htdocs/langs/vi_VN/modulebuilder.lang b/htdocs/langs/vi_VN/modulebuilder.lang
index f2aa036ec7d..d8c8e376b9b 100644
--- a/htdocs/langs/vi_VN/modulebuilder.lang
+++ b/htdocs/langs/vi_VN/modulebuilder.lang
@@ -40,6 +40,7 @@ PageForCreateEditView=Trang PHP để tạo/chỉnh sửa/xem bản ghi
PageForAgendaTab=Trang PHP cho tab sự kiện
PageForDocumentTab=Trang PHP cho tab tài liệu
PageForNoteTab=Trang PHP cho tab ghi chú
+PageForContactTab=PHP page for contact tab
PathToModulePackage=Đường dẫn đến zip của gói mô-đun/ứng dụng
PathToModuleDocumentation=Đường dẫn đến tệp tài liệu mô-đun/ứng dụng (%s)
SpaceOrSpecialCharAreNotAllowed=Khoảng trắng hoặc ký tự đặc biệt không được phép.
@@ -77,7 +78,7 @@ IsAMeasure=Là một phép do
DirScanned=Thư mục được quét
NoTrigger=Không trigger
NoWidget=Không có widget
-GoToApiExplorer=Đi tới trình khám phá API
+GoToApiExplorer=API explorer
ListOfMenusEntries=Danh sách các mục menu
ListOfDictionariesEntries=Danh sách các mục từ điển
ListOfPermissionsDefined=Danh sách các quyền được định nghĩa
@@ -105,7 +106,7 @@ TryToUseTheModuleBuilder=Nếu bạn có kiến thức về SQL và PHP, bạn c
SeeTopRightMenu=Xem trên menu bên phải
AddLanguageFile=Thêm tập tin ngôn ngữ
YouCanUseTranslationKey=Bạn có thể sử dụng ở đây một khóa là khóa dịch được tìm thấy trong tệp ngôn ngữ (xem tab "Ngôn ngữ")
-DropTableIfEmpty=(Xóa bảng nếu trống)
+DropTableIfEmpty=(Destroy table if empty)
TableDoesNotExists=Bảng %s không tồn tại
TableDropped=Bảng %s đã bị xóa
InitStructureFromExistingTable=Xây dựng cấu trúc mảng chuỗi của một bảng hiện có
@@ -126,7 +127,6 @@ UseSpecificEditorURL = Sử dụng một URL biên tập cụ thể
UseSpecificFamily = Sử dụng một họ cụ thể
UseSpecificAuthor = Sử dụng một tác giả cụ thể
UseSpecificVersion = Sử dụng một phiên bản mở đầu cụ thể
-ModuleMustBeEnabled=Mô-đun / ứng dụng phải được bật trước
IncludeRefGeneration=Tham chiếu của đối tượng phải được tạo tự động
IncludeRefGenerationHelp=Kiểm tra điều này nếu bạn muốn bao gồm mã để quản lý việc tạo tự động của tham chiếu
IncludeDocGeneration=Tôi muốn tạo một số tài liệu từ đối tượng
@@ -140,3 +140,4 @@ TypeOfFieldsHelp=Kiểu trường: varchar (99), double (24,8), real, text,
AsciiToHtmlConverter=Chuyển mã ASCII sang HTML
AsciiToPdfConverter=Chuyển ASCII sang PDF
TableNotEmptyDropCanceled=Table not empty. Drop has been canceled.
+ModuleBuilderNotAllowed=The module builder is available but not allowed to your user.
diff --git a/htdocs/langs/vi_VN/other.lang b/htdocs/langs/vi_VN/other.lang
index a5a94478621..cff053ec923 100644
--- a/htdocs/langs/vi_VN/other.lang
+++ b/htdocs/langs/vi_VN/other.lang
@@ -5,8 +5,6 @@ Tools=Công cụ
TMenuTools=Công cụ
ToolsDesc=Tất cả các công cụ không bao gồm trong các mục menu khác được nhóm ở đây. Tất cả các công cụ có thể được truy cập thông qua menu bên trái.
Birthday=Sinh nhật
-BirthdayDate=Ngày sinh nhật
-DateToBirth=Ngày sinh
BirthdayAlertOn=sinh nhật cảnh báo hoạt động
BirthdayAlertOff=sinh nhật không hoạt động cảnh báo
TransKey=Dịch khóa TransKey
@@ -16,6 +14,8 @@ PreviousMonthOfInvoice=Tháng trước (số 1-12) ngày hóa đơn
TextPreviousMonthOfInvoice=Tháng trước (chữ) của ngày hóa đơn
NextMonthOfInvoice=Tháng sau (số 1-12) của ngày hóa đơn
TextNextMonthOfInvoice=Tháng sau (chữ) của ngày hóa đơn
+PreviousMonth=Previous month
+CurrentMonth=Current month
ZipFileGeneratedInto=Tệp zip được tạo vào %s .
DocFileGeneratedInto=Tệp doc được tạo vào %s .
JumpToLogin=Ngắt kết nối. Chuyển đến trang đăng nhập ...
@@ -99,6 +99,7 @@ PredefinedMailContentSendShipping=__ (Xin chào) __ \n\nVui lòng tìm vận chu
PredefinedMailContentSendFichInter=__ (Xin chào) __ \n\nVui lòng tìm sự can thiệp __REF__ đính kèm \n\n\n__ (Trân trọng) __ \n\n__USER_SIGNATURE__
PredefinedMailContentLink=Bạn có thể nhấp vào liên kết bên dưới để thực hiện thanh toán nếu chưa được thực hiện.\n\n %s\n\n
PredefinedMailContentGeneric=__ (Xin chào) __ \n\n\n__ (Trân trọng) __ \n\n__USER_SIGNATURE__
+PredefinedMailContentSendActionComm=Event reminder "__EVENT_LABEL__" on __EVENT_DATE__ at __EVENT_TIME__
This is an automatic message, please do not reply.
DemoDesc=Dolibarr là một ERP / CRM nhỏ gọn hỗ trợ một số mô-đun kinh doanh. Một bản demo giới thiệu tất cả các mô-đun không có ý nghĩa vì kịch bản này không bao giờ xảy ra (có sẵn hàng trăm). Vì vậy, một số hồ sơ demo là có sẵn.
ChooseYourDemoProfil=Chọn hồ sơ demo phù hợp nhất với nhu cầu của bạn ...
ChooseYourDemoProfilMore=... hoặc xây dựng hồ sơ của riêng bạn (lựa chọn mô-đun thủ công)
@@ -258,6 +259,7 @@ ContactCreatedByEmailCollector=Liên hệ / địa chỉ được tạo bởi tr
ProjectCreatedByEmailCollector=Dự án được tạo bởi trình thu thập email từ email MSGID %s
TicketCreatedByEmailCollector=Vé được tạo bởi trình thu thập email từ email MSGID %s
OpeningHoursFormatDesc=Sử dụng một - để tách giờ mở và đóng cửa. Sử dụng một khoảng trắng để nhập các phạm vi khác nhau. Ví dụ: 8-12 14-18
+PrefixSession=Prefix for session ID
##### Export #####
ExportsArea=Khu vực xuất khẩu
diff --git a/htdocs/langs/vi_VN/products.lang b/htdocs/langs/vi_VN/products.lang
index d2ec4ce1cdc..a00697ef8f0 100644
--- a/htdocs/langs/vi_VN/products.lang
+++ b/htdocs/langs/vi_VN/products.lang
@@ -108,7 +108,8 @@ FillWithLastServiceDates=Fill with last service line dates
MultiPricesAbility=Nhiều phân khúc giá cho mỗi sản phẩm/ dịch vụ (mỗi khách hàng một phân khúc giá)
MultiPricesNumPrices=Số lượng Giá
DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices
-AssociatedProductsAbility=Activate kits (virtual products)
+AssociatedProductsAbility=Enable Kits (set of other products)
+VariantsAbility=Enable Variants (variations of products, for example color, size)
AssociatedProducts=Kits
AssociatedProductsNumber=Number of products composing this kit
ParentProductsNumber=Số lượng của gói sản phẩm gốc
@@ -167,8 +168,10 @@ BuyingPrices=Giá mua
CustomerPrices=Giá khách hàng
SuppliersPrices=Giá nhà cung cấp
SuppliersPricesOfProductsOrServices=Giá nhà cung cấp (của sản phẩm hoặc dịch vụ)
-CustomCode=Hải quan / Hàng hóa / HS code
+CustomCode=Customs|Commodity|HS code
CountryOrigin=Nước xuất xứ
+RegionStateOrigin=Region origin
+StateOrigin=State|Province origin
Nature=Loại sản phẩm (nguyên liệu / thành phẩm)
NatureOfProductShort=Nature of product
NatureOfProductDesc=Raw material or finished product
@@ -239,7 +242,7 @@ AlwaysUseFixedPrice=Sử dụng giá cố định
PriceByQuantity=Giá thay đổi theo số lượng
DisablePriceByQty=Vô hiệu giá theo số lượng
PriceByQuantityRange=Phạm vi số lượng
-MultipriceRules=Quy tắc giá thành phần
+MultipriceRules=Automatic prices for segment
UseMultipriceRules=Sử dụng các quy tắc phân khúc giá (được định nghĩa bên trong thiết lập module sản phẩm) để tự động tính giá của tất cả phân khúc giá khác dựa theo phân khúc đầu tiên
PercentVariationOver=%% biến đổi hơn %s
PercentDiscountOver=%% giảm giá hơn %s
diff --git a/htdocs/langs/vi_VN/recruitment.lang b/htdocs/langs/vi_VN/recruitment.lang
index c0feca4d244..c62da50ed0c 100644
--- a/htdocs/langs/vi_VN/recruitment.lang
+++ b/htdocs/langs/vi_VN/recruitment.lang
@@ -73,3 +73,4 @@ JobClosedTextCandidateFound=The job position is closed. The position has been fi
JobClosedTextCanceled=The job position is closed.
ExtrafieldsJobPosition=Complementary attributes (job positions)
ExtrafieldsCandidatures=Complementary attributes (job applications)
+MakeOffer=Make an offer
diff --git a/htdocs/langs/vi_VN/sendings.lang b/htdocs/langs/vi_VN/sendings.lang
index 9bf1264e824..0311215ed2a 100644
--- a/htdocs/langs/vi_VN/sendings.lang
+++ b/htdocs/langs/vi_VN/sendings.lang
@@ -30,6 +30,7 @@ OtherSendingsForSameOrder=Lô hàng khác về đơn hàng này
SendingsAndReceivingForSameOrder=Lô hàng và biên nhận cho đơn đặt hàng này
SendingsToValidate=Xác nhận lô hàng
StatusSendingCanceled=Hủy bỏ
+StatusSendingCanceledShort=Đã hủy
StatusSendingDraft=Dự thảo
StatusSendingValidated=Xác nhận (sản phẩm để vận chuyển hoặc đã được vận chuyển)
StatusSendingProcessed=Xử lý
@@ -65,6 +66,7 @@ ValidateOrderFirstBeforeShipment=Trước tiên, bạn phải xác nhận đơn
# Sending methods
# ModelDocument
DocumentModelTyphon=Mô hình tài liệu đầy đủ hơn cho hóa đơn giao hàng (logo ...)
+DocumentModelStorm=More complete document model for delivery receipts and extrafields compatibility (logo...)
Error_EXPEDITION_ADDON_NUMBER_NotDefined=EXPEDITION_ADDON_NUMBER liên tục không được xác định
SumOfProductVolumes=Tổng khối lượng sản phẩm
SumOfProductWeights=Tổng trọng lượng sản phẩm
diff --git a/htdocs/langs/vi_VN/stocks.lang b/htdocs/langs/vi_VN/stocks.lang
index b2c7c324651..3e9bf9a66cd 100644
--- a/htdocs/langs/vi_VN/stocks.lang
+++ b/htdocs/langs/vi_VN/stocks.lang
@@ -240,3 +240,4 @@ InventoryRealQtyHelp=Set value to 0 to reset qty Keep field empty, or remove
UpdateByScaning=Update by scaning
UpdateByScaningProductBarcode=Update by scan (product barcode)
UpdateByScaningLot=Update by scan (lot|serial barcode)
+DisableStockChangeOfSubProduct=Deactivate the stock change for all the subproducts of this Kit during this movement.
diff --git a/htdocs/langs/vi_VN/ticket.lang b/htdocs/langs/vi_VN/ticket.lang
index ea5424e4654..572f49247ce 100644
--- a/htdocs/langs/vi_VN/ticket.lang
+++ b/htdocs/langs/vi_VN/ticket.lang
@@ -31,10 +31,8 @@ TicketDictType=Vé - Các loại
TicketDictCategory=Vé - Nhóm
TicketDictSeverity=Vé - Mức độ nghiêm trọng
TicketDictResolution=Ticket - Resolution
-TicketTypeShortBUGSOFT=Sự cố phần mềm
-TicketTypeShortBUGHARD=Sự cố phần cứng
-TicketTypeShortCOM=Câu hỏi thương mại
+TicketTypeShortCOM=Câu hỏi thương mại
TicketTypeShortHELP=Yêu cầu trợ giúp chức năng
TicketTypeShortISSUE=Sự cố, lỗi hoặc vấn đề
TicketTypeShortREQUEST=Yêu cầu thay đổi hoặc nâng cao
@@ -44,7 +42,7 @@ TicketTypeShortOTHER=Khác
TicketSeverityShortLOW=Thấp
TicketSeverityShortNORMAL=Bình thường
TicketSeverityShortHIGH=Cao
-TicketSeverityShortBLOCKING=Quan trọng / Chặn
+TicketSeverityShortBLOCKING=Critical, Blocking
ErrorBadEmailAddress=Trường '%s' không chính xác
MenuTicketMyAssign=Vé của tôi
@@ -60,7 +58,6 @@ OriginEmail=Nguồn email
Notify_TICKET_SENTBYMAIL=Gửi tin nhắn vé qua email
# Status
-NotRead=Chưa đọc
Read=Đọc
Assigned=Phân công
InProgress=Trong tiến trình xử lý
@@ -126,6 +123,7 @@ TicketsActivatePublicInterfaceHelp=Giao diện công cộng cho phép bất kỳ
TicketsAutoAssignTicket=Tự động chỉ định người dùng đã tạo vé
TicketsAutoAssignTicketHelp=Khi tạo vé, người dùng có thể được tự động chỉ định cho vé.
TicketNumberingModules=Mô-đun đánh số vé
+TicketsModelModule=Document templates for tickets
TicketNotifyTiersAtCreation=Thông báo cho bên thứ ba khi tạo
TicketsDisableCustomerEmail=Luôn vô hiệu hóa email khi vé được tạo từ giao diện công cộng
TicketsPublicNotificationNewMessage=Send email(s) when a new message is added
@@ -233,7 +231,6 @@ TicketLogStatusChanged=Trạng thái đã thay đổi: %s thành %s
TicketNotNotifyTiersAtCreate=Không thông báo cho công ty khi tạo
Unread=Chưa đọc
TicketNotCreatedFromPublicInterface=Không có sẵn. Vé không được tạo từ giao diện công cộng.
-PublicInterfaceNotEnabled=Giao diện công cộng không được kích hoạt
ErrorTicketRefRequired=Tên tham chiếu vé là bắt buộc
#
diff --git a/htdocs/langs/vi_VN/website.lang b/htdocs/langs/vi_VN/website.lang
index 5d047fe8420..5f40936142b 100644
--- a/htdocs/langs/vi_VN/website.lang
+++ b/htdocs/langs/vi_VN/website.lang
@@ -30,7 +30,6 @@ EditInLine=Chỉnh sửa nội tuyến
AddWebsite=Thêm trang web
Webpage=Trang web / vùng chứa
AddPage=Thêm trang / vùng chứa
-HomePage=Trang chủ
PageContainer=Trang
PreviewOfSiteNotYetAvailable=Xem trước trang web của bạn %s chưa có sẵn. Trước tiên, bạn phải ' Nhập mẫu trang web đầy đủ ' hoặc chỉ ' Thêm trang / vùng chứa '.
RequestedPageHasNoContentYet=Trang được yêu cầu có id %s chưa có nội dung hoặc tệp bộ đệm .tpl.php đã bị xóa. Chỉnh sửa nội dung của trang để giải quyết điều này.
@@ -101,7 +100,7 @@ EmptyPage=Trang trống
ExternalURLMustStartWithHttp=URL bên ngoài phải bắt đầu bằng http:// hoặc https://
ZipOfWebsitePackageToImport=Tải lên tệp Zip của gói mẫu trang web
ZipOfWebsitePackageToLoad=hoặc Chọn gói mẫu trang web nhúng có sẵn
-ShowSubcontainers=Bao gồm nội dung động
+ShowSubcontainers=Show dynamic content
InternalURLOfPage=URL nội bộ của trang
ThisPageIsTranslationOf=Trang / vùng chứa này là bản dịch của
ThisPageHasTranslationPages=Trang / vùng chứa này có bản dịch
@@ -137,3 +136,4 @@ RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using
PagesRegenerated=%s page(s)/container(s) regenerated
RegenerateWebsiteContent=Regenerate web site cache files
AllowedInFrames=Allowed in Frames
+DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languages into web site properties.
diff --git a/htdocs/langs/vi_VN/withdrawals.lang b/htdocs/langs/vi_VN/withdrawals.lang
index c3e19547427..089996b01ef 100644
--- a/htdocs/langs/vi_VN/withdrawals.lang
+++ b/htdocs/langs/vi_VN/withdrawals.lang
@@ -42,6 +42,7 @@ LastWithdrawalReceipt=Biên nhận ghi nợ trực tiếp mới nhất %s
MakeWithdrawRequest=Tạo một yêu cầu thanh toán ghi nợ trực tiếp
MakeBankTransferOrder=Make a credit transfer request
WithdrawRequestsDone=%s yêu cầu thanh toán ghi nợ trực tiếp được ghi lại
+BankTransferRequestsDone=%s credit transfer requests recorded
ThirdPartyBankCode=Mã ngân hàng của bên thứ ba
NoInvoiceCouldBeWithdrawed=Không có hóa đơn ghi nợ thành công. Kiểm tra xem hóa đơn có trên các công ty có IBAN hợp lệ không và IBAN có UMR (Tham chiếu ủy quyền duy nhất) với chế độ %s .
ClassCredited=Phân loại tín dụng
@@ -131,7 +132,8 @@ SEPARCUR=SEPA CUR
SEPAFRST=SEPA FRST
ExecutionDate=Ngày thi hành
CreateForSepa=Tạo tập tin ghi nợ trực tiếp
-ICS=Định danh chủ nợ CI
+ICS=Creditor Identifier CI for direct debit
+ICSTransfer=Creditor Identifier CI for bank transfer
END_TO_END=Thẻ SEPA XML "EndToEndId" - Id duy nhất được gán cho mỗi giao dịch
USTRD=Thẻ SEPA XML "không cấu trúc"
ADDDAYS=Thêm ngày vào Ngày thực hiện
@@ -146,3 +148,4 @@ InfoRejectSubject=Lệnh thanh toán ghi nợ trực tiếp bị từ chối
InfoRejectMessage=Xin chào,
lệnh thanh toán ghi nợ trực tiếp của hóa đơn %s liên quan đến công ty %s, với số tiền %s đã bị ngân hàng từ chối.
- %s
ModeWarning=Tùy chọn cho chế độ thực không được đặt, chúng tôi dừng lại sau mô phỏng này
ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know wich one to use.
+ErrorICSmissing=Missing ICS in Bank account %s
diff --git a/htdocs/langs/zh_CN/accountancy.lang b/htdocs/langs/zh_CN/accountancy.lang
index 9a49f373c52..8ef67e2a7ba 100644
--- a/htdocs/langs/zh_CN/accountancy.lang
+++ b/htdocs/langs/zh_CN/accountancy.lang
@@ -48,6 +48,7 @@ CountriesExceptMe=除%s以外的所有国家/地区
AccountantFiles=Export source documents
ExportAccountingSourceDocHelp=With this tool, you can export the source events (list and PDFs) that were used to generate your accountancy. To export your journals, use the menu entry %s - %s.
VueByAccountAccounting=View by accounting account
+VueBySubAccountAccounting=View by accounting subaccount
MainAccountForCustomersNotDefined=未在设置中定义的顾客的主要会计科目
MainAccountForSuppliersNotDefined=未在设置中定义的供应商的主要会计科目
@@ -144,7 +145,7 @@ NotVentilatedinAccount=未绑定到会计科目
XLineSuccessfullyBinded=%s产品/服务绑定到会计科目
XLineFailedToBeBinded=%s产品/服务未绑定到会计科目
-ACCOUNTING_LIMIT_LIST_VENTILATION=Number of elements to bind shown by page (maximum recommended: 50)
+ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50)
ACCOUNTING_LIST_SORT_VENTILATION_TODO=按“最近"对“即将绑定”页面进行排序
ACCOUNTING_LIST_SORT_VENTILATION_DONE=按"最近"对"绑定完成"页面进行排序
@@ -198,7 +199,8 @@ Docdate=日期
Docref=参考
LabelAccount=标签帐户
LabelOperation=标签操作
-Sens=SENS
+Sens=Direction
+AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received For an accounting account of a supplier, use Debit to record a payment you make
LetteringCode=刻字代码
Lettering=Lettering
Codejournal=日记帐
@@ -206,7 +208,8 @@ JournalLabel=Journal label
NumPiece=件数
TransactionNumShort=Num. transaction
AccountingCategory=会计分类
-GroupByAccountAccounting=按会计科目分组
+GroupByAccountAccounting=Group by general ledger account
+GroupBySubAccountAccounting=Group by subledger account
AccountingAccountGroupsDesc=您可以在此处定义一些会计科目组。它们将用于会计分类报告。
ByAccounts=按帐户
ByPredefinedAccountGroups=按预定义的组
@@ -248,7 +251,7 @@ PaymentsNotLinkedToProduct=付款未与任何产品/服务相关联
OpeningBalance=Opening balance
ShowOpeningBalance=Show opening balance
HideOpeningBalance=Hide opening balance
-ShowSubtotalByGroup=Show subtotal by group
+ShowSubtotalByGroup=Show subtotal by level
Pcgtype=帐户组
PcgtypeDesc=Group of account are used as predefined 'filter' and 'grouping' criteria for some accounting reports. For example, 'INCOME' or 'EXPENSE' are used as groups for accounting accounts of products to build the expense/income report.
@@ -271,11 +274,13 @@ DescVentilExpenseReport=请在此处查看费用会计帐户绑定(或不绑
DescVentilExpenseReportMore=If you setup accounting account on type of expense report lines, the application will be able to make all the binding between your expense report lines and the accounting account of your chart of accounts, just in one click with the button "%s". If account was not set on fees dictionary or if you still have some lines not bound to any account, you will have to make a manual binding from the menu "%s".
DescVentilDoneExpenseReport=请在此查询费用报表行及其费用会计帐户清单
+Closure=Annual closure
DescClosure=Consult here the number of movements by month who are not validated & fiscal years already open
OverviewOfMovementsNotValidated=Step 1/ Overview of movements not validated. (Necessary to close a fiscal year)
+AllMovementsWereRecordedAsValidated=All movements were recorded as validated
+NotAllMovementsCouldBeRecordedAsValidated=Not all movements could be recorded as validated
ValidateMovements=Validate movements
DescValidateMovements=Any modification or deletion of writing, lettering and deletes will be prohibited. All entries for an exercise must be validated otherwise closing will not be possible
-SelectMonthAndValidate=Select month and validate movements
ValidateHistory=自动绑定
AutomaticBindingDone=自动绑定完成
@@ -293,6 +298,7 @@ Accounted=占总账
NotYetAccounted=尚未计入分类帐
ShowTutorial=Show Tutorial
NotReconciled=未调解
+WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view
## Admin
BindingOptions=Binding options
@@ -337,6 +343,7 @@ Modelcsv_LDCompta10=Export for LD Compta (v10 & higher)
Modelcsv_openconcerto=Export for OpenConcerto (Test)
Modelcsv_configurable=导出CSV可配置
Modelcsv_FEC=Export FEC
+Modelcsv_FEC2=Export FEC (With dates generation writing / document reversed)
Modelcsv_Sage50_Swiss=Export for Sage 50 Switzerland
Modelcsv_winfic=Export Winfic - eWinfic - WinSis Compta
Modelcsv_Gestinumv3=Export for Gestinum (v3)
diff --git a/htdocs/langs/zh_CN/admin.lang b/htdocs/langs/zh_CN/admin.lang
index c84a23958aa..845d076738d 100644
--- a/htdocs/langs/zh_CN/admin.lang
+++ b/htdocs/langs/zh_CN/admin.lang
@@ -56,6 +56,8 @@ GUISetup=主题
SetupArea=设置
UploadNewTemplate=上传新模板
FormToTestFileUploadForm=文件上传功能测试
+ModuleMustBeEnabled=The module/application %s must be enabled
+ModuleIsEnabled=The module/application %s has been enabled
IfModuleEnabled=注:“是”仅在模块 %s 启用时有效
RemoveLock=Remove/rename file %s if it exists, to allow usage of the Update/Install tool.
RestoreLock=Restore file %s, with read permission only, to disable any further use of the Update/Install tool.
@@ -85,7 +87,6 @@ ShowPreview=显示预览
ShowHideDetails=Show-Hide details
PreviewNotAvailable=无预览
ThemeCurrentlyActive=当前使用的主题
-CurrentTimeZone=PHP 服务器的时区
MySQLTimeZone=MySql 服务器的时区
TZHasNoEffect=Dates are stored and returned by database server as if they were kept as submitted string. The timezone has effect only when using the UNIX_TIMESTAMP function (that should not be used by Dolibarr, so database TZ should have no effect, even if changed after data was entered).
Space=空间
@@ -153,8 +154,8 @@ SystemToolsAreaDesc=This area provides administration functions. Use the menu to
Purge=清空
PurgeAreaDesc=This page allows you to delete all files generated or stored by Dolibarr (temporary files or all files in %s directory). Using this feature is not normally necessary. It is provided as a workaround for users whose Dolibarr is hosted by a provider that does not offer permissions to delete files generated by the web server.
PurgeDeleteLogFile=删除系统日志模块定义的日志文件%s(无数据丢失风险)
-PurgeDeleteTemporaryFiles=Delete all temporary files (no risk of losing data). Note: Deletion is done only if the temp directory was created 24 hours ago.
-PurgeDeleteTemporaryFilesShort=删除临时文件
+PurgeDeleteTemporaryFiles=Delete all log and temporary files (no risk of losing data). Note: Deletion of temporary files is done only if the temp directory was created more than 24 hours ago.
+PurgeDeleteTemporaryFilesShort=Delete log and temporary files
PurgeDeleteAllFilesInDocumentsDir=Delete all files in directory: %s. This will delete all generated documents related to elements (third parties, invoices etc...), files uploaded into the ECM module, database backup dumps and temporary files.
PurgeRunNow=立即清空
PurgeNothingToDelete=未删除目录或文件
@@ -256,6 +257,7 @@ ReferencedPreferredPartners=首选合作伙伴
OtherResources=其他资源
ExternalResources=External Resources
SocialNetworks=社交网络
+SocialNetworkId=Social Network ID
ForDocumentationSeeWiki=用户或开发人员用文档(文档,常见问题…), 参见 Dolibarr 百科: %s
ForAnswersSeeForum=您有任何其他问题/帮助,可以到 Dolibarr 论坛: %s简体中文翻译可到Dolibarr爱好者交流Q群技术交流:206239089
HelpCenterDesc1=Here are some resources for getting help and support with Dolibarr.
@@ -375,7 +377,7 @@ ExamplesWithCurrentSetup=Examples with current configuration
ListOfDirectories=开源办公软件文档模板目录列表
ListOfDirectoriesForModelGenODT=包含开源办公软件的格式的文档的模板目录列表。
该目录中的文件格式必须是 .odt 格式或 .ods格式。
NumberOfModelFilesFound=Number of ODT/ODS template files found in these directories
-ExampleOfDirectoriesForModelGen=参考语法格式: c:\\mydir /home/mydir DOL_DATA_ROOT/ecm/ecmdir
+ExampleOfDirectoriesForModelGen=Examples of syntax: c:\\myapp\\mydocumentdir\\mysubdir /home/myapp/mydocumentdir/mysubdir DOL_DATA_ROOT/ecm/ecmdir
FollowingSubstitutionKeysCanBeUsed= 要知道如何建立您的ODT文件范本并储存在指定目录,请至wiki网站:
FullListOnOnlineDocumentation=http://wiki.dolibarr.org/index.php/Create_an_ODT_document_template
FirstnameNamePosition=姓 /名 位置顺序
@@ -406,7 +408,7 @@ UrlGenerationParameters=URL地址的保护参数
SecurityTokenIsUnique=为每个URL使用唯一的securekey参数值
EnterRefToBuildUrl=输入对象 %s 的编号
GetSecuredUrl=获取算得的URL地址
-ButtonHideUnauthorized=Hide buttons for non-admin users for unauthorized actions instead of showing greyed disabled buttons
+ButtonHideUnauthorized=Hide unauthorized action buttons also for internal users (just greyed otherwise)
OldVATRates=以前的增值税率(VAT)
NewVATRates=新建增值税率(VAT)
PriceBaseTypeToChange=设置了基本参考价值的产品的价格
@@ -1689,7 +1691,7 @@ NotTopTreeMenuPersonalized=个性化菜单未链接到顶部菜单条目
NewMenu=新建菜单
MenuHandler=菜单处理程序
MenuModule=源模块
-HideUnauthorizedMenu= 是否隐藏未经授权的菜单 (灰色为不可用)
+HideUnauthorizedMenu=Hide unauthorized menus also for internal users (just greyed otherwise)
DetailId=菜单编号
DetailMenuHandler=菜单处理程序 (决定何处显示新菜单)
DetailMenuModule=模块名称 (如果菜单项来自模块)
@@ -1983,11 +1985,12 @@ EMailHost=Host of email IMAP server
MailboxSourceDirectory=Mailbox source directory
MailboxTargetDirectory=Mailbox target directory
EmailcollectorOperations=Operations to do by collector
+EmailcollectorOperationsDesc=Operations are executed from top to bottom order
MaxEmailCollectPerCollect=Max number of emails collected per collect
CollectNow=Collect now
ConfirmCloneEmailCollector=Are you sure you want to clone the Email collector %s ?
-DateLastCollectResult=Date latest collect tried
-DateLastcollectResultOk=Date latest collect successfull
+DateLastCollectResult=Date of latest collect try
+DateLastcollectResultOk=Date of latest collect success
LastResult=Latest result
EmailCollectorConfirmCollectTitle=Email collect confirmation
EmailCollectorConfirmCollect=Do you want to run the collection for this collector now ?
@@ -2005,7 +2008,7 @@ WithDolTrackingID=Message from a conversation initiated by a first email sent fr
WithoutDolTrackingID=Message from a conversation initiated by a first email NOT sent from Dolibarr
WithDolTrackingIDInMsgId=Message sent from Dolibarr
WithoutDolTrackingIDInMsgId=Message NOT sent from Dolibarr
-CreateCandidature=Create candidature
+CreateCandidature=Create job application
FormatZip=邮编
MainMenuCode=Menu entry code (mainmenu)
ECMAutoTree=Show automatic ECM tree
@@ -2083,3 +2086,7 @@ CountryIfSpecificToOneCountry=Country (if specific to a given country)
YouMayFindSecurityAdviceHere=You may find security advisory here
ModuleActivatedMayExposeInformation=This module may expose sensitive data. If you don't need it, disable it.
ModuleActivatedDoNotUseInProduction=A module designed for the development has been enabled. Do not enable it on a production environment.
+CombinationsSeparator=Separator character for product combinations
+SeeLinkToOnlineDocumentation=See link to online documention on top menu for examples
+SHOW_SUBPRODUCT_REF_IN_PDF=If the feature "%s" of module %s is used, show details of subproducts of a kit on PDF.
+AskThisIDToYourBank=Contact your bank to get this ID
diff --git a/htdocs/langs/zh_CN/banks.lang b/htdocs/langs/zh_CN/banks.lang
index 6f2afe060cc..6af69e844c0 100644
--- a/htdocs/langs/zh_CN/banks.lang
+++ b/htdocs/langs/zh_CN/banks.lang
@@ -173,8 +173,8 @@ SEPAMandate=SEPA授权
YourSEPAMandate=您的SEPA授权
FindYourSEPAMandate=这是您的SEPA授权,授权我们公司向您的银行直接扣款。返回签名(扫描签名文档)或通过邮件发送给
AutoReportLastAccountStatement=Automatically fill the field 'number of bank statement' with last statement number when making reconciliation
-CashControl=POS cash fence
-NewCashFence=New cash fence
+CashControl=POS cash desk control
+NewCashFence=New cash desk closing
BankColorizeMovement=Colorize movements
BankColorizeMovementDesc=If this function is enable, you can choose specific background color for debit or credit movements
BankColorizeMovementName1=Background color for debit movement
diff --git a/htdocs/langs/zh_CN/blockedlog.lang b/htdocs/langs/zh_CN/blockedlog.lang
index ce7718f76c4..37ec67f2a06 100644
--- a/htdocs/langs/zh_CN/blockedlog.lang
+++ b/htdocs/langs/zh_CN/blockedlog.lang
@@ -35,7 +35,7 @@ logDON_DELETE=Donation logical deletion
logMEMBER_SUBSCRIPTION_CREATE=Member subscription created
logMEMBER_SUBSCRIPTION_MODIFY=Member subscription modified
logMEMBER_SUBSCRIPTION_DELETE=Member subscription logical deletion
-logCASHCONTROL_VALIDATE=Cash fence recording
+logCASHCONTROL_VALIDATE=Cash desk closing recording
BlockedLogBillDownload=Customer invoice download
BlockedLogBillPreview=Customer invoice preview
BlockedlogInfoDialog=Log Details
diff --git a/htdocs/langs/zh_CN/boxes.lang b/htdocs/langs/zh_CN/boxes.lang
index 99c36d31a7c..f81391bc8fd 100644
--- a/htdocs/langs/zh_CN/boxes.lang
+++ b/htdocs/langs/zh_CN/boxes.lang
@@ -46,9 +46,12 @@ BoxTitleLastModifiedDonations=最近变更的 %s 份捐款
BoxTitleLastModifiedExpenses=最近变更的 %s 份费用报表
BoxTitleLatestModifiedBoms=Latest %s modified BOMs
BoxTitleLatestModifiedMos=Latest %s modified Manufacturing Orders
+BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded
BoxGlobalActivity=全局活动(账单,报价,订单)
BoxGoodCustomers=优质客户
BoxTitleGoodCustomers=%s 优质客户
+BoxScheduledJobs=计划任务
+BoxTitleFunnelOfProspection=Lead funnel
FailedToRefreshDataInfoNotUpToDate=Failed to refresh RSS flux. Latest successful refresh date: %s
LastRefreshDate=最后刷新日期
NoRecordedBookmarks=未设置任何书签。
@@ -102,5 +105,7 @@ SuspenseAccountNotDefined=Suspense account isn't defined
BoxLastCustomerShipments=Last customer shipments
BoxTitleLastCustomerShipments=Latest %s customer shipments
NoRecordedShipments=No recorded customer shipment
+BoxCustomersOutstandingBillReached=Customers with oustanding limit reached
# Pages
AccountancyHome=会计
+ValidatedProjects=Validated projects
diff --git a/htdocs/langs/zh_CN/cashdesk.lang b/htdocs/langs/zh_CN/cashdesk.lang
index 4ddbad3d082..bcaf0780474 100644
--- a/htdocs/langs/zh_CN/cashdesk.lang
+++ b/htdocs/langs/zh_CN/cashdesk.lang
@@ -49,8 +49,8 @@ Footer=Footer
AmountAtEndOfPeriod=Amount at end of period (day, month or year)
TheoricalAmount=Theorical amount
RealAmount=Real amount
-CashFence=Cash fence
-CashFenceDone=Cash fence done for the period
+CashFence=Cash desk closing
+CashFenceDone=Cash desk closing done for the period
NbOfInvoices=发票数
Paymentnumpad=Type of Pad to enter payment
Numberspad=Numbers Pad
@@ -99,8 +99,9 @@ CashDeskRefNumberingModules=Numbering module for POS sales
CashDeskGenericMaskCodes6 = {TN} tag is used to add the terminal number
TakeposGroupSameProduct=Group same products lines
StartAParallelSale=Start a new parallel sale
-ControlCashOpening=Control cash box at opening POS
-CloseCashFence=Close cash fence
+SaleStartedAt=Sale started at %s
+ControlCashOpening=Control cash popup at opening POS
+CloseCashFence=Close cash desk control
CashReport=Cash report
MainPrinterToUse=Main printer to use
OrderPrinterToUse=Order printer to use
@@ -122,3 +123,4 @@ GiftReceipt=Gift receipt
ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled first
AllowDelayedPayment=Allow delayed payment
PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts
+WeighingScale=Weighing scale
diff --git a/htdocs/langs/zh_CN/categories.lang b/htdocs/langs/zh_CN/categories.lang
index dbd3530d85b..355be943e79 100644
--- a/htdocs/langs/zh_CN/categories.lang
+++ b/htdocs/langs/zh_CN/categories.lang
@@ -19,6 +19,7 @@ ProjectsCategoriesArea=项目标签/分类区
UsersCategoriesArea=Users tags/categories area
SubCats=子类别
CatList=标签/分类列表
+CatListAll=List of tags/categories (all types)
NewCategory=新建标签/分类
ModifCat=变更标签/分类
CatCreated=标签/分类已创建
@@ -65,16 +66,22 @@ UsersCategoriesShort=Users tags/categories
StockCategoriesShort=Warehouse tags/categories
ThisCategoryHasNoItems=This category does not contain any items.
CategId=标签/分类id号码
-CatSupList=List of vendor tags/categories
-CatCusList=客户/准客户标签/分类列表
+ParentCategory=Parent tag/category
+ParentCategoryLabel=Label of parent tag/category
+CatSupList=List of vendors tags/categories
+CatCusList=List of customers/prospects tags/categories
CatProdList=产品标签/分类列表
CatMemberList=会员标签/分类列表
-CatContactList=联系人标签/分类列表
-CatSupLinks=链接供应商与标签/分类
+CatContactList=List of contacts tags/categories
+CatProjectsList=List of projects tags/categories
+CatUsersList=List of users tags/categories
+CatSupLinks=Links between vendors and tags/categories
CatCusLinks=链接客户/准客户与标签/分类
CatContactsLinks=Links between contacts/addresses and tags/categories
CatProdLinks=链接产品/服务与标签/分类
-CatProJectLinks=链接项目与标签/分类
+CatMembersLinks=Links between members and tags/categories
+CatProjectsLinks=链接项目与标签/分类
+CatUsersLinks=Links between users and tags/categories
DeleteFromCat=从标签/分类移除
ExtraFieldsCategories=自定义属性
CategoriesSetup=标签/分类设置
diff --git a/htdocs/langs/zh_CN/companies.lang b/htdocs/langs/zh_CN/companies.lang
index d2a0362c3fa..8f852619ac3 100644
--- a/htdocs/langs/zh_CN/companies.lang
+++ b/htdocs/langs/zh_CN/companies.lang
@@ -358,7 +358,7 @@ VATIntraCheckableOnEUSite=Check the intra-Community VAT ID on the European Commi
VATIntraManualCheck=You can also check manually on the European Commission website %s
ErrorVATCheckMS_UNAVAILABLE=检查不可能的。检查服务是没有提供的会员国(%s)中。
NorProspectNorCustomer=Not prospect, nor customer
-JuridicalStatus=Legal Entity Type
+JuridicalStatus=Business entity type
Workforce=Workforce
Staff=雇员
ProspectLevelShort=潜力
diff --git a/htdocs/langs/zh_CN/compta.lang b/htdocs/langs/zh_CN/compta.lang
index 6372c1186e3..4ae180df234 100644
--- a/htdocs/langs/zh_CN/compta.lang
+++ b/htdocs/langs/zh_CN/compta.lang
@@ -111,7 +111,7 @@ Refund=退
SocialContributionsPayments=社会/财政税款
ShowVatPayment=显示增值税纳税
TotalToPay=共支付
-BalanceVisibilityDependsOnSortAndFilters=仅当表格在%s上按升序排序并过滤为1个银行帐户时,才会在此列表中显示余额
+BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted on %s and filtered on 1 bank account (with no other filters)
CustomerAccountancyCode=客户科目代码
SupplierAccountancyCode=Vendor accounting code
CustomerAccountancyCodeShort=客户账户代码
@@ -140,7 +140,7 @@ ConfirmDeleteSocialContribution=你确定要删除这个社会/财政税款吗
ExportDataset_tax_1=社会和财政税和付款
CalcModeVATDebt=模式 %sVAT 关于承诺债务%s.
CalcModeVATEngagement=模式 %s 增值税收入,支出 %s.
-CalcModeDebt=分析已知的已记录发票,即使它们尚未计入分类帐。
+CalcModeDebt=Analysis of known recorded documents even if they are not yet accounted in ledger.
CalcModeEngagement=分析已知的记录付款,即使它们尚未计入分类帐。
CalcModeBookkeeping=Analysis of data journalized in Bookkeeping Ledger table.
CalcModeLT1= 模式 %sRE 客户发票 - 供应商发票%s
@@ -154,9 +154,9 @@ AnnualSummaryInputOutputMode=年度总结的收支平衡表
AnnualByCompanies=按预定义的帐户组划分的收入和支出余额
AnnualByCompaniesDueDebtMode=收支平衡,详细按合作方,模式%sClaims-Debts%s,据说承诺债务。
AnnualByCompaniesInputOutputMode=收支平衡,详细按合作方,模式%sIncomes-Expenses%s,据说现金会计。
-SeeReportInInputOutputMode=有关实际付款的计算,请参阅%s of payments%s,即使它们尚未在Ledger中计算。
-SeeReportInDueDebtMode=请参阅%s对invoices%s的分析,以便根据已知的记录发票进行计算,即使它们尚未计入分类帐。
-SeeReportInBookkeepingMode=有关簿记分类帐表的计算,请参阅 %sBookeeping report%s
+SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation based on recorded payments made even if they are not yet accounted in Ledger
+SeeReportInDueDebtMode=See %sanalysis of recorded documents%s for a calculation based on known recorded documents even if they are not yet accounted in Ledger
+SeeReportInBookkeepingMode=See %sanalysis of bookeeping ledger table%s for a report based on Bookkeeping Ledger table
RulesAmountWithTaxIncluded=- 所示金额均含税
RulesResultDue=- It includes outstanding invoices, expenses, VAT, donations whether they are paid or not. Is also includes paid salaries. - It is based on the billing date of invoices and on the due date for expenses or tax payments. For salaries defined with Salary module, the value date of payment is used.
RulesResultInOut=- 它包括发票,费用,增值税和工资的实际付款。 - 它基于发票,费用,增值税和工资的付款日期。捐赠的捐赠日期。
@@ -169,12 +169,15 @@ RulesResultBookkeepingPersonalized=它在您的分类帐中显示记录,其中
SeePageForSetup=请参阅菜单 %s 进行设置
DepositsAreNotIncluded=- Down payment invoices are not included
DepositsAreIncluded=- 包括预付款发票
+LT1ReportByMonth=Tax 2 report by month
+LT2ReportByMonth=Tax 3 report by month
LT1ReportByCustomers=由合作方报告税2
LT2ReportByCustomers=由合作方报告税3
LT1ReportByCustomersES=按合作方 RE 报表
LT2ReportByCustomersES=按合作方IRPF的报表
VATReport=销售税报告
VATReportByPeriods=按期间的销售税报告
+VATReportByMonth=Sale tax report by month
VATReportByRates=销售税报告按费率计算
VATReportByThirdParties=第三方销售税报告
VATReportByCustomers=客户销售税报告
diff --git a/htdocs/langs/zh_CN/cron.lang b/htdocs/langs/zh_CN/cron.lang
index b0b151ccf45..63b93692f0e 100644
--- a/htdocs/langs/zh_CN/cron.lang
+++ b/htdocs/langs/zh_CN/cron.lang
@@ -6,28 +6,29 @@ Permission23102 = 创建/更新计划任务
Permission23103 = 删除计划任务
Permission23104 = 执行计划任务
# Admin
-CronSetup= 计划任务管理设置
-URLToLaunchCronJobs=URL to check and launch qualified cron jobs
-OrToLaunchASpecificJob=或者检查并启动一个特别计划任务
+CronSetup=计划任务管理设置
+URLToLaunchCronJobs=URL to check and launch qualified cron jobs from a browser
+OrToLaunchASpecificJob=Or to check and launch a specific job from a browser
KeyForCronAccess=启动计划任务的URL网址的安全密钥
-FileToLaunchCronJobs=Command line to check and launch qualified cron jobs
+FileToLaunchCronJobs=用于检查和启动合格的cron作业的命令行
CronExplainHowToRunUnix=在Unix环境你可以在命令行下每5分钟执行以下计划任务
-CronExplainHowToRunWin=在微软(tm)Windows操作系统环境下你可以使用控制面板中的计划任务工具每5分钟运行
+CronExplainHowToRunWin=On Microsoft(tm) Windows environment you can use Scheduled Task tools to run the command line each 5 minutes
CronMethodDoesNotExists=Class类 %s 没有包含任何方法 %s
-CronJobDefDesc=Cron job profiles are defined into the module descriptor file. When module is activated, they are loaded and available so you can administer the jobs from the admin tools menu %s.
-CronJobProfiles=List of predefined cron job profiles
+CronMethodNotAllowed=Method %s of class %s is in blacklist of forbidden methods
+CronJobDefDesc=Cron作业配置文件定义在模块描述符文件中。激活模块后,它们将被加载并可用,因此您可以从管理工具菜单%s管理作业。
+CronJobProfiles=预定义的cron作业配置文件列表
# Menu
EnabledAndDisabled=启用和禁用
# Page list
-CronLastOutput=Latest run output
-CronLastResult=Latest result code
+CronLastOutput=最新的运行输出
+CronLastResult=最新结果代码
CronCommand=命令
CronList=计划任务
CronDelete=删除计划任务
-CronConfirmDelete=Are you sure you want to delete these scheduled jobs?
+CronConfirmDelete=您确定要删除这些预定作业吗?
CronExecute=安排计划工作
-CronConfirmExecute=Are you sure you want to execute these scheduled jobs now?
-CronInfo=Scheduled job module allows to schedule jobs to execute them automatically. Jobs can also be started manually.
+CronConfirmExecute=您确定要立即执行这些预定作业吗?
+CronInfo=计划作业模块允许计划作业以自动执行它们。也可以手动启动作业。
CronTask=工作
CronNone=无
CronDtStart=之前
@@ -42,10 +43,11 @@ CronModule=模块
CronNoJobs=没有工作注册
CronPriority=优先级
CronLabel=标签
-CronNbRun=运行编号
-CronMaxRun=Max number launch
+CronNbRun=Number of launches
+CronMaxRun=Maximum number of launches
CronEach=每
JobFinished=工作启动和完成
+Scheduled=Scheduled
#Page card
CronAdd= 添加工作
CronEvery=执行每个工作
@@ -55,29 +57,35 @@ CronSaveSucess=保存成功
CronNote=说明
CronFieldMandatory=栏位 %s 为必填
CronErrEndDateStartDt=结束日期不能早过开始日期啊,时光不能倒流呀魂淡
-StatusAtInstall=Status at module installation
-CronStatusActiveBtn=生效
+StatusAtInstall=模块安装时的状态
+CronStatusActiveBtn=Schedule
CronStatusInactiveBtn=禁用
CronTaskInactive=这个工作已失效
CronId=Id
-CronClassFile=Filename with class
-CronModuleHelp=Name of Dolibarr module directory (also work with external Dolibarr module). For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for module is product
-CronClassFileHelp=The relative path and file name to load (path is relative to web server root directory). For exemple to call the fetch method of Dolibarr Product object htdocs/product/class/product.class.php, the value for class file name is product/class/product.class.php
-CronObjectHelp=The object name to load. For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for class file name is Product
-CronMethodHelp=The object method to launch. For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for method is fetch
-CronArgsHelp=The method arguments. For exemple to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for paramters can be 0, ProductRef
+CronClassFile=带有类的文件名
+CronModuleHelp=Name of Dolibarr module directory (also work with external Dolibarr module). For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for module is product
+CronClassFileHelp=The relative path and file name to load (path is relative to web server root directory). For example to call the fetch method of Dolibarr Product object htdocs/product/class/product.class.php, the value for class file name is product/class/product.class.php
+CronObjectHelp=The object name to load. For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for class file name is Product
+CronMethodHelp=The object method to launch. For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for method is fetch
+CronArgsHelp=The method arguments. For example to call the fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value for paramters can be 0, ProductRef
CronCommandHelp=系统命令行执行。
CronCreateJob=创建新的计划任务
CronFrom=From
# Info
# Common
CronType=工作类型
-CronType_method=Call method of a PHP Class
+CronType_method=调用PHP类的方法
CronType_command=命令行
-CronCannotLoadClass=Cannot load class file %s (to use class %s)
-CronCannotLoadObject=Class file %s was loaded, but object %s was not found into it
-UseMenuModuleToolsToAddCronJobs=请到菜单 "主页 - 管理员工具 - 计划任务" 查看和修改计划任务。
+CronCannotLoadClass=无法加载类文件%s(使用类%s)
+CronCannotLoadObject=已加载类文件%s,但未找到对象%s
+UseMenuModuleToolsToAddCronJobs=Go into menu "Home - Admin tools - Scheduled jobs" to see and edit scheduled jobs.
JobDisabled=岗位无效
MakeLocalDatabaseDumpShort=本地数据库备份
-MakeLocalDatabaseDump=Create a local database dump. Parameters are: compression ('gz' or 'bz' or 'none'), backup type ('mysql' or 'pgsql'), 1, 'auto' or filename to build, number of backup files to keep
-WarningCronDelayed=Attention, for performance purpose, whatever is next date of execution of enabled jobs, your jobs may be delayed to a maximum of %s hours, before being run.
+MakeLocalDatabaseDump=Create a local database dump. Parameters are: compression ('gz' or 'bz' or 'none'), backup type ('mysql', 'pgsql', 'auto'), 1, 'auto' or filename to build, number of backup files to keep
+WarningCronDelayed=注意,出于性能目的,无论启用作业的下一个执行日期是什么,您的作业可能会在运行之前延迟到最大值%s小时。
+DATAPOLICYJob=Data cleaner and anonymizer
+JobXMustBeEnabled=Job %s must be enabled
+# Cron Boxes
+LastExecutedScheduledJob=Last executed scheduled job
+NextScheduledJobExecute=Next scheduled job to execute
+NumberScheduledJobError=Number of scheduled jobs in error
diff --git a/htdocs/langs/zh_CN/errors.lang b/htdocs/langs/zh_CN/errors.lang
index 33ed9cea573..a7705c06513 100644
--- a/htdocs/langs/zh_CN/errors.lang
+++ b/htdocs/langs/zh_CN/errors.lang
@@ -5,8 +5,10 @@ NoErrorCommitIsDone=没有错误,我们承诺
# Errors
ErrorButCommitIsDone=发现错误我们将进行验证
ErrorBadEMail=Email %s is wrong
+ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record)
ErrorBadUrl=网址 %s 有误
ErrorBadValueForParamNotAString=参数值不正确。它通常在缺少翻译时附加。
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorLoginAlreadyExists=登陆%s已经存在。
ErrorGroupAlreadyExists=组%s已经存在。
ErrorRecordNotFound=记录没有找到。
@@ -48,6 +50,7 @@ ErrorFieldsRequired=一些必要的栏位都没有填补。
ErrorSubjectIsRequired=电子邮件主题是必需的
ErrorFailedToCreateDir=无法创建一个目录。检查Web服务器的用户有权限写入Dolibarr文件目录。如果参数safe_mode设置为启用这个PHP,检查Dolibarr php文件到Web服务器的用户拥有(或组)。
ErrorNoMailDefinedForThisUser=没有邮件定义该用户
+ErrorSetupOfEmailsNotComplete=Setup of emails is not complete
ErrorFeatureNeedJavascript=此功能需要Javascript被激活才能工作。更改此设置 - 显示。
ErrorTopMenuMustHaveAParentWithId0=一个类型'顶'不能有一个父菜单中的菜单。放在父菜单0或选择一个类型为'左'菜单。
ErrorLeftMenuMustHaveAParentId=一个类型为'左'必须有一个父菜单的ID。
@@ -75,7 +78,7 @@ ErrorExportDuplicateProfil=导出设定配置名称已存在
ErrorLDAPSetupNotComplete=Dolibarr - LDAP的匹配是不完整的。
ErrorLDAPMakeManualTest=甲。LDIF文件已经生成在目录%s的尝试加载命令行手动有更多的错误信息。
ErrorCantSaveADoneUserWithZeroPercentage=Can't save an action with "status not started" if field "done by" is also filled.
-ErrorRefAlreadyExists=号的创作已经存在。
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorPleaseTypeBankTransactionReportName=请输入必须报告条目的银行对账单名称(格式YYYYMM或YYYYMMDD)
ErrorRecordHasChildren=Failed to delete record since it has some child records.
ErrorRecordHasAtLeastOneChildOfType=对象至少有一个类型为%s的子项
@@ -216,7 +219,7 @@ ErrorChooseBetweenFreeEntryOrPredefinedProduct=您必须选择文章是否为预
ErrorDiscountLargerThanRemainToPaySplitItBefore=您尝试申请的折扣大于剩余支付。之前将折扣分为2个较小的折扣。
ErrorFileNotFoundWithSharedLink=找不到档案。可能是修改了共享密钥或最近删除了文件。
ErrorProductBarCodeAlreadyExists=产品条形码%s已存在于其他产品参考中。
-ErrorNoteAlsoThatSubProductCantBeFollowedByLot=还要注意,当至少一个子产品(或子产品的子产品)需要序列号/批号时,使用虚拟产品来自动增加/减少子产品是不可能的。
+ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using kits to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number.
ErrorDescRequiredForFreeProductLines=对于包含免费产品的行,必须说明
ErrorAPageWithThisNameOrAliasAlreadyExists=The page/container %s has the same name or alternative alias that the one your try to use
ErrorDuringChartLoad=Error when loading chart of accounts. If few accounts were not loaded, you can still enter them manually.
@@ -243,6 +246,16 @@ ErrorReplaceStringEmpty=Error, the string to replace into is empty
ErrorProductNeedBatchNumber=Error, product '%s' need a lot/serial number
ErrorProductDoesNotNeedBatchNumber=Error, product '%s' does not accept a lot/serial number
ErrorFailedToReadObject=Error, failed to read object of type %s
+ErrorParameterMustBeEnabledToAllwoThisFeature=Error, parameter %s must be enabled into conf/conf.php to allow use of Command Line Interface by the internal job scheduler
+ErrorLoginDateValidity=Error, this login is outside the validity date range
+ErrorValueLength=Length of field '%s' must be higher than '%s'
+ErrorReservedKeyword=The word '%s' is a reserved keyword
+ErrorNotAvailableWithThisDistribution=Not available with this distribution
+ErrorPublicInterfaceNotEnabled=Public interface was not enabled
+ErrorLanguageRequiredIfPageIsTranslationOfAnother=The language of new page must be defined if it is set as a translation of another page
+ErrorLanguageMustNotBeSourceLanguageIfPageIsTranslationOfAnother=The language of new page must not be the source language if it is set as a translation of another page
+ErrorAParameterIsRequiredForThisOperation=A parameter is mandatory for this operation
+
# Warnings
WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup.
WarningPasswordSetWithNoAccount=为此成员设置了密码。但是,未创建任何用户帐户。因此,此密码已存储,但无法用于登录Dolibarr。它可以由外部模块/接口使用,但如果您不需要为成员定义任何登录名或密码,则可以从成员模块设置中禁用“管理每个成员的登录名”选项。如果您需要管理登录但不需要任何密码,则可以将此字段保留为空以避免此警告。注意:如果成员链接到用户,则电子邮件也可用作登录。
@@ -267,6 +280,10 @@ WarningYourLoginWasModifiedPleaseLogin=您的登录已被修改。出于安全
WarningAnEntryAlreadyExistForTransKey=此语言的翻译密钥已存在条目
WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different recipient is limited to %s when using the mass actions on lists
WarningDateOfLineMustBeInExpenseReportRange=警告,行日期不在费用报表范围内
+WarningProjectDraft=Project is still in draft mode. Don't forget to validate it if you plan to use tasks.
WarningProjectClosed=Project is closed. You must re-open it first.
WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list.
-WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table
+WarningFailedToAddFileIntoDatabaseIndex=Warning, failed to add file entry into ECM database index table
+WarningTheHiddenOptionIsOn=Warning, the hidden option %s is on.
+WarningCreateSubAccounts=Warning, you can't create directly a sub account, you must create a third party or an user and assign them an accounting code to find them in this list
+WarningAvailableOnlyForHTTPSServers=Available only if using HTTPS secured connection.
diff --git a/htdocs/langs/zh_CN/exports.lang b/htdocs/langs/zh_CN/exports.lang
index 2117c02d285..11cfd2fcb7e 100644
--- a/htdocs/langs/zh_CN/exports.lang
+++ b/htdocs/langs/zh_CN/exports.lang
@@ -26,6 +26,8 @@ FieldTitle=字段标题
NowClickToGenerateToBuildExportFile=Now, select the file format in the combo box and click on "Generate" to build the export file...
AvailableFormats=Available Formats
LibraryShort=资料库
+ExportCsvSeparator=Csv caracter separator
+ImportCsvSeparator=Csv caracter separator
Step=步
FormatedImport=Import Assistant
FormatedImportDesc1=This module allows you to update existing data or add new objects into the database from a file without technical knowledge, using an assistant.
@@ -131,3 +133,4 @@ KeysToUseForUpdates=Key (column) to use for updating existing data
NbInsert=插入行数:%s
NbUpdate=更新行数:%s
MultipleRecordFoundWithTheseFilters=使用这些过滤器找到了多条记录:%s
+StocksWithBatch=Stocks and location (warehouse) of products with batch/serial number
diff --git a/htdocs/langs/zh_CN/mails.lang b/htdocs/langs/zh_CN/mails.lang
index c6a2af28558..f2273401207 100644
--- a/htdocs/langs/zh_CN/mails.lang
+++ b/htdocs/langs/zh_CN/mails.lang
@@ -92,6 +92,7 @@ MailingModuleDescEmailsFromUser=用户输入的电子邮件
MailingModuleDescDolibarrUsers=用户使用电子邮件
MailingModuleDescThirdPartiesByCategories=第三方(按类别)
SendingFromWebInterfaceIsNotAllowed=不允许从Web界面发送。
+EmailCollectorFilterDesc=All filters must match to have an email being collected
# Libelle des modules de liste de destinataires mailing
LineInFile=在文件%s的线
@@ -125,12 +126,13 @@ TagMailtoEmail=Recipient Email (including html "mailto:" link)
NoEmailSentBadSenderOrRecipientEmail=没有发送电子邮件发件人或收件人电子邮件错验证用户配置文件
# Module Notifications
Notifications=通知
-NoNotificationsWillBeSent=没有电子邮件通知此事件的计划和公司
-ANotificationsWillBeSent=1通知将通过电子邮件发送
-SomeNotificationsWillBeSent=%s的通知将通过电子邮件发送
-AddNewNotification=激活新的电子邮件通知目标/事件
-ListOfActiveNotifications=列出电子邮件通知的所有活动目标/事件
-ListOfNotificationsDone=列出所有发送电子邮件通知
+NotificationsAuto=Notifications Auto.
+NoNotificationsWillBeSent=No automatic email notifications are planned for this event type and company
+ANotificationsWillBeSent=1 automatic notification will be sent by email
+SomeNotificationsWillBeSent=%s automatic notifications will be sent by email
+AddNewNotification=Subscribe to a new automatic email notification (target/event)
+ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification
+ListOfNotificationsDone=List all automatic email notifications sent
MailSendSetupIs=Email电子邮箱配置设定 '%s'. 这个模式无法用于邮件群发。
MailSendSetupIs2=首先您得这么地, 得先有个管理员账号吧 admin , 进入菜单 %s主页 - 设置 - EMails%s 修改参数 '%s' 用 '%s'模式。 在此模式下, 您才可输入一个 SMTP 服务器地址 来供您收发邮件。
MailSendSetupIs3=如果你对 SMTP 服务器的配置方面有疑问, 你可到这里询问 %s.
@@ -140,7 +142,7 @@ UseFormatFileEmailToTarget=导入的文件必须具有格式电子邮件
UseFormatInputEmailToTarget=输入格式为电子邮件;名称;名字;其他的字符串
MailAdvTargetRecipients=收件人(高级选择)
AdvTgtTitle=填写输入字段以预先选择要定位的第三方或联系人/地址
-AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima% will target all jean, joe, start with jim but not jimo and not everything that starts with jima
+AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima%% will target all jean, joe, start with jim but not jimo and not everything that starts with jima
AdvTgtSearchIntHelp=使用interval选择int或float值
AdvTgtMinVal=最小值
AdvTgtMaxVal=最大值
@@ -162,13 +164,14 @@ AdvTgtCreateFilter=创建筛选
AdvTgtOrCreateNewFilter=新筛选器的名称
NoContactWithCategoryFound=分类没有联系人/地址
NoContactLinkedToThirdpartieWithCategoryFound=分类没有联系人/地址
-OutGoingEmailSetup=发件服务器设置
-InGoingEmailSetup=传入电子邮件设置
-OutGoingEmailSetupForEmailing=Outgoing email setup (for module %s)
-DefaultOutgoingEmailSetup=默认外发电子邮件设置
+OutGoingEmailSetup=Outgoing emails
+InGoingEmailSetup=Incoming emails
+OutGoingEmailSetupForEmailing=Outgoing emails (for module %s)
+DefaultOutgoingEmailSetup=Same configuration than the global Outgoing email setup
Information=信息
ContactsWithThirdpartyFilter=Contacts with third-party filter
Unanswered=Unanswered
Answered=Answered
IsNotAnAnswer=Is not answer (initial email)
IsAnAnswer=Is an answer of an initial email
+RecordCreatedByEmailCollector=Record created by the Email Collector %s from email %s
diff --git a/htdocs/langs/zh_CN/main.lang b/htdocs/langs/zh_CN/main.lang
index ba5ab7c1706..1fbcea452cd 100644
--- a/htdocs/langs/zh_CN/main.lang
+++ b/htdocs/langs/zh_CN/main.lang
@@ -28,7 +28,9 @@ NoTemplateDefined=此电子邮件类型没有可用的模板
AvailableVariables=可用的替代变量
NoTranslation=没有翻译
Translation=翻译
+CurrentTimeZone=PHP 服务器的时区
EmptySearchString=Enter non empty search criterias
+EnterADateCriteria=Enter a date criteria
NoRecordFound=空空如也——没有找到记录
NoRecordDeleted=未删除记录
NotEnoughDataYet=数据不足
@@ -85,6 +87,8 @@ FileWasNotUploaded=一个文件被选中的附件,但还没有上传。点击
NbOfEntries=No. of entries
GoToWikiHelpPage=阅读在线帮助文档 (需要访问外网)
GoToHelpPage=阅读帮助
+DedicatedPageAvailable=There is a dedicated help page related to your current screen
+HomePage=Home Page
RecordSaved=记录已保存
RecordDeleted=记录已删除
RecordGenerated=Record generated
@@ -433,6 +437,7 @@ RemainToPay=继续付钱
Module=模块/应用程序
Modules=模块/应用
Option=选项
+Filters=Filters
List=列表
FullList=全部列表
FullConversation=Full conversation
@@ -671,7 +676,7 @@ SendMail=发送电子邮件
Email=电子邮件
NoEMail=没有电子邮件
AlreadyRead=Already read
-NotRead=Not read
+NotRead=Unread
NoMobilePhone=没有手机号码
Owner=拥有者
FollowingConstantsWillBeSubstituted=以下常量将与相应的值代替。
@@ -1107,3 +1112,8 @@ UpToDate=Up-to-date
OutOfDate=Out-of-date
EventReminder=Event Reminder
UpdateForAllLines=Update for all lines
+OnHold=On hold
+AffectTag=Affect Tag
+ConfirmAffectTag=Bulk Tag Affect
+ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected record(s)?
+CategTypeNotFound=No tag type found for type of records
diff --git a/htdocs/langs/zh_CN/modulebuilder.lang b/htdocs/langs/zh_CN/modulebuilder.lang
index 5c6573c3299..520c9966786 100644
--- a/htdocs/langs/zh_CN/modulebuilder.lang
+++ b/htdocs/langs/zh_CN/modulebuilder.lang
@@ -40,6 +40,7 @@ PageForCreateEditView=用于创建/编辑/查看记录的PHP页面
PageForAgendaTab=事件选项卡的PHP页面
PageForDocumentTab=文档选项卡的PHP页面
PageForNoteTab=注释选项卡的PHP页面
+PageForContactTab=PHP page for contact tab
PathToModulePackage=zip /模块/应用程序包的路径
PathToModuleDocumentation=Path to file of module/application documentation (%s)
SpaceOrSpecialCharAreNotAllowed=不允许使用空格或特殊字符。
@@ -77,7 +78,7 @@ IsAMeasure=是衡量标准
DirScanned=扫描目录
NoTrigger=没有触发器
NoWidget=无插件
-GoToApiExplorer=转到API资源管理器
+GoToApiExplorer=API explorer
ListOfMenusEntries=菜单条目列表
ListOfDictionariesEntries=List of dictionaries entries
ListOfPermissionsDefined=已定义权限的列表
@@ -105,7 +106,7 @@ TryToUseTheModuleBuilder=If you have knowledge of SQL and PHP, you may use the n
SeeTopRightMenu=请参阅右上方菜单中的
AddLanguageFile=添加语言文件
YouCanUseTranslationKey=你可以在这里使用一个密钥,它是在语言文件中找到的翻译密钥(参见“语言”选项卡)
-DropTableIfEmpty=(删除表格如果为空)
+DropTableIfEmpty=(Destroy table if empty)
TableDoesNotExists=表%s不存在
TableDropped=表%s已删除
InitStructureFromExistingTable=构建现有表的结构数组字符串
@@ -126,7 +127,6 @@ UseSpecificEditorURL = Use a specific editor URL
UseSpecificFamily = Use a specific family
UseSpecificAuthor = Use a specific author
UseSpecificVersion = Use a specific initial version
-ModuleMustBeEnabled=The module/application must be enabled first
IncludeRefGeneration=The reference of object must be generated automatically
IncludeRefGenerationHelp=Check this if you want to include code to manage the generation automatically of the reference
IncludeDocGeneration=I want to generate some documents from the object
@@ -140,3 +140,4 @@ TypeOfFieldsHelp=Type of fields: varchar(99), double(24,8), real, text, html,
AsciiToHtmlConverter=Ascii to HTML converter
AsciiToPdfConverter=Ascii to PDF converter
TableNotEmptyDropCanceled=Table not empty. Drop has been canceled.
+ModuleBuilderNotAllowed=The module builder is available but not allowed to your user.
diff --git a/htdocs/langs/zh_CN/other.lang b/htdocs/langs/zh_CN/other.lang
index 4671a563cb1..d0ef798fabf 100644
--- a/htdocs/langs/zh_CN/other.lang
+++ b/htdocs/langs/zh_CN/other.lang
@@ -5,8 +5,6 @@ Tools=工具
TMenuTools=工具
ToolsDesc=All tools not included in other menu entries are grouped here. All the tools can be accessed via the left menu.
Birthday=生日
-BirthdayDate=生日
-DateToBirth=Birth date
BirthdayAlertOn=生日提醒活跃
BirthdayAlertOff=生日提醒无效
TransKey=关键TransKey的翻译
@@ -16,6 +14,8 @@ PreviousMonthOfInvoice=发票日期的上个月(编号1-12)
TextPreviousMonthOfInvoice=发票日期的上个月(文本)
NextMonthOfInvoice=发票日期的下个月(编号1-12)
TextNextMonthOfInvoice=发票日期的月份(文本)
+PreviousMonth=Previous month
+CurrentMonth=Current month
ZipFileGeneratedInto=Zip文件生成 %s 。
DocFileGeneratedInto=Doc文件生成 %s 。
JumpToLogin=断开。转到登录页面...
@@ -99,6 +99,7 @@ PredefinedMailContentSendShipping=__(Hello)__\n\nPlease find shipping __REF__ at
PredefinedMailContentSendFichInter=__(Hello)__\n\nPlease find intervention __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
PredefinedMailContentLink=如果尚未完成,您可以点击下面的链接进行付款。\n\n%s\n\n
PredefinedMailContentGeneric=__(你好)__\n\n\n__(此致)__\n\n__USER_SIGNATURE__
+PredefinedMailContentSendActionComm=Event reminder "__EVENT_LABEL__" on __EVENT_DATE__ at __EVENT_TIME__
This is an automatic message, please do not reply.
DemoDesc=Dolibarr是一款具有几百种业务模块支撑的紧凑型ERP / CRM系统。如若所有的业务模块统统向您展示演示我们认为这么做没有任何意义,假如真发生了这样的情况:这几百个业务贵公司统统都涉足到了那么请您直接包养我们吧,土豪请直接 (加我们中国社区QQ群206239089)赞助我们吧,让Dolibarr在中国推得更广走得更远!以下您有几个选择。
ChooseYourDemoProfil=请选择最贴近贵企业需求的演示…
ChooseYourDemoProfilMore=...自定义配置 (手动选择模块)
@@ -137,7 +138,7 @@ Right=右键
CalculatedWeight=计算重量
CalculatedVolume=计算量
Weight=重量
-WeightUnitton=吨
+WeightUnitton=ton
WeightUnitkg=公斤
WeightUnitg=克
WeightUnitmg=毫克
@@ -258,6 +259,7 @@ ContactCreatedByEmailCollector=Contact/address created by email collector from e
ProjectCreatedByEmailCollector=Project created by email collector from email MSGID %s
TicketCreatedByEmailCollector=Ticket created by email collector from email MSGID %s
OpeningHoursFormatDesc=Use a - to separate opening and closing hours. Use a space to enter different ranges. Example: 8-12 14-18
+PrefixSession=Prefix for session ID
##### Export #####
ExportsArea=导出区
diff --git a/htdocs/langs/zh_CN/products.lang b/htdocs/langs/zh_CN/products.lang
index e9ad7c64214..2501a848510 100644
--- a/htdocs/langs/zh_CN/products.lang
+++ b/htdocs/langs/zh_CN/products.lang
@@ -108,7 +108,8 @@ FillWithLastServiceDates=Fill with last service line dates
MultiPricesAbility=Multiple price segments per product/service (each customer is in one price segment)
MultiPricesNumPrices=价格个数
DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices
-AssociatedProductsAbility=Activate kits (virtual products)
+AssociatedProductsAbility=Enable Kits (set of other products)
+VariantsAbility=Enable Variants (variations of products, for example color, size)
AssociatedProducts=Kits
AssociatedProductsNumber=Number of products composing this kit
ParentProductsNumber=父级包装产品的数量
@@ -167,8 +168,10 @@ BuyingPrices=买价
CustomerPrices=客户价格
SuppliersPrices=供应商价格
SuppliersPricesOfProductsOrServices=Vendor prices (of products or services)
-CustomCode=海关/商品/ HS编码
+CustomCode=Customs|Commodity|HS code
CountryOrigin=产地国
+RegionStateOrigin=Region origin
+StateOrigin=State|Province origin
Nature=Nature of product (material/finished)
NatureOfProductShort=Nature of product
NatureOfProductDesc=Raw material or finished product
@@ -239,7 +242,7 @@ AlwaysUseFixedPrice=使用固定价格
PriceByQuantity=不同数量价格
DisablePriceByQty=按数量禁用价格
PriceByQuantityRange=定量范围
-MultipriceRules=市场价格规则
+MultipriceRules=Automatic prices for segment
UseMultipriceRules=Use price segment rules (defined into product module setup) to auto calculate prices of all other segments according to first segment
PercentVariationOver=%% 变化 %s
PercentDiscountOver=%%折扣超过%s
diff --git a/htdocs/langs/zh_CN/recruitment.lang b/htdocs/langs/zh_CN/recruitment.lang
index 1fd9b48e629..02e8dce6590 100644
--- a/htdocs/langs/zh_CN/recruitment.lang
+++ b/htdocs/langs/zh_CN/recruitment.lang
@@ -73,3 +73,4 @@ JobClosedTextCandidateFound=The job position is closed. The position has been fi
JobClosedTextCanceled=The job position is closed.
ExtrafieldsJobPosition=Complementary attributes (job positions)
ExtrafieldsCandidatures=Complementary attributes (job applications)
+MakeOffer=Make an offer
diff --git a/htdocs/langs/zh_CN/sendings.lang b/htdocs/langs/zh_CN/sendings.lang
index 265e417e1ae..3abc9d1f869 100644
--- a/htdocs/langs/zh_CN/sendings.lang
+++ b/htdocs/langs/zh_CN/sendings.lang
@@ -30,6 +30,7 @@ OtherSendingsForSameOrder=这个订单的其他运输
SendingsAndReceivingForSameOrder=此订单的发货和收货
SendingsToValidate=运输验证
StatusSendingCanceled=取消
+StatusSendingCanceledShort=已取消
StatusSendingDraft=草稿
StatusSendingValidated=验证(产品出货或已经出货)
StatusSendingProcessed=加工
@@ -65,6 +66,7 @@ ValidateOrderFirstBeforeShipment=您必须先验证订单才能发货。
# Sending methods
# ModelDocument
DocumentModelTyphon=更多的送货单(logo. ..完整的文档模板)
+DocumentModelStorm=More complete document model for delivery receipts and extrafields compatibility (logo...)
Error_EXPEDITION_ADDON_NUMBER_NotDefined=没有定义的常数EXPEDITION_ADDON_NUMBER
SumOfProductVolumes=产品总数
SumOfProductWeights=产品总重
diff --git a/htdocs/langs/zh_CN/stocks.lang b/htdocs/langs/zh_CN/stocks.lang
index 2a32f22f414..7074dc7ed0d 100644
--- a/htdocs/langs/zh_CN/stocks.lang
+++ b/htdocs/langs/zh_CN/stocks.lang
@@ -240,3 +240,4 @@ InventoryRealQtyHelp=Set value to 0 to reset qty Keep field empty, or remove
UpdateByScaning=Update by scaning
UpdateByScaningProductBarcode=Update by scan (product barcode)
UpdateByScaningLot=Update by scan (lot|serial barcode)
+DisableStockChangeOfSubProduct=Deactivate the stock change for all the subproducts of this Kit during this movement.
diff --git a/htdocs/langs/zh_CN/ticket.lang b/htdocs/langs/zh_CN/ticket.lang
index 2d2ab96304e..4cd03733e48 100644
--- a/htdocs/langs/zh_CN/ticket.lang
+++ b/htdocs/langs/zh_CN/ticket.lang
@@ -31,10 +31,8 @@ TicketDictType=Ticket - Types
TicketDictCategory=Ticket - Groupes
TicketDictSeverity=Ticket - Severities
TicketDictResolution=Ticket - Resolution
-TicketTypeShortBUGSOFT=软件故障
-TicketTypeShortBUGHARD=硬件故障
-TicketTypeShortCOM=商业问题
+TicketTypeShortCOM=商业问题
TicketTypeShortHELP=Request for functionnal help
TicketTypeShortISSUE=Issue, bug or problem
TicketTypeShortREQUEST=Change or enhancement request
@@ -44,7 +42,7 @@ TicketTypeShortOTHER=其他
TicketSeverityShortLOW=低
TicketSeverityShortNORMAL=正常
TicketSeverityShortHIGH=高
-TicketSeverityShortBLOCKING=临界/阻塞
+TicketSeverityShortBLOCKING=Critical, Blocking
ErrorBadEmailAddress=字段'%s'不正确
MenuTicketMyAssign=我的票据
@@ -60,7 +58,6 @@ OriginEmail=电邮来源
Notify_TICKET_SENTBYMAIL=Send ticket message by email
# Status
-NotRead=没看过
Read=阅读
Assigned=分配
InProgress=进行中
@@ -126,6 +123,7 @@ TicketsActivatePublicInterfaceHelp=公共接口允许任何访问者创建票证
TicketsAutoAssignTicket=自动分配创建故障单的用户
TicketsAutoAssignTicketHelp=创建故障单时,可以自动将用户分配给故障单。
TicketNumberingModules=票据编号模块
+TicketsModelModule=Document templates for tickets
TicketNotifyTiersAtCreation=Notify third party at creation
TicketsDisableCustomerEmail=Always disable emails when a ticket is created from public interface
TicketsPublicNotificationNewMessage=Send email(s) when a new message is added
@@ -233,7 +231,6 @@ TicketLogStatusChanged=Status changed: %s to %s
TicketNotNotifyTiersAtCreate=不在创建时通知公司
Unread=Unread
TicketNotCreatedFromPublicInterface=Not available. Ticket was not created from public interface.
-PublicInterfaceNotEnabled=Public interface was not enabled
ErrorTicketRefRequired=Ticket reference name is required
#
diff --git a/htdocs/langs/zh_CN/website.lang b/htdocs/langs/zh_CN/website.lang
index 847c0ea30c2..2b160b7e674 100644
--- a/htdocs/langs/zh_CN/website.lang
+++ b/htdocs/langs/zh_CN/website.lang
@@ -30,7 +30,6 @@ EditInLine=Edit inline
AddWebsite=添加网站
Webpage=网页/容器
AddPage=添加页面/容器
-HomePage=主页
PageContainer=页面
PreviewOfSiteNotYetAvailable=Preview of your website %s not yet available. You must first 'Import a full website template' or just 'Add a page/container'.
RequestedPageHasNoContentYet=ID为%s的请求页面尚无内容,或者删除了缓存文件.tpl.php。编辑页面内容以解决此问题。
@@ -101,7 +100,7 @@ EmptyPage=空页面
ExternalURLMustStartWithHttp=外部URL必须以http://或https://开头
ZipOfWebsitePackageToImport=Upload the Zip file of the website template package
ZipOfWebsitePackageToLoad=or Choose an available embedded website template package
-ShowSubcontainers=Include dynamic content
+ShowSubcontainers=Show dynamic content
InternalURLOfPage=Internal URL of page
ThisPageIsTranslationOf=This page/container is a translation of
ThisPageHasTranslationPages=This page/container has translation
@@ -137,3 +136,4 @@ RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using
PagesRegenerated=%s page(s)/container(s) regenerated
RegenerateWebsiteContent=Regenerate web site cache files
AllowedInFrames=Allowed in Frames
+DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languages into web site properties.
diff --git a/htdocs/langs/zh_CN/withdrawals.lang b/htdocs/langs/zh_CN/withdrawals.lang
index 952c2388f85..7954b92e88b 100644
--- a/htdocs/langs/zh_CN/withdrawals.lang
+++ b/htdocs/langs/zh_CN/withdrawals.lang
@@ -42,6 +42,7 @@ LastWithdrawalReceipt=最新的%s直接借记收据
MakeWithdrawRequest=直接付款请求
MakeBankTransferOrder=Make a credit transfer request
WithdrawRequestsDone=%s记录了直接付款请求
+BankTransferRequestsDone=%s credit transfer requests recorded
ThirdPartyBankCode=Third-party bank code
NoInvoiceCouldBeWithdrawed=No invoice debited successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s.
ClassCredited=分类记
@@ -131,7 +132,8 @@ SEPARCUR=SEPA CUR
SEPAFRST=SEPA FRST
ExecutionDate=执行日期
CreateForSepa=创建直接付款文件
-ICS=Creditor Identifier CI
+ICS=Creditor Identifier CI for direct debit
+ICSTransfer=Creditor Identifier CI for bank transfer
END_TO_END="EndToEndId" SEPA XML tag - Unique id assigned per transaction
USTRD="Unstructured" SEPA XML tag
ADDDAYS=Add days to Execution Date
@@ -146,3 +148,4 @@ InfoRejectSubject=直接付款订单被拒绝
InfoRejectMessage=您好,
与公司%s相关的发票%s的直接借记支付订单,金额已被%s拒绝了。
%s
ModeWarning=实模式下的选项没有设置,这个模拟后,我们停止
ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know wich one to use.
+ErrorICSmissing=Missing ICS in Bank account %s
diff --git a/htdocs/langs/zh_HK/accountancy.lang b/htdocs/langs/zh_HK/accountancy.lang
index 3211a0b62df..33ba4d9fea7 100644
--- a/htdocs/langs/zh_HK/accountancy.lang
+++ b/htdocs/langs/zh_HK/accountancy.lang
@@ -48,6 +48,7 @@ CountriesExceptMe=All countries except %s
AccountantFiles=Export source documents
ExportAccountingSourceDocHelp=With this tool, you can export the source events (list and PDFs) that were used to generate your accountancy. To export your journals, use the menu entry %s - %s.
VueByAccountAccounting=View by accounting account
+VueBySubAccountAccounting=View by accounting subaccount
MainAccountForCustomersNotDefined=Main accounting account for customers not defined in setup
MainAccountForSuppliersNotDefined=Main accounting account for vendors not defined in setup
@@ -144,7 +145,7 @@ NotVentilatedinAccount=Not bound to the accounting account
XLineSuccessfullyBinded=%s products/services successfully bound to an accounting account
XLineFailedToBeBinded=%s products/services were not bound to any accounting account
-ACCOUNTING_LIMIT_LIST_VENTILATION=Number of elements to bind shown by page (maximum recommended: 50)
+ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50)
ACCOUNTING_LIST_SORT_VENTILATION_TODO=Begin the sorting of the page "Binding to do" by the most recent elements
ACCOUNTING_LIST_SORT_VENTILATION_DONE=Begin the sorting of the page "Binding done" by the most recent elements
@@ -198,7 +199,8 @@ Docdate=Date
Docref=Reference
LabelAccount=Label account
LabelOperation=Label operation
-Sens=Sens
+Sens=Direction
+AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received For an accounting account of a supplier, use Debit to record a payment you make
LetteringCode=Lettering code
Lettering=Lettering
Codejournal=Journal
@@ -206,7 +208,8 @@ JournalLabel=Journal label
NumPiece=Piece number
TransactionNumShort=Num. transaction
AccountingCategory=Personalized groups
-GroupByAccountAccounting=Group by accounting account
+GroupByAccountAccounting=Group by general ledger account
+GroupBySubAccountAccounting=Group by subledger account
AccountingAccountGroupsDesc=You can define here some groups of accounting account. They will be used for personalized accounting reports.
ByAccounts=By accounts
ByPredefinedAccountGroups=By predefined groups
@@ -248,7 +251,7 @@ PaymentsNotLinkedToProduct=Payment not linked to any product / service
OpeningBalance=Opening balance
ShowOpeningBalance=Show opening balance
HideOpeningBalance=Hide opening balance
-ShowSubtotalByGroup=Show subtotal by group
+ShowSubtotalByGroup=Show subtotal by level
Pcgtype=Group of account
PcgtypeDesc=Group of account are used as predefined 'filter' and 'grouping' criteria for some accounting reports. For example, 'INCOME' or 'EXPENSE' are used as groups for accounting accounts of products to build the expense/income report.
@@ -271,11 +274,13 @@ DescVentilExpenseReport=Consult here the list of expense report lines bound (or
DescVentilExpenseReportMore=If you setup accounting account on type of expense report lines, the application will be able to make all the binding between your expense report lines and the accounting account of your chart of accounts, just in one click with the button "%s". If account was not set on fees dictionary or if you still have some lines not bound to any account, you will have to make a manual binding from the menu "%s".
DescVentilDoneExpenseReport=Consult here the list of the lines of expenses reports and their fees accounting account
+Closure=Annual closure
DescClosure=Consult here the number of movements by month who are not validated & fiscal years already open
OverviewOfMovementsNotValidated=Step 1/ Overview of movements not validated. (Necessary to close a fiscal year)
+AllMovementsWereRecordedAsValidated=All movements were recorded as validated
+NotAllMovementsCouldBeRecordedAsValidated=Not all movements could be recorded as validated
ValidateMovements=Validate movements
DescValidateMovements=Any modification or deletion of writing, lettering and deletes will be prohibited. All entries for an exercise must be validated otherwise closing will not be possible
-SelectMonthAndValidate=Select month and validate movements
ValidateHistory=Bind Automatically
AutomaticBindingDone=Automatic binding done
@@ -293,6 +298,7 @@ Accounted=Accounted in ledger
NotYetAccounted=Not yet accounted in ledger
ShowTutorial=Show Tutorial
NotReconciled=Not reconciled
+WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view
## Admin
BindingOptions=Binding options
@@ -337,6 +343,7 @@ Modelcsv_LDCompta10=Export for LD Compta (v10 & higher)
Modelcsv_openconcerto=Export for OpenConcerto (Test)
Modelcsv_configurable=Export CSV Configurable
Modelcsv_FEC=Export FEC
+Modelcsv_FEC2=Export FEC (With dates generation writing / document reversed)
Modelcsv_Sage50_Swiss=Export for Sage 50 Switzerland
Modelcsv_winfic=Export Winfic - eWinfic - WinSis Compta
Modelcsv_Gestinumv3=Export for Gestinum (v3)
diff --git a/htdocs/langs/zh_HK/admin.lang b/htdocs/langs/zh_HK/admin.lang
index f1c41a3b62b..189b0b5186a 100644
--- a/htdocs/langs/zh_HK/admin.lang
+++ b/htdocs/langs/zh_HK/admin.lang
@@ -56,6 +56,8 @@ GUISetup=Display
SetupArea=Setup
UploadNewTemplate=Upload new template(s)
FormToTestFileUploadForm=Form to test file upload (according to setup)
+ModuleMustBeEnabled=The module/application %s must be enabled
+ModuleIsEnabled=The module/application %s has been enabled
IfModuleEnabled=Note: yes is effective only if module %s is enabled
RemoveLock=Remove/rename file %s if it exists, to allow usage of the Update/Install tool.
RestoreLock=Restore file %s, with read permission only, to disable any further use of the Update/Install tool.
@@ -85,7 +87,6 @@ ShowPreview=Show preview
ShowHideDetails=Show-Hide details
PreviewNotAvailable=Preview not available
ThemeCurrentlyActive=Theme currently active
-CurrentTimeZone=TimeZone PHP (server)
MySQLTimeZone=TimeZone MySql (database)
TZHasNoEffect=Dates are stored and returned by database server as if they were kept as submitted string. The timezone has effect only when using the UNIX_TIMESTAMP function (that should not be used by Dolibarr, so database TZ should have no effect, even if changed after data was entered).
Space=Space
@@ -153,8 +154,8 @@ SystemToolsAreaDesc=This area provides administration functions. Use the menu to
Purge=Purge
PurgeAreaDesc=This page allows you to delete all files generated or stored by Dolibarr (temporary files or all files in %s directory). Using this feature is not normally necessary. It is provided as a workaround for users whose Dolibarr is hosted by a provider that does not offer permissions to delete files generated by the web server.
PurgeDeleteLogFile=Delete log files, including %s defined for Syslog module (no risk of losing data)
-PurgeDeleteTemporaryFiles=Delete all temporary files (no risk of losing data). Note: Deletion is done only if the temp directory was created 24 hours ago.
-PurgeDeleteTemporaryFilesShort=Delete temporary files
+PurgeDeleteTemporaryFiles=Delete all log and temporary files (no risk of losing data). Note: Deletion of temporary files is done only if the temp directory was created more than 24 hours ago.
+PurgeDeleteTemporaryFilesShort=Delete log and temporary files
PurgeDeleteAllFilesInDocumentsDir=Delete all files in directory: %s. This will delete all generated documents related to elements (third parties, invoices etc...), files uploaded into the ECM module, database backup dumps and temporary files.
PurgeRunNow=Purge now
PurgeNothingToDelete=No directory or files to delete.
@@ -256,6 +257,7 @@ ReferencedPreferredPartners=Preferred Partners
OtherResources=Other resources
ExternalResources=External Resources
SocialNetworks=Social Networks
+SocialNetworkId=Social Network ID
ForDocumentationSeeWiki=For user or developer documentation (Doc, FAQs...), take a look at the Dolibarr Wiki: %s
ForAnswersSeeForum=For any other questions/help, you can use the Dolibarr forum: %s
HelpCenterDesc1=Here are some resources for getting help and support with Dolibarr.
@@ -375,7 +377,7 @@ ExamplesWithCurrentSetup=Examples with current configuration
ListOfDirectories=List of OpenDocument templates directories
ListOfDirectoriesForModelGenODT=List of directories containing templates files with OpenDocument format.
Put here full path of directories. Add a carriage return between eah directory. To add a directory of the GED module, add here DOL_DATA_ROOT/ecm/yourdirectoryname.
Files in those directories must end with .odt or .ods.
NumberOfModelFilesFound=Number of ODT/ODS template files found in these directories
-ExampleOfDirectoriesForModelGen=Examples of syntax: c:\\mydir /home/mydir DOL_DATA_ROOT/ecm/ecmdir
+ExampleOfDirectoriesForModelGen=Examples of syntax: c:\\myapp\\mydocumentdir\\mysubdir /home/myapp/mydocumentdir/mysubdir DOL_DATA_ROOT/ecm/ecmdir
FollowingSubstitutionKeysCanBeUsed= To know how to create your odt document templates, before storing them in those directories, read wiki documentation:
FullListOnOnlineDocumentation=http://wiki.dolibarr.org/index.php/Create_an_ODT_document_template
FirstnameNamePosition=Position of Name/Lastname
@@ -406,7 +408,7 @@ UrlGenerationParameters=Parameters to secure URLs
SecurityTokenIsUnique=Use a unique securekey parameter for each URL
EnterRefToBuildUrl=Enter reference for object %s
GetSecuredUrl=Get calculated URL
-ButtonHideUnauthorized=Hide buttons for non-admin users for unauthorized actions instead of showing greyed disabled buttons
+ButtonHideUnauthorized=Hide unauthorized action buttons also for internal users (just greyed otherwise)
OldVATRates=Old VAT rate
NewVATRates=New VAT rate
PriceBaseTypeToChange=Modify on prices with base reference value defined on
@@ -1689,7 +1691,7 @@ NotTopTreeMenuPersonalized=Personalized menus not linked to a top menu entry
NewMenu=New menu
MenuHandler=Menu handler
MenuModule=Source module
-HideUnauthorizedMenu= Hide unauthorized menus (gray)
+HideUnauthorizedMenu=Hide unauthorized menus also for internal users (just greyed otherwise)
DetailId=Id menu
DetailMenuHandler=Menu handler where to show new menu
DetailMenuModule=Module name if menu entry come from a module
@@ -1983,11 +1985,12 @@ EMailHost=Host of email IMAP server
MailboxSourceDirectory=Mailbox source directory
MailboxTargetDirectory=Mailbox target directory
EmailcollectorOperations=Operations to do by collector
+EmailcollectorOperationsDesc=Operations are executed from top to bottom order
MaxEmailCollectPerCollect=Max number of emails collected per collect
CollectNow=Collect now
ConfirmCloneEmailCollector=Are you sure you want to clone the Email collector %s ?
-DateLastCollectResult=Date latest collect tried
-DateLastcollectResultOk=Date latest collect successfull
+DateLastCollectResult=Date of latest collect try
+DateLastcollectResultOk=Date of latest collect success
LastResult=Latest result
EmailCollectorConfirmCollectTitle=Email collect confirmation
EmailCollectorConfirmCollect=Do you want to run the collection for this collector now ?
@@ -2005,7 +2008,7 @@ WithDolTrackingID=Message from a conversation initiated by a first email sent fr
WithoutDolTrackingID=Message from a conversation initiated by a first email NOT sent from Dolibarr
WithDolTrackingIDInMsgId=Message sent from Dolibarr
WithoutDolTrackingIDInMsgId=Message NOT sent from Dolibarr
-CreateCandidature=Create candidature
+CreateCandidature=Create job application
FormatZip=Zip
MainMenuCode=Menu entry code (mainmenu)
ECMAutoTree=Show automatic ECM tree
@@ -2083,3 +2086,7 @@ CountryIfSpecificToOneCountry=Country (if specific to a given country)
YouMayFindSecurityAdviceHere=You may find security advisory here
ModuleActivatedMayExposeInformation=This module may expose sensitive data. If you don't need it, disable it.
ModuleActivatedDoNotUseInProduction=A module designed for the development has been enabled. Do not enable it on a production environment.
+CombinationsSeparator=Separator character for product combinations
+SeeLinkToOnlineDocumentation=See link to online documention on top menu for examples
+SHOW_SUBPRODUCT_REF_IN_PDF=If the feature "%s" of module %s is used, show details of subproducts of a kit on PDF.
+AskThisIDToYourBank=Contact your bank to get this ID
diff --git a/htdocs/langs/zh_HK/banks.lang b/htdocs/langs/zh_HK/banks.lang
index 9500a5b8b2e..a0dc27f86c4 100644
--- a/htdocs/langs/zh_HK/banks.lang
+++ b/htdocs/langs/zh_HK/banks.lang
@@ -173,8 +173,8 @@ SEPAMandate=SEPA mandate
YourSEPAMandate=Your SEPA mandate
FindYourSEPAMandate=This is your SEPA mandate to authorize our company to make direct debit order to your bank. Return it signed (scan of the signed document) or send it by mail to
AutoReportLastAccountStatement=Automatically fill the field 'number of bank statement' with last statement number when making reconciliation
-CashControl=POS cash fence
-NewCashFence=New cash fence
+CashControl=POS cash desk control
+NewCashFence=New cash desk closing
BankColorizeMovement=Colorize movements
BankColorizeMovementDesc=If this function is enable, you can choose specific background color for debit or credit movements
BankColorizeMovementName1=Background color for debit movement
diff --git a/htdocs/langs/zh_HK/blockedlog.lang b/htdocs/langs/zh_HK/blockedlog.lang
index 5afae6e9e53..0bba5605d0f 100644
--- a/htdocs/langs/zh_HK/blockedlog.lang
+++ b/htdocs/langs/zh_HK/blockedlog.lang
@@ -35,7 +35,7 @@ logDON_DELETE=Donation logical deletion
logMEMBER_SUBSCRIPTION_CREATE=Member subscription created
logMEMBER_SUBSCRIPTION_MODIFY=Member subscription modified
logMEMBER_SUBSCRIPTION_DELETE=Member subscription logical deletion
-logCASHCONTROL_VALIDATE=Cash fence recording
+logCASHCONTROL_VALIDATE=Cash desk closing recording
BlockedLogBillDownload=Customer invoice download
BlockedLogBillPreview=Customer invoice preview
BlockedlogInfoDialog=Log Details
diff --git a/htdocs/langs/zh_HK/boxes.lang b/htdocs/langs/zh_HK/boxes.lang
index d6fd298a3a7..7db4ea8aa17 100644
--- a/htdocs/langs/zh_HK/boxes.lang
+++ b/htdocs/langs/zh_HK/boxes.lang
@@ -46,9 +46,12 @@ BoxTitleLastModifiedDonations=Latest %s modified donations
BoxTitleLastModifiedExpenses=Latest %s modified expense reports
BoxTitleLatestModifiedBoms=Latest %s modified BOMs
BoxTitleLatestModifiedMos=Latest %s modified Manufacturing Orders
+BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded
BoxGlobalActivity=Global activity (invoices, proposals, orders)
BoxGoodCustomers=Good customers
BoxTitleGoodCustomers=%s Good customers
+BoxScheduledJobs=Scheduled jobs
+BoxTitleFunnelOfProspection=Lead funnel
FailedToRefreshDataInfoNotUpToDate=Failed to refresh RSS flux. Latest successful refresh date: %s
LastRefreshDate=Latest refresh date
NoRecordedBookmarks=No bookmarks defined.
@@ -102,5 +105,7 @@ SuspenseAccountNotDefined=Suspense account isn't defined
BoxLastCustomerShipments=Last customer shipments
BoxTitleLastCustomerShipments=Latest %s customer shipments
NoRecordedShipments=No recorded customer shipment
+BoxCustomersOutstandingBillReached=Customers with oustanding limit reached
# Pages
AccountancyHome=Accountancy
+ValidatedProjects=Validated projects
diff --git a/htdocs/langs/zh_HK/cashdesk.lang b/htdocs/langs/zh_HK/cashdesk.lang
index 498baa82200..3fef645d99d 100644
--- a/htdocs/langs/zh_HK/cashdesk.lang
+++ b/htdocs/langs/zh_HK/cashdesk.lang
@@ -49,8 +49,8 @@ Footer=Footer
AmountAtEndOfPeriod=Amount at end of period (day, month or year)
TheoricalAmount=Theorical amount
RealAmount=Real amount
-CashFence=Cash fence
-CashFenceDone=Cash fence done for the period
+CashFence=Cash desk closing
+CashFenceDone=Cash desk closing done for the period
NbOfInvoices=Nb of invoices
Paymentnumpad=Type of Pad to enter payment
Numberspad=Numbers Pad
@@ -99,8 +99,9 @@ CashDeskRefNumberingModules=Numbering module for POS sales
CashDeskGenericMaskCodes6 = {TN} tag is used to add the terminal number
TakeposGroupSameProduct=Group same products lines
StartAParallelSale=Start a new parallel sale
-ControlCashOpening=Control cash box at opening POS
-CloseCashFence=Close cash fence
+SaleStartedAt=Sale started at %s
+ControlCashOpening=Control cash popup at opening POS
+CloseCashFence=Close cash desk control
CashReport=Cash report
MainPrinterToUse=Main printer to use
OrderPrinterToUse=Order printer to use
@@ -122,3 +123,4 @@ GiftReceipt=Gift receipt
ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled first
AllowDelayedPayment=Allow delayed payment
PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts
+WeighingScale=Weighing scale
diff --git a/htdocs/langs/zh_HK/categories.lang b/htdocs/langs/zh_HK/categories.lang
index ba37a43b4ec..4ddf0d6093f 100644
--- a/htdocs/langs/zh_HK/categories.lang
+++ b/htdocs/langs/zh_HK/categories.lang
@@ -19,6 +19,7 @@ ProjectsCategoriesArea=Projects tags/categories area
UsersCategoriesArea=Users tags/categories area
SubCats=Sub-categories
CatList=List of tags/categories
+CatListAll=List of tags/categories (all types)
NewCategory=New tag/category
ModifCat=Modify tag/category
CatCreated=Tag/category created
@@ -65,16 +66,22 @@ UsersCategoriesShort=Users tags/categories
StockCategoriesShort=Warehouse tags/categories
ThisCategoryHasNoItems=This category does not contain any items.
CategId=Tag/category id
-CatSupList=List of vendor tags/categories
-CatCusList=List of customer/prospect tags/categories
+ParentCategory=Parent tag/category
+ParentCategoryLabel=Label of parent tag/category
+CatSupList=List of vendors tags/categories
+CatCusList=List of customers/prospects tags/categories
CatProdList=List of products tags/categories
CatMemberList=List of members tags/categories
-CatContactList=List of contact tags/categories
-CatSupLinks=Links between suppliers and tags/categories
+CatContactList=List of contacts tags/categories
+CatProjectsList=List of projects tags/categories
+CatUsersList=List of users tags/categories
+CatSupLinks=Links between vendors and tags/categories
CatCusLinks=Links between customers/prospects and tags/categories
CatContactsLinks=Links between contacts/addresses and tags/categories
CatProdLinks=Links between products/services and tags/categories
-CatProJectLinks=Links between projects and tags/categories
+CatMembersLinks=Links between members and tags/categories
+CatProjectsLinks=Links between projects and tags/categories
+CatUsersLinks=Links between users and tags/categories
DeleteFromCat=Remove from tags/category
ExtraFieldsCategories=Complementary attributes
CategoriesSetup=Tags/categories setup
diff --git a/htdocs/langs/zh_HK/companies.lang b/htdocs/langs/zh_HK/companies.lang
index dadff6a7894..8dc815b522e 100644
--- a/htdocs/langs/zh_HK/companies.lang
+++ b/htdocs/langs/zh_HK/companies.lang
@@ -358,7 +358,7 @@ VATIntraCheckableOnEUSite=Check the intra-Community VAT ID on the European Commi
VATIntraManualCheck=You can also check manually on the European Commission website %s
ErrorVATCheckMS_UNAVAILABLE=Check not possible. Check service is not provided by the member state (%s).
NorProspectNorCustomer=Not prospect, nor customer
-JuridicalStatus=Legal Entity Type
+JuridicalStatus=Business entity type
Workforce=Workforce
Staff=Employees
ProspectLevelShort=Potential
diff --git a/htdocs/langs/zh_HK/compta.lang b/htdocs/langs/zh_HK/compta.lang
index 8f4f058bb87..1afeb6e3727 100644
--- a/htdocs/langs/zh_HK/compta.lang
+++ b/htdocs/langs/zh_HK/compta.lang
@@ -111,7 +111,7 @@ Refund=Refund
SocialContributionsPayments=Social/fiscal taxes payments
ShowVatPayment=Show VAT payment
TotalToPay=Total to pay
-BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted ascending on %s and filtered for 1 bank account
+BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted on %s and filtered on 1 bank account (with no other filters)
CustomerAccountancyCode=Customer accounting code
SupplierAccountancyCode=Vendor accounting code
CustomerAccountancyCodeShort=Cust. account. code
@@ -140,7 +140,7 @@ ConfirmDeleteSocialContribution=Are you sure you want to delete this social/fisc
ExportDataset_tax_1=Social and fiscal taxes and payments
CalcModeVATDebt=Mode %sVAT on commitment accounting%s.
CalcModeVATEngagement=Mode %sVAT on incomes-expenses%s.
-CalcModeDebt=Analysis of known recorded invoices even if they are not yet accounted in ledger.
+CalcModeDebt=Analysis of known recorded documents even if they are not yet accounted in ledger.
CalcModeEngagement=Analysis of known recorded payments, even if they are not yet accounted in Ledger.
CalcModeBookkeeping=Analysis of data journalized in Bookkeeping Ledger table.
CalcModeLT1= Mode %sRE on customer invoices - suppliers invoices%s
@@ -154,9 +154,9 @@ AnnualSummaryInputOutputMode=Balance of income and expenses, annual summary
AnnualByCompanies=Balance of income and expenses, by predefined groups of account
AnnualByCompaniesDueDebtMode=Balance of income and expenses, detail by predefined groups, mode %sClaims-Debts%s said Commitment accounting.
AnnualByCompaniesInputOutputMode=Balance of income and expenses, detail by predefined groups, mode %sIncomes-Expenses%s said cash accounting.
-SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation on actual payments made even if they are not yet accounted in Ledger.
-SeeReportInDueDebtMode=See %sanalysis of invoices%s for a calculation based on known recorded invoices even if they are not yet accounted in Ledger.
-SeeReportInBookkeepingMode=See %sBookeeping report%s for a calculation on Bookkeeping Ledger table
+SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation based on recorded payments made even if they are not yet accounted in Ledger
+SeeReportInDueDebtMode=See %sanalysis of recorded documents%s for a calculation based on known recorded documents even if they are not yet accounted in Ledger
+SeeReportInBookkeepingMode=See %sanalysis of bookeeping ledger table%s for a report based on Bookkeeping Ledger table
RulesAmountWithTaxIncluded=- Amounts shown are with all taxes included
RulesResultDue=- It includes outstanding invoices, expenses, VAT, donations whether they are paid or not. Is also includes paid salaries. - It is based on the billing date of invoices and on the due date for expenses or tax payments. For salaries defined with Salary module, the value date of payment is used.
RulesResultInOut=- It includes the real payments made on invoices, expenses, VAT and salaries. - It is based on the payment dates of the invoices, expenses, VAT and salaries. The donation date for donation.
@@ -169,12 +169,15 @@ RulesResultBookkeepingPersonalized=It show record in your Ledger with accounting
SeePageForSetup=See menu %s for setup
DepositsAreNotIncluded=- Down payment invoices are not included
DepositsAreIncluded=- Down payment invoices are included
+LT1ReportByMonth=Tax 2 report by month
+LT2ReportByMonth=Tax 3 report by month
LT1ReportByCustomers=Report tax 2 by third party
LT2ReportByCustomers=Report tax 3 by third party
LT1ReportByCustomersES=Report by third party RE
LT2ReportByCustomersES=Report by third party IRPF
VATReport=Sale tax report
VATReportByPeriods=Sale tax report by period
+VATReportByMonth=Sale tax report by month
VATReportByRates=Sale tax report by rates
VATReportByThirdParties=Sale tax report by third parties
VATReportByCustomers=Sale tax report by customer
diff --git a/htdocs/langs/zh_HK/cron.lang b/htdocs/langs/zh_HK/cron.lang
index 1de1251831a..2ebdda1e685 100644
--- a/htdocs/langs/zh_HK/cron.lang
+++ b/htdocs/langs/zh_HK/cron.lang
@@ -7,13 +7,14 @@ Permission23103 = Delete Scheduled job
Permission23104 = Execute Scheduled job
# Admin
CronSetup=Scheduled job management setup
-URLToLaunchCronJobs=URL to check and launch qualified cron jobs
-OrToLaunchASpecificJob=Or to check and launch a specific job
+URLToLaunchCronJobs=URL to check and launch qualified cron jobs from a browser
+OrToLaunchASpecificJob=Or to check and launch a specific job from a browser
KeyForCronAccess=Security key for URL to launch cron jobs
FileToLaunchCronJobs=Command line to check and launch qualified cron jobs
CronExplainHowToRunUnix=On Unix environment you should use the following crontab entry to run the command line each 5 minutes
CronExplainHowToRunWin=On Microsoft(tm) Windows environment you can use Scheduled Task tools to run the command line each 5 minutes
CronMethodDoesNotExists=Class %s does not contains any method %s
+CronMethodNotAllowed=Method %s of class %s is in blacklist of forbidden methods
CronJobDefDesc=Cron job profiles are defined into the module descriptor file. When module is activated, they are loaded and available so you can administer the jobs from the admin tools menu %s.
CronJobProfiles=List of predefined cron job profiles
# Menu
@@ -46,6 +47,7 @@ CronNbRun=Number of launches
CronMaxRun=Maximum number of launches
CronEach=Every
JobFinished=Job launched and finished
+Scheduled=Scheduled
#Page card
CronAdd= Add jobs
CronEvery=Execute job each
@@ -56,7 +58,7 @@ CronNote=Comment
CronFieldMandatory=Fields %s is mandatory
CronErrEndDateStartDt=End date cannot be before start date
StatusAtInstall=Status at module installation
-CronStatusActiveBtn=Enable
+CronStatusActiveBtn=Schedule
CronStatusInactiveBtn=Disable
CronTaskInactive=This job is disabled
CronId=Id
@@ -82,3 +84,8 @@ MakeLocalDatabaseDumpShort=Local database backup
MakeLocalDatabaseDump=Create a local database dump. Parameters are: compression ('gz' or 'bz' or 'none'), backup type ('mysql', 'pgsql', 'auto'), 1, 'auto' or filename to build, number of backup files to keep
WarningCronDelayed=Attention, for performance purpose, whatever is next date of execution of enabled jobs, your jobs may be delayed to a maximum of %s hours, before being run.
DATAPOLICYJob=Data cleaner and anonymizer
+JobXMustBeEnabled=Job %s must be enabled
+# Cron Boxes
+LastExecutedScheduledJob=Last executed scheduled job
+NextScheduledJobExecute=Next scheduled job to execute
+NumberScheduledJobError=Number of scheduled jobs in error
diff --git a/htdocs/langs/zh_HK/errors.lang b/htdocs/langs/zh_HK/errors.lang
index 893f4a35b65..5b26be724d9 100644
--- a/htdocs/langs/zh_HK/errors.lang
+++ b/htdocs/langs/zh_HK/errors.lang
@@ -5,8 +5,10 @@ NoErrorCommitIsDone=No error, we commit
# Errors
ErrorButCommitIsDone=Errors found but we validate despite this
ErrorBadEMail=Email %s is wrong
+ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record)
ErrorBadUrl=Url %s is wrong
ErrorBadValueForParamNotAString=Bad value for your parameter. It appends generally when translation is missing.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorLoginAlreadyExists=Login %s already exists.
ErrorGroupAlreadyExists=Group %s already exists.
ErrorRecordNotFound=Record not found.
@@ -48,6 +50,7 @@ ErrorFieldsRequired=Some required fields were not filled.
ErrorSubjectIsRequired=The email topic is required
ErrorFailedToCreateDir=Failed to create a directory. Check that Web server user has permissions to write into Dolibarr documents directory. If parameter safe_mode is enabled on this PHP, check that Dolibarr php files owns to web server user (or group).
ErrorNoMailDefinedForThisUser=No mail defined for this user
+ErrorSetupOfEmailsNotComplete=Setup of emails is not complete
ErrorFeatureNeedJavascript=This feature need javascript to be activated to work. Change this in setup - display.
ErrorTopMenuMustHaveAParentWithId0=A menu of type 'Top' can't have a parent menu. Put 0 in parent menu or choose a menu of type 'Left'.
ErrorLeftMenuMustHaveAParentId=A menu of type 'Left' must have a parent id.
@@ -75,7 +78,7 @@ ErrorExportDuplicateProfil=This profile name already exists for this export set.
ErrorLDAPSetupNotComplete=Dolibarr-LDAP matching is not complete.
ErrorLDAPMakeManualTest=A .ldif file has been generated in directory %s. Try to load it manually from command line to have more information on errors.
ErrorCantSaveADoneUserWithZeroPercentage=Can't save an action with "status not started" if field "done by" is also filled.
-ErrorRefAlreadyExists=Ref used for creation already exists.
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorPleaseTypeBankTransactionReportName=Please enter the bank statement name where the entry has to be reported (Format YYYYMM or YYYYMMDD)
ErrorRecordHasChildren=Failed to delete record since it has some child records.
ErrorRecordHasAtLeastOneChildOfType=Object has at least one child of type %s
@@ -216,7 +219,7 @@ ErrorChooseBetweenFreeEntryOrPredefinedProduct=You must choose if article is a p
ErrorDiscountLargerThanRemainToPaySplitItBefore=The discount you try to apply is larger than remain to pay. Split the discount in 2 smaller discounts before.
ErrorFileNotFoundWithSharedLink=File was not found. May be the share key was modified or file was removed recently.
ErrorProductBarCodeAlreadyExists=The product barcode %s already exists on another product reference.
-ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using virtual product to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number.
+ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using kits to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number.
ErrorDescRequiredForFreeProductLines=Description is mandatory for lines with free product
ErrorAPageWithThisNameOrAliasAlreadyExists=The page/container %s has the same name or alternative alias that the one your try to use
ErrorDuringChartLoad=Error when loading chart of accounts. If few accounts were not loaded, you can still enter them manually.
@@ -243,6 +246,16 @@ ErrorReplaceStringEmpty=Error, the string to replace into is empty
ErrorProductNeedBatchNumber=Error, product '%s' need a lot/serial number
ErrorProductDoesNotNeedBatchNumber=Error, product '%s' does not accept a lot/serial number
ErrorFailedToReadObject=Error, failed to read object of type %s
+ErrorParameterMustBeEnabledToAllwoThisFeature=Error, parameter %s must be enabled into conf/conf.php to allow use of Command Line Interface by the internal job scheduler
+ErrorLoginDateValidity=Error, this login is outside the validity date range
+ErrorValueLength=Length of field '%s' must be higher than '%s'
+ErrorReservedKeyword=The word '%s' is a reserved keyword
+ErrorNotAvailableWithThisDistribution=Not available with this distribution
+ErrorPublicInterfaceNotEnabled=Public interface was not enabled
+ErrorLanguageRequiredIfPageIsTranslationOfAnother=The language of new page must be defined if it is set as a translation of another page
+ErrorLanguageMustNotBeSourceLanguageIfPageIsTranslationOfAnother=The language of new page must not be the source language if it is set as a translation of another page
+ErrorAParameterIsRequiredForThisOperation=A parameter is mandatory for this operation
+
# Warnings
WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup.
WarningPasswordSetWithNoAccount=A password was set for this member. However, no user account was created. So this password is stored but can't be used to login to Dolibarr. It may be used by an external module/interface but if you don't need to define any login nor password for a member, you can disable option "Manage a login for each member" from Member module setup. If you need to manage a login but don't need any password, you can keep this field empty to avoid this warning. Note: Email can also be used as a login if the member is linked to a user.
@@ -267,6 +280,10 @@ WarningYourLoginWasModifiedPleaseLogin=Your login was modified. For security pur
WarningAnEntryAlreadyExistForTransKey=An entry already exists for the translation key for this language
WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different recipient is limited to %s when using the mass actions on lists
WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report
+WarningProjectDraft=Project is still in draft mode. Don't forget to validate it if you plan to use tasks.
WarningProjectClosed=Project is closed. You must re-open it first.
WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list.
-WarningFailedToAddFileIntoDatabaseIndex=Warnin, failed to add file entry into ECM database index table
+WarningFailedToAddFileIntoDatabaseIndex=Warning, failed to add file entry into ECM database index table
+WarningTheHiddenOptionIsOn=Warning, the hidden option %s is on.
+WarningCreateSubAccounts=Warning, you can't create directly a sub account, you must create a third party or an user and assign them an accounting code to find them in this list
+WarningAvailableOnlyForHTTPSServers=Available only if using HTTPS secured connection.
diff --git a/htdocs/langs/zh_HK/exports.lang b/htdocs/langs/zh_HK/exports.lang
index 3549e3f8b23..a0eb7161ef2 100644
--- a/htdocs/langs/zh_HK/exports.lang
+++ b/htdocs/langs/zh_HK/exports.lang
@@ -133,3 +133,4 @@ KeysToUseForUpdates=Key (column) to use for updating existing data
NbInsert=Number of inserted lines: %s
NbUpdate=Number of updated lines: %s
MultipleRecordFoundWithTheseFilters=Multiple records have been found with these filters: %s
+StocksWithBatch=Stocks and location (warehouse) of products with batch/serial number
diff --git a/htdocs/langs/zh_HK/mails.lang b/htdocs/langs/zh_HK/mails.lang
index 1235eef3b27..7fd93be7b71 100644
--- a/htdocs/langs/zh_HK/mails.lang
+++ b/htdocs/langs/zh_HK/mails.lang
@@ -92,6 +92,7 @@ MailingModuleDescEmailsFromUser=Emails input by user
MailingModuleDescDolibarrUsers=Users with Emails
MailingModuleDescThirdPartiesByCategories=Third parties (by categories)
SendingFromWebInterfaceIsNotAllowed=Sending from web interface is not allowed.
+EmailCollectorFilterDesc=All filters must match to have an email being collected
# Libelle des modules de liste de destinataires mailing
LineInFile=Line %s in file
@@ -125,12 +126,13 @@ TagMailtoEmail=Recipient Email (including html "mailto:" link)
NoEmailSentBadSenderOrRecipientEmail=No email sent. Bad sender or recipient email. Verify user profile.
# Module Notifications
Notifications=Notifications
-NoNotificationsWillBeSent=No email notifications are planned for this event and company
-ANotificationsWillBeSent=1 notification will be sent by email
-SomeNotificationsWillBeSent=%s notifications will be sent by email
-AddNewNotification=Activate a new email notification target/event
-ListOfActiveNotifications=List all active targets/events for email notification
-ListOfNotificationsDone=List all email notifications sent
+NotificationsAuto=Notifications Auto.
+NoNotificationsWillBeSent=No automatic email notifications are planned for this event type and company
+ANotificationsWillBeSent=1 automatic notification will be sent by email
+SomeNotificationsWillBeSent=%s automatic notifications will be sent by email
+AddNewNotification=Subscribe to a new automatic email notification (target/event)
+ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification
+ListOfNotificationsDone=List all automatic email notifications sent
MailSendSetupIs=Configuration of email sending has been setup to '%s'. This mode can't be used to send mass emailing.
MailSendSetupIs2=You must first go, with an admin account, into menu %sHome - Setup - EMails%s to change parameter '%s' to use mode '%s'. With this mode, you can enter setup of the SMTP server provided by your Internet Service Provider and use Mass emailing feature.
MailSendSetupIs3=If you have any questions on how to setup your SMTP server, you can ask to %s.
@@ -140,7 +142,7 @@ UseFormatFileEmailToTarget=Imported file must have format email;name;fir
UseFormatInputEmailToTarget=Enter a string with format email;name;firstname;other
MailAdvTargetRecipients=Recipients (advanced selection)
AdvTgtTitle=Fill input fields to preselect the third parties or contacts/addresses to target
-AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima% will target all jean, joe, start with jim but not jimo and not everything that starts with jima
+AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima%% will target all jean, joe, start with jim but not jimo and not everything that starts with jima
AdvTgtSearchIntHelp=Use interval to select int or float value
AdvTgtMinVal=Minimum value
AdvTgtMaxVal=Maximum value
@@ -162,13 +164,14 @@ AdvTgtCreateFilter=Create filter
AdvTgtOrCreateNewFilter=Name of new filter
NoContactWithCategoryFound=No contact/address with a category found
NoContactLinkedToThirdpartieWithCategoryFound=No contact/address with a category found
-OutGoingEmailSetup=Outgoing email setup
-InGoingEmailSetup=Incoming email setup
-OutGoingEmailSetupForEmailing=Outgoing email setup (for module %s)
-DefaultOutgoingEmailSetup=Default outgoing email setup
+OutGoingEmailSetup=Outgoing emails
+InGoingEmailSetup=Incoming emails
+OutGoingEmailSetupForEmailing=Outgoing emails (for module %s)
+DefaultOutgoingEmailSetup=Same configuration than the global Outgoing email setup
Information=Information
ContactsWithThirdpartyFilter=Contacts with third-party filter
Unanswered=Unanswered
Answered=Answered
IsNotAnAnswer=Is not answer (initial email)
IsAnAnswer=Is an answer of an initial email
+RecordCreatedByEmailCollector=Record created by the Email Collector %s from email %s
diff --git a/htdocs/langs/zh_HK/main.lang b/htdocs/langs/zh_HK/main.lang
index 96c68cdcfa3..e196120c27d 100644
--- a/htdocs/langs/zh_HK/main.lang
+++ b/htdocs/langs/zh_HK/main.lang
@@ -28,7 +28,9 @@ NoTemplateDefined=No template available for this email type
AvailableVariables=Available substitution variables
NoTranslation=No translation
Translation=Translation
+CurrentTimeZone=TimeZone PHP (server)
EmptySearchString=Enter non empty search criterias
+EnterADateCriteria=Enter a date criteria
NoRecordFound=No record found
NoRecordDeleted=No record deleted
NotEnoughDataYet=Not enough data
@@ -85,6 +87,8 @@ FileWasNotUploaded=A file is selected for attachment but was not yet uploaded. C
NbOfEntries=No. of entries
GoToWikiHelpPage=Read online help (Internet access needed)
GoToHelpPage=Read help
+DedicatedPageAvailable=There is a dedicated help page related to your current screen
+HomePage=Home Page
RecordSaved=Record saved
RecordDeleted=Record deleted
RecordGenerated=Record generated
@@ -433,6 +437,7 @@ RemainToPay=Remain to pay
Module=Module/Application
Modules=Modules/Applications
Option=Option
+Filters=Filters
List=List
FullList=Full list
FullConversation=Full conversation
@@ -671,7 +676,7 @@ SendMail=Send email
Email=Email
NoEMail=No email
AlreadyRead=Already read
-NotRead=Not read
+NotRead=Unread
NoMobilePhone=No mobile phone
Owner=Owner
FollowingConstantsWillBeSubstituted=The following constants will be replaced with the corresponding value.
@@ -1107,3 +1112,8 @@ UpToDate=Up-to-date
OutOfDate=Out-of-date
EventReminder=Event Reminder
UpdateForAllLines=Update for all lines
+OnHold=On hold
+AffectTag=Affect Tag
+ConfirmAffectTag=Bulk Tag Affect
+ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected record(s)?
+CategTypeNotFound=No tag type found for type of records
diff --git a/htdocs/langs/zh_HK/modulebuilder.lang b/htdocs/langs/zh_HK/modulebuilder.lang
index 460aef8103b..845dd12624d 100644
--- a/htdocs/langs/zh_HK/modulebuilder.lang
+++ b/htdocs/langs/zh_HK/modulebuilder.lang
@@ -40,6 +40,7 @@ PageForCreateEditView=PHP page to create/edit/view a record
PageForAgendaTab=PHP page for event tab
PageForDocumentTab=PHP page for document tab
PageForNoteTab=PHP page for note tab
+PageForContactTab=PHP page for contact tab
PathToModulePackage=Path to zip of module/application package
PathToModuleDocumentation=Path to file of module/application documentation (%s)
SpaceOrSpecialCharAreNotAllowed=Spaces or special characters are not allowed.
@@ -77,7 +78,7 @@ IsAMeasure=Is a measure
DirScanned=Directory scanned
NoTrigger=No trigger
NoWidget=No widget
-GoToApiExplorer=Go to API explorer
+GoToApiExplorer=API explorer
ListOfMenusEntries=List of menu entries
ListOfDictionariesEntries=List of dictionaries entries
ListOfPermissionsDefined=List of defined permissions
@@ -105,7 +106,7 @@ TryToUseTheModuleBuilder=If you have knowledge of SQL and PHP, you may use the n
SeeTopRightMenu=See on the top right menu
AddLanguageFile=Add language file
YouCanUseTranslationKey=You can use here a key that is the translation key found into language file (see tab "Languages")
-DropTableIfEmpty=(Delete table if empty)
+DropTableIfEmpty=(Destroy table if empty)
TableDoesNotExists=The table %s does not exists
TableDropped=Table %s deleted
InitStructureFromExistingTable=Build the structure array string of an existing table
@@ -126,7 +127,6 @@ UseSpecificEditorURL = Use a specific editor URL
UseSpecificFamily = Use a specific family
UseSpecificAuthor = Use a specific author
UseSpecificVersion = Use a specific initial version
-ModuleMustBeEnabled=The module/application must be enabled first
IncludeRefGeneration=The reference of object must be generated automatically
IncludeRefGenerationHelp=Check this if you want to include code to manage the generation automatically of the reference
IncludeDocGeneration=I want to generate some documents from the object
@@ -140,3 +140,4 @@ TypeOfFieldsHelp=Type of fields: varchar(99), double(24,8), real, text, html,
AsciiToHtmlConverter=Ascii to HTML converter
AsciiToPdfConverter=Ascii to PDF converter
TableNotEmptyDropCanceled=Table not empty. Drop has been canceled.
+ModuleBuilderNotAllowed=The module builder is available but not allowed to your user.
diff --git a/htdocs/langs/zh_HK/other.lang b/htdocs/langs/zh_HK/other.lang
index 54c0572d453..0a7b3723ab1 100644
--- a/htdocs/langs/zh_HK/other.lang
+++ b/htdocs/langs/zh_HK/other.lang
@@ -5,8 +5,6 @@ Tools=Tools
TMenuTools=Tools
ToolsDesc=All tools not included in other menu entries are grouped here. All the tools can be accessed via the left menu.
Birthday=Birthday
-BirthdayDate=Birthday date
-DateToBirth=Birth date
BirthdayAlertOn=birthday alert active
BirthdayAlertOff=birthday alert inactive
TransKey=Translation of the key TransKey
@@ -16,6 +14,8 @@ PreviousMonthOfInvoice=Previous month (number 1-12) of invoice date
TextPreviousMonthOfInvoice=Previous month (text) of invoice date
NextMonthOfInvoice=Following month (number 1-12) of invoice date
TextNextMonthOfInvoice=Following month (text) of invoice date
+PreviousMonth=Previous month
+CurrentMonth=Current month
ZipFileGeneratedInto=Zip file generated into %s.
DocFileGeneratedInto=Doc file generated into %s.
JumpToLogin=Disconnected. Go to login page...
@@ -99,6 +99,7 @@ PredefinedMailContentSendShipping=__(Hello)__\n\nPlease find shipping __REF__ at
PredefinedMailContentSendFichInter=__(Hello)__\n\nPlease find intervention __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.\n\n%s\n\n
PredefinedMailContentGeneric=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
+PredefinedMailContentSendActionComm=Event reminder "__EVENT_LABEL__" on __EVENT_DATE__ at __EVENT_TIME__
This is an automatic message, please do not reply.
DemoDesc=Dolibarr is a compact ERP/CRM supporting several business modules. A demo showcasing all modules makes no sense as this scenario never occurs (several hundred available). So, several demo profiles are available.
ChooseYourDemoProfil=Choose the demo profile that best suits your needs...
ChooseYourDemoProfilMore=...or build your own profile (manual module selection)
@@ -137,7 +138,7 @@ Right=Right
CalculatedWeight=Calculated weight
CalculatedVolume=Calculated volume
Weight=Weight
-WeightUnitton=tonne
+WeightUnitton=ton
WeightUnitkg=kg
WeightUnitg=g
WeightUnitmg=mg
@@ -258,6 +259,7 @@ ContactCreatedByEmailCollector=Contact/address created by email collector from e
ProjectCreatedByEmailCollector=Project created by email collector from email MSGID %s
TicketCreatedByEmailCollector=Ticket created by email collector from email MSGID %s
OpeningHoursFormatDesc=Use a - to separate opening and closing hours. Use a space to enter different ranges. Example: 8-12 14-18
+PrefixSession=Prefix for session ID
##### Export #####
ExportsArea=Exports area
diff --git a/htdocs/langs/zh_HK/products.lang b/htdocs/langs/zh_HK/products.lang
index 97db059594f..f0c4a5362b8 100644
--- a/htdocs/langs/zh_HK/products.lang
+++ b/htdocs/langs/zh_HK/products.lang
@@ -108,7 +108,8 @@ FillWithLastServiceDates=Fill with last service line dates
MultiPricesAbility=Multiple price segments per product/service (each customer is in one price segment)
MultiPricesNumPrices=Number of prices
DefaultPriceType=Base of prices per default (with versus without tax) when adding new sale prices
-AssociatedProductsAbility=Activate kits (virtual products)
+AssociatedProductsAbility=Enable Kits (set of other products)
+VariantsAbility=Enable Variants (variations of products, for example color, size)
AssociatedProducts=Kits
AssociatedProductsNumber=Number of products composing this kit
ParentProductsNumber=Number of parent packaging product
@@ -167,8 +168,10 @@ BuyingPrices=Buying prices
CustomerPrices=Customer prices
SuppliersPrices=Vendor prices
SuppliersPricesOfProductsOrServices=Vendor prices (of products or services)
-CustomCode=Customs / Commodity / HS code
+CustomCode=Customs|Commodity|HS code
CountryOrigin=Origin country
+RegionStateOrigin=Region origin
+StateOrigin=State|Province origin
Nature=Nature of product (material/finished)
NatureOfProductShort=Nature of product
NatureOfProductDesc=Raw material or finished product
@@ -239,7 +242,7 @@ AlwaysUseFixedPrice=Use the fixed price
PriceByQuantity=Different prices by quantity
DisablePriceByQty=Disable prices by quantity
PriceByQuantityRange=Quantity range
-MultipriceRules=Price segment rules
+MultipriceRules=Automatic prices for segment
UseMultipriceRules=Use price segment rules (defined into product module setup) to auto calculate prices of all other segments according to first segment
PercentVariationOver=%% variation over %s
PercentDiscountOver=%% discount over %s
diff --git a/htdocs/langs/zh_HK/recruitment.lang b/htdocs/langs/zh_HK/recruitment.lang
index b775e78552e..437445f25dc 100644
--- a/htdocs/langs/zh_HK/recruitment.lang
+++ b/htdocs/langs/zh_HK/recruitment.lang
@@ -73,3 +73,4 @@ JobClosedTextCandidateFound=The job position is closed. The position has been fi
JobClosedTextCanceled=The job position is closed.
ExtrafieldsJobPosition=Complementary attributes (job positions)
ExtrafieldsCandidatures=Complementary attributes (job applications)
+MakeOffer=Make an offer
diff --git a/htdocs/langs/zh_HK/sendings.lang b/htdocs/langs/zh_HK/sendings.lang
index 5ce3b7f67e9..73bd9aebd42 100644
--- a/htdocs/langs/zh_HK/sendings.lang
+++ b/htdocs/langs/zh_HK/sendings.lang
@@ -30,6 +30,7 @@ OtherSendingsForSameOrder=Other shipments for this order
SendingsAndReceivingForSameOrder=Shipments and receipts for this order
SendingsToValidate=Shipments to validate
StatusSendingCanceled=Canceled
+StatusSendingCanceledShort=Canceled
StatusSendingDraft=Draft
StatusSendingValidated=Validated (products to ship or already shipped)
StatusSendingProcessed=Processed
@@ -65,6 +66,7 @@ ValidateOrderFirstBeforeShipment=You must first validate the order before being
# Sending methods
# ModelDocument
DocumentModelTyphon=More complete document model for delivery receipts (logo...)
+DocumentModelStorm=More complete document model for delivery receipts and extrafields compatibility (logo...)
Error_EXPEDITION_ADDON_NUMBER_NotDefined=Constant EXPEDITION_ADDON_NUMBER not defined
SumOfProductVolumes=Sum of product volumes
SumOfProductWeights=Sum of product weights
diff --git a/htdocs/langs/zh_HK/stocks.lang b/htdocs/langs/zh_HK/stocks.lang
index 660443bcded..6cf089096dd 100644
--- a/htdocs/langs/zh_HK/stocks.lang
+++ b/htdocs/langs/zh_HK/stocks.lang
@@ -240,3 +240,4 @@ InventoryRealQtyHelp=Set value to 0 to reset qty Keep field empty, or remove
UpdateByScaning=Update by scaning
UpdateByScaningProductBarcode=Update by scan (product barcode)
UpdateByScaningLot=Update by scan (lot|serial barcode)
+DisableStockChangeOfSubProduct=Deactivate the stock change for all the subproducts of this Kit during this movement.
diff --git a/htdocs/langs/zh_HK/ticket.lang b/htdocs/langs/zh_HK/ticket.lang
index 59519282c80..982fff90ffa 100644
--- a/htdocs/langs/zh_HK/ticket.lang
+++ b/htdocs/langs/zh_HK/ticket.lang
@@ -31,10 +31,8 @@ TicketDictType=Ticket - Types
TicketDictCategory=Ticket - Groupes
TicketDictSeverity=Ticket - Severities
TicketDictResolution=Ticket - Resolution
-TicketTypeShortBUGSOFT=Dysfonctionnement logiciel
-TicketTypeShortBUGHARD=Dysfonctionnement matériel
-TicketTypeShortCOM=Commercial question
+TicketTypeShortCOM=Commercial question
TicketTypeShortHELP=Request for functionnal help
TicketTypeShortISSUE=Issue, bug or problem
TicketTypeShortREQUEST=Change or enhancement request
@@ -44,7 +42,7 @@ TicketTypeShortOTHER=Other
TicketSeverityShortLOW=Low
TicketSeverityShortNORMAL=Normal
TicketSeverityShortHIGH=High
-TicketSeverityShortBLOCKING=Critical/Blocking
+TicketSeverityShortBLOCKING=Critical, Blocking
ErrorBadEmailAddress=Field '%s' incorrect
MenuTicketMyAssign=My tickets
@@ -60,7 +58,6 @@ OriginEmail=Email source
Notify_TICKET_SENTBYMAIL=Send ticket message by email
# Status
-NotRead=Not read
Read=Read
Assigned=Assigned
InProgress=In progress
@@ -126,6 +123,7 @@ TicketsActivatePublicInterfaceHelp=Public interface allow any visitors to create
TicketsAutoAssignTicket=Automatically assign the user who created the ticket
TicketsAutoAssignTicketHelp=When creating a ticket, the user can be automatically assigned to the ticket.
TicketNumberingModules=Tickets numbering module
+TicketsModelModule=Document templates for tickets
TicketNotifyTiersAtCreation=Notify third party at creation
TicketsDisableCustomerEmail=Always disable emails when a ticket is created from public interface
TicketsPublicNotificationNewMessage=Send email(s) when a new message is added
@@ -233,7 +231,6 @@ TicketLogStatusChanged=Status changed: %s to %s
TicketNotNotifyTiersAtCreate=Not notify company at create
Unread=Unread
TicketNotCreatedFromPublicInterface=Not available. Ticket was not created from public interface.
-PublicInterfaceNotEnabled=Public interface was not enabled
ErrorTicketRefRequired=Ticket reference name is required
#
diff --git a/htdocs/langs/zh_HK/website.lang b/htdocs/langs/zh_HK/website.lang
index 03e042e4be6..f17def114b8 100644
--- a/htdocs/langs/zh_HK/website.lang
+++ b/htdocs/langs/zh_HK/website.lang
@@ -30,7 +30,6 @@ EditInLine=Edit inline
AddWebsite=Add website
Webpage=Web page/container
AddPage=Add page/container
-HomePage=Home Page
PageContainer=Page
PreviewOfSiteNotYetAvailable=Preview of your website %s not yet available. You must first 'Import a full website template' or just 'Add a page/container'.
RequestedPageHasNoContentYet=Requested page with id %s has no content yet, or cache file .tpl.php was removed. Edit content of the page to solve this.
@@ -101,7 +100,7 @@ EmptyPage=Empty page
ExternalURLMustStartWithHttp=External URL must start with http:// or https://
ZipOfWebsitePackageToImport=Upload the Zip file of the website template package
ZipOfWebsitePackageToLoad=or Choose an available embedded website template package
-ShowSubcontainers=Include dynamic content
+ShowSubcontainers=Show dynamic content
InternalURLOfPage=Internal URL of page
ThisPageIsTranslationOf=This page/container is a translation of
ThisPageHasTranslationPages=This page/container has translation
@@ -137,3 +136,4 @@ RSSFeedDesc=You can get a RSS feed of latest articles with type 'blogpost' using
PagesRegenerated=%s page(s)/container(s) regenerated
RegenerateWebsiteContent=Regenerate web site cache files
AllowedInFrames=Allowed in Frames
+DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languages into web site properties.
diff --git a/htdocs/langs/zh_HK/withdrawals.lang b/htdocs/langs/zh_HK/withdrawals.lang
index 114a8d9dd6c..e3bec6f9cb8 100644
--- a/htdocs/langs/zh_HK/withdrawals.lang
+++ b/htdocs/langs/zh_HK/withdrawals.lang
@@ -42,6 +42,7 @@ LastWithdrawalReceipt=Latest %s direct debit receipts
MakeWithdrawRequest=Make a direct debit payment request
MakeBankTransferOrder=Make a credit transfer request
WithdrawRequestsDone=%s direct debit payment requests recorded
+BankTransferRequestsDone=%s credit transfer requests recorded
ThirdPartyBankCode=Third-party bank code
NoInvoiceCouldBeWithdrawed=No invoice debited successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s.
ClassCredited=Classify credited
@@ -131,7 +132,8 @@ SEPARCUR=SEPA CUR
SEPAFRST=SEPA FRST
ExecutionDate=Execution date
CreateForSepa=Create direct debit file
-ICS=Creditor Identifier CI
+ICS=Creditor Identifier CI for direct debit
+ICSTransfer=Creditor Identifier CI for bank transfer
END_TO_END="EndToEndId" SEPA XML tag - Unique id assigned per transaction
USTRD="Unstructured" SEPA XML tag
ADDDAYS=Add days to Execution Date
@@ -146,3 +148,4 @@ InfoRejectSubject=Direct debit payment order refused
InfoRejectMessage=Hello,
the direct debit payment order of invoice %s related to the company %s, with an amount of %s has been refused by the bank.
-- %s
ModeWarning=Option for real mode was not set, we stop after this simulation
ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know wich one to use.
+ErrorICSmissing=Missing ICS in Bank account %s
diff --git a/htdocs/langs/zh_TW/accountancy.lang b/htdocs/langs/zh_TW/accountancy.lang
index bf49bbd2fba..9a47b96d1dc 100644
--- a/htdocs/langs/zh_TW/accountancy.lang
+++ b/htdocs/langs/zh_TW/accountancy.lang
@@ -48,6 +48,7 @@ CountriesExceptMe=除了%s以外的所有國家
AccountantFiles=Export source documents
ExportAccountingSourceDocHelp=With this tool, you can export the source events (list and PDFs) that were used to generate your accountancy. To export your journals, use the menu entry %s - %s.
VueByAccountAccounting=View by accounting account
+VueBySubAccountAccounting=View by accounting subaccount
MainAccountForCustomersNotDefined=在設定中客戶的主要會計帳戶尚未定義
MainAccountForSuppliersNotDefined=在設定中供應商的主要會計帳戶尚未定義
@@ -144,7 +145,7 @@ NotVentilatedinAccount=不受會計項目約束
XLineSuccessfullyBinded=%s 產品/服務成功地指定會計項目
XLineFailedToBeBinded=%s 產品/服務沒指定任何會計項目
-ACCOUNTING_LIMIT_LIST_VENTILATION=頁面顯示要綁定的元件數(建議的最大值:50)
+ACCOUNTING_LIMIT_LIST_VENTILATION=Maximum number of lines on list and bind page (recommended: 50)
ACCOUNTING_LIST_SORT_VENTILATION_TODO=開始按最新元件對“待綁定”頁面進行排序
ACCOUNTING_LIST_SORT_VENTILATION_DONE=開始按最新元件對“完成綁定”頁面進行排序
@@ -198,7 +199,8 @@ Docdate=日期
Docref=參考
LabelAccount=標籤帳戶
LabelOperation=標籤操作
-Sens=意義
+Sens=Direction
+AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received For an accounting account of a supplier, use Debit to record a payment you make
LetteringCode=字元編碼
Lettering=字元
Codejournal=日記帳
@@ -206,7 +208,8 @@ JournalLabel=日記帳標籤
NumPiece=件數
TransactionNumShort=交易編號
AccountingCategory=個人化群組
-GroupByAccountAccounting=按會計科目分組
+GroupByAccountAccounting=Group by general ledger account
+GroupBySubAccountAccounting=Group by subledger account
AccountingAccountGroupsDesc=您可定義某些會計科目大類。他們可以在個人化會計報表中使用。
ByAccounts=依帳戶
ByPredefinedAccountGroups=依大類
@@ -248,7 +251,7 @@ PaymentsNotLinkedToProduct=付款未連結到任何產品/服務
OpeningBalance=初期餘額
ShowOpeningBalance=顯示初期餘額
HideOpeningBalance=隱藏初期餘額
-ShowSubtotalByGroup=依組顯示小計
+ShowSubtotalByGroup=Show subtotal by level
Pcgtype=會計項目大類
PcgtypeDesc=用作某些會計報告的預定義“過濾器”和“分組”標準的科目組。例如“ INCOME”或“ EXPENSE”用作產品的會計科目組,以建立費用/收入報告。
@@ -271,11 +274,13 @@ DescVentilExpenseReport=在此查閱費用報表行數是否關聯到費用會
DescVentilExpenseReportMore=如果您在費用報告類型上設定會計帳戶,則應用程序將能夠在費用報告和會計科目表的會計帳戶之間進行所有綁定,只需點擊按鈕“ %s”即可 。如果未在費用字典中設定帳戶,或者您仍有某些行未綁定到任何帳戶,則必須從選單“ %s ”進行手動綁定。
DescVentilDoneExpenseReport=在此查閱費用報表的清單及其費用會計項目。
+Closure=Annual closure
DescClosure=請在此處查詢依照月份的未經驗證活動數和已經開放的會計年度
OverviewOfMovementsNotValidated=第1步/未驗證移動總覽。 (需要關閉一個會計年度)
+AllMovementsWereRecordedAsValidated=All movements were recorded as validated
+NotAllMovementsCouldBeRecordedAsValidated=Not all movements could be recorded as validated
ValidateMovements=驗證動作
DescValidateMovements=禁止修改,刪除任何文字內容。所有條目都必須經過驗證,否則將無法結案
-SelectMonthAndValidate=選擇月份並驗證移動
ValidateHistory=自動關聯
AutomaticBindingDone=自動關聯已完成
@@ -293,6 +298,7 @@ Accounted=計入總帳
NotYetAccounted=尚未記入總帳
ShowTutorial=顯示教程
NotReconciled=未對帳
+WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view
## Admin
BindingOptions=Binding options
@@ -337,6 +343,7 @@ Modelcsv_LDCompta10=LD Compta用之匯出(v10及更高版本)
Modelcsv_openconcerto=匯出為OpenConcerto(測試)
Modelcsv_configurable=匯出為可設置CSV
Modelcsv_FEC=匯出為FEC
+Modelcsv_FEC2=Export FEC (With dates generation writing / document reversed)
Modelcsv_Sage50_Swiss=匯出為Sage 50 Switzerland
Modelcsv_winfic=匯出Winfic-eWinfic-WinSis Compta
Modelcsv_Gestinumv3=Export for Gestinum (v3)
diff --git a/htdocs/langs/zh_TW/admin.lang b/htdocs/langs/zh_TW/admin.lang
index 833e0197a6b..f022316f9da 100644
--- a/htdocs/langs/zh_TW/admin.lang
+++ b/htdocs/langs/zh_TW/admin.lang
@@ -37,8 +37,8 @@ UnlockNewSessions=移除連線鎖定
YourSession=您的程序
Sessions=用戶程序
WebUserGroup=網頁伺服器用戶/組別
-PermissionsOnFilesInWebRoot=Permissions on files in web root directory
-PermissionsOnFile=Permissions on file %s
+PermissionsOnFilesInWebRoot=網站根目錄中檔案的權限
+PermissionsOnFile=檔案%s的權限
NoSessionFound=您的PHP設定似乎不允許列出活動程序。用於保存程序的資料夾( %s )可能受到保護(例如,通過OS權限或PHP指令open_basedir)。
DBStoringCharset=儲存資料的資料庫字集
DBSortingCharset=資料排序以資料庫字集
@@ -56,6 +56,8 @@ GUISetup=顯示設定
SetupArea=設定
UploadNewTemplate=上傳新的範本
FormToTestFileUploadForm=用於測試檔案上傳的表格(根據設定)
+ModuleMustBeEnabled=The module/application %s must be enabled
+ModuleIsEnabled=The module/application %s has been enabled
IfModuleEnabled=註:若模組%s啓用時,「是的」有效。
RemoveLock=如果存在%s檔案,刪除/重新命名文件以允許使用更新/安裝工具。
RestoreLock=還原檔案唯讀權限檔案%s ,以禁止使用更新/安裝工具。
@@ -73,7 +75,7 @@ DisableJavascriptNote=注意:用於測試或調整目的。為了優化盲人
UseSearchToSelectCompanyTooltip=另外您若有大量合作方 (> 100,000), 您可在 "設定 -> 其他" 設定常數 COMPANY_DONOTSEARCH_ANYWHERE 為 1 增加速度。搜尋則會只限制在字串的開頭。
UseSearchToSelectContactTooltip=另外您若有大量合作方 (> 100,000), 您可在 " 設定 -> 其他" 中設定常數 CONTACT_DONOTSEARCH_ANYWHERE 為 1 以增加速度。搜尋則會只限制在字串的開頭。
DelaiedFullListToSelectCompany=等待直到按下任一鍵,然後再加載合作方組合清單的內容。 如果您有大量的合作方,這可能會提高性能,但是不太方便。
-DelaiedFullListToSelectContact=Wait until a key is pressed before loading content of Contact combo list. This may increase performance if you have a large number of contacts, but it is less convenient.
+DelaiedFullListToSelectContact=載入“聯絡人”組合清單的內容前一直等待到按下任一按鍵。 如果您有大量聯絡人的通訊錄,這可能會提高性能,但不太方便.
NumberOfKeyToSearch=觸發搜尋的字元號:%s
NumberOfBytes=位元數
SearchString=尋找字串
@@ -82,10 +84,9 @@ AllowToSelectProjectFromOtherCompany=在合作方的文件上,可選擇已連
JavascriptDisabled=JavaScript 不啓動
UsePreviewTabs=使用預覽分頁
ShowPreview=顯示預覽
-ShowHideDetails=Show-Hide details
+ShowHideDetails=顯示-隱藏詳細訊息
PreviewNotAvailable=無法預覽
ThemeCurrentlyActive=目前可用主題
-CurrentTimeZone=PHP (伺服器)時區
MySQLTimeZone=MySql (資料庫)時區
TZHasNoEffect=日期由資料庫伺服器已儲存和已返回,就像它們被保存為提交的字串一樣。時區僅在使用UNIX_TIMESTAMP函數時才有效(Dolibarr不應使用,因此即使輸入資料後更改資料庫TZ也不起作用)。
Space=空間
@@ -153,8 +154,8 @@ SystemToolsAreaDesc=此區域提供管理功能。使用選單選擇所需的功
Purge=清除
PurgeAreaDesc=此頁面允許您刪除Dolibarr產生或儲存的所有文件(暫存檔案或%s目錄中的所有文件)。通常不需要使用此功能。此功能提供無權限刪除Web服務器產生之文件的Dolibarr用戶提供了一種解決方法。
PurgeDeleteLogFile=刪除 log 檔案,包含Syslog 模組的 %s (沒有遺失資料風險)
-PurgeDeleteTemporaryFiles=刪除所有暫存檔案(沒有丟失資料的風險)。注意:僅對於24小時前於temp目錄產生的檔案才執行刪除操作。
-PurgeDeleteTemporaryFilesShort=刪除範本檔案
+PurgeDeleteTemporaryFiles=Delete all log and temporary files (no risk of losing data). Note: Deletion of temporary files is done only if the temp directory was created more than 24 hours ago.
+PurgeDeleteTemporaryFilesShort=Delete log and temporary files
PurgeDeleteAllFilesInDocumentsDir=刪除資料夾中的所有檔案: %s 。 這將刪除所有與元件(合作方,發票等)相關的所有產生文件,上傳到ECM模組中的檔案,資料庫備份轉存和臨時文件。
PurgeRunNow=立即清除
PurgeNothingToDelete=沒有可以刪除的資料夾或檔案。
@@ -256,6 +257,7 @@ ReferencedPreferredPartners=首選合作夥伴
OtherResources=其他資源
ExternalResources=外部資源
SocialNetworks=社交網路
+SocialNetworkId=社群網路 ID
ForDocumentationSeeWiki=有關用戶或開發人員的文件(文件,常見問題...), 可在Dolibarr維基查閱: %s
ForAnswersSeeForum=有關任何其他問題/幫助,您可以使用Dolibarr論壇: %s
HelpCenterDesc1=以下是獲得Dolibarr幫助和支持的一些資源。
@@ -274,7 +276,7 @@ NoticePeriod=通知期
NewByMonth=依月份的新通知
Emails=電子郵件
EMailsSetup=電子郵件設定
-EMailsDesc=This page allows you to set parameters or options for email sending.
+EMailsDesc=此頁面允許您設定電子郵件傳送的參數或選項。
EmailSenderProfiles=電子郵件寄件者資訊
EMailsSenderProfileDesc=您可以將此部分保留空白。如果您在此處輸入一些電子郵件,當您編寫新電子郵件時,它們將被增加到組合框中的可能寄件人清單中。
MAIN_MAIL_SMTP_PORT=SMTP / SMTPS連接埠(php.ini中的預設值: %s )
@@ -292,7 +294,7 @@ MAIN_MAIL_SMTPS_ID=SMTP 帳號(如果發送服務器需要身份驗證)
MAIN_MAIL_SMTPS_PW=SMTP密碼(如果發送伺服器需要身份驗證)
MAIN_MAIL_EMAIL_TLS=使用TLS(SSL)加密
MAIN_MAIL_EMAIL_STARTTLS=使用TLS(STARTTLS)加密
-MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Authorise les certificats auto-signés
+MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=授權自動簽署證書
MAIN_MAIL_EMAIL_DKIM_ENABLED=使用數位簽章產生電子郵件簽名
MAIN_MAIL_EMAIL_DKIM_DOMAIN=使用數位簽章的電子郵件網域
MAIN_MAIL_EMAIL_DKIM_SELECTOR=數位簽章選擇器名稱
@@ -375,7 +377,7 @@ ExamplesWithCurrentSetup=目前設定的範例
ListOfDirectories=OpenDocument 範本資料夾下的清單
ListOfDirectoriesForModelGenODT=包含具有OpenDocument格式的範本文件的資料夾清單。
這些資料夾中的文件必須以.odt或.ods結尾。
NumberOfModelFilesFound=在這些資料夾中找到的ODT / ODS範本文件數
-ExampleOfDirectoriesForModelGen=語法範例: ç:\\mydir /home/mydir DOL_DATA_ROOT/ecm/ecmdir
+ExampleOfDirectoriesForModelGen=Examples of syntax: c:\\myapp\\mydocumentdir\\mysubdir /home/myapp/mydocumentdir/mysubdir DOL_DATA_ROOT/ecm/ecmdir
FollowingSubstitutionKeysCanBeUsed= 要了解如何建立odt文件範本,然後將它們存儲在那些資料夾中,請參閱Wiki文件:
FullListOnOnlineDocumentation=http://wiki.dolibarr.org/index.php/Create_an_ODT_document_template
FirstnameNamePosition=名字/姓氏的位置
@@ -406,7 +408,7 @@ UrlGenerationParameters=保護網址參數
SecurityTokenIsUnique=為每個網址使用唯一的安全金鑰參數
EnterRefToBuildUrl=輸入項目%s的參考值
GetSecuredUrl=取得計算後網址
-ButtonHideUnauthorized=隱藏非管理員用戶的按鈕以執行未經授權的操作,而不是顯示禁用的灰色按鈕
+ButtonHideUnauthorized=Hide unauthorized action buttons also for internal users (just greyed otherwise)
OldVATRates=舊營業稅率
NewVATRates=新營業稅率
PriceBaseTypeToChange=根據已定義的基礎參考價參修改價格
@@ -555,7 +557,7 @@ Module55Name=條碼
Module55Desc=條碼管理
Module56Name=信用轉帳付款
Module56Desc=Management of payment of suppliers by Credit Transfer orders. It includes generation of SEPA file for European countries.
-Module57Name=Payments by Direct Debit
+Module57Name=銀行直接轉帳付款
Module57Desc=Management of Direct Debit orders. It includes generation of SEPA file for European countries.
Module58Name=點選撥打
Module58Desc=點選撥打系統(Asterisk, ...)的整合
@@ -677,7 +679,7 @@ Module63000Name=資源
Module63000Desc=管理用於分配給事件的資源(印表機,汽車,房間等)
Permission11=讀取客戶發票
Permission12=建立/修改客戶發票
-Permission13=Invalidate customer invoices
+Permission13=無效的客戶發票
Permission14=驗證客戶發票
Permission15=以電子郵件寄送客戶發票
Permission16=為客戶發票建立付款
@@ -694,7 +696,7 @@ Permission32=建立/修改產品資訊
Permission34=刪除產品
Permission36=查看/管理隱藏的產品
Permission38=匯出產品資訊
-Permission39=Ignore minimum price
+Permission39=忽略最低價格
Permission41=讀取專案及任務(已分享專案及以我擔任連絡人的專案)。也可在被指派的任務對自已或等級中輸入耗用的時間(時間表)
Permission42=建立/修改專案(已分享專案及以我擔任連絡人的專案)。也可以建立任務及指派用戶到專案及任務
Permission44=刪除專案(已分享專案及以我擔任連絡人的專案)
@@ -703,9 +705,9 @@ Permission61=讀取干預
Permission62=建立/修改干預
Permission64=刪除干預
Permission67=匯出干預
-Permission68=Send interventions by email
-Permission69=Validate interventions
-Permission70=Invalidate interventions
+Permission68=使用電子郵件傳送干預措施
+Permission69=驗證干預措施
+Permission70=無效的干預措施
Permission71=讀取會員
Permission72=建立/修改會員
Permission74=刪除會員
@@ -728,7 +730,7 @@ Permission95=讀取報告
Permission101=讀取出貨資訊
Permission102=建立/修改出貨單
Permission104=驗證出貨單
-Permission105=Send sendings by email
+Permission105=使用電子郵件傳送傳送
Permission106=匯出出貨單
Permission109=刪除出貨單
Permission111=讀取財務帳戶
@@ -836,10 +838,10 @@ Permission402=建立/修改折扣
Permission403=驗證折扣
Permission404=刪除折扣
Permission430=使用除錯欄
-Permission511=Read payments of salaries (yours and subordinates)
+Permission511=讀取薪資支付(您和您的下屬)
Permission512=建立/修改薪水支付
Permission514=刪除薪水支付
-Permission517=Read payments of salaries of everybody
+Permission517=讀取每個人的薪資支付
Permission519=匯出薪水
Permission520=讀取借款
Permission522=建立/修改借款
@@ -851,19 +853,19 @@ Permission532=建立/修改服務
Permission534=刪除服務
Permission536=查看/管理隱藏服務
Permission538=匯出服務
-Permission561=Read payment orders by credit transfer
-Permission562=Create/modify payment order by credit transfer
-Permission563=Send/Transmit payment order by credit transfer
-Permission564=Record Debits/Rejections of credit transfer
-Permission601=Read stickers
-Permission602=Create/modify stickers
-Permission609=Delete stickers
+Permission561=讀取以直接轉帳的付款單
+Permission562=建立/修改直接轉帳的付款單
+Permission563=傳送/傳遞直接轉帳的付款單
+Permission564=記錄借方/拒絕的直接轉帳
+Permission601=讀取標籤
+Permission602=建立/修改標籤
+Permission609=刪除標籤
Permission650=讀取物料清單
Permission651=新增/更新物料清單
Permission652=刪除物料清單
-Permission660=Read Manufacturing Order (MO)
-Permission661=Create/Update Manufacturing Order (MO)
-Permission662=Delete Manufacturing Order (MO)
+Permission660=讀取製造訂單(MO)
+Permission661=建立/更新製造訂單(MO)
+Permission662=刪除製造訂單(MO)
Permission701=讀取捐款
Permission702=建立/修改捐款
Permission703=刪除捐款
@@ -873,8 +875,8 @@ Permission773=刪除費用報告
Permission774=讀取全部費用報告(甚至非屬於用戶的下屬)
Permission775=核准費用報告
Permission776=支付費用報告
-Permission777=Read expense reports of everybody
-Permission778=Create/modify expense reports of everybody
+Permission777=讀取每個人的費用報表
+Permission778=建立/修改每個人的費用報表
Permission779=匯出費用報告
Permission1001=讀取庫存資訊
Permission1002=建立/修改倉庫
@@ -899,9 +901,9 @@ Permission1185=批准採購訂單
Permission1186=訂購採購訂單
Permission1187=確認收到採購訂單
Permission1188=刪除採購訂單
-Permission1189=Check/Uncheck a purchase order reception
+Permission1189=選取/反選取採購訂單接收
Permission1190=批准(第二次批准)採購訂單
-Permission1191=Export supplier orders and their attributes
+Permission1191=匯出供應商訂單及其屬性
Permission1201=取得匯出結果
Permission1202=建立/修改匯出
Permission1231=讀取供應商發票
@@ -915,8 +917,8 @@ Permission1251=執行從外部資料批次匯入到資料庫的功能 (載入資
Permission1321=匯出客戶發票、屬性及付款資訊
Permission1322=重啟已付帳單
Permission1421=匯出銷售訂單和屬性
-Permission1521=Read documents
-Permission1522=Delete documents
+Permission1521=讀取文件
+Permission1522=刪除文件
Permission2401=連結到他的用戶帳戶的讀取操作(事件或任務)(如果是事件的所有者或僅被分配)
Permission2402=建立/修改連結到自己的用戶帳戶(如果是事件所有者)的活動(事件或任務)
Permission2403=刪除連結到自己用戶帳戶的行動(事件或任務)(如果是事件所有者)
@@ -931,7 +933,7 @@ Permission2515=設定文件資料夾
Permission2801=在唯讀模式下使用 FTP 客戶端 (僅瀏覽及下載)
Permission2802=在寫入模式下使用 FTP 客戶端 (可刪除或上傳檔案)
Permission3200=讀取存檔的事件和指紋
-Permission3301=Generate new modules
+Permission3301=產生新模組
Permission4001=查看員工
Permission4002=建立員工
Permission4003=刪除員工
@@ -951,13 +953,13 @@ Permission23001=讀取預定工作
Permission23002=建立/更新預定工作
Permission23003=刪除預定工作
Permission23004=執行預定工作
-Permission50101=Use Point of Sale (SimplePOS)
-Permission50151=Use Point of Sale (TakePOS)
+Permission50101=使用銷售點(SimplePOS)
+Permission50151=使用銷售點(TakePOS)
Permission50201=讀取交易
Permission50202=匯入交易
-Permission50330=Read objects of Zapier
-Permission50331=Create/Update objects of Zapier
-Permission50332=Delete objects of Zapier
+Permission50330=讀取Zapier的物件
+Permission50331=建立/更新Zapier的物件
+Permission50332=刪除Zapier的物件
Permission50401=將產品和發票與會計科目綁定
Permission50411=讀取分類帳中的操作
Permission50412=分類帳中的寫入/編輯操作
@@ -981,17 +983,17 @@ Permission63001=讀取資源
Permission63002=建立/修改資源
Permission63003=刪除資源
Permission63004=連結資源到行程事件
-Permission64001=Allow direct printing
-Permission67000=Allow printing of receipts
-Permission68001=Read intracomm report
-Permission68002=Create/modify intracomm report
-Permission68004=Delete intracomm report
-Permission941601=Read receipts
-Permission941602=Create and modify receipts
-Permission941603=Validate receipts
-Permission941604=Send receipts by email
-Permission941605=Export receipts
-Permission941606=Delete receipts
+Permission64001=允許直接列印
+Permission67000=允許列印收據
+Permission68001=讀取通訊報告
+Permission68002=建立/修改通訊報告
+Permission68004=刪除通訊報告
+Permission941601=讀取收據
+Permission941602=建立和修改收據
+Permission941603=驗證收據
+Permission941604=以電子郵件傳送收據
+Permission941605=匯出收據
+Permission941606=刪除收據
DictionaryCompanyType=合作方類型
DictionaryCompanyJuridicalType=法人合作方
DictionaryProspectLevel=Prospect potential level for companies
@@ -1032,7 +1034,7 @@ DictionaryOpportunityStatus=專案/潛在的潛在狀態
DictionaryExpenseTaxCat=費用報表 -交通類別
DictionaryExpenseTaxRange=費用報表 - 依交通類別劃分範圍
DictionaryTransportMode=Intracomm report - Transport mode
-TypeOfUnit=Type of unit
+TypeOfUnit=單位類型
SetupSaved=設定已儲存
SetupNotSaved=設定未儲存
BackToModuleList=返回模組清單
@@ -1083,7 +1085,7 @@ LabelUsedByDefault=若代號沒有找翻譯字句,則使用預設標籤
LabelOnDocuments=文件標籤
LabelOrTranslationKey=標籤或翻譯秘鑰
ValueOfConstantKey=常數設置的值
-ConstantIsOn=Option %s is on
+ConstantIsOn= 選項%s啟用中
NbOfDays=天數
AtEndOfMonth=月底
CurrentNext=現在/下一個
@@ -1128,7 +1130,7 @@ LoginPage=登入頁面
BackgroundImageLogin=背景圖片
PermanentLeftSearchForm=左側選單上的永久搜尋表格
DefaultLanguage=預設語言
-EnableMultilangInterface=Enable multilanguage support for customer or vendor relationships
+EnableMultilangInterface=為客戶或供應商關係啟用多語言支援
EnableShowLogo=在選單中顯示公司logo
CompanyInfo=公司/組織
CompanyIds=公司/組織身分
@@ -1182,7 +1184,7 @@ InfoWebServer=關於網頁伺服器
InfoDatabase=關於資料庫
InfoPHP=關於 PHP
InfoPerf=關於效能
-InfoSecurity=About Security
+InfoSecurity=關於安全性
BrowserName=瀏覽器名稱
BrowserOS=瀏覽器系統
ListOfSecurityEvents=Dolibarr 安全事件清單
@@ -1233,7 +1235,7 @@ RestoreDesc2=將“ 文件”資料夾的備份文件(例如zip文件)還原
RestoreDesc3=將資料庫結構和數據從備份檔案還原到新Dolibarr安裝的資料庫或目前安裝的資料庫 (%s)中。警告,還原完成後,您必須使用備份時間/安裝中存在的登入名稱/密碼才能再次連接。 要將備份數據庫還原到目前安裝中,可以依照此助手進行操作。
RestoreMySQL=MySQL匯入
ForcedToByAModule=有一啟動模組強制%s適用此規則
-ValueIsForcedBySystem=This value is forced by the system. You can't change it.
+ValueIsForcedBySystem=此數值由系統設定。您無法更改。
PreviousDumpFiles=現有備份檔案
PreviousArchiveFiles=現有壓縮檔案
WeekStartOnDay=一周的第一天
@@ -1294,8 +1296,8 @@ WarningAtLeastKeyOrTranslationRequired=搜索條件至少要有一個值或翻
NewTranslationStringToShow=顯示新翻譯字串
OriginalValueWas=已覆蓋原始翻譯。 原始翻譯是:
%s
TransKeyWithoutOriginalValue=您為任何語言文件中都不存在的翻譯密鑰'%s'強制進行了新翻譯
-TitleNumberOfActivatedModules=Activated modules
-TotalNumberOfActivatedModules=Activated modules: %s / %s
+TitleNumberOfActivatedModules=已啟用模組
+TotalNumberOfActivatedModules=已啟用模組: %s / %s
YouMustEnableOneModule=您至少要啟用 1 個模組
ClassNotFoundIntoPathWarning=在PHP路徑中找不到類別%s
YesInSummer=是的,在夏天
@@ -1564,7 +1566,7 @@ LDAPDescValues=範例值是為具有以下載入模式的OpenLDAP設計
ForANonAnonymousAccess=已驗證存取(例如寫入存取)
PerfDolibarr=效能設定/最佳化報告
YouMayFindPerfAdviceHere=此頁面提供了一些與性能有關的檢查或建議。
-NotInstalled=Not installed.
+NotInstalled=未安裝。
NotSlowedDownByThis=Not slowed down by this.
NotRiskOfLeakWithThis=Not risk of leak with this.
ApplicativeCache=應用程式快取
@@ -1689,7 +1691,7 @@ NotTopTreeMenuPersonalized=個人化選單沒有連結到頂端選單項目
NewMenu=新選單
MenuHandler=選單處理程式
MenuModule=原始碼模組
-HideUnauthorizedMenu= 隱藏未經授權的選單(灰色)
+HideUnauthorizedMenu=Hide unauthorized menus also for internal users (just greyed otherwise)
DetailId=選單編號
DetailMenuHandler=顯示新的選單的選單處理程式
DetailMenuModule=若選單項目來自一個模組則為模組名稱
@@ -1983,11 +1985,12 @@ EMailHost=IMAP伺服器主機
MailboxSourceDirectory=信箱來源資料夾
MailboxTargetDirectory=信箱目標資料夾
EmailcollectorOperations=收集器要做的操作
+EmailcollectorOperationsDesc=Operations are executed from top to bottom order
MaxEmailCollectPerCollect=每次收集電子郵件的最大數量
CollectNow=立刻收集
ConfirmCloneEmailCollector=您確定要複製電子郵件收集器%s嗎?
-DateLastCollectResult=最新嘗試收集日期
-DateLastcollectResultOk=最新收集成功日期
+DateLastCollectResult=Date of latest collect try
+DateLastcollectResultOk=Date of latest collect success
LastResult=最新結果
EmailCollectorConfirmCollectTitle=郵件收集確認
EmailCollectorConfirmCollect=您是否要立即執行此收集器的收集?
@@ -2005,7 +2008,7 @@ WithDolTrackingID=Message from a conversation initiated by a first email sent fr
WithoutDolTrackingID=Message from a conversation initiated by a first email NOT sent from Dolibarr
WithDolTrackingIDInMsgId=Message sent from Dolibarr
WithoutDolTrackingIDInMsgId=Message NOT sent from Dolibarr
-CreateCandidature=Create candidature
+CreateCandidature=Create job application
FormatZip=Zip
MainMenuCode=選單輸入代碼(主選單)
ECMAutoTree=顯示自動ECM樹狀圖
@@ -2073,9 +2076,9 @@ RssNote=注意:每個RSS feed定義都提供一個小部件,您必須啟用
JumpToBoxes=跳至設定 -> 小部件
MeasuringUnitTypeDesc=使用值例如 "size", "surface", "volume", "weight", "time"
MeasuringScaleDesc=比例尺是您必須移動小數部分以匹配默認參考單位的位數。對於“時間”單位類型,它是秒數。 80到99之間的值是保留值。
-TemplateAdded=Template added
-TemplateUpdated=Template updated
-TemplateDeleted=Template deleted
+TemplateAdded=範本已增加
+TemplateUpdated=範本已更新
+TemplateDeleted=範本已刪除
MailToSendEventPush=Event reminder email
SwitchThisForABetterSecurity=Switching this value to %s is recommended for more security
DictionaryProductNature= 產品性質
@@ -2083,3 +2086,7 @@ CountryIfSpecificToOneCountry=Country (if specific to a given country)
YouMayFindSecurityAdviceHere=You may find security advisory here
ModuleActivatedMayExposeInformation=This module may expose sensitive data. If you don't need it, disable it.
ModuleActivatedDoNotUseInProduction=A module designed for the development has been enabled. Do not enable it on a production environment.
+CombinationsSeparator=Separator character for product combinations
+SeeLinkToOnlineDocumentation=See link to online documention on top menu for examples
+SHOW_SUBPRODUCT_REF_IN_PDF=If the feature "%s" of module %s is used, show details of subproducts of a kit on PDF.
+AskThisIDToYourBank=Contact your bank to get this ID
diff --git a/htdocs/langs/zh_TW/agenda.lang b/htdocs/langs/zh_TW/agenda.lang
index dbc8cb5e692..068e61c9e43 100644
--- a/htdocs/langs/zh_TW/agenda.lang
+++ b/htdocs/langs/zh_TW/agenda.lang
@@ -14,7 +14,7 @@ EventsNb=事件集數量
ListOfActions=事件清單
EventReports=事件報表
Location=位置
-ToUserOfGroup=Event assigned to any user in group
+ToUserOfGroup=Event assigned to any user in the group
EventOnFullDay=整天事件
MenuToDoActions=全部未完成事件
MenuDoneActions=全部已停止事件
@@ -86,8 +86,8 @@ ProposalDeleted=提案/建議書已刪除
OrderDeleted=訂單已刪除
InvoiceDeleted=發票已刪除
DraftInvoiceDeleted=發票草稿已刪除
-CONTACT_CREATEInDolibarr=Contact %s created
-CONTACT_DELETEInDolibarr=Contact %s deleted
+CONTACT_CREATEInDolibarr=聯絡人%s已建立
+CONTACT_DELETEInDolibarr=聯絡人%s已刪除
PRODUCT_CREATEInDolibarr=產品 %s 已建立
PRODUCT_MODIFYInDolibarr=產品 %s 已修改
PRODUCT_DELETEInDolibarr=產品 %s 已刪除
@@ -111,7 +111,7 @@ TICKET_CLOSEInDolibarr=服務單%s已關閉
TICKET_DELETEInDolibarr=服務單%s已刪除
BOM_VALIDATEInDolibarr=物料清單(BOM)已驗證
BOM_UNVALIDATEInDolibarr=物料清單(BOM)未驗證
-BOM_CLOSEInDolibarr=物料清單(BOM)已禁用
+BOM_CLOSEInDolibarr=物料清單已停用
BOM_REOPENInDolibarr=物料清單(BOM)重新打開
BOM_DELETEInDolibarr=物料清單(BOM)已刪除
MRP_MO_VALIDATEInDolibarr=MO已驗證
@@ -152,6 +152,7 @@ ActionType=事件類別
DateActionBegin=事件開始日期
ConfirmCloneEvent=您確定要複製事件 %s?
RepeatEvent=重覆事件
+OnceOnly=只有一次
EveryWeek=每周
EveryMonth=每月
DayOfMonth=一個月中的某天
@@ -165,4 +166,4 @@ TimeType=Duration type
ReminderType=Callback type
AddReminder=Create an automatic reminder notification for this event
ErrorReminderActionCommCreation=Error creating the reminder notification for this event
-BrowserPush=Browser Notification
+BrowserPush=Browser Popup Notification
diff --git a/htdocs/langs/zh_TW/banks.lang b/htdocs/langs/zh_TW/banks.lang
index 9efdccb1287..7faa8119c1d 100644
--- a/htdocs/langs/zh_TW/banks.lang
+++ b/htdocs/langs/zh_TW/banks.lang
@@ -173,8 +173,8 @@ SEPAMandate=歐洲統一支付區要求
YourSEPAMandate=您的歐洲統一支付區要求
FindYourSEPAMandate=這是您SEPA的授權,授權我們公司向您的銀行直接付款。退還已簽名(掃描已簽名文檔)或通過郵件發送至
AutoReportLastAccountStatement=進行對帳時,自動用最後一個對帳單編號填寫“銀行對帳單編號”欄位
-CashControl=POS現金圍欄
-NewCashFence=新現金圍欄
+CashControl=POS cash desk control
+NewCashFence=New cash desk closing
BankColorizeMovement=動作顏色
BankColorizeMovementDesc=如果啟用此功能,則可以為借款方或貸款方動作選擇特定的背景顏色
BankColorizeMovementName1=借款方動作的背景顏色
diff --git a/htdocs/langs/zh_TW/bills.lang b/htdocs/langs/zh_TW/bills.lang
index 6ff4433dde0..605092ba14d 100644
--- a/htdocs/langs/zh_TW/bills.lang
+++ b/htdocs/langs/zh_TW/bills.lang
@@ -11,9 +11,9 @@ BillsSuppliersUnpaidForCompany=%s的未付款供應商發票
BillsLate=逾期付款
BillsStatistics=客戶發票統計
BillsStatisticsSuppliers=供應商發票統計
-DisabledBecauseDispatchedInBookkeeping=已經停用,因為發票已發送到記帳簿中
-DisabledBecauseNotLastInvoice=已停用,因為發票不可清除。在這之後一些發票已被紀錄,並且會在記數器上產生空洞。
-DisabledBecauseNotErasable=已停用,因為無法清除
+DisabledBecauseDispatchedInBookkeeping=已關閉,因為發票已發送到記帳簿中
+DisabledBecauseNotLastInvoice=已關閉,因為發票無法抹除。已有一些發票已在這之後被紀錄,並且會在計數器中產生破洞。
+DisabledBecauseNotErasable=已關閉,因為無法清除
InvoiceStandard=標準發票
InvoiceStandardAsk=標準發票
InvoiceStandardDesc=此種發票為一般性發票。
@@ -22,16 +22,16 @@ InvoiceDepositAsk=預付款發票
InvoiceDepositDesc=當收到預付款後,這種發票便完成了。
InvoiceProForma=形式發票
InvoiceProFormaAsk=形式發票
-InvoiceProFormaDesc=形式發票是發票的形式,但沒有真實的會計價值。
+InvoiceProFormaDesc=預編發票是真實發票的影像但沒有真實的會計值。
InvoiceReplacement=替換發票
InvoiceReplacementAsk=替換發票的發票
InvoiceReplacementDesc=替換發票用於完全替換尚未收到付款的發票。
注意:只能替換沒有付款的發票。如果您要替換的發票尚未關閉,它將自動關閉為“放棄”。
-InvoiceAvoir=信用票據(折讓單-credit notes)
-InvoiceAvoirAsk=信用票據(credit notes)用來更正發票
-InvoiceAvoirDesc=信用票據(折讓單-credit notes)是一種負值發票,用於更正發票顯示的金額與實際支付的金額不同的事實(例如,客戶誤付了太多,或者由於退還了某些產品而無法支付全部金額)`。
-invoiceAvoirWithLines=從原始發票中的行建立信用票據(折讓單-credit notes)
-invoiceAvoirWithPaymentRestAmount=建立有未付款提醒原始發票的信用票據(折讓單-credit notes)
-invoiceAvoirLineWithPaymentRestAmount=未付款提醒餘額的信用票據(折讓單-credit notes)
+InvoiceAvoir=同意折讓照會通知
+InvoiceAvoirAsk=同意折讓照會通知來更正發票
+InvoiceAvoirDesc=同意折讓照會通知就是交易中如有積欠對方款項,例如出貨的損害或錯誤的賠償等等,均可開立 Credit Note 給對方,表示我方願意賠償與還款的誠意,亦即我方欠對方多少錢的意思。(例如,客戶誤付了太多,或者由於退還了某些產品而無法支付全部金額)`。
+invoiceAvoirWithLines=從原始發票項目中建立同意折讓照會通知
+invoiceAvoirWithPaymentRestAmount=建立原始發票尚有未付款的同意折讓照會通知
+invoiceAvoirLineWithPaymentRestAmount=尚未付款金額的同意折讓照會通知
ReplaceInvoice=替換發票%s
ReplacementInvoice=替換發票
ReplacedByInvoice=依發票%s替換
@@ -39,17 +39,17 @@ ReplacementByInvoice=依發票替換
CorrectInvoice=正確發票%s
CorrectionInvoice=更正發票
UsedByInvoice=被用於支付發票%s
-ConsumedBy=消耗者
+ConsumedBy=消耗由
NotConsumed=非消耗品
-NoReplacableInvoice=沒有可替換的發票
-NoInvoiceToCorrect=沒有任何發票(invoice)可以更正
-InvoiceHasAvoir=是一個或幾個信用票據(折讓單-credit notes)的來源
+NoReplacableInvoice=無可替換發票
+NoInvoiceToCorrect=無發票可更正
+InvoiceHasAvoir=是一個或幾個同意折讓照會通知的來源
CardBill=發票卡
-PredefinedInvoices=預定義的發票
+PredefinedInvoices=預定義之發票
Invoice=發票
PdfInvoiceTitle=發票
Invoices=發票
-InvoiceLine=發票行
+InvoiceLine=發票項目
InvoiceCustomer=客戶發票
CustomerInvoice=客戶發票
CustomersInvoices=客戶發票
@@ -61,20 +61,20 @@ Payment=付款
PaymentBack=退款
CustomerInvoicePaymentBack=退款
Payments=付款
-PaymentsBack=退回付款
+PaymentsBack=退款
paymentInInvoiceCurrency=發票幣別
-PaidBack=退款
+PaidBack=償還
DeletePayment=刪除付款
ConfirmDeletePayment=您確定要刪除此付款?
-ConfirmConvertToReduc=您是否要將%s轉換為可用信用?
+ConfirmConvertToReduc=您是否要將%s轉換為可用貸項?
ConfirmConvertToReduc2=此金額將保存在所有折扣中,並可用作此客戶目前或未來發票的折扣。
-ConfirmConvertToReducSupplier=您是否要將%s轉換為可用信用?
+ConfirmConvertToReducSupplier=您是否要將%s轉換為貸項?
ConfirmConvertToReducSupplier2=此金額將保存在所有折扣中,並可用作此供應商目前或未來發票的折扣。
SupplierPayments=供應商付款
ReceivedPayments=收到付款
ReceivedCustomersPayments=從客戶收到的付款
PayedSuppliersPayments=支付給供應商的款項
-ReceivedCustomersPaymentsToValid=待驗證的客戶已付款單據
+ReceivedCustomersPaymentsToValid=收到客戶已付款去驗證
PaymentsReportsForYear=%s的付款報告
PaymentsReports=付款報告
PaymentsAlreadyDone=付款已完成
@@ -83,27 +83,27 @@ PaymentRule=付款條件
PaymentMode=付款類型
PaymentTypeDC=借/貸卡片
PaymentTypePP=PayPal
-IdPaymentMode=付款類型(ID)
+IdPaymentMode=付款類型 (id)
CodePaymentMode=付款類型(編碼)
LabelPaymentMode=付款類型(標籤)
PaymentModeShort=付款類型
-PaymentTerm=付款期限
+PaymentTerm=付款條件
PaymentConditions=付款條件
PaymentConditionsShort=付款條件
PaymentAmount=付款金額
-PaymentHigherThanReminderToPay=付款高於提醒付款金額
-HelpPaymentHigherThanReminderToPay=注意,一張或多張帳單的付款金額高於未付金額。 編輯您的輸入,否則請確認並考慮為每張超額支付的發票建立信用票據(折讓單-credit notes)。
-HelpPaymentHigherThanReminderToPaySupplier=注意,一張或多張帳單的付款金額高於未付金額。 編輯您的輸入,否則請確認並考慮為每張超額支付的發票建立信用票據(折讓單-credit notes)。
-ClassifyPaid=分類'已付款'
-ClassifyUnPaid=分類'未付款'
-ClassifyPaidPartially=分類'部份支付'
-ClassifyCanceled=分類'已放棄'
-ClassifyClosed=分類'已關閉'
-ClassifyUnBilled=分類'未開票'
+PaymentHigherThanReminderToPay=付款高於付款提醒金額
+HelpPaymentHigherThanReminderToPay=注意,一張或多張帳單的付款金額高於未付金額。 編輯您的輸入,否則請確認並考慮為每張超額支付的發票建立同意折讓照會通知。
+HelpPaymentHigherThanReminderToPaySupplier=注意,一張或多張帳單的付款金額高於未付金額。 編輯您的輸入,否則請確認並考慮為每張超額支付的發票建立同意折讓照會通知。
+ClassifyPaid=分類 '已付款'
+ClassifyUnPaid=分類 '未付款'
+ClassifyPaidPartially=分類 '部份支付'
+ClassifyCanceled=分類 '已放棄'
+ClassifyClosed=分類 '已結'
+ClassifyUnBilled=分類 '未支付'
CreateBill=建立發票
-CreateCreditNote=建立信用票據(折讓單-credit notes)
-AddBill=建立發票或信用票據(折讓單-credit notes)
-AddToDraftInvoices=增加到草稿發票
+CreateCreditNote=建立同意折讓照會通知
+AddBill=建立發票或同意折讓照會通知
+AddToDraftInvoices=增加至發票草稿
DeleteBill=刪除發票
SearchACustomerInvoice=搜尋客戶發票
SearchASupplierInvoice=搜尋供應商發票
@@ -116,13 +116,13 @@ ConvertExcessReceivedToReduc=將超額付款轉換為可用信用額
ConvertExcessPaidToReduc=將超額付款轉換為可用折扣
EnterPaymentReceivedFromCustomer=輸入從客戶收到的付款
EnterPaymentDueToCustomer=應付客戶款項
-DisabledBecauseRemainderToPayIsZero=已禁用,因為剩餘的未付餘額為零
+DisabledBecauseRemainderToPayIsZero=已關閉,因為剩餘的未付餘額為零
PriceBase=價格基準
BillStatus=發票狀態
StatusOfGeneratedInvoices=已產生發票的狀態
BillStatusDraft=草稿(等待驗證)
BillStatusPaid=已付款
-BillStatusPaidBackOrConverted=信用票據(折讓單-credit notes)退款或已標記為可貸
+BillStatusPaidBackOrConverted=同意折讓照會通知退款或已標記為貸項
BillStatusConverted=已付款(已可在最終發票中消費)
BillStatusCanceled=已放棄
BillStatusValidated=已驗證(需要付費)
@@ -184,10 +184,10 @@ ConfirmCancelBill=您確定要取消發票%s嗎?
ConfirmCancelBillQuestion=您為什麼要將此發票分類為“廢棄”?
ConfirmClassifyPaidPartially=您確定要將發票%s更改為已付款狀態嗎?
ConfirmClassifyPaidPartiallyQuestion=該發票尚未完全支付。關閉此發票的原因是什麼?
-ConfirmClassifyPaidPartiallyReasonAvoir=剩餘的未付款項(%s %s)是折扣,因為付款是在到期日前進行的。我用固定營業稅在信用票據(折讓單-credit notes)上。
+ConfirmClassifyPaidPartiallyReasonAvoir=剩餘未付款項(%s %s)同意為折扣,因為付款是在到期日前完成的。我調整了固定營業稅在同意折讓照會通知上。
ConfirmClassifyPaidPartiallyReasonDiscount=未付款餘額(%s %s)是折扣,因為付款是在付款到期日前進行的。
ConfirmClassifyPaidPartiallyReasonDiscountNoVat=未付款餘額(%s %s)是折扣,因為付款是在付款到期日前進行的。。我司接受此折扣不加營業稅。
-ConfirmClassifyPaidPartiallyReasonDiscountVat=未付款餘額(%s %s)是折扣,因為付款是在付款到期日前進行的。我可以在沒有信用票據(折讓單-credit notes)的情況下以這種折扣方式回復營業稅。
+ConfirmClassifyPaidPartiallyReasonDiscountVat=剩餘未付款項(%s %s)同意為折扣,因為付款是在付款到期日前完成的。我在沒有同意折讓照會通知的情況下以這種折扣方式恢復營業稅。
ConfirmClassifyPaidPartiallyReasonBadCustomer=壞客戶
ConfirmClassifyPaidPartiallyReasonProductReturned=產品部分退貨
ConfirmClassifyPaidPartiallyReasonOther=因其他原因而放棄的金額
@@ -196,7 +196,7 @@ ConfirmClassifyPaidPartiallyReasonDiscountVatDesc=在某些國家/地區,只
ConfirmClassifyPaidPartiallyReasonAvoirDesc=如果其他所有條件都不適合,請使用此選項
ConfirmClassifyPaidPartiallyReasonBadCustomerDesc=壞客戶是拒絕付款的客戶。
ConfirmClassifyPaidPartiallyReasonProductReturnedDesc=由於部分產品已退還而付款未完成時,使用此選項
-ConfirmClassifyPaidPartiallyReasonOtherDesc=如果其他所有條件都不適合,請使用此選項,例如在以下情況下: -付款不完整,因為一些產品被運回 -聲稱金額太重要,因為忘記了折扣 在所有情況下,都必須通過建立信用票據(折讓單-credit notes)在會計系統中更正超額的金額。
+ConfirmClassifyPaidPartiallyReasonOtherDesc=如果其他所有選項都不適用,請使用此選擇,例如在以下情況下: - 付款不完整因為一些產品被運回 - 聲稱金額太重要因為忘記了折扣 在所有情況下,都必須建立同意折讓照會通知在會計系統中更正超額的金額。
ConfirmClassifyAbandonReasonOther=其他
ConfirmClassifyAbandonReasonOtherDesc=此選擇將在所有其他情況下使用。例如,因為您計劃建立替換發票。
ConfirmCustomerPayment=您確認此為%s %s的付款金額?
@@ -210,7 +210,7 @@ AmountOfBills=發票金額
AmountOfBillsHT=發票金額(稅後)
AmountOfBillsByMonthHT=每月發票(invoice)金額(稅後)
UseSituationInvoices=允許發票狀況
-UseSituationInvoicesCreditNote=允許發票狀況信用票據(折讓單-credit notes)
+UseSituationInvoicesCreditNote=允許狀況開立同意折讓照會通知
Retainedwarranty=有保修
AllowedInvoiceForRetainedWarranty=保留保固,可用於以下類型的發票
RetainedwarrantyDefaultPercent=有保修預設百分比
@@ -228,7 +228,7 @@ RetainedWarrantyDateLimit=保修期限制
RetainedWarrantyNeed100Percent=發票情況需要以100%%的進度顯示在PDF上
AlreadyPaid=已付款
AlreadyPaidBack=已償還
-AlreadyPaidNoCreditNotesNoDeposits=已付款(無信用票據(折讓單-credit notes)和預付款)
+AlreadyPaidNoCreditNotesNoDeposits=已付款 (無同意折讓照會通知及訂金)
Abandoned=已放棄
RemainderToPay=未付款餘額
RemainderToTake=剩餘金額
@@ -287,18 +287,18 @@ AddRelativeDiscount=建立相對折扣
EditRelativeDiscount=編輯相對折扣
AddGlobalDiscount=新增絕對折扣
EditGlobalDiscounts=編輯絕對折扣
-AddCreditNote=建立信用票據(折讓單-credit notes)
+AddCreditNote=建立同意折讓照會通知
ShowDiscount=顯示折扣
ShowReduc=顯示折扣
ShowSourceInvoice=顯示來源發票
RelativeDiscount=相對折扣
GlobalDiscount=全域折扣
-CreditNote=信用票據(折讓單-credit notes)
-CreditNotes=信用票據(折讓單-credit notes)
-CreditNotesOrExcessReceived=信用票據(折讓單-credit notes)或收到的超額款項
+CreditNote=同意折讓照會通知
+CreditNotes=同意折讓照會通知
+CreditNotesOrExcessReceived=同意折讓照會通知或收到的超額款項
Deposit=預付款
Deposits=預付款
-DiscountFromCreditNote=信用票據(折讓單-credit notes)%s的折扣
+DiscountFromCreditNote=從同意折讓照會通知 %s的折扣
DiscountFromDeposit=發票%s的預付款
DiscountFromExcessReceived=付款超過發票%s
DiscountFromExcessPaid=付款超過發票%s
@@ -336,7 +336,7 @@ RemoveDiscount=取消折扣
WatermarkOnDraftBill=草案發票上的水印(如果為空,則一無所有)
InvoiceNotChecked=未選擇發票
ConfirmCloneInvoice=您確定要複製此發票%s嗎?
-DisabledBecauseReplacedInvoice=由於發票已被替換,因此操作被禁用
+DisabledBecauseReplacedInvoice=由於發票已被替換,因此操作被關閉
DescTaxAndDividendsArea=該區域提供了所有特殊費用付款的摘要。這裡僅包括在固定年度內付款的記錄。
NbOfPayments=付款編號
SplitDiscount=將折扣分為兩部份
@@ -358,7 +358,7 @@ ListOfPreviousSituationInvoices=舊狀況發票清單
ListOfNextSituationInvoices=下個狀況發票清單
ListOfSituationInvoices=狀況發票的清單
CurrentSituationTotal=目前狀況總數
-DisabledBecauseNotEnouthCreditNote=要從周期中刪除狀況發票,此發票的信用票據(折讓單-credit notes)總計必須涵蓋該發票總計
+DisabledBecauseNotEnouthCreditNote=要從周期中刪除狀況發票,發票的同意折讓照會通知總和必須補足此發票的總和
RemoveSituationFromCycle=從周期中刪除此發票
ConfirmRemoveSituationFromCycle=從周期中刪除此%s發票?
ConfirmOuting=確認中
@@ -441,8 +441,8 @@ BankAccountNumberKey=校驗碼
Residence=地址
IBANNumber=IBAN帳號
IBAN=IBAN
-CustomerIBAN=IBAN of customer
-SupplierIBAN=IBAN of vendor
+CustomerIBAN=客戶國際銀行帳戶號碼
+SupplierIBAN=供應商國際銀行帳戶號碼
BIC=BIC / SWIFT
BICNumber=BIC / SWIFT代碼
ExtraInfos=額外信息
@@ -498,7 +498,7 @@ ExpectedToPay=預期付款
CantRemoveConciliatedPayment=無法刪除對帳款
PayedByThisPayment=支付這筆款項
ClosePaidInvoicesAutomatically=完全付款後,將所有標準,預付款或替換發票自動分類為“已付款”。
-ClosePaidCreditNotesAutomatically=完全退款後,將所有信用票據(折讓單-credit notes)自動分類為“已付款”。
+ClosePaidCreditNotesAutomatically=當已完全退款後將所有同意折讓照會通知自動分類為 "已付款"。
ClosePaidContributionsAutomatically=完全付款後,將所有社會或財政捐款自動分類為“已付款”。
AllCompletelyPayedInvoiceWillBeClosed=所有沒有餘款的發票將自動關閉,狀態為“已付款”。
ToMakePayment=付款
@@ -512,10 +512,10 @@ YouMustCreateStandardInvoiceFirstDesc=您必須先建立標準發票,然後將
PDFCrabeDescription=發票PDF範本Crabe。完整的發票範本(Sponge範本的舊範本)
PDFSpongeDescription=發票PDF範本Sponge。完整的發票範本
PDFCrevetteDescription=發票PDF範本Crevette。狀況發票的完整發票範本
-TerreNumRefModelDesc1=退回編號格式,標準發票為%syymm-nnnn,信用票據(折讓單-credit notes)是%syymm-nnnn的格式,其中yy是年,mm是月,nnnn是不間斷且不返回0的序列
-MarsNumRefModelDesc1=退回編號格式,標準發票退回格式為%syymm-nnnn,替換發票為%syymm-nnnn,預付款發票為%syymm-nnnn,信用票據(折讓單-credit notes)為 %syymm-nnnn,其中yy是年,mm是月,nnnn不間斷且不返回0的序列
+TerreNumRefModelDesc1=轉回數字的格式,標準發票為%syymm-nnnn 及同意折讓照會通知是%syymm-nnnn,其中 yy 是年,mm 是月,nnnn 是無空白且不返回 0 的序列
+MarsNumRefModelDesc1=轉回數字格式,標準發票為%syymm-nnnn,替換發票為%syymm-nnnn,訂金發票為%syymm-nnnn,同意折讓照會通知為 %syymm-nnnn,其中 yy 是年,mm 是月,nnnn 為無空白且不返回 0 的序列
TerreNumRefModelError=以$ syymm開頭的帳單已經存在,並且與該序列模型不符合。將其刪除或重新命名以啟動此模組。
-CactusNumRefModelDesc1=退回編號格式,標準發票的退回格式為%syymm-nnnn,信用票據(折讓單-credit notes)格式為%syymm-nnnn,預付款發票格式為%syymm-nnnn,其中yy為年,mm為月,nnnn為不間斷且不返回0的序列
+CactusNumRefModelDesc1=轉回數字格式,標準發票為%syymm-nnnn,同意折讓照會通知為%syymm-nnnn,訂金發票格式為%syymm-nnnn,其中 yy 為年,mm 為月,nnnn 為無空白且不返回0的序列
EarlyClosingReason=提前關閉原因
EarlyClosingComment=提前關閉註記
##### Types de contacts #####
@@ -531,6 +531,7 @@ TypeContact_invoice_supplier_external_SERVICE=供應商服務聯絡人
InvoiceFirstSituationAsk=第一張狀況發票
InvoiceFirstSituationDesc=狀況發票與進度(例如建築進度)相關的狀況相關聯。每種狀況都與發票相關。
InvoiceSituation=狀況發票
+PDFInvoiceSituation=狀況發票
InvoiceSituationAsk=根據狀況開具發票
InvoiceSituationDesc=在已經存在的狀況下建立新的狀況
SituationAmount=狀況發票金額(淨額)
@@ -539,7 +540,7 @@ ModifyAllLines=修改所有行
CreateNextSituationInvoice=建立下一個狀況
ErrorFindNextSituationInvoice=錯誤,無法找到下一個狀況周期參考
ErrorOutingSituationInvoiceOnUpdate=無法為此狀況開票。
-ErrorOutingSituationInvoiceCreditNote=無法開立已連結的信用票據(折讓單-credit notes)。
+ErrorOutingSituationInvoiceCreditNote=無法開立已連結的同意折讓照會通知。
NotLastInCycle=此發票不是周期中最新的,不能修改。
DisabledBecauseNotLastInCycle=下一個狀況已經存在。
DisabledBecauseFinal=此為最後狀況。
@@ -575,3 +576,7 @@ BILL_SUPPLIER_DELETEInDolibarr=供應商發票已刪除
UnitPriceXQtyLessDiscount=單價 x 數量 - 折讓
CustomersInvoicesArea=客戶計費區
SupplierInvoicesArea=供應商付款區
+FacParentLine=Invoice Line Parent
+SituationTotalRayToRest=Remainder to pay without taxe
+PDFSituationTitle=Situation n° %d
+SituationTotalProgress=Total progress %d %%
diff --git a/htdocs/langs/zh_TW/blockedlog.lang b/htdocs/langs/zh_TW/blockedlog.lang
index 98a1bcf5d5c..2dc2c84cd6e 100644
--- a/htdocs/langs/zh_TW/blockedlog.lang
+++ b/htdocs/langs/zh_TW/blockedlog.lang
@@ -8,7 +8,7 @@ BrowseBlockedLog=不可更改的日誌
ShowAllFingerPrintsMightBeTooLong=顯示所有存檔的日誌(可能很長)
ShowAllFingerPrintsErrorsMightBeTooLong=顯示所有無效的歸檔日誌(可能很長)
DownloadBlockChain=下載指紋
-KoCheckFingerprintValidity=Archived log entry is not valid. It means someone (a hacker?) has modified some data of this record after it was recorded, or has erased the previous archived record (check that line with previous # exists).
+KoCheckFingerprintValidity=歸檔的日誌條目無效。這意味著某人(黑客?)在記錄後已經修改了該記錄的某些數據,或者刪除了先前的存檔記錄(檢查是否存在具有先前#號的行)。
OkCheckFingerprintValidity=歸檔日誌記錄有效。此行上的數據未修改,並且該條目位於上一個條目之後。
OkCheckFingerprintValidityButChainIsKo=與以前的日誌相比,已歸檔的日誌似乎有效,但是先前的鏈已損壞。
AddedByAuthority=已儲存到遠端授權中
@@ -35,7 +35,7 @@ logDON_DELETE=捐贈邏輯刪除
logMEMBER_SUBSCRIPTION_CREATE=會員訂閱已建立
logMEMBER_SUBSCRIPTION_MODIFY=會員訂閱已修改
logMEMBER_SUBSCRIPTION_DELETE=會員訂閱邏輯刪除
-logCASHCONTROL_VALIDATE=現金圍欄記錄
+logCASHCONTROL_VALIDATE=Cash desk closing recording
BlockedLogBillDownload=客戶發票下載
BlockedLogBillPreview=客戶發票預覽
BlockedlogInfoDialog=日誌詳細訊息
@@ -46,9 +46,9 @@ logDOC_PREVIEW=預覽經過驗證的文件以進行列印或下載
logDOC_DOWNLOAD=下載經過驗證的文件以進行列印或發送
DataOfArchivedEvent=存檔事件的完整數據
ImpossibleToReloadObject=未連結原始項目(類型為%s,編號為%s)(請參閱“完整數據”列以獲取不可更改的保存數據)
-BlockedLogAreRequiredByYourCountryLegislation=您所在國家/地區的法規可能要求使用不可更改的日誌模組。禁用此模組可能會使任何未來的交易在法律和法律軟件使用方面均無效,因為它們無法通過稅務審核進行驗證。
-BlockedLogActivatedBecauseRequiredByYourCountryLegislation=由於您所在國家/地區的法律,“不可更改的日誌”模組已啟用。禁用此模組可能會使任何未來的交易在法律和使用合法軟件方面均無效,因為它們無法通過稅務審核進行驗證。
-BlockedLogDisableNotAllowedForCountry=強制使用此模組的國家/地區清單(為防止錯誤地禁用此模組,如果您所在的國家/地區位於此清單中,則必須先編輯此清單才能禁用此模組。另外請注意,啟用/禁用此模組將被記錄到不可更改的日誌)。
+BlockedLogAreRequiredByYourCountryLegislation=您所在國家/地區的法規可能要求使用不可更改的日誌模組。關閉此模組可能會使任何未來的交易在法律和法律軟件使用方面均無效,因為它們無法通過稅務審核進行驗證。
+BlockedLogActivatedBecauseRequiredByYourCountryLegislation=由於您所在國家/地區的法律,“不可更改的日誌”模組已啟用。關閉此模組可能會使任何未來的交易在法律和使用合法軟件方面均無效,因為它們無法通過稅務審核進行驗證。
+BlockedLogDisableNotAllowedForCountry=強制使用此模組的國家/地區清單(為防止錯誤地關閉此模組,如果您所在的國家/地區位於此清單中,則必須先編輯此清單才能關閉此模組。另外請注意,啟用/關閉此模組將被記錄到不可更改的日誌)。
OnlyNonValid=無效的
TooManyRecordToScanRestrictFilters=記錄太多,無法掃描/分析。請使用更嚴格的過濾條件來限制清單。
RestrictYearToExport=限制月/年匯出
diff --git a/htdocs/langs/zh_TW/boxes.lang b/htdocs/langs/zh_TW/boxes.lang
index 9dcff47deff..96c537c645e 100644
--- a/htdocs/langs/zh_TW/boxes.lang
+++ b/htdocs/langs/zh_TW/boxes.lang
@@ -46,9 +46,12 @@ BoxTitleLastModifiedDonations=最新%s筆已修改捐贈
BoxTitleLastModifiedExpenses=最新%s份已修改費用報告
BoxTitleLatestModifiedBoms=最新%s筆已修改BOM
BoxTitleLatestModifiedMos=最新%s筆已修改製造訂單
+BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded
BoxGlobalActivity=全球活動(發票、提案/建議書、訂單)
BoxGoodCustomers=好客戶
BoxTitleGoodCustomers=%s位好客戶
+BoxScheduledJobs=排程工作
+BoxTitleFunnelOfProspection=Lead funnel
FailedToRefreshDataInfoNotUpToDate=無法更新RSS流量。最近成功更新的日期:%s
LastRefreshDate=最新更新日期
NoRecordedBookmarks=未定義書籤。
@@ -102,5 +105,7 @@ SuspenseAccountNotDefined=未定義暫記帳戶
BoxLastCustomerShipments=上次客戶發貨
BoxTitleLastCustomerShipments=最新%s筆客戶發貨
NoRecordedShipments=沒有已記錄的客戶發貨
+BoxCustomersOutstandingBillReached=Customers with oustanding limit reached
# Pages
AccountancyHome=會計
+ValidatedProjects=Validated projects
diff --git a/htdocs/langs/zh_TW/cashdesk.lang b/htdocs/langs/zh_TW/cashdesk.lang
index 59713d97ac3..78fb2b628ae 100644
--- a/htdocs/langs/zh_TW/cashdesk.lang
+++ b/htdocs/langs/zh_TW/cashdesk.lang
@@ -12,16 +12,16 @@ CashDeskOn=在
CashDeskThirdParty=合作方
ShoppingCart=購物車
NewSell=新銷售
-AddThisArticle=加入此文章
+AddThisArticle=加入此物品
RestartSelling=回到銷售
SellFinished=銷售完成
PrintTicket=列印銷售單
SendTicket=送出銷售單
-NoProductFound=未找到文章
+NoProductFound=未找到物品
ProductFound=找到產品
-NoArticle=無文章
+NoArticle=沒有物品
Identification=證明
-Article=文章
+Article=物品
Difference=差異
TotalTicket=全部銷售單
NoVAT=此銷售沒有營業稅
@@ -29,7 +29,7 @@ Change=超額已收到
BankToPay=付款帳戶
ShowCompany=顯示公司
ShowStock=顯示倉庫
-DeleteArticle=點擊刪除此文章
+DeleteArticle=點擊刪除此物品
FilterRefOrLabelOrBC=搜索(參考/標籤)
UserNeedPermissionToEditStockToUsePos=您要求減少由發票建立的庫存,所以使用POS的使用者需要具有編輯庫存的權限。
DolibarrReceiptPrinter=Dolibarr 收據印表機
@@ -46,11 +46,11 @@ SearchProduct=搜尋商品
Receipt=收據
Header=頁首
Footer=頁尾
-AmountAtEndOfPeriod=結束的金額(天,月或年)
+AmountAtEndOfPeriod=結算金額(天,月或年)
TheoricalAmount=理論金額
RealAmount=實際金額
-CashFence=現金圍欄
-CashFenceDone=本期現金圍欄完成
+CashFence=Cash desk closing
+CashFenceDone=Cash desk closing done for the period
NbOfInvoices=發票數
Paymentnumpad=輸入付款的便籤類型
Numberspad=號碼便籤
@@ -99,8 +99,9 @@ CashDeskRefNumberingModules=POS銷售編號模組
CashDeskGenericMaskCodes6 = {TN} 標籤用於增加站台
TakeposGroupSameProduct=群組相同產品線
StartAParallelSale=開啟新的平行銷售
-ControlCashOpening=Control cash box at opening POS
-CloseCashFence=關閉現金圍籬
+SaleStartedAt=Sale started at %s
+ControlCashOpening=Control cash popup at opening POS
+CloseCashFence=Close cash desk control
CashReport=現金報告
MainPrinterToUse=要使用的主印表機
OrderPrinterToUse=要使用的訂單印表機
@@ -122,3 +123,4 @@ GiftReceipt=Gift receipt
ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled first
AllowDelayedPayment=Allow delayed payment
PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts
+WeighingScale=Weighing scale
diff --git a/htdocs/langs/zh_TW/categories.lang b/htdocs/langs/zh_TW/categories.lang
index 6935e5275bb..6c462752097 100644
--- a/htdocs/langs/zh_TW/categories.lang
+++ b/htdocs/langs/zh_TW/categories.lang
@@ -19,6 +19,7 @@ ProjectsCategoriesArea=專案標籤/類別區域
UsersCategoriesArea=用戶標籤/類別區域
SubCats=子類別
CatList=標籤/類別清單
+CatListAll=List of tags/categories (all types)
NewCategory=新標籤/類別
ModifCat=修改標籤/類別
CatCreated=標籤/類別已建立
@@ -65,28 +66,34 @@ UsersCategoriesShort=用戶標籤/類別
StockCategoriesShort=倉庫標籤/類別
ThisCategoryHasNoItems=此類別內沒有任何項目。
CategId=標籤/類別編號
-CatSupList=供應商標籤/類別清單
-CatCusList=客戶/潛在方標籤/類別清單
+ParentCategory=Parent tag/category
+ParentCategoryLabel=Label of parent tag/category
+CatSupList=List of vendors tags/categories
+CatCusList=List of customers/prospects tags/categories
CatProdList=產品標籤/類別清單
CatMemberList=會員標籤/類別清單
-CatContactList=聯絡人標籤/類別清單
-CatSupLinks=供應商與標籤/類別之間的連結
+CatContactList=List of contacts tags/categories
+CatProjectsList=List of projects tags/categories
+CatUsersList=List of users tags/categories
+CatSupLinks=Links between vendors and tags/categories
CatCusLinks=客戶/潛在方與標籤/類別之間的連結
CatContactsLinks=聯絡人/地址與標籤/類別之間的連結
CatProdLinks=產品/服務與標籤/類別之間的連結
-CatProJectLinks=專案與標籤/類別之間的連結
+CatMembersLinks=Links between members and tags/categories
+CatProjectsLinks=專案與標籤/類別之間的連結
+CatUsersLinks=Links between users and tags/categories
DeleteFromCat=從標籤/類別中刪除
ExtraFieldsCategories=補充屬性
CategoriesSetup=標籤/類別設定
CategorieRecursiv=自動連結到母標籤/母類別
CategorieRecursivHelp=如果啟用此選項,當將產品增加到子類別時,產品也會增加到母類別中。
AddProductServiceIntoCategory=新增以下產品/服務
-AddCustomerIntoCategory=Assign category to customer
-AddSupplierIntoCategory=Assign category to supplier
+AddCustomerIntoCategory=分配類別給客戶
+AddSupplierIntoCategory=分配類別給供應商
ShowCategory=顯示標籤/類別
ByDefaultInList=預設在清單中
ChooseCategory=選擇類別
-StocksCategoriesArea=Warehouses Categories
-ActionCommCategoriesArea=Events Categories
-WebsitePagesCategoriesArea=Page-Container Categories
+StocksCategoriesArea=倉庫類別
+ActionCommCategoriesArea=事件類別
+WebsitePagesCategoriesArea=頁面容器類別
UseOrOperatorForCategories=類別的使用或運算
diff --git a/htdocs/langs/zh_TW/companies.lang b/htdocs/langs/zh_TW/companies.lang
index 1d83ed486ae..82cd94f4c0b 100644
--- a/htdocs/langs/zh_TW/companies.lang
+++ b/htdocs/langs/zh_TW/companies.lang
@@ -124,7 +124,7 @@ ProfId1AT=Prof Id 1 (USt.-IdNr)
ProfId2AT=Prof Id 2 (USt.-Nr)
ProfId3AT=Prof Id 3 (商業登記號碼)
ProfId4AT=-
-ProfId5AT=EORI number
+ProfId5AT=歐盟增值稅號
ProfId6AT=-
ProfId1AU=Prof Id 1 (ABN)
ProfId2AU=-
@@ -136,7 +136,7 @@ ProfId1BE=Prof Id 1 (專業號碼)
ProfId2BE=-
ProfId3BE=-
ProfId4BE=-
-ProfId5BE=EORI number
+ProfId5BE=歐盟增值稅號
ProfId6BE=-
ProfId1BR=-
ProfId2BR=IE (國家註冊)
@@ -148,7 +148,7 @@ ProfId1CH=UID-Nummer
ProfId2CH=-
ProfId3CH=Prof Id 1(聯邦碼)
ProfId4CH=Prof Id 2(商業記錄碼)
-ProfId5CH=EORI number
+ProfId5CH=歐盟增值稅號
ProfId6CH=-
ProfId1CL=Prof Id 1 (R.U.T.)
ProfId2CL=-
@@ -166,19 +166,19 @@ ProfId1DE=Prof Id 1 (USt.-IdNr)
ProfId2DE=Prof Id 2 (USt.-Nr)
ProfId3DE=Prof Id 3 (商業登記號碼)
ProfId4DE=-
-ProfId5DE=EORI number
+ProfId5DE=歐盟增值稅號
ProfId6DE=-
ProfId1ES=Prof Id 1 (CIF/NIF)
ProfId2ES=Prof Id 2 (社會安全號碼)
ProfId3ES=Prof Id 3 (CNAE)
ProfId4ES=Prof Id 4 (學院編號)
-ProfId5ES=EORI number
+ProfId5ES=歐盟增值稅號
ProfId6ES=-
ProfId1FR=Prof Id 1 (SIREN)
ProfId2FR=Prof Id 2 (SIRET)
ProfId3FR=Prof Id 3 (NAF, old APE)
ProfId4FR=Prof Id 4 (RCS/RM)
-ProfId5FR=EORI number
+ProfId5FR=歐盟增值稅號
ProfId6FR=-
ProfId1GB=註冊號
ProfId2GB=-
@@ -202,12 +202,12 @@ ProfId1IT=-
ProfId2IT=-
ProfId3IT=-
ProfId4IT=-
-ProfId5IT=EORI number
+ProfId5IT=歐盟增值稅號
ProfId1LU=Id. prof. 1 (R.C.S.盧森堡)
ProfId2LU=Id. prof. 2 (營業執照)
ProfId3LU=-
ProfId4LU=-
-ProfId5LU=EORI number
+ProfId5LU=歐盟增值稅號
ProfId6LU=-
ProfId1MA=Id prof. 1 (R.C.)
ProfId2MA=Id prof. 2 (Patente)
@@ -225,13 +225,13 @@ ProfId1NL=KVK數字
ProfId2NL=-
ProfId3NL=-
ProfId4NL=-
-ProfId5NL=EORI number
+ProfId5NL=歐盟增值稅號
ProfId6NL=-
ProfId1PT=Prof Id 1 (NIPC)
ProfId2PT=Prof Id 2(社會安全號碼)
ProfId3PT=Prof Id 3(商業記錄碼)
ProfId4PT=Prof Id 4 (音樂學院)
-ProfId5PT=EORI number
+ProfId5PT=歐盟增值稅號
ProfId6PT=-
ProfId1SN=RC
ProfId2SN=NINEA
@@ -255,7 +255,7 @@ ProfId1RO=Prof Id 1 (CUI)
ProfId2RO=Prof Id 2 (Nr. Înmatriculare)
ProfId3RO=Prof Id 3 (CAEN)
ProfId4RO=Prof Id 5 (EUID)
-ProfId5RO=EORI number
+ProfId5RO=歐盟增值稅號
ProfId6RO=-
ProfId1RU=Prof Id 1 (OGRN)
ProfId2RU=Prof Id 2 (INN)
@@ -358,8 +358,8 @@ VATIntraCheckableOnEUSite=檢查在歐盟區網站內的區內營業稅
VATIntraManualCheck=您也可在歐盟網站以人工方式確認%s
ErrorVATCheckMS_UNAVAILABLE=無法檢查。無法使用會員國家(%s)進行檢查服務。
NorProspectNorCustomer=非潛在方或客戶
-JuridicalStatus=法人類型
-Workforce=Workforce
+JuridicalStatus=Business entity type
+Workforce=員工
Staff=僱員
ProspectLevelShort=潛在等級
ProspectLevel=潛在方的可能性
@@ -462,8 +462,8 @@ PaymentTermsSupplier=付款條件-供應商
PaymentTypeBoth=付款方式-客戶和供應商
MulticurrencyUsed=使用多幣種
MulticurrencyCurrency=貨幣
-InEEC=Europe (EEC)
-RestOfEurope=Rest of Europe (EEC)
-OutOfEurope=Out of Europe (EEC)
-CurrentOutstandingBillLate=Current outstanding bill late
-BecarefullChangeThirdpartyBeforeAddProductToInvoice=Be carefull, depending on your product price settings, you should change thirdparty before adding product to POS.
+InEEC=歐洲(EEC)
+RestOfEurope=歐洲其他地區(EEC)
+OutOfEurope=歐洲以外(EEC)
+CurrentOutstandingBillLate=目前拖欠帳單
+BecarefullChangeThirdpartyBeforeAddProductToInvoice=請注意,根據您的產品價格設定,應在將產品增加到POS之前更改合作方。
diff --git a/htdocs/langs/zh_TW/compta.lang b/htdocs/langs/zh_TW/compta.lang
index 5465526e4ed..82b499908a9 100644
--- a/htdocs/langs/zh_TW/compta.lang
+++ b/htdocs/langs/zh_TW/compta.lang
@@ -69,7 +69,7 @@ SocialContribution=社會稅或財政稅
SocialContributions=社會稅或財政稅
SocialContributionsDeductibles=可抵扣的社會稅或財政稅
SocialContributionsNondeductibles=不可抵扣的社會稅或財政稅
-DateOfSocialContribution=Date of social or fiscal tax
+DateOfSocialContribution=社會稅或財政稅的日期
LabelContrib=捐助標籤
TypeContrib=捐助類型
MenuSpecialExpenses=特別支出
@@ -111,7 +111,7 @@ Refund=退款
SocialContributionsPayments=社會/財政稅金
ShowVatPayment=顯示營業稅稅金
TotalToPay=支付總額
-BalanceVisibilityDependsOnSortAndFilters=當表格依%s升序排列並且已過濾為一個銀行帳戶時餘額才可顯示
+BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted on %s and filtered on 1 bank account (with no other filters)
CustomerAccountancyCode=客戶會計代碼
SupplierAccountancyCode=供應商會計代碼
CustomerAccountancyCodeShort=客戶帳戶代碼
@@ -140,7 +140,7 @@ ConfirmDeleteSocialContribution=您確定要刪除此社會/財政稅金嗎?
ExportDataset_tax_1=社會和財政稅金及繳稅
CalcModeVATDebt=%s承諾會計營業稅%s模式.
CalcModeVATEngagement=%s收入-支出營業稅%s模式.
-CalcModeDebt=分析已知並已記錄發票,即使尚未在分類帳中進行核算。
+CalcModeDebt=Analysis of known recorded documents even if they are not yet accounted in ledger.
CalcModeEngagement=分析已知並已記錄付款,即使尚未在分類帳中。
CalcModeBookkeeping=分析記帳簿表中記錄的數據。
CalcModeLT1= 客戶發票-供應商發票%s中的%sRE模式
@@ -154,9 +154,9 @@ AnnualSummaryInputOutputMode=收支平衡表,年度匯總
AnnualByCompanies=收入和支出餘額,依預定義帳戶組別
AnnualByCompaniesDueDebtMode=收支平衡表,依預定義組別明細,模式%s債權-債務%s表示承諾會計 。
AnnualByCompaniesInputOutputMode=收支平衡表,依預定義組別明細,方式%s收入-支出%s表示現金會計 。
-SeeReportInInputOutputMode=有關實際付款(即使尚未在分類帳中實際付款)的計算,請參閱%s付款分析%s。
-SeeReportInDueDebtMode=有關基於已記錄發票(即使尚未在分類帳中進行核算)的計算,請參閱%s發票分析%s。
-SeeReportInBookkeepingMode=請參閱%s簿記報告%s了解關於簿記分類帳表的計算
+SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation based on recorded payments made even if they are not yet accounted in Ledger
+SeeReportInDueDebtMode=See %sanalysis of recorded documents%s for a calculation based on known recorded documents even if they are not yet accounted in Ledger
+SeeReportInBookkeepingMode=See %sanalysis of bookeeping ledger table%s for a report based on Bookkeeping Ledger table
RulesAmountWithTaxIncluded=-顯示的金額包括所有稅費
RulesResultDue=-包括無論是否付款的未結發票,費用,增值稅,捐贈。還包括已付款薪資。 -它基於發票的開票日期以及費用或稅款的到期日。對於使用“薪資”模組定義的薪資,將使用付款的起息日。
RulesResultInOut=-它包括發票,費用,營業稅和薪水的實際付款。 -它基於發票,費用,營業稅和薪水的付款日期。捐贈的捐贈日期。
@@ -169,12 +169,15 @@ RulesResultBookkeepingPersonalized=它顯示會計帳戶分類帳中的記錄,
SeePageForSetup=請參考選單%s進行設定
DepositsAreNotIncluded=-未包含預付款發票
DepositsAreIncluded=-包含預付款發票
+LT1ReportByMonth=Tax 2 report by month
+LT2ReportByMonth=Tax 3 report by month
LT1ReportByCustomers=合作方稅率2報告
LT2ReportByCustomers=合作方稅率3報告
LT1ReportByCustomersES=合作方RE報告
LT2ReportByCustomersES=合作方IRPF報告
VATReport=營業稅報告
VATReportByPeriods=分期營業稅報告
+VATReportByMonth=每月營業稅報告
VATReportByRates=營業稅率報告
VATReportByThirdParties=合作方營業稅報告
VATReportByCustomers=客戶銷售稅報告
diff --git a/htdocs/langs/zh_TW/cron.lang b/htdocs/langs/zh_TW/cron.lang
index b988bac33aa..33ea6c545f6 100644
--- a/htdocs/langs/zh_TW/cron.lang
+++ b/htdocs/langs/zh_TW/cron.lang
@@ -7,13 +7,14 @@ Permission23103 = 刪除預定工作
Permission23104 = 執行預定工作
# Admin
CronSetup=預定工作管理設定
-URLToLaunchCronJobs=用於檢查和啟動合格cron作業的URL
-OrToLaunchASpecificJob=或是檢查並啟動特定工作
+URLToLaunchCronJobs=URL to check and launch qualified cron jobs from a browser
+OrToLaunchASpecificJob=Or to check and launch a specific job from a browser
KeyForCronAccess=用於啟動cron作業URL的安全密鑰
FileToLaunchCronJobs=命令列檢查並啟動合格的cron作業
CronExplainHowToRunUnix=在Unix環境中,您應該使用以下crontab條目以每隔5分鐘執行命令行
CronExplainHowToRunWin=在Microsoft(tm)Windows環境中,您可以使用“計劃任務”工具每5分鐘執行命令行
CronMethodDoesNotExists=類別%s不包含任何方法%s
+CronMethodNotAllowed=Method %s of class %s is in blacklist of forbidden methods
CronJobDefDesc=Cron工作設定文件定義在模組描述符檔案中。啟動模組後,它們將被載入使用,因此您可以從管理員工具選單%s管理作業。
CronJobProfiles=預定義cron工作配置文件清單
# Menu
@@ -46,6 +47,7 @@ CronNbRun=啟動次數
CronMaxRun=最大啟動次數
CronEach=每一個
JobFinished=工作已啟動並完成
+Scheduled=Scheduled
#Page card
CronAdd= 新增工作
CronEvery=執行每個工作
@@ -56,7 +58,7 @@ CronNote=註解
CronFieldMandatory=欄位%s為必填
CronErrEndDateStartDt=結束日期不能早於開始日期
StatusAtInstall=模組安裝狀態
-CronStatusActiveBtn=啓用
+CronStatusActiveBtn=Schedule
CronStatusInactiveBtn=停用
CronTaskInactive=此工作已停用
CronId=Id
@@ -82,3 +84,8 @@ MakeLocalDatabaseDumpShort=本地資料庫備份
MakeLocalDatabaseDump=建立本地資料庫備份。參數為:壓縮(“ gz”或“ bz”或“none”),備份類型(“ mysql”,“ pgsql”,“ auto”),1,"自動"或建立檔案名稱,要保留的備份檔案數
WarningCronDelayed=請注意,出於性能目的,無論下一次執行已啟動工作的日期如何,您的工作執行最多可能會延遲%s小時。
DATAPOLICYJob=資料清理器和匿名器
+JobXMustBeEnabled=Job %s must be enabled
+# Cron Boxes
+LastExecutedScheduledJob=Last executed scheduled job
+NextScheduledJobExecute=Next scheduled job to execute
+NumberScheduledJobError=Number of scheduled jobs in error
diff --git a/htdocs/langs/zh_TW/errors.lang b/htdocs/langs/zh_TW/errors.lang
index 4eebe27f1aa..f4f7a6ed0cc 100644
--- a/htdocs/langs/zh_TW/errors.lang
+++ b/htdocs/langs/zh_TW/errors.lang
@@ -5,8 +5,10 @@ NoErrorCommitIsDone=我們保證沒有錯誤
# Errors
ErrorButCommitIsDone=發現錯誤,但儘管如此我們仍進行驗證
ErrorBadEMail=電子郵件%s錯誤
+ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record)
ErrorBadUrl=網址%s錯誤
ErrorBadValueForParamNotAString=您的參數值錯誤。一般在轉譯遺失時產生。
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorLoginAlreadyExists=登入者%s已經存在。
ErrorGroupAlreadyExists=群組%s已經存在。
ErrorRecordNotFound=記錄沒有找到。
@@ -48,6 +50,7 @@ ErrorFieldsRequired=一些必要的欄位都沒有填入。
ErrorSubjectIsRequired=電子郵件主題為必填
ErrorFailedToCreateDir=無法建立資料夾。檢查網頁伺服器中的用戶有權限寫入Dolibarr檔案資料夾。如果PHP使用了參數safe_mode,檢查網頁伺服器的用戶(或群組)擁有Dolibarr php檔案。
ErrorNoMailDefinedForThisUser=沒有此用戶的定義郵件
+ErrorSetupOfEmailsNotComplete=Setup of emails is not complete
ErrorFeatureNeedJavascript=此功能需要啟動Javascript。需要變更請前往設定 - 顯示。
ErrorTopMenuMustHaveAParentWithId0=一個類型'頂部'選單不能有一個母選單。在母選單填入0或選擇一個類型為'左'的選單。
ErrorLeftMenuMustHaveAParentId=一個類型為'左'的選單必須有一個母選單的ID。
@@ -75,7 +78,7 @@ ErrorExportDuplicateProfil=此匯出設定已存在此設定檔案名稱。
ErrorLDAPSetupNotComplete=Dolibarr與LDAP的匹配不完整。
ErrorLDAPMakeManualTest=.ldif檔案已在資料夾%s中.請以命令行手動讀取以得到更多的錯誤信息。
ErrorCantSaveADoneUserWithZeroPercentage=如果填寫了“完成者”欄位,則無法使用“狀態未開始”保存操作。
-ErrorRefAlreadyExists=建立參考已經存在。
+ErrorRefAlreadyExists=Reference %s already exists.
ErrorPleaseTypeBankTransactionReportName=請輸入必須在報告條目中的銀行對帳單名稱(格式YYYYMM或YYYYMMDD)
ErrorRecordHasChildren=因為有子記錄所以刪除失敗。
ErrorRecordHasAtLeastOneChildOfType=項目至少有一個子類別%s
@@ -216,7 +219,7 @@ ErrorChooseBetweenFreeEntryOrPredefinedProduct=您必須選擇商品是否為預
ErrorDiscountLargerThanRemainToPaySplitItBefore=您嘗試使用的折扣大於剩餘的折扣。將之前的折扣分成2個較小的折扣。
ErrorFileNotFoundWithSharedLink=找不到檔案。可能是共享金鑰最近被修改或檔案被刪除了。
ErrorProductBarCodeAlreadyExists=產品條碼%s已存在於另一個產品參考上。
-ErrorNoteAlsoThatSubProductCantBeFollowedByLot=另請注意,當至少一個子產品(或子產品的子產品)需要序列號/批號時,無法使用虛擬產品自動增加/減少子產品。
+ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using kits to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number.
ErrorDescRequiredForFreeProductLines=對於帶有免費產品的行,必須進行描述說明
ErrorAPageWithThisNameOrAliasAlreadyExists=此頁面/容器%s與您嘗試使用的名稱/別名相同
ErrorDuringChartLoad=載入會計科目表時出錯。如果幾個帳戶沒有被載入,您仍然可以手動輸入。
@@ -226,8 +229,8 @@ ErrorURLMustStartWithHttp=網址 %s 必須以 http://或https://開始
ErrorNewRefIsAlreadyUsed=錯誤,新參考已被使用
ErrorDeletePaymentLinkedToAClosedInvoiceNotPossible=錯誤,無法刪除連結到已關閉發票的付款。
ErrorSearchCriteriaTooSmall=搜尋條件太小。
-ErrorObjectMustHaveStatusActiveToBeDisabled=項目必須具有“活動”狀態才能被禁用
-ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=要啟用的項目必須具有“草稿”或“已禁用”狀態
+ErrorObjectMustHaveStatusActiveToBeDisabled=項目必須具有“啟用”狀態才能被關閉
+ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=要啟用的項目必須具有“草稿”或“已關閉”狀態
ErrorNoFieldWithAttributeShowoncombobox=沒有欄位在項目“ %s”的定義中具有屬性“ showoncombobox”。無法顯示組合清單。
ErrorFieldRequiredForProduct=產品%s必須有欄位'%s'
ProblemIsInSetupOfTerminal=問題在於站台%s的設定。
@@ -243,9 +246,19 @@ ErrorReplaceStringEmpty=錯誤,要替換的字串為空
ErrorProductNeedBatchNumber=Error, product '%s' need a lot/serial number
ErrorProductDoesNotNeedBatchNumber=Error, product '%s' does not accept a lot/serial number
ErrorFailedToReadObject=Error, failed to read object of type %s
+ErrorParameterMustBeEnabledToAllwoThisFeature=Error, parameter %s must be enabled into conf/conf.php to allow use of Command Line Interface by the internal job scheduler
+ErrorLoginDateValidity=Error, this login is outside the validity date range
+ErrorValueLength=Length of field '%s' must be higher than '%s'
+ErrorReservedKeyword=The word '%s' is a reserved keyword
+ErrorNotAvailableWithThisDistribution=Not available with this distribution
+ErrorPublicInterfaceNotEnabled=未啟用公共界面
+ErrorLanguageRequiredIfPageIsTranslationOfAnother=The language of new page must be defined if it is set as a translation of another page
+ErrorLanguageMustNotBeSourceLanguageIfPageIsTranslationOfAnother=The language of new page must not be the source language if it is set as a translation of another page
+ErrorAParameterIsRequiredForThisOperation=A parameter is mandatory for this operation
+
# Warnings
WarningParamUploadMaxFileSizeHigherThanPostMaxSize=您的PHP參數upload_max_filesize(%s)高於PHP參數post_max_size(%s)。這不是相同的設定。
-WarningPasswordSetWithNoAccount=為此會員設定了密碼。但是,沒有建立用戶帳戶。因此,雖然密碼已儲存,但不能用於登入Dolibarr。外部模組/界面可以使用它,但是如果您不需要為會員定義任何登入名稱或密碼,則可以從會員模組設定中禁用選項“管理每個會員的登入名稱”。如果您需要管理登入名稱但不需要任何密碼,則可以將此欄位保留為空白以避免此警告。注意:如果會員連結到用戶,電子郵件也可以用作登入名稱。
+WarningPasswordSetWithNoAccount=為此會員設定了密碼。但是,沒有建立用戶帳戶。因此,雖然密碼已儲存,但不能用於登入Dolibarr。外部模組/界面可以使用它,但是如果您不需要為會員定義任何登入名稱或密碼,則可以從會員模組設定中關閉選項“管理每個會員的登入名稱”。如果您需要管理登入名稱但不需要任何密碼,則可以將此欄位保留為空白以避免此警告。注意:如果會員連結到用戶,電子郵件也可以用作登入名稱。
WarningMandatorySetupNotComplete=點擊此處設定必填參數
WarningEnableYourModulesApplications=點擊此處啟用您的模組和應用程式
WarningSafeModeOnCheckExecDir=警告,PHP選項safe_mode處於開啟狀態,因此命令必須儲存在php參數safe_mode_exec_dir聲明的資料夾內。
@@ -259,7 +272,7 @@ WarningUntilDirRemoved=只要存在此漏洞(或在設定->其他設定中增
WarningCloseAlways=警告,即使來源元件和目標元件之間的數量不同,也將關閉。請謹慎啟用此功能。
WarningUsingThisBoxSlowDown=警告,使用此框會嚴重降低顯示此框所有頁面的速度。
WarningClickToDialUserSetupNotComplete=您用戶的ClickToDial資訊設定尚未完成(請參閱用戶卡上的ClickToDial分頁)。
-WarningFeatureDisabledWithDisplayOptimizedForBlindNoJs=當針對盲人或文字瀏覽器優化了顯示設定時,此功能將被禁用。
+WarningFeatureDisabledWithDisplayOptimizedForBlindNoJs=當針對盲人或文字瀏覽器優化了顯示設定時,此功能將被關閉。
WarningPaymentDateLowerThanInvoiceDate=付款日期(%s)早於發票%s的發票日期(%s)。
WarningTooManyDataPleaseUseMoreFilters= 資料太多(超過%s行)。請使用更多過濾器或將常數%s設定為更高的上限。
WarningSomeLinesWithNullHourlyRate=某些用戶記錄了某些時間,但未定義其小時費率。%s每小時使用的值為0 ,但這可能會導致錯誤的花費時間評估。
@@ -267,6 +280,10 @@ WarningYourLoginWasModifiedPleaseLogin=您的登入名稱已修改。為了安
WarningAnEntryAlreadyExistForTransKey=此語言的翻譯密鑰條目已存在
WarningNumberOfRecipientIsRestrictedInMassAction=警告,在清單上使用批次操作時,其他收件人的數量限制為%s
WarningDateOfLineMustBeInExpenseReportRange=警告,行的日期不在費用報告的範圍內
+WarningProjectDraft=Project is still in draft mode. Don't forget to validate it if you plan to use tasks.
WarningProjectClosed=專案已關閉。您必須先重新打開它。
WarningSomeBankTransactionByChequeWereRemovedAfter=在產生包括它們的收據之後,一些銀行交易將被刪除。因此支票的數量和收據的數量可能與清單中的數量和總數有所不同。
-WarningFailedToAddFileIntoDatabaseIndex=警告,無法將檔案項目增加到ECM資料庫索引表中
+WarningFailedToAddFileIntoDatabaseIndex=Warning, failed to add file entry into ECM database index table
+WarningTheHiddenOptionIsOn=Warning, the hidden option %s is on.
+WarningCreateSubAccounts=Warning, you can't create directly a sub account, you must create a third party or an user and assign them an accounting code to find them in this list
+WarningAvailableOnlyForHTTPSServers=Available only if using HTTPS secured connection.
diff --git a/htdocs/langs/zh_TW/exports.lang b/htdocs/langs/zh_TW/exports.lang
index 7c8d3f0d1dd..951fb75a8c7 100644
--- a/htdocs/langs/zh_TW/exports.lang
+++ b/htdocs/langs/zh_TW/exports.lang
@@ -26,6 +26,8 @@ FieldTitle=欄位標題
NowClickToGenerateToBuildExportFile=現在,在組合框中選擇檔案格式,然後點擊“產生”以建立匯出檔案...
AvailableFormats=可用格式
LibraryShort=程式庫
+ExportCsvSeparator=CSV字符分隔器
+ImportCsvSeparator=CSV字符分隔器
Step=步驟
FormatedImport=匯入小幫手
FormatedImportDesc1=此模組允許您更新現有資料或增加新項目到資料庫中而不需要專業技術知識,只須使用小幫手。
@@ -131,3 +133,4 @@ KeysToUseForUpdates=用於更新現有資料的鍵(欄)
NbInsert=已插入的行數:%s
NbUpdate=已更新的行數:%s
MultipleRecordFoundWithTheseFilters=使用過濾器找到了多個記錄:%s
+StocksWithBatch=Stocks and location (warehouse) of products with batch/serial number
diff --git a/htdocs/langs/zh_TW/hrm.lang b/htdocs/langs/zh_TW/hrm.lang
index 3e8d938470d..e62a5430c67 100644
--- a/htdocs/langs/zh_TW/hrm.lang
+++ b/htdocs/langs/zh_TW/hrm.lang
@@ -16,4 +16,4 @@ DictionaryFunction=人力資源管理-職位
Employees=員工
Employee=員工
NewEmployee=新員工
-ListOfEmployees=List of employees
+ListOfEmployees=員工名單
diff --git a/htdocs/langs/zh_TW/install.lang b/htdocs/langs/zh_TW/install.lang
index c785b848207..a717552589b 100644
--- a/htdocs/langs/zh_TW/install.lang
+++ b/htdocs/langs/zh_TW/install.lang
@@ -209,7 +209,7 @@ MigrationResetBlockedLog=為v7 algorithm重置模組"被阻止的日誌(Blocked
ShowNotAvailableOptions=顯示不可用的選項
HideNotAvailableOptions=隱藏不可用的選項
ErrorFoundDuringMigration=在移轉過程中出現了錯誤,因此無法進行下一步。要忽略錯誤,可以點擊此處 ,但是在解決錯誤之前,該應用程序或某些功能可能無法正常運行。
-YouTryInstallDisabledByDirLock=該應用程式嘗試進行自我升級,但是出於安全性考慮,已禁用了安裝/升級頁面(使用.lock後綴重命名資料夾)。
+YouTryInstallDisabledByDirLock=該應用程式嘗試進行自我升級,但是出於安全性考慮,已禁用了安裝/升級頁面(使用.lock副檔名重新命名資料夾)。
YouTryInstallDisabledByFileLock=此應用程式嘗試進行自我升級,但是出於安全性考慮,已禁用了安裝/升級頁面(由於dolibarr檔案資料夾中存在鎖定文件install.lock )。
ClickHereToGoToApp=點擊此處前往您的應用程式
ClickOnLinkOrRemoveManualy=如果正在進行升級,請等待。如果沒有,請點擊以下連結。如果始終看到同一頁面,則必須在documents資料夾中刪除/重新命名install.lock檔案。
diff --git a/htdocs/langs/zh_TW/intracommreport.lang b/htdocs/langs/zh_TW/intracommreport.lang
index f6373cf6009..1cb77c19dc7 100644
--- a/htdocs/langs/zh_TW/intracommreport.lang
+++ b/htdocs/langs/zh_TW/intracommreport.lang
@@ -1,4 +1,4 @@
-Module68000Name = Intracomm report
+Module68000Name = 通訊報告
Module68000Desc = Intracomm report management (Support for French DEB/DES format)
IntracommReportSetup = Intracommreport module setup
IntracommReportAbout = About intracommreport
@@ -14,16 +14,16 @@ INTRACOMMREPORT_CATEG_FRAISDEPORT=Catégorie de services de type "Frais de port"
INTRACOMMREPORT_NUM_DECLARATION=Numéro de déclarant
# Menu
-MenuIntracommReport=Intracomm report
+MenuIntracommReport=通訊報告
MenuIntracommReportNew=New declaration
MenuIntracommReportList=清單
# View
NewDeclaration=New declaration
Declaration=Declaration
-AnalysisPeriod=Analysis period
+AnalysisPeriod=分析期間
TypeOfDeclaration=Type of declaration
-DEB=Goods exchange declaration (DEB)
+DEB=貨物交換報關單(DEB)
DES=Services exchange declaration (DES)
# Export page
@@ -32,7 +32,7 @@ IntracommReportTitle=Preparation of an XML file in ProDouane format
# List
IntracommReportList=List of generated declarations
IntracommReportNumber=Numero of declaration
-IntracommReportPeriod=Period of nalysis
+IntracommReportPeriod=Period of analysis
IntracommReportTypeDeclaration=Type of declaration
IntracommReportDownload=download XML file
diff --git a/htdocs/langs/zh_TW/mails.lang b/htdocs/langs/zh_TW/mails.lang
index 1ca5e5ccdb1..4692e0bcb59 100644
--- a/htdocs/langs/zh_TW/mails.lang
+++ b/htdocs/langs/zh_TW/mails.lang
@@ -92,6 +92,7 @@ MailingModuleDescEmailsFromUser=用戶輸入的電子郵件
MailingModuleDescDolibarrUsers=擁有電子郵件的用戶
MailingModuleDescThirdPartiesByCategories=合作方(依類別)
SendingFromWebInterfaceIsNotAllowed=不允許從Web界面發送。
+EmailCollectorFilterDesc=All filters must match to have an email being collected
# Libelle des modules de liste de destinataires mailing
LineInFile=在檔案%s的行
@@ -125,12 +126,13 @@ TagMailtoEmail=收件人電子郵件(包括html“ mailto:”連結)
NoEmailSentBadSenderOrRecipientEmail=沒有發送電子郵件。寄件人或收件人的電子郵件不正確。驗證用戶資料。
# Module Notifications
Notifications=通知
-NoNotificationsWillBeSent=沒有為此事件和公司計畫的電子郵件通知
-ANotificationsWillBeSent=1個通知將通過電子郵件發送
-SomeNotificationsWillBeSent=%s的通知將通過電子郵件發送
-AddNewNotification=啟動新的電子郵件通知目標/事件
-ListOfActiveNotifications=列出所有活動目標/事件以進行電子郵件通知
-ListOfNotificationsDone=列出所有發送電子郵件通知
+NotificationsAuto=自動通知。
+NoNotificationsWillBeSent=沒有為此類型事件和公司計畫的自動電子郵件通知
+ANotificationsWillBeSent=1條自動通知將以電子郵件寄送
+SomeNotificationsWillBeSent=%s的自動通知將以電子郵件寄送
+AddNewNotification=Subscribe to a new automatic email notification (target/event)
+ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification
+ListOfNotificationsDone=列出所有已寄送的自動電子郵件通知
MailSendSetupIs=電子郵件發送的設定已設定為“ %s”。此模式不能用於發送批次電子郵件。
MailSendSetupIs2=您必須先使用管理員帳戶進入選單%s首頁-設定-EMails%s以將參數'%s'更改為使用模式 '%s'。使用此模式 ,您可以輸入Internet服務供應商提供的SMTP伺服器的設定,並使用批次電子郵件功能。
MailSendSetupIs3=如果對如何設定SMTP伺服器有任何疑問,可以詢問%s。
@@ -140,7 +142,7 @@ UseFormatFileEmailToTarget=匯入檔案的格式必須為電子郵件;
UseFormatInputEmailToTarget=輸入字串格式為電子郵件; 姓;名;其他
MailAdvTargetRecipients=收件人(進階選項)
AdvTgtTitle=填寫輸入欄位以預先選擇合作方或聯絡人/地址
-AdvTgtSearchTextHelp=使用%%作為通用字元。例如,要尋找像是jean,joe,jim的所有項目,可以輸入 j%% ,也可以使用;作為數值的分隔字元,並使用!排除此值。例如 jean;joe;jim%%;!jimo;!jima% 將會指向所有沒有jimo與所有以jima開始的jean,joe
+AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima%% will target all jean, joe, start with jim but not jimo and not everything that starts with jima
AdvTgtSearchIntHelp=使用空格選擇整數或浮點值
AdvTgtMinVal=最小值
AdvTgtMaxVal=最大值
@@ -162,13 +164,14 @@ AdvTgtCreateFilter=建立過濾器
AdvTgtOrCreateNewFilter=新過濾器名稱
NoContactWithCategoryFound=找不到具有類別的聯絡人/地址
NoContactLinkedToThirdpartieWithCategoryFound=找不到具有類別的聯絡人/地址
-OutGoingEmailSetup=發送電子郵件設定
-InGoingEmailSetup=接收電子郵件設定
-OutGoingEmailSetupForEmailing=外送電子郵件設定(用於模組%s)
-DefaultOutgoingEmailSetup=預設發送電子郵件設定
+OutGoingEmailSetup=Outgoing emails
+InGoingEmailSetup=Incoming emails
+OutGoingEmailSetupForEmailing=Outgoing emails (for module %s)
+DefaultOutgoingEmailSetup=與全域寄送電子郵件設定相同的配置
Information=資訊
ContactsWithThirdpartyFilter=帶有合作方過濾器的聯絡人
-Unanswered=Unanswered
+Unanswered=未回應
Answered=已回覆
-IsNotAnAnswer=Is not answer (initial email)
-IsAnAnswer=Is an answer of an initial email
+IsNotAnAnswer=未回應(原始電子郵件)
+IsAnAnswer=是一封原始電子郵件的回應
+RecordCreatedByEmailCollector=由電子郵件收集器%s從電子郵件%s建立的記錄
diff --git a/htdocs/langs/zh_TW/main.lang b/htdocs/langs/zh_TW/main.lang
index abc5ed6e22c..c9a3ab89c26 100644
--- a/htdocs/langs/zh_TW/main.lang
+++ b/htdocs/langs/zh_TW/main.lang
@@ -28,7 +28,9 @@ NoTemplateDefined=此電子郵件類別沒有可用的範本
AvailableVariables=可用的替代變數
NoTranslation=沒有翻譯
Translation=翻譯
+CurrentTimeZone=PHP (伺服器)時區
EmptySearchString=輸入非空白的搜索字串
+EnterADateCriteria=Enter a date criteria
NoRecordFound=沒有找到任何紀錄
NoRecordDeleted=沒有刪除記錄
NotEnoughDataYet=沒有足夠資料
@@ -85,6 +87,8 @@ FileWasNotUploaded=所選定的檔案尚未上傳。點選 "附加檔案"。
NbOfEntries=項目數量
GoToWikiHelpPage=讀取線上幫助 (需要連上網路)
GoToHelpPage=讀取幫助
+DedicatedPageAvailable=There is a dedicated help page related to your current screen
+HomePage=首頁
RecordSaved=記錄已儲存
RecordDeleted=記錄已刪除
RecordGenerated=記錄已產生
@@ -147,8 +151,8 @@ NotClosed=尚未關閉
Enabled=已啟用
Enable=啓用
Deprecated=已棄用
-Disable=禁用
-Disabled=已禁用
+Disable=關閉
+Disabled=已關閉
Add=新增
AddLink=新增連結
RemoveLink=移除連結
@@ -197,7 +201,7 @@ ReOpen=重新公開
Upload=上傳
ToLink=連線
Select=選擇
-SelectAll=Select all
+SelectAll=全選
Choose=選擇
Resize=調整大小
ResizeOrCrop=調整大小或裁剪
@@ -210,7 +214,7 @@ Groups=群組
NoUserGroupDefined=未定義用戶群組
Password=密碼
PasswordRetype=重新輸入您的密碼
-NoteSomeFeaturesAreDisabled=請注意在這個示範中多項功能/模組已禁用。
+NoteSomeFeaturesAreDisabled=請注意在這個示範中多項功能/模組已關閉。
Name=名稱
NameSlashCompany=姓名/公司
Person=人員
@@ -258,7 +262,7 @@ Cards=資訊卡
Card=資訊卡
Now=現在
HourStart=開始(時)
-Deadline=Deadline
+Deadline=最後期限
Date=日期
DateAndHour=日期及小時
DateToday=今日日期
@@ -433,6 +437,7 @@ RemainToPay=保持付款
Module=模組/應用程式
Modules=模組/應用程式
Option=選項
+Filters=Filters
List=清單
FullList=全部清單
FullConversation=全部轉換
@@ -494,7 +499,7 @@ By=由
From=從
FromDate=從
FromLocation=從
-at=at
+at=在
to=至
To=至
and=和
@@ -689,7 +694,7 @@ RecordsModified=%s記錄已修改
RecordsDeleted=%s記錄已刪除
RecordsGenerated=%s記錄已產生
AutomaticCode=自動代碼
-FeatureDisabled=功能已禁用
+FeatureDisabled=功能已關閉
MoveBox=移動小工具
Offered=已提供
NotEnoughPermissions=您沒有權限執行這個動作
@@ -709,7 +714,7 @@ YouCanSetDefaultValueInModuleSetup=您可以設定一個當在模組設定中產
Color=色彩
Documents=已連結檔案
Documents2=文件
-UploadDisabled=禁用上傳
+UploadDisabled=上傳已關閉
MenuAccountancy=會計
MenuECM=文件
MenuAWStats=AWStats 軟體
@@ -724,7 +729,7 @@ CurrentMenuManager=目前選單管理器
Browser=瀏覽器
Layout=外觀
Screen=畫面
-DisabledModules=已禁用模組
+DisabledModules=已關閉模組
For=為
ForCustomer=客戶
Signature=簽名
@@ -749,7 +754,7 @@ PrintContentArea=顯示列印頁面的主要內容區域
MenuManager=選單管理器
WarningYouAreInMaintenanceMode=警告,您處於維護模式:僅允許%s登入且在此模式下使用應用程序。
CoreErrorTitle=系統錯誤
-CoreErrorMessage=很抱歉,發生錯誤。連絡您的系統管理員以確認記錄檔或禁用 $dolibarr_main_prod=1 以取得更多資訊。
+CoreErrorMessage=很抱歉,發生錯誤。連絡您的系統管理員以確認記錄檔或關閉 $dolibarr_main_prod=1 以取得更多資訊。
CreditCard=信用卡
ValidatePayment=驗證付款
CreditOrDebitCard=信用卡或金融信用卡
@@ -888,8 +893,8 @@ Miscellaneous=雜項
Calendar=行事曆
GroupBy=群組依...
ViewFlatList=檢視平面清單
-ViewAccountList=View ledger
-ViewSubAccountList=View subaccount ledger
+ViewAccountList=檢視總帳
+ViewSubAccountList=檢視子帳戶總帳
RemoveString=移除字串‘%s’
SomeTranslationAreUncomplete=提供的某些語言可能僅被部分翻譯,或者可能包含錯誤。請通過註冊https://transifex.com/projects/p/dolibarr/來進行改進,以幫助修正您的語言。
DirectDownloadLink=直接下載連結(公共/外部)
@@ -1105,5 +1110,10 @@ DateOfBirth=出生日期
SecurityTokenHasExpiredSoActionHasBeenCanceledPleaseRetry=安全許可證已過期,因此操作已被取消。請再試一次。
UpToDate=最新
OutOfDate=過期
-EventReminder=Event Reminder
-UpdateForAllLines=Update for all lines
+EventReminder=事件提醒
+UpdateForAllLines=更新所有行
+OnHold=On hold
+AffectTag=Affect Tag
+ConfirmAffectTag=Bulk Tag Affect
+ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected record(s)?
+CategTypeNotFound=No tag type found for type of records
diff --git a/htdocs/langs/zh_TW/modulebuilder.lang b/htdocs/langs/zh_TW/modulebuilder.lang
index b92626cee0e..bffd8ecac21 100644
--- a/htdocs/langs/zh_TW/modulebuilder.lang
+++ b/htdocs/langs/zh_TW/modulebuilder.lang
@@ -40,6 +40,7 @@ PageForCreateEditView=建立/編輯/檢視記錄PHP頁面
PageForAgendaTab=事件分頁的PHP頁面
PageForDocumentTab=文件分頁的PHP頁面
PageForNoteTab=註記分頁的PHP頁面
+PageForContactTab=PHP page for contact tab
PathToModulePackage=模組/應用程式包的zip路徑
PathToModuleDocumentation=模組/應用程式檔案的文件路徑(%s)
SpaceOrSpecialCharAreNotAllowed=不允許使用空格或特殊符號。
@@ -77,7 +78,7 @@ IsAMeasure=Is a measure
DirScanned=資料夾已掃描
NoTrigger=沒有觸發器
NoWidget=沒有小工具
-GoToApiExplorer=前往API資源管理器
+GoToApiExplorer=API explorer
ListOfMenusEntries=選單條目清單
ListOfDictionariesEntries=分類條目清單
ListOfPermissionsDefined=已定義權限清單
@@ -105,11 +106,11 @@ TryToUseTheModuleBuilder=如果您具有SQL和PHP的知識,則可以使用本
SeeTopRightMenu=請參閱右上方選單中的
AddLanguageFile=增加語言檔案
YouCanUseTranslationKey=您可以在此處使用一個key,此key是在語言檔案中找到的翻譯key(請參見“語言”分頁)
-DropTableIfEmpty=(如果為空,則刪除表)
+DropTableIfEmpty=(Destroy table if empty)
TableDoesNotExists=表%s不存在
TableDropped=表%s已刪除
InitStructureFromExistingTable=建立現有表的結構數組字串
-UseAboutPage=禁用關於頁面
+UseAboutPage=關閉關於頁面
UseDocFolder=禁用文件資料夾
UseSpecificReadme=使用特定的ReadMe檔案
ContentOfREADMECustomized=注意:README.md檔案的內容已替換為ModuleBuilder設定中定義的特定值。
@@ -126,7 +127,6 @@ UseSpecificEditorURL = 使用特定的編輯器網址
UseSpecificFamily = 使用特定的家族
UseSpecificAuthor = 使用特定作者
UseSpecificVersion = 使用特定的初始版本
-ModuleMustBeEnabled=必須先啟用模組/應用程式
IncludeRefGeneration=項目參考必須自動產生
IncludeRefGenerationHelp=如果要包含代碼以自動管理參考的產生成,請點選此選框
IncludeDocGeneration=我想從項目產生一些文件
@@ -140,3 +140,4 @@ TypeOfFieldsHelp=Type of fields: varchar(99), double(24,8), real, text, html,
AsciiToHtmlConverter=ASCII到HTML轉換器
AsciiToPdfConverter=ASCII到PDF轉換器
TableNotEmptyDropCanceled=表不為空。刪除已被取消。
+ModuleBuilderNotAllowed=The module builder is available but not allowed to your user.
diff --git a/htdocs/langs/zh_TW/other.lang b/htdocs/langs/zh_TW/other.lang
index 0e643a6518f..058ef4a3c1e 100644
--- a/htdocs/langs/zh_TW/other.lang
+++ b/htdocs/langs/zh_TW/other.lang
@@ -5,8 +5,6 @@ Tools=工具
TMenuTools=工具
ToolsDesc=所有在其他選單項目中未包含的工具都在此處。 所有工具均可通過左側選單使用。
Birthday=生日
-BirthdayDate=生日日期
-DateToBirth=生日
BirthdayAlertOn=生日提醒啟動中
BirthdayAlertOff=生日提醒停用中
TransKey=密鑰TransKey的翻譯
@@ -16,6 +14,8 @@ PreviousMonthOfInvoice=發票日期的前一個月(1-12)
TextPreviousMonthOfInvoice=發票日期的前一個月(文字)
NextMonthOfInvoice=發票日期的下個月(1-12)
TextNextMonthOfInvoice=發票日期的下個月(文字)
+PreviousMonth=前一個月
+CurrentMonth=目前月份
ZipFileGeneratedInto=壓縮檔案已產生到 %s 中。
DocFileGeneratedInto=DOC檔案已產生到 %s 中。
JumpToLogin=已斷線。請前往登入頁面...
@@ -99,6 +99,7 @@ PredefinedMailContentSendShipping=__(Hello)__\n\n請查看已附上之發貨__RE
PredefinedMailContentSendFichInter=__(Hello)__\n\n請查看已附上之干預__REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
PredefinedMailContentLink=如果付款尚未完成您可以點擊以下連結.\n\n%s\n\n
PredefinedMailContentGeneric=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__
+PredefinedMailContentSendActionComm=活動提醒 "__EVENT_LABEL__" 在 __EVENT_DATE__ 的 __EVENT_TIME__
\n此為自動提醒訊息,請勿回覆.
DemoDesc=Dolibarr是一個嚴謹的ERP / CRM,支援多個業務模組。展示所有模組的DEMO沒有意義,因為這種情況永遠不會發生(有數百種可用)。因此,有幾個DEMO設定檔案可用。
ChooseYourDemoProfil=選擇最適合您需求的DEMO設定檔案...
ChooseYourDemoProfilMore=...或建立您自己的設定檔案 (手動選擇模組)
@@ -137,7 +138,7 @@ Right=右
CalculatedWeight=已計算重量
CalculatedVolume=已計算體積
Weight=重量
-WeightUnitton=公噸
+WeightUnitton=噸
WeightUnitkg=kg
WeightUnitg=g
WeightUnitmg=mg
@@ -258,6 +259,7 @@ ContactCreatedByEmailCollector=電子郵件收集器從電子郵件MSGID %s建
ProjectCreatedByEmailCollector=電子郵件收集器從電子郵件MSGID %s建立的專案
TicketCreatedByEmailCollector=電子郵件收集器從電子郵件MSGID %s建立的服務單
OpeningHoursFormatDesc=使用-分隔營業開始時間和營業結束時間。 使用空格輸入不同的範圍。 範例:8-12 14-18
+PrefixSession=Prefix for session ID
##### Export #####
ExportsArea=出口地區
@@ -278,9 +280,9 @@ LinesToImport=要匯入的行
MemoryUsage=記憶體使用率
RequestDuration=請求期限
-ProductsPerPopularity=Products/Services by popularity
+ProductsPerPopularity=依受歡迎程度的產品/服務
PopuProp=依照在提案中受歡迎程度列出的產品/服務
PopuCom=依照在訂單中受歡迎程度列出的產品/服務
ProductStatistics=產品/服務統計
NbOfQtyInOrders=訂單數量
-SelectTheTypeOfObjectToAnalyze=Select the type of object to analyze...
+SelectTheTypeOfObjectToAnalyze=選擇要分析的項目類型...
diff --git a/htdocs/langs/zh_TW/products.lang b/htdocs/langs/zh_TW/products.lang
index bcff540d70c..5900bdbc3c2 100644
--- a/htdocs/langs/zh_TW/products.lang
+++ b/htdocs/langs/zh_TW/products.lang
@@ -108,7 +108,8 @@ FillWithLastServiceDates=Fill with last service line dates
MultiPricesAbility=每個產品/服務有多個價格區段(每個客戶屬於一個價格區段)
MultiPricesNumPrices=價格數量
DefaultPriceType=增加新銷售價格時的每個預設價格(含稅和不含稅)基準
-AssociatedProductsAbility=Activate kits (virtual products)
+AssociatedProductsAbility=Enable Kits (set of other products)
+VariantsAbility=Enable Variants (variations of products, for example color, size)
AssociatedProducts=Kits
AssociatedProductsNumber=Number of products composing this kit
ParentProductsNumber=母套裝產品數
@@ -167,8 +168,10 @@ BuyingPrices=採購價格
CustomerPrices=客戶價格
SuppliersPrices=供應商價格
SuppliersPricesOfProductsOrServices=供應商價格(產品或服務)
-CustomCode=海關/商品/ HS編碼
+CustomCode=Customs|Commodity|HS code
CountryOrigin=原產地
+RegionStateOrigin=Region origin
+StateOrigin=State|Province origin
Nature=產品性質(材料/成品)
NatureOfProductShort=產品性質
NatureOfProductDesc=Raw material or finished product
@@ -239,7 +242,7 @@ AlwaysUseFixedPrice=使用固定價格
PriceByQuantity=數量不同的價格
DisablePriceByQty=停用數量價格
PriceByQuantityRange=數量範圍
-MultipriceRules=價格區段規則
+MultipriceRules=Automatic prices for segment
UseMultipriceRules=使用價格區段規則(在產品模組設定中定義),根據第一區段自動計算所有其他區段的價格
PercentVariationOver=%%超過%s上的變化
PercentDiscountOver=%%超過%s的折扣
diff --git a/htdocs/langs/zh_TW/recruitment.lang b/htdocs/langs/zh_TW/recruitment.lang
index 5302409b57c..784c73b1a45 100644
--- a/htdocs/langs/zh_TW/recruitment.lang
+++ b/htdocs/langs/zh_TW/recruitment.lang
@@ -73,3 +73,4 @@ JobClosedTextCandidateFound=The job position is closed. The position has been fi
JobClosedTextCanceled=The job position is closed.
ExtrafieldsJobPosition=Complementary attributes (job positions)
ExtrafieldsCandidatures=Complementary attributes (job applications)
+MakeOffer=Make an offer
diff --git a/htdocs/langs/zh_TW/sendings.lang b/htdocs/langs/zh_TW/sendings.lang
index 42c24671414..0a422561415 100644
--- a/htdocs/langs/zh_TW/sendings.lang
+++ b/htdocs/langs/zh_TW/sendings.lang
@@ -30,6 +30,7 @@ OtherSendingsForSameOrder=此訂單的其他出貨清單
SendingsAndReceivingForSameOrder=此訂單的出貨貨品和收據
SendingsToValidate=出貨驗證
StatusSendingCanceled=已取消
+StatusSendingCanceledShort=已取消
StatusSendingDraft=草案
StatusSendingValidated=已驗證(產品出貨或已經出貨)
StatusSendingProcessed=已處理
@@ -65,6 +66,7 @@ ValidateOrderFirstBeforeShipment=您必須先驗證訂單,然後才能進行
# Sending methods
# ModelDocument
DocumentModelTyphon=交貨收據的更完整文件模型(商標...)
+DocumentModelStorm=更完整的文件模型,可用於交貨單和域外兼容性(logo...)
Error_EXPEDITION_ADDON_NUMBER_NotDefined=常數EXPEDITION_ADDON_NUMBER未定義
SumOfProductVolumes=產品體積總和
SumOfProductWeights=產品重量總和
diff --git a/htdocs/langs/zh_TW/stocks.lang b/htdocs/langs/zh_TW/stocks.lang
index d2936453e9f..5d4d31c612d 100644
--- a/htdocs/langs/zh_TW/stocks.lang
+++ b/htdocs/langs/zh_TW/stocks.lang
@@ -240,3 +240,4 @@ InventoryRealQtyHelp=將值設定為0以重置數量 保持欄位為空或刪
UpdateByScaning=以掃描更新
UpdateByScaningProductBarcode=掃描更新(產品條碼)
UpdateByScaningLot=掃描更新(批次|序列條碼)
+DisableStockChangeOfSubProduct=Deactivate the stock change for all the subproducts of this Kit during this movement.
diff --git a/htdocs/langs/zh_TW/ticket.lang b/htdocs/langs/zh_TW/ticket.lang
index d591079e2f6..8ce934d6b3e 100644
--- a/htdocs/langs/zh_TW/ticket.lang
+++ b/htdocs/langs/zh_TW/ticket.lang
@@ -31,10 +31,8 @@ TicketDictType=服務單-類型
TicketDictCategory=服務單-組別
TicketDictSeverity=服務單-嚴重程度
TicketDictResolution=服務單-決議
-TicketTypeShortBUGSOFT=軟體故障
-TicketTypeShortBUGHARD=設備故障
-TicketTypeShortCOM=商業問題
+TicketTypeShortCOM=商業問題
TicketTypeShortHELP=請求有用的幫助
TicketTypeShortISSUE=錯誤或問題
TicketTypeShortREQUEST=變更或增強要求
@@ -44,7 +42,7 @@ TicketTypeShortOTHER=其他
TicketSeverityShortLOW=低
TicketSeverityShortNORMAL=正常
TicketSeverityShortHIGH=高
-TicketSeverityShortBLOCKING=嚴重/阻止
+TicketSeverityShortBLOCKING=嚴重,阻止中
ErrorBadEmailAddress=欄位'%s'不正確
MenuTicketMyAssign=我的服務單
@@ -60,7 +58,6 @@ OriginEmail=電子郵件來源
Notify_TICKET_SENTBYMAIL=以電子郵件發送服務單訊息
# Status
-NotRead=未讀
Read=已讀
Assigned=已分配
InProgress=進行中
@@ -109,7 +106,7 @@ TicketPublicInterfaceTextHelpMessageHelpAdmin=此段文字將出現在用戶的
ExtraFieldsTicket=額外屬性
TicketCkEditorEmailNotActivated=HTML編輯器未啟動。請將FCKEDITOR_ENABLE_MAIL內容設為1即可啟動。
TicketsDisableEmail=不要為服務單建立或訊息紀錄發送電子郵件
-TicketsDisableEmailHelp=預設情況下,在建立新服務單或訊息時會發送電子郵件。啟用此選項可禁用*所有*電子郵件通知
+TicketsDisableEmailHelp=預設情況下,在建立新服務單或訊息時會發送電子郵件。啟用此選項可關閉*所有*電子郵件通知
TicketsLogEnableEmail=通過電子郵件啟用日誌
TicketsLogEnableEmailHelp=每次更改時,都會向與此服務單有關的**每個聯絡人**發送電子郵件。
TicketParams=參數
@@ -126,6 +123,7 @@ TicketsActivatePublicInterfaceHelp=公共界面允許任何訪客建立服務單
TicketsAutoAssignTicket=自動分配建立服務單的用戶
TicketsAutoAssignTicketHelp=建立服務單時,可以自動將用戶分配給服務單。
TicketNumberingModules=服務單編號模組
+TicketsModelModule=Document templates for tickets
TicketNotifyTiersAtCreation=建立時通知合作方
TicketsDisableCustomerEmail=從公共界面建立服務單時,始終禁用電子郵件
TicketsPublicNotificationNewMessage=當有新訊息時寄送電子郵件
@@ -135,7 +133,7 @@ TicketPublicNotificationNewMessageDefaultEmailHelp=如果沒有分配服務單
#
# Index & list page
#
-TicketsIndex=門票區
+TicketsIndex=服務單區域
TicketList=服務單清單
TicketAssignedToMeInfos=此頁面顯示由目前用戶建立或分配給目前用戶的服務單清單
NoTicketsFound=找不到服務單
@@ -233,7 +231,6 @@ TicketLogStatusChanged=狀態已更改:%s到%s
TicketNotNotifyTiersAtCreate=建立時不通知公司
Unread=未讀
TicketNotCreatedFromPublicInterface=無法使用。服務單不是從公共界面建立的。
-PublicInterfaceNotEnabled=未啟用公共界面
ErrorTicketRefRequired=服務單參考名稱為必填
#
diff --git a/htdocs/langs/zh_TW/users.lang b/htdocs/langs/zh_TW/users.lang
index 0ae2e4c036f..26680ee4029 100644
--- a/htdocs/langs/zh_TW/users.lang
+++ b/htdocs/langs/zh_TW/users.lang
@@ -20,7 +20,7 @@ DeleteAUser=刪除一位用戶
EnableAUser=啟用用戶
DeleteGroup=刪除
DeleteAGroup=刪除一群組
-ConfirmDisableUser=您確定要禁用用戶 %s ?
+ConfirmDisableUser=您確定要關閉用戶 %s ?
ConfirmDeleteUser=您確定要刪除用戶 %s ?
ConfirmDeleteGroup=您確定要刪除群組 %s?
ConfirmEnableUser=您確定要啟用用戶 %s?
@@ -46,6 +46,8 @@ RemoveFromGroup=從群組中刪除
PasswordChangedAndSentTo=密碼更改,發送到%s。
PasswordChangeRequest=%s要求變更密碼
PasswordChangeRequestSent=%s 傳送給 %s 要求更改密碼。
+IfLoginExistPasswordRequestSent=如果此登入名稱為有效帳戶,則已發送一封電子郵件以重置密碼。
+IfEmailExistPasswordRequestSent=如果此電子郵件為有效帳戶,則已發送一封用於重置密碼的電子郵件。
ConfirmPasswordReset=確認密碼重設
MenuUsersAndGroups=用戶和群組
LastGroupsCreated=最新建立的%s個群組
@@ -63,7 +65,7 @@ LinkedToDolibarrUser=連線成為 Dolibarr 用戶
LinkedToDolibarrThirdParty=連線成為 Dolibarr 的合作方
CreateDolibarrLogin=建立一位用戶
CreateDolibarrThirdParty=建立一位合作方(客戶/供應商)
-LoginAccountDisableInDolibarr=在 Dolibarr 中帳戶已禁用。
+LoginAccountDisableInDolibarr=在 Dolibarr 中帳戶已關閉。
UsePersonalValue=使用個人設定值
InternalUser=內部用戶
ExportDataset_user_1=用戶及其屬性
@@ -73,6 +75,7 @@ CreateInternalUserDesc=此表單使您可以在公司/組織中建立內部用
InternalExternalDesc=一位 內部 使用者是您 公司/組織 的一部分。 一位 外部 使用者是顧客,供應商或是其他 (可從第三方的聯絡人紀錄為第三方建立一位外部使用者)。
以上兩種情形,在 Dolibarr 權限定義權利,外部使用者可以使用一個跟內部使用者不同的選單管理器 (見 首頁 - 設定 - 顯示)
PermissionInheritedFromAGroup=因為從權限授予一個用戶的一組繼承。
Inherited=繼承
+UserWillBe=Created user will be
UserWillBeInternalUser=建立的用戶將是一個內部用戶(因為沒有連結到一個特定的第三方)
UserWillBeExternalUser=建立的用戶將是外部用戶(因為連結到一個特定的第三方)
IdPhoneCaller=手機來電者身份
@@ -80,7 +83,7 @@ NewUserCreated=建立用戶%s
NewUserPassword=%變動的密碼
NewPasswordValidated=您的新密碼已通過驗證,必須立即用於登錄。
EventUserModified=用戶%s修改
-UserDisabled=用戶%s禁用
+UserDisabled=用戶%s已關閉
UserEnabled=用戶%s啟動
UserDeleted=使用者%s刪除
NewGroupCreated=集團建立%s的
@@ -104,17 +107,19 @@ LoginUsingOpenID=使用OpenID登入
WeeklyHours=工作小時數(每週)
ExpectedWorkedHours=預計每週工作時間
ColorUser=用戶顏色
-DisabledInMonoUserMode=在維護模式下禁用
+DisabledInMonoUserMode=在維護模式下已關閉
UserAccountancyCode=用戶帳號
UserLogoff=用戶登出
UserLogged=用戶登入
-DateOfEmployment=Employment date
-DateEmployment=入職日期
+DateOfEmployment=到職日期
+DateEmployment=就業機會
+DateEmploymentstart=入職日期
DateEmploymentEnd=離職日期
-CantDisableYourself=您不能禁用自己的用戶記錄
+RangeOfLoginValidity=登入的有效日期範圍
+CantDisableYourself=您不能關閉自己的用戶記錄
ForceUserExpenseValidator=強制使用費用報告表驗證
ForceUserHolidayValidator=強制使用休假請求驗證
ValidatorIsSupervisorByDefault=預設情況下,驗證者是用戶的主管。保持空白狀態以保持這種行為。
UserPersonalEmail=私人信箱
UserPersonalMobile=私人手機
-WarningNotLangOfInterface=Warning, this is the main language the user speak, not the language of the interface he choosed to see. To change the interface language visible by this user, go on tab %s
+WarningNotLangOfInterface=警告,這是用戶使用的主要語言,而不是他選擇查看的界面語言。要更改該用戶可見的界面語言,請前往分頁%s
diff --git a/htdocs/langs/zh_TW/website.lang b/htdocs/langs/zh_TW/website.lang
index 6a62024abd5..f83dc275c73 100644
--- a/htdocs/langs/zh_TW/website.lang
+++ b/htdocs/langs/zh_TW/website.lang
@@ -30,7 +30,6 @@ EditInLine=編輯嵌入
AddWebsite=新增網站
Webpage=網頁/容器
AddPage=新增 頁面/容器
-HomePage=首頁
PageContainer=頁面
PreviewOfSiteNotYetAvailable=您的網站%s預覽尚不可用。您必須先“ 導入完整的網站模板 ”或僅“ 新增頁面/容器 ”。
RequestedPageHasNoContentYet=要求ID為%s的頁面尚無內容,或暫存檔案.tpl.php被刪除。編輯頁面內容以解決此問題。
@@ -101,7 +100,7 @@ EmptyPage=空白頁
ExternalURLMustStartWithHttp=外部網址必須以http://或https://開始
ZipOfWebsitePackageToImport=上傳網站模板包的Zip檔案
ZipOfWebsitePackageToLoad=或選擇一個可用的嵌入式網站模板包
-ShowSubcontainers=包含動態內容
+ShowSubcontainers=Show dynamic content
InternalURLOfPage=頁面的內部網址
ThisPageIsTranslationOf=該頁面/內容是以下內容的翻譯:
ThisPageHasTranslationPages=此頁面/內容已翻譯
@@ -137,3 +136,4 @@ RSSFeedDesc=您可以使用此網址獲得類型為“ blogpost”的最新文
PagesRegenerated=已重新產生%s頁面/容器
RegenerateWebsiteContent=重新產生網站快取檔案
AllowedInFrames=Allowed in Frames
+DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languages into web site properties.
diff --git a/htdocs/langs/zh_TW/withdrawals.lang b/htdocs/langs/zh_TW/withdrawals.lang
index b4c32e4de5a..6bfc7053a79 100644
--- a/htdocs/langs/zh_TW/withdrawals.lang
+++ b/htdocs/langs/zh_TW/withdrawals.lang
@@ -11,7 +11,7 @@ PaymentByBankTransferLines=信用轉帳訂單行
WithdrawalsReceipts=直接轉帳付款訂單
WithdrawalReceipt=直接轉帳付款訂單
BankTransferReceipts=信用轉帳訂單行
-BankTransferReceipt=Credit transfer order
+BankTransferReceipt=貸方轉帳訂單
LatestBankTransferReceipts=最新%s筆信用轉帳訂單
LastWithdrawalReceipts=最新%s個直接轉帳付款檔案
WithdrawalsLine=直接轉帳訂單行
@@ -40,8 +40,9 @@ CreditTransferStatistics=信用轉帳統計
Rejects=拒絕
LastWithdrawalReceipt=最新%s張直接轉帳付款收據
MakeWithdrawRequest=提出直接轉帳付款請求
-MakeBankTransferOrder=Make a credit transfer request
+MakeBankTransferOrder=提出貸記轉帳請求
WithdrawRequestsDone=已記錄%s直接轉帳付款請求
+BankTransferRequestsDone=%s credit transfer requests recorded
ThirdPartyBankCode=合作方銀行代碼
NoInvoiceCouldBeWithdrawed=沒有直接轉帳成功的發票。檢查發票上是否有有效IBAN的公司,以及IBAN是否具有模式為 %s 的UMR(唯一授權參考)。
ClassCredited=分類為已記入
@@ -63,7 +64,7 @@ InvoiceRefused=發票被拒絕(向客戶收取拒絕費用)
StatusDebitCredit=借項/貸項狀況
StatusWaiting=等候
StatusTrans=傳送
-StatusDebited=Debited
+StatusDebited=借貸方
StatusCredited=已記入
StatusPaid=已付款
StatusRefused=已拒絕
@@ -79,13 +80,13 @@ StatusMotif8=其他原因
CreateForSepaFRST=建立直接轉帳付款檔案(SEPA FRST)
CreateForSepaRCUR=建立直接轉帳付款檔案(SEPA RCUR)
CreateAll=建立直接轉帳付款檔案(全部)
-CreateFileForPaymentByBankTransfer=Create file for credit transfer
+CreateFileForPaymentByBankTransfer=建立用於信用轉移的檔案
CreateSepaFileForPaymentByBankTransfer=建立信用轉帳文件(SEPA)
CreateGuichet=只有辦公室
CreateBanque=只有銀行
OrderWaiting=等待處理
-NotifyTransmision=Record file transmission of order
-NotifyCredit=Record credit of order
+NotifyTransmision=訂單的檔案傳輸記錄
+NotifyCredit=訂單信用記錄
NumeroNationalEmetter=國際轉帳編號
WithBankUsingRIB=用於RIB的銀行帳戶
WithBankUsingBANBIC=用於IBAN / BIC / SWIFT的銀行帳戶
@@ -131,7 +132,8 @@ SEPARCUR=SEPA CUR
SEPAFRST=SEPA FRST
ExecutionDate=執行日期
CreateForSepa=建立直接轉帳付款檔案
-ICS=債權人識別碼
+ICS=Creditor Identifier CI for direct debit
+ICSTransfer=Creditor Identifier CI for bank transfer
END_TO_END="EndToEndId" SEPA XML標籤- 每筆交易分配的唯一ID
USTRD="Unstructured" SEPA XML標籤
ADDDAYS=將天數加到執行日期
@@ -146,3 +148,4 @@ InfoRejectSubject=直接轉帳付款訂單已被拒絕
InfoRejectMessage=您好,
銀行拒絕了與公司%s相關的發票%s的直接轉帳付款訂單 。%s的金額已被銀行拒絕
-- %s
ModeWarning=未設定實際模式選項,我們將在此模擬後停止
ErrorCompanyHasDuplicateDefaultBAN=Company with id %s has more than one default bank account. No way to know wich one to use.
+ErrorICSmissing=Missing ICS in Bank account %s
diff --git a/htdocs/product/stock/class/mouvementstock.class.php b/htdocs/product/stock/class/mouvementstock.class.php
index 2429a4c09c5..4e1c8a4e57f 100644
--- a/htdocs/product/stock/class/mouvementstock.class.php
+++ b/htdocs/product/stock/class/mouvementstock.class.php
@@ -666,7 +666,6 @@ class MouvementStock extends CommonObject
}
// Retrieve all extrafield
- // fetch optionals attributes and labels
$this->fetch_optionals();
// $this->fetch_lines();
diff --git a/htdocs/user/list.php b/htdocs/user/list.php
index d3012f855f2..3b21e19f349 100644
--- a/htdocs/user/list.php
+++ b/htdocs/user/list.php
@@ -36,7 +36,7 @@ if (!$user->rights->user->user->lire && !$user->admin) {
}
// Load translation files required by page
-$langs->loadLangs(array('users', 'companies', 'hrm'));
+$langs->loadLangs(array('users', 'companies', 'hrm', 'salaries'));
$action = GETPOST('action', 'aZ09') ?GETPOST('action', 'aZ09') : 'view'; // The action 'add', 'create', 'edit', 'update', 'view', ...
$massaction = GETPOST('massaction', 'alpha'); // The bulk action (combo box choice into lists)