From 3babdb9798702da37f45ff1ce8c51bca26e0c238 Mon Sep 17 00:00:00 2001 From: Maxime Kohlhaas Date: Thu, 28 Jun 2018 13:45:30 +0200 Subject: [PATCH 01/62] Fix filters not saved when ordering --- htdocs/product/reassort.php | 2 ++ 1 file changed, 2 insertions(+) diff --git a/htdocs/product/reassort.php b/htdocs/product/reassort.php index f71601e7bc0f4..295bf530f91d7 100644 --- a/htdocs/product/reassort.php +++ b/htdocs/product/reassort.php @@ -242,6 +242,8 @@ if ($fourn_id) $param.="&fourn_id=".$fourn_id; if ($snom) $param.="&snom=".$snom; if ($sref) $param.="&sref=".$sref; + if ($toolowstock) $param.="&toolowstock=".$toolowstock; + if ($search_categ) $param.="&search_categ=".$search_categ; $formProduct = new FormProduct($db); $formProduct->loadWarehouses(); From 5756955d5544df5d12b9b4ba1502e4f9b5516f0e Mon Sep 17 00:00:00 2001 From: Maxime Kohlhaas Date: Thu, 28 Jun 2018 14:26:51 +0200 Subject: [PATCH 02/62] Fix link to create event had no socid if from thirdparty card --- htdocs/core/class/html.formactions.class.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/htdocs/core/class/html.formactions.class.php b/htdocs/core/class/html.formactions.class.php index 2d66661c839b8..a39b48400178b 100644 --- a/htdocs/core/class/html.formactions.class.php +++ b/htdocs/core/class/html.formactions.class.php @@ -196,7 +196,7 @@ function showactions($object, $typeelement, $socid=0, $forceshowtitle=0, $morecs if (! empty($conf->agenda->enabled)) { - $buttontoaddnewevent = ''; + $buttontoaddnewevent = ''; $buttontoaddnewevent.= $langs->trans("AddEvent"); $buttontoaddnewevent.= ''; } From 875cee84c7dca5d11dcdc995fe0389294a9d74ee Mon Sep 17 00:00:00 2001 From: Regis Houssin Date: Tue, 3 Jul 2018 13:47:53 +0200 Subject: [PATCH 03/62] Fix: missing "paid" field --- htdocs/loan/index.php | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/htdocs/loan/index.php b/htdocs/loan/index.php index d1436287db321..afaefc4575cfa 100644 --- a/htdocs/loan/index.php +++ b/htdocs/loan/index.php @@ -71,7 +71,7 @@ llxHeader(); -$sql = "SELECT l.rowid, l.label, l.capital, l.datestart, l.dateend,"; +$sql = "SELECT l.rowid, l.label, l.capital, l.paid, l.datestart, l.dateend,"; $sql.= " SUM(pl.amount_capital) as alreadypayed"; $sql.= " FROM ".MAIN_DB_PREFIX."loan as l LEFT JOIN ".MAIN_DB_PREFIX."payment_loan AS pl"; $sql.= " ON l.rowid = pl.fk_loan"; @@ -83,7 +83,7 @@ $filtre=str_replace(":","=",$filtre); $sql .= " AND ".$filtre; } -$sql.= " GROUP BY l.rowid, l.label, l.capital, l.datestart, l.dateend"; +$sql.= " GROUP BY l.rowid, l.label, l.capital, l.paid, l.datestart, l.dateend"; $sql.= $db->order($sortfield,$sortorder); $nbtotalofrecords = ''; From 0bb7f84f87945f31ded1c2722d9d3eba8fb33752 Mon Sep 17 00:00:00 2001 From: Regis Houssin Date: Tue, 3 Jul 2018 14:11:00 +0200 Subject: [PATCH 04/62] Fix: check if multicompany object exists --- htdocs/public/stripe/ipn.php | 8 +++++--- 1 file changed, 5 insertions(+), 3 deletions(-) diff --git a/htdocs/public/stripe/ipn.php b/htdocs/public/stripe/ipn.php index 19f9b8c80bccb..c5d2cd85e5c24 100644 --- a/htdocs/public/stripe/ipn.php +++ b/htdocs/public/stripe/ipn.php @@ -88,7 +88,7 @@ $user->fetch(5); $user->getrights(); -if (! empty($conf->multicompany->enabled) && ! empty($conf->stripeconnect->enabled)) { +if (! empty($conf->multicompany->enabled) && ! empty($conf->stripeconnect->enabled) && is_object($mc)) { $sql = "SELECT entity"; $sql.= " FROM ".MAIN_DB_PREFIX."oauth_token"; $sql.= " WHERE service = '".$db->escape($service)."' and tokenstring = '%".$db->escape($event->account)."%'"; @@ -102,10 +102,12 @@ $obj = $db->fetch_object($result); $key=$obj->entity; } - else {$key=1; + else { + $key=1; } } - else {$key=1; + else { + $key=1; } $ret=$mc->switchEntity($key); if (! $res && file_exists("../../main.inc.php")) $res=@include("../../main.inc.php"); From 38cd5180d9b7c9e1b3237452572cab236a722016 Mon Sep 17 00:00:00 2001 From: Laurent Destailleur Date: Tue, 3 Jul 2018 20:08:55 +0200 Subject: [PATCH 05/62] FIX for migration from old versions --- htdocs/core/modules/DolibarrModules.class.php | 33 ++++++++++++------- .../modules/modSupplierProposal.class.php | 2 +- htdocs/install/upgrade2.php | 26 +++++++++++++++ 3 files changed, 49 insertions(+), 12 deletions(-) diff --git a/htdocs/core/modules/DolibarrModules.class.php b/htdocs/core/modules/DolibarrModules.class.php index 527bf9455474e..562f9eed3747f 100644 --- a/htdocs/core/modules/DolibarrModules.class.php +++ b/htdocs/core/modules/DolibarrModules.class.php @@ -1671,11 +1671,12 @@ function insert_permissions($reinitadminperms=0, $force_entity=null, $notrigger= // Search if perm already present $sql = "SELECT count(*) as nb FROM ".MAIN_DB_PREFIX."rights_def"; $sql.= " WHERE id = ".$r_id." AND entity = ".$entity; + $resqlselect=$this->db->query($sql); if ($resqlselect) { - $obj = $this->db->fetch_object($resqlselect); - if ($obj->nb == 0) + $objcount = $this->db->fetch_object($resqlselect); + if ($objcount && $objcount->nb == 0) { if (dol_strlen($r_perms) ) { @@ -1739,23 +1740,33 @@ function insert_permissions($reinitadminperms=0, $force_entity=null, $notrigger= { $obj2=$this->db->fetch_object($resqlseladmin); dol_syslog(get_class($this)."::insert_permissions Add permission to user id=".$obj2->rowid); + $tmpuser=new User($this->db); - $tmpuser->fetch($obj2->rowid); - if (!empty($tmpuser->id)) { + $result = $tmpuser->fetch($obj2->rowid); + if ($result > 0) { $tmpuser->addrights($r_id, '', '', 0, 1); } + else + { + dol_syslog(get_class($this)."::insert_permissions Failed to add the permission to user because fetch return an error", LOG_ERR); + } $i++; } - if (! empty($user->admin)) // Reload permission for current user if defined - { - // We reload permissions - $user->clearrights(); - $user->getrights(); - } } - else dol_print_error($this->db); + else + { + dol_print_error($this->db); + } } } + + if ($reinitadminperms && ! empty($user->admin)) // Reload permission for current user if defined + { + // We reload permissions + $user->clearrights(); + $user->getrights(); + } + } $this->db->free($resql); } diff --git a/htdocs/core/modules/modSupplierProposal.class.php b/htdocs/core/modules/modSupplierProposal.class.php index 34584ea3ffa2e..b1881f11c7136 100644 --- a/htdocs/core/modules/modSupplierProposal.class.php +++ b/htdocs/core/modules/modSupplierProposal.class.php @@ -246,7 +246,7 @@ function init($options='') public function remove($options = '') { $sql = array( - "DELETE FROM ".MAIN_DB_PREFIX."rights_def WHERE module = 'askpricesupplier'" + "DELETE FROM ".MAIN_DB_PREFIX."rights_def WHERE module = 'askpricesupplier'" // To delete/clean deprecated entries ); return $this->_remove($sql, $options); diff --git a/htdocs/install/upgrade2.php b/htdocs/install/upgrade2.php index b7d18e8163afe..ce55b4005934a 100644 --- a/htdocs/install/upgrade2.php +++ b/htdocs/install/upgrade2.php @@ -192,6 +192,32 @@ $versiontoarray=explode('.',$versionto); $versionranarray=explode('.',DOL_VERSION); + + // Force to execute this at begin to avoid the new core code into Dolibarr to be broken. + $sql = 'ALTER TABLE '.MAIN_DB_PREFIX.'user ADD COLUMN birth date'; + $db->query($sql, 1); + $sql = 'ALTER TABLE '.MAIN_DB_PREFIX.'user ADD COLUMN dateemployment date'; + $db->query($sql, 1); + $sql = 'ALTER TABLE '.MAIN_DB_PREFIX.'user ADD COLUMN dateemploymentend date'; + $db->query($sql, 1); + $sql = 'ALTER TABLE '.MAIN_DB_PREFIX.'user ADD COLUMN default_range integer'; + $db->query($sql, 1); + $sql = 'ALTER TABLE '.MAIN_DB_PREFIX.'user ADD COLUMN default_c_exp_tax_cat integer'; + $db->query($sql, 1); + $sql = 'ALTER TABLE '.MAIN_DB_PREFIX.'extrafields ADD COLUMN langs varchar(24)'; + $db->query($sql, 1); + $sql = 'ALTER TABLE '.MAIN_DB_PREFIX.'extrafields ADD COLUMN fieldcomputed text'; + $db->query($sql, 1); + $sql = 'ALTER TABLE '.MAIN_DB_PREFIX.'extrafields ADD COLUMN fielddefault varchar(255)'; + $db->query($sql, 1); + $sql = 'ALTER TABLE '.MAIN_DB_PREFIX."extrafields ADD COLUMN enabled varchar(255) DEFAULT '1'"; + $db->query($sql, 1); + $sql = 'ALTER TABLE '.MAIN_DB_PREFIX.'extrafields ADD COLUMN help text'; + $db->query($sql, 1); + $sql = 'ALTER TABLE '.MAIN_DB_PREFIX.'user_rights ADD COLUMN entity integer DEFAULT 1 NOT NULL'; + $db->query($sql, 1); + + $afterversionarray=explode('.','2.0.0'); $beforeversionarray=explode('.','2.7.9'); if (versioncompare($versiontoarray,$afterversionarray) >= 0 && versioncompare($versiontoarray,$beforeversionarray) <= 0) From d4d9a8d75a7488f175bae846252774c45ee30bd0 Mon Sep 17 00:00:00 2001 From: Laurent Destailleur Date: Tue, 3 Jul 2018 20:13:30 +0200 Subject: [PATCH 06/62] Fix 8.0 not 9.0 --- htdocs/install/upgrade2.php | 4 ---- 1 file changed, 4 deletions(-) diff --git a/htdocs/install/upgrade2.php b/htdocs/install/upgrade2.php index ce55b4005934a..d27fbb8e113ca 100644 --- a/htdocs/install/upgrade2.php +++ b/htdocs/install/upgrade2.php @@ -198,8 +198,6 @@ $db->query($sql, 1); $sql = 'ALTER TABLE '.MAIN_DB_PREFIX.'user ADD COLUMN dateemployment date'; $db->query($sql, 1); - $sql = 'ALTER TABLE '.MAIN_DB_PREFIX.'user ADD COLUMN dateemploymentend date'; - $db->query($sql, 1); $sql = 'ALTER TABLE '.MAIN_DB_PREFIX.'user ADD COLUMN default_range integer'; $db->query($sql, 1); $sql = 'ALTER TABLE '.MAIN_DB_PREFIX.'user ADD COLUMN default_c_exp_tax_cat integer'; @@ -212,8 +210,6 @@ $db->query($sql, 1); $sql = 'ALTER TABLE '.MAIN_DB_PREFIX."extrafields ADD COLUMN enabled varchar(255) DEFAULT '1'"; $db->query($sql, 1); - $sql = 'ALTER TABLE '.MAIN_DB_PREFIX.'extrafields ADD COLUMN help text'; - $db->query($sql, 1); $sql = 'ALTER TABLE '.MAIN_DB_PREFIX.'user_rights ADD COLUMN entity integer DEFAULT 1 NOT NULL'; $db->query($sql, 1); From ca13d7b560cb3feea5ead5abe5fc4e5ab6882518 Mon Sep 17 00:00:00 2001 From: Regis Houssin Date: Tue, 3 Jul 2018 21:46:20 +0200 Subject: [PATCH 07/62] NEW possibility to add all rights of all modules in one time --- htdocs/user/class/user.class.php | 39 ++++++++++++++++++++------ htdocs/user/class/usergroup.class.php | 40 +++++++++++++++++++++------ htdocs/user/group/perms.php | 9 +++++- htdocs/user/perms.php | 9 +++++- 4 files changed, 78 insertions(+), 19 deletions(-) diff --git a/htdocs/user/class/user.class.php b/htdocs/user/class/user.class.php index 5b7416dbaa670..d637bdff63246 100644 --- a/htdocs/user/class/user.class.php +++ b/htdocs/user/class/user.class.php @@ -135,7 +135,7 @@ class User extends CommonObject public $default_c_exp_tax_cat; public $default_range; - + public $fields=array( 'rowid'=>array('type'=>'integer', 'label'=>'TechnicalID', 'enabled'=>1, 'visible'=>-2, 'notnull'=>1, 'index'=>1, 'position'=>1, 'comment'=>'Id'), 'lastname'=>array('type'=>'varchar(50)', 'label'=>'Name', 'enabled'=>1, 'visible'=>1, 'notnull'=>1, 'showoncombobox'=>1, 'index'=>1, 'position'=>20, 'searchall'=>1, 'comment'=>'Reference of object'), @@ -484,8 +484,15 @@ function addrights($rid, $allmodule='', $allperms='', $entity=0, $notrigger=0) // Where pour la liste des droits a ajouter if (! empty($allmodule)) { - $whereforadd="module='".$this->db->escape($allmodule)."'"; - if (! empty($allperms)) $whereforadd.=" AND perms='".$this->db->escape($allperms)."'"; + if ($allmodule == 'allmodules') + { + $whereforadd='allmodules'; + } + else + { + $whereforadd="module='".$this->db->escape($allmodule)."'"; + if (! empty($allperms)) $whereforadd.=" AND perms='".$this->db->escape($allperms)."'"; + } } } @@ -495,8 +502,10 @@ function addrights($rid, $allmodule='', $allperms='', $entity=0, $notrigger=0) //print "$module-$perms-$subperms"; $sql = "SELECT id"; $sql.= " FROM ".MAIN_DB_PREFIX."rights_def"; - $sql.= " WHERE ".$whereforadd; - $sql.= " AND entity = ".$entity; + $sql.= " WHERE entity = ".$entity; + if (! empty($whereforadd) && $whereforadd != 'allmodules') { + $sql.= " AND ".$whereforadd; + } $result=$this->db->query($sql); if ($result) @@ -597,8 +606,18 @@ function delrights($rid, $allmodule='', $allperms='', $entity=0, $notrigger=0) else { // On a demande suppression d'un droit sur la base d'un nom de module ou perms // Where pour la liste des droits a supprimer - if (! empty($allmodule)) $wherefordel="module='".$this->db->escape($allmodule)."'"; - if (! empty($allperms)) $wherefordel=" AND perms='".$this->db->escape($allperms)."'"; + if (! empty($allmodule)) + { + if ($allmodule == 'allmodules') + { + $wherefordel='allmodules'; + } + else + { + $wherefordel="module='".$this->db->escape($allmodule)."'"; + if (! empty($allperms)) $whereforadd.=" AND perms='".$this->db->escape($allperms)."'"; + } + } } // Suppression des droits selon critere defini dans wherefordel @@ -607,8 +626,10 @@ function delrights($rid, $allmodule='', $allperms='', $entity=0, $notrigger=0) //print "$module-$perms-$subperms"; $sql = "SELECT id"; $sql.= " FROM ".MAIN_DB_PREFIX."rights_def"; - $sql.= " WHERE $wherefordel"; - $sql.= " AND entity = ".$entity; + $sql.= " WHERE entity = ".$entity; + if (! empty($wherefordel) && $wherefordel != 'allmodules') { + $sql.= " AND ".$wherefordel; + } $result=$this->db->query($sql); if ($result) diff --git a/htdocs/user/class/usergroup.class.php b/htdocs/user/class/usergroup.class.php index 2400c855a6d35..882e9111b5db9 100644 --- a/htdocs/user/class/usergroup.class.php +++ b/htdocs/user/class/usergroup.class.php @@ -308,8 +308,18 @@ function addrights($rid, $allmodule='', $allperms='', $entity=0) } else { // Where pour la liste des droits a ajouter - if (! empty($allmodule)) $whereforadd="module='".$this->db->escape($allmodule)."'"; - if (! empty($allperms)) $whereforadd=" AND perms='".$this->db->escape($allperms)."'"; + if (! empty($allmodule)) + { + if ($allmodule == 'allmodules') + { + $whereforadd='allmodules'; + } + else + { + $whereforadd="module='".$this->db->escape($allmodule)."'"; + if (! empty($allperms)) $whereforadd.=" AND perms='".$this->db->escape($allperms)."'"; + } + } } // Ajout des droits de la liste whereforadd @@ -318,8 +328,10 @@ function addrights($rid, $allmodule='', $allperms='', $entity=0) //print "$module-$perms-$subperms"; $sql = "SELECT id"; $sql.= " FROM ".MAIN_DB_PREFIX."rights_def"; - $sql.= " WHERE $whereforadd"; - $sql.= " AND entity = ".$entity; + $sql.= " WHERE entity = ".$entity; + if (! empty($whereforadd) && $whereforadd != 'allmodules') { + $sql.= " AND ".$whereforadd; + } $result=$this->db->query($sql); if ($result) @@ -422,8 +434,18 @@ function delrights($rid, $allmodule='', $allperms='', $entity=0) } else { // Where pour la liste des droits a supprimer - if (! empty($allmodule)) $wherefordel="module='".$this->db->escape($allmodule)."'"; - if (! empty($allperms)) $wherefordel=" AND perms='".$this->db->escape($allperms)."'"; + if (! empty($allmodule)) + { + if ($allmodule == 'allmodules') + { + $wherefordel='allmodules'; + } + else + { + $wherefordel="module='".$this->db->escape($allmodule)."'"; + if (! empty($allperms)) $whereforadd.=" AND perms='".$this->db->escape($allperms)."'"; + } + } } // Suppression des droits de la liste wherefordel @@ -432,8 +454,10 @@ function delrights($rid, $allmodule='', $allperms='', $entity=0) //print "$module-$perms-$subperms"; $sql = "SELECT id"; $sql.= " FROM ".MAIN_DB_PREFIX."rights_def"; - $sql.= " WHERE $wherefordel"; - $sql.= " AND entity = ".$entity; + $sql.= " WHERE entity = ".$entity; + if (! empty($wherefordel) && $wherefordel != 'allmodules') { + $sql.= " AND ".$wherefordel; + } $result=$this->db->query($sql); if ($result) diff --git a/htdocs/user/group/perms.php b/htdocs/user/group/perms.php index c1f8d1fe5b0f8..0d019b1226c94 100644 --- a/htdocs/user/group/perms.php +++ b/htdocs/user/group/perms.php @@ -231,7 +231,14 @@ print ''; print ''; print ''; - if ($caneditperms) print ''; + if ($caneditperms) + { + print ''; + } print ''; print ''; print ''; diff --git a/htdocs/user/perms.php b/htdocs/user/perms.php index 0a8e2bbbb80d8..30b988d3b2268 100644 --- a/htdocs/user/perms.php +++ b/htdocs/user/perms.php @@ -260,7 +260,14 @@ print '
'.$langs->trans("Module").' '; + print ''.$langs->trans("All").""; + print '/'; + print ''.$langs->trans("None").""; + print ' '.$langs->trans("Permissions").'
'; print ''; print ''; -if ($caneditperms) print ''; +if ($caneditperms && empty($objMod->rights_admin_allowed) || empty($object->admin)) +{ + print ''; +} print ''; print ''; print ''."\n"; From 64e778a78f4563475a421357c97870c9e8e767d0 Mon Sep 17 00:00:00 2001 From: Laurent Destailleur Date: Wed, 4 Jul 2018 10:21:42 +0200 Subject: [PATCH 08/62] Fix pgsql migration --- htdocs/install/mysql/migration/6.0.0-7.0.0.sql | 9 ++++++--- 1 file changed, 6 insertions(+), 3 deletions(-) diff --git a/htdocs/install/mysql/migration/6.0.0-7.0.0.sql b/htdocs/install/mysql/migration/6.0.0-7.0.0.sql index 6bc8594a8260e..fb890d143758e 100644 --- a/htdocs/install/mysql/migration/6.0.0-7.0.0.sql +++ b/htdocs/install/mysql/migration/6.0.0-7.0.0.sql @@ -467,10 +467,13 @@ ALTER TABLE llx_extrafields ADD COLUMN enabled varchar(255) DEFAULT '1'; ALTER TABLE llx_extrafields ADD COLUMN tms timestamp; -- We fix value of 'list' from 0 to 1 for all extrafields created before this migration -UPDATE llx_extrafields SET list = 1 WHERE list = 0 AND fk_user_author IS NULL and fk_user_modif IS NULL and datec IS NULL; -UPDATE llx_extrafields SET list = 3 WHERE type = 'separate' AND list != 3; +--VMYSQL4.1 UPDATE llx_extrafields SET list = 1 WHERE list = 0 AND fk_user_author IS NULL and fk_user_modif IS NULL and datec IS NULL; +--VMYSQL4.1 UPDATE llx_extrafields SET list = 3 WHERE type = 'separate' AND list <> 3; +--VPGSQL8.2 UPDATE llx_extrafields SET list = 1 WHERE list::integer = 0 AND fk_user_author IS NULL and fk_user_modif IS NULL and datec IS NULL; +--VPGSQL8.2 UPDATE llx_extrafields SET list = 3 WHERE type = 'separate' AND list::integer <> 3; -ALTER TABLE llx_extrafields MODIFY COLUMN list integer DEFAULT 1; +--VMYSQL4.1 ALTER TABLE llx_extrafields MODIFY COLUMN list integer DEFAULT 1; +--VPGSQL8.2 ALTER TABLE llx_extrafields MODIFY COLUMN list integer DEFAULT 1 USING list::integer; --VPGSQL8.2 ALTER TABLE llx_extrafields ALTER COLUMN list SET DEFAULT 1; ALTER TABLE llx_extrafields MODIFY COLUMN langs varchar(64); From 9842978b8560d52ed087cb0cb95da8223c9056d1 Mon Sep 17 00:00:00 2001 From: Laurent Destailleur Date: Wed, 4 Jul 2018 11:16:45 +0200 Subject: [PATCH 09/62] Fix trim config values --- htdocs/install/step1.php | 28 ++++++++++++++-------------- 1 file changed, 14 insertions(+), 14 deletions(-) diff --git a/htdocs/install/step1.php b/htdocs/install/step1.php index bae967fec779d..6f1143d6f101c 100644 --- a/htdocs/install/step1.php +++ b/htdocs/install/step1.php @@ -893,45 +893,45 @@ function write_conf_file($conffile) fputs($fp,'// and explanations for all possibles parameters.'."\n"); fputs($fp,'//'."\n"); - fputs($fp, '$dolibarr_main_url_root=\''.str_replace("'","\'",($main_url)).'\';'); + fputs($fp, '$dolibarr_main_url_root=\''.str_replace("'","\'",trim($main_url)).'\';'); fputs($fp,"\n"); - fputs($fp, '$dolibarr_main_document_root=\''.str_replace("'","\'",($main_dir)).'\';'); + fputs($fp, '$dolibarr_main_document_root=\''.str_replace("'","\'",trim($main_dir)).'\';'); fputs($fp,"\n"); - fputs($fp, $main_use_alt_dir.'$dolibarr_main_url_root_alt=\''.str_replace("'","\'",("/".$main_alt_dir_name)).'\';'); + fputs($fp, $main_use_alt_dir.'$dolibarr_main_url_root_alt=\''.str_replace("'","\'",trim("/".$main_alt_dir_name)).'\';'); fputs($fp,"\n"); - fputs($fp, $main_use_alt_dir.'$dolibarr_main_document_root_alt=\''.str_replace("'","\'",($main_dir."/".$main_alt_dir_name)).'\';'); + fputs($fp, $main_use_alt_dir.'$dolibarr_main_document_root_alt=\''.str_replace("'","\'",trim($main_dir."/".$main_alt_dir_name)).'\';'); fputs($fp,"\n"); - fputs($fp, '$dolibarr_main_data_root=\''.str_replace("'","\'",($main_data_dir)).'\';'); + fputs($fp, '$dolibarr_main_data_root=\''.str_replace("'","\'",trim($main_data_dir)).'\';'); fputs($fp,"\n"); - fputs($fp, '$dolibarr_main_db_host=\''.str_replace("'","\'",($db_host)).'\';'); + fputs($fp, '$dolibarr_main_db_host=\''.str_replace("'","\'",trim($db_host)).'\';'); fputs($fp,"\n"); - fputs($fp, '$dolibarr_main_db_port=\''.str_replace("'","\'",($db_port)).'\';'); + fputs($fp, '$dolibarr_main_db_port=\''.str_replace("'","\'",trim($db_port)).'\';'); fputs($fp,"\n"); - fputs($fp, '$dolibarr_main_db_name=\''.str_replace("'","\'",($db_name)).'\';'); + fputs($fp, '$dolibarr_main_db_name=\''.str_replace("'","\'",trim($db_name)).'\';'); fputs($fp,"\n"); - fputs($fp, '$dolibarr_main_db_prefix=\''.str_replace("'","\'",($main_db_prefix)).'\';'); + fputs($fp, '$dolibarr_main_db_prefix=\''.str_replace("'","\'",trim($main_db_prefix)).'\';'); fputs($fp,"\n"); - fputs($fp, '$dolibarr_main_db_user=\''.str_replace("'","\'",($db_user)).'\';'); + fputs($fp, '$dolibarr_main_db_user=\''.str_replace("'","\'",trim($db_user)).'\';'); fputs($fp,"\n"); - fputs($fp, '$dolibarr_main_db_pass=\''.str_replace("'","\'",($db_pass)).'\';'); + fputs($fp, '$dolibarr_main_db_pass=\''.str_replace("'","\'",trim($db_pass)).'\';'); fputs($fp,"\n"); - fputs($fp, '$dolibarr_main_db_type=\''.str_replace("'","\'",($db_type)).'\';'); + fputs($fp, '$dolibarr_main_db_type=\''.str_replace("'","\'",trim($db_type)).'\';'); fputs($fp,"\n"); - fputs($fp, '$dolibarr_main_db_character_set=\''.str_replace("'","\'",($db_character_set)).'\';'); + fputs($fp, '$dolibarr_main_db_character_set=\''.str_replace("'","\'",trim($db_character_set)).'\';'); fputs($fp,"\n"); - fputs($fp, '$dolibarr_main_db_collation=\''.str_replace("'","\'",($db_collation)).'\';'); + fputs($fp, '$dolibarr_main_db_collation=\''.str_replace("'","\'",trim($db_collation)).'\';'); fputs($fp,"\n"); /* Authentication */ From afd3868a8a8e70d27eab5468ba8a46a5202639b3 Mon Sep 17 00:00:00 2001 From: Philippe GRAND Date: Wed, 4 Jul 2018 14:38:56 +0200 Subject: [PATCH 10/62] docs: complete comments --- .../livraison/doc/pdf_typhon.modules.php | 91 +++++++++++++++---- .../project/doc/pdf_baleine.modules.php | 73 ++++++++++++++- 2 files changed, 145 insertions(+), 19 deletions(-) diff --git a/htdocs/core/modules/livraison/doc/pdf_typhon.modules.php b/htdocs/core/modules/livraison/doc/pdf_typhon.modules.php index 6b0bb759a195a..f3329fa9b18d0 100644 --- a/htdocs/core/modules/livraison/doc/pdf_typhon.modules.php +++ b/htdocs/core/modules/livraison/doc/pdf_typhon.modules.php @@ -35,27 +35,82 @@ /** - * Classe permettant de generer les bons de livraison au modele Typho + * Class to build Delivery Order documents with typhon model */ class pdf_typhon extends ModelePDFDeliveryOrder { - var $db; - var $name; - var $description; - var $type; - - var $phpmin = array(4,3,0); // Minimum version of PHP required by module - var $version = 'dolibarr'; - - var $page_largeur; - var $page_hauteur; - var $format; - var $marge_gauche; - var $marge_droite; - var $marge_haute; - var $marge_basse; - - var $emetteur; // Objet societe qui emet + /** + * @var DoliDb Database handler + */ + public $db; + + /** + * @var string model name + */ + public $name; + + /** + * @var string model description (short text) + */ + public $description; + + /** + * @var string document type + */ + public $type; + + /** + * @var array() Minimum version of PHP required by module. + * e.g.: PHP ≥ 5.4 = array(5, 4) + */ + public $phpmin = array(5, 4); + + /** + * Dolibarr version of the loaded document + * @public string + */ + public $version = 'dolibarr'; + + /** + * @var int page_largeur + */ + public $page_largeur; + + /** + * @var int page_hauteur + */ + public $page_hauteur; + + /** + * @var array format + */ + public $format; + + /** + * @var int marge_gauche + */ + public $marge_gauche; + + /** + * @var int marge_droite + */ + public $marge_droite; + + /** + * @var int marge_haute + */ + public $marge_haute; + + /** + * @var int marge_basse + */ + public $marge_basse; + + /** + * Issuer + * @var Societe + */ + public $emetteur; // Objet societe qui emet /** * Constructor diff --git a/htdocs/core/modules/project/doc/pdf_baleine.modules.php b/htdocs/core/modules/project/doc/pdf_baleine.modules.php index baa38e8ad2daa..384d192e1edd5 100644 --- a/htdocs/core/modules/project/doc/pdf_baleine.modules.php +++ b/htdocs/core/modules/project/doc/pdf_baleine.modules.php @@ -38,7 +38,78 @@ class pdf_baleine extends ModelePDFProjects { - var $emetteur; // Objet societe qui emet + /** + * @var DoliDb Database handler + */ + public $db; + + /** + * @var string model name + */ + public $name; + + /** + * @var string model description (short text) + */ + public $description; + + /** + * @var string document type + */ + public $type; + + /** + * @var array() Minimum version of PHP required by module. + * e.g.: PHP ≥ 5.4 = array(5, 4) + */ + public $phpmin = array(5, 4); + + /** + * Dolibarr version of the loaded document + * @public string + */ + public $version = 'dolibarr'; + + /** + * @var int page_largeur + */ + public $page_largeur; + + /** + * @var int page_hauteur + */ + public $page_hauteur; + + /** + * @var array format + */ + public $format; + + /** + * @var int marge_gauche + */ + public $marge_gauche; + + /** + * @var int marge_droite + */ + public $marge_droite; + + /** + * @var int marge_haute + */ + public $marge_haute; + + /** + * @var int marge_basse + */ + public $marge_basse; + + /** + * Issuer + * @var Societe + */ + public $emetteur; // Objet societe qui emet /** * Constructor From d796199ed0c32d5046c2b623bd5026ab37b6a5f6 Mon Sep 17 00:00:00 2001 From: Regis Houssin Date: Wed, 4 Jul 2018 14:48:00 +0200 Subject: [PATCH 11/62] Fix: avoid warning with multicompany tranverse mode --- htdocs/user/card.php | 9 ++++++--- 1 file changed, 6 insertions(+), 3 deletions(-) diff --git a/htdocs/user/card.php b/htdocs/user/card.php index e5c24fbac04b5..d59a7ef63b7b5 100644 --- a/htdocs/user/card.php +++ b/htdocs/user/card.php @@ -1190,8 +1190,11 @@ $res=$object->fetch_optionals(); // Check if user has rights - $object->getrights(); - if (empty($object->nb_rights) && $object->statut != 0) setEventMessages($langs->trans('UserHasNoPermissions'), null, 'warnings'); + if (empty($conf->global->MULTICOMPANY_TRANSVERSE_MODE)) + { + $object->getrights(); + if (empty($object->nb_rights) && $object->statut != 0) setEventMessages($langs->trans('UserHasNoPermissions'), null, 'warnings'); + } // Connexion ldap // pour recuperer passDoNotExpire et userChangePassNextLogon @@ -1731,7 +1734,7 @@ } } } - + print "\n"; From 5883899bc73a0c2eeadc844398a6f366105fe433 Mon Sep 17 00:00:00 2001 From: Laurent Destailleur Date: Thu, 5 Jul 2018 02:31:49 +0200 Subject: [PATCH 12/62] Little debug of option WEBSITE_USE_WEBSITE_ACCOUNTS --- htdocs/core/lib/company.lib.php | 4 +-- .../install/mysql/migration/7.0.0-8.0.0.sql | 3 ++ .../mysql/tables/llx_societe_account.sql | 3 +- .../mysql/tables/llx_website_account.key.sql | 29 --------------- .../mysql/tables/llx_website_account.sql | 36 ------------------- htdocs/societe/class/societeaccount.class.php | 2 +- htdocs/societe/website.php | 18 +++++----- htdocs/website/class/website.class.php | 2 +- htdocs/website/lib/websiteaccount.lib.php | 8 ++--- htdocs/website/websiteaccount_card.php | 10 +++--- 10 files changed, 26 insertions(+), 89 deletions(-) delete mode 100644 htdocs/install/mysql/tables/llx_website_account.key.sql delete mode 100644 htdocs/install/mysql/tables/llx_website_account.sql diff --git a/htdocs/core/lib/company.lib.php b/htdocs/core/lib/company.lib.php index 450c294f19e72..2999833e81e4a 100644 --- a/htdocs/core/lib/company.lib.php +++ b/htdocs/core/lib/company.lib.php @@ -234,8 +234,8 @@ function societe_prepare_head(Societe $object) $head[$h][1] = $langs->trans("WebSiteAccounts"); $nbNote = 0; $sql = "SELECT COUNT(n.rowid) as nb"; - $sql.= " FROM ".MAIN_DB_PREFIX."website_account as n"; - $sql.= " WHERE fk_soc = ".$object->id; + $sql.= " FROM ".MAIN_DB_PREFIX."societe_account as n"; + $sql.= " WHERE fk_soc = ".$object->id.' AND fk_website > 0'; $resql=$db->query($sql); if ($resql) { diff --git a/htdocs/install/mysql/migration/7.0.0-8.0.0.sql b/htdocs/install/mysql/migration/7.0.0-8.0.0.sql index 7ca1d16d67e7c..21feb62b9788c 100644 --- a/htdocs/install/mysql/migration/7.0.0-8.0.0.sql +++ b/htdocs/install/mysql/migration/7.0.0-8.0.0.sql @@ -84,6 +84,9 @@ INSERT INTO llx_accounting_system (fk_country, pcg_version, label, active) VALUE -- For 8.0 +DROP TABLE llx_website_account; +DROP TABLE llx_website_account_extrafields; + ALTER TABLE llx_paiementfourn ADD COLUMN fk_user_modif integer AFTER fk_user_author; -- delete old permission no more used diff --git a/htdocs/install/mysql/tables/llx_societe_account.sql b/htdocs/install/mysql/tables/llx_societe_account.sql index 7a0f87cbe5d6a..4123a3b05e290 100644 --- a/htdocs/install/mysql/tables/llx_societe_account.sql +++ b/htdocs/install/mysql/tables/llx_societe_account.sql @@ -13,7 +13,8 @@ -- You should have received a copy of the GNU General Public License -- along with this program. If not, see http://www.gnu.org/licenses/. -- --- Table to store accounts of thirdparties on websites +-- Table to store accounts of thirdparties on external websites (like on stripe field site = 'stripe') +-- or on local website (fk_website). CREATE TABLE llx_societe_account( -- BEGIN MODULEBUILDER FIELDS diff --git a/htdocs/install/mysql/tables/llx_website_account.key.sql b/htdocs/install/mysql/tables/llx_website_account.key.sql deleted file mode 100644 index 2114d3c0f8509..0000000000000 --- a/htdocs/install/mysql/tables/llx_website_account.key.sql +++ /dev/null @@ -1,29 +0,0 @@ --- Copyright (C) 2016 Laurent Destailleur --- --- This program is free software: you can redistribute it and/or modify --- it under the terms of the GNU General Public License as published by --- the Free Software Foundation, either version 3 of the License, or --- (at your option) any later version. --- --- This program is distributed in the hope that it will be useful, --- but WITHOUT ANY WARRANTY; without even the implied warranty of --- MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the --- GNU General Public License for more details. --- --- You should have received a copy of the GNU General Public License --- along with this program. If not, see http://www.gnu.org/licenses/. - - --- BEGIN MODULEBUILDER INDEXES -ALTER TABLE llx_website_account ADD INDEX idx_website_account_rowid (rowid); -ALTER TABLE llx_website_account ADD INDEX idx_website_account_login (login); -ALTER TABLE llx_website_account ADD INDEX idx_website_account_import_key (import_key); -ALTER TABLE llx_website_account ADD INDEX idx_website_account_status (status); -ALTER TABLE llx_website_account ADD INDEX idx_website_account_fk_soc (fk_soc); -ALTER TABLE llx_website_account ADD INDEX idx_website_account_fk_website (fk_website); --- END MODULEBUILDER INDEXES - -ALTER TABLE llx_website_account ADD UNIQUE INDEX uk_website_account_login_website_soc(login, fk_website, fk_soc); - -ALTER TABLE llx_website_account ADD CONSTRAINT llx_website_account_fk_website FOREIGN KEY (fk_website) REFERENCES llx_website(rowid); - diff --git a/htdocs/install/mysql/tables/llx_website_account.sql b/htdocs/install/mysql/tables/llx_website_account.sql deleted file mode 100644 index 373ba53f484af..0000000000000 --- a/htdocs/install/mysql/tables/llx_website_account.sql +++ /dev/null @@ -1,36 +0,0 @@ --- Copyright (C) 2016 Laurent Destailleur --- --- This program is free software: you can redistribute it and/or modify --- it under the terms of the GNU General Public License as published by --- the Free Software Foundation, either version 3 of the License, or --- (at your option) any later version. --- --- This program is distributed in the hope that it will be useful, --- but WITHOUT ANY WARRANTY; without even the implied warranty of --- MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the --- GNU General Public License for more details. --- --- You should have received a copy of the GNU General Public License --- along with this program. If not, see http://www.gnu.org/licenses/. - - -CREATE TABLE llx_website_account( - -- BEGIN MODULEBUILDER FIELDS - rowid integer AUTO_INCREMENT PRIMARY KEY NOT NULL, - login varchar(64) NOT NULL, - pass_encoding varchar(24) NOT NULL, - pass_crypted varchar(128), - pass_temp varchar(128), -- temporary password when asked for forget password - fk_soc integer, - fk_website integer NOT NULL, - note_private text, - date_last_login datetime, - date_previous_login datetime, - date_creation datetime NOT NULL, - tms timestamp NOT NULL, - fk_user_creat integer NOT NULL, - fk_user_modif integer, - import_key varchar(14), - status integer - -- END MODULEBUILDER FIELDS -) ENGINE=innodb; \ No newline at end of file diff --git a/htdocs/societe/class/societeaccount.class.php b/htdocs/societe/class/societeaccount.class.php index 6b2199925be65..7340a319534f1 100644 --- a/htdocs/societe/class/societeaccount.class.php +++ b/htdocs/societe/class/societeaccount.class.php @@ -334,7 +334,7 @@ function getNomUrl($withpicto=0, $option='', $notooltip=0, $morecss='', $save_la $label.= '' . $langs->trans('Login') . ': ' . $this->ref; //$label.= '' . $langs->trans('WebSite') . ': ' . $this->ref; - $url = dol_buildpath('/societe/societeaccount_card.php',1).'?id='.$this->id; + $url = dol_buildpath('/website/websiteaccount_card.php',1).'?id='.$this->id; if ($option != 'nolink') { diff --git a/htdocs/societe/website.php b/htdocs/societe/website.php index 3ce1477a9c324..3563283ba05f9 100644 --- a/htdocs/societe/website.php +++ b/htdocs/societe/website.php @@ -31,7 +31,7 @@ require '../main.inc.php'; require_once DOL_DOCUMENT_ROOT.'/contact/class/contact.class.php'; require_once DOL_DOCUMENT_ROOT.'/societe/class/societe.class.php'; -require_once DOL_DOCUMENT_ROOT.'/website/class/websiteaccount.class.php'; +require_once DOL_DOCUMENT_ROOT.'/societe/class/societeaccount.class.php'; require_once DOL_DOCUMENT_ROOT.'/core/lib/functions2.lib.php'; require_once DOL_DOCUMENT_ROOT.'/core/lib/company.lib.php'; @@ -57,12 +57,12 @@ // Initialize technical objects $object=new Societe($db); -$objectwebsiteaccount=new WebsiteAccount($db); +$objectwebsiteaccount=new SocieteAccount($db); $extrafields = new ExtraFields($db); $diroutputmassaction=$conf->website->dir_output . '/temp/massgeneration/'.$user->id; $hookmanager->initHooks(array('websitethirdpartylist')); // Note that conf->hooks_modules contains array // Fetch optionals attributes and labels -$extralabels = $extrafields->fetch_name_optionals_label('websiteaccount'); +$extralabels = $extrafields->fetch_name_optionals_label('thirdpartyaccount'); $search_array_options=$extrafields->getOptionalsFromPost($extralabels,'','search_'); unset($objectwebsiteaccount->fields['fk_soc']); // Remove this field, we are already on the thirdparty @@ -252,9 +252,9 @@ $reshook=$hookmanager->executeHooks('printFieldListSelect', $parameters, $objectwebsiteaccount); // Note that $action and $object may have been modified by hook $sql.=$hookmanager->resPrint; $sql=preg_replace('/, $/','', $sql); -$sql.= " FROM ".MAIN_DB_PREFIX."website_account as t"; -if (is_array($extrafields->attribute_label) && count($extrafields->attribute_label)) $sql.= " LEFT JOIN ".MAIN_DB_PREFIX."websiteaccount_extrafields as ef on (t.rowid = ef.fk_object)"; -if ($objectwebsiteaccount->ismultientitymanaged == 1) $sql.= " WHERE t.entity IN (".getEntity('websiteaccount').")"; +$sql.= " FROM ".MAIN_DB_PREFIX."societe_account as t"; +if (is_array($extrafields->attribute_label) && count($extrafields->attribute_label)) $sql.= " LEFT JOIN ".MAIN_DB_PREFIX."societe_account_extrafields as ef on (t.rowid = ef.fk_object)"; +if ($objectwebsiteaccount->ismultientitymanaged == 1) $sql.= " WHERE t.entity IN (".getEntity('societeaccount').")"; else $sql.=" WHERE 1 = 1"; $sql.=" AND fk_soc = ".$object->id; foreach($search as $key => $val) @@ -335,9 +335,9 @@ print_barre_liste($title, $page, $_SERVER["PHP_SELF"], $param, $sortfield, $sortorder, $massactionbutton, $num, $nbtotalofrecords, '', 0, $newcardbutton, '', $limit); $topicmail="Information"; -$modelmail="websiteaccount"; -$objecttmp=new WebsiteAccount($db); -$trackid='websiteaccount'.$object->id; +$modelmail="societeaccount"; +$objecttmp=new SocieteAccount($db); +$trackid='thi'.$object->id; include DOL_DOCUMENT_ROOT.'/core/tpl/massactions_pre.tpl.php'; if ($sall) diff --git a/htdocs/website/class/website.class.php b/htdocs/website/class/website.class.php index 5a46425cb6613..c3d18b889e769 100644 --- a/htdocs/website/class/website.class.php +++ b/htdocs/website/class/website.class.php @@ -44,7 +44,7 @@ class Website extends CommonObject */ public $table_element = 'website'; /** - * @var array Does websiteaccount support multicompany module ? 0=No test on entity, 1=Test with field entity, 2=Test with link by societe + * @var array Does website support multicompany module ? 0=No test on entity, 1=Test with field entity, 2=Test with link by societe */ public $ismultientitymanaged = 1; /** diff --git a/htdocs/website/lib/websiteaccount.lib.php b/htdocs/website/lib/websiteaccount.lib.php index 95ae071d9714c..0b63be45188b6 100644 --- a/htdocs/website/lib/websiteaccount.lib.php +++ b/htdocs/website/lib/websiteaccount.lib.php @@ -22,17 +22,15 @@ */ /** - * Prepare array of tabs for WebsiteAccount + * Prepare array of tabs for SocieteAccount * - * @param WebsiteAccount $object WebsiteAccount - * @return array Array of tabs + * @param SocieteAccount $object SocieteAccount + * @return array Array of tabs */ function websiteaccountPrepareHead($object) { global $db, $langs, $conf; - $langs->load("monmodule@monmodule"); - $h = 0; $head = array(); diff --git a/htdocs/website/websiteaccount_card.php b/htdocs/website/websiteaccount_card.php index 850888320dd23..9a1ad91067261 100644 --- a/htdocs/website/websiteaccount_card.php +++ b/htdocs/website/websiteaccount_card.php @@ -16,9 +16,9 @@ */ /** - * \file htdocs/Website/websiteaccount_card.php + * \file htdocs/website/websiteaccount_card.php * \ingroup website - * \brief Page to create/edit/view websiteaccount + * \brief Page to create/edit/view thirdparty website account */ // Load Dolibarr environment @@ -38,7 +38,7 @@ include_once(DOL_DOCUMENT_ROOT.'/core/class/html.formcompany.class.php'); include_once(DOL_DOCUMENT_ROOT.'/core/class/html.formfile.class.php'); -include_once(DOL_DOCUMENT_ROOT.'/website/class/websiteaccount.class.php'); +include_once(DOL_DOCUMENT_ROOT.'/societe/class/societeaccount.class.php'); include_once(DOL_DOCUMENT_ROOT.'/website/lib/websiteaccount.lib.php'); // Load translation files required by the page @@ -53,12 +53,12 @@ $backtopage = GETPOST('backtopage', 'alpha'); // Initialize technical objects -$object=new WebsiteAccount($db); +$object=new SocieteAccount($db); $extrafields = new ExtraFields($db); $diroutputmassaction=$conf->website->dir_output . '/temp/massgeneration/'.$user->id; $hookmanager->initHooks(array('websiteaccountcard')); // Note that conf->hooks_modules contains array // Fetch optionals attributes and labels -$extralabels = $extrafields->fetch_name_optionals_label('websiteaccount'); +$extralabels = $extrafields->fetch_name_optionals_label('societeaccount'); $search_array_options=$extrafields->getOptionalsFromPost($extralabels,'','search_'); // Initialize array of search criterias From 74b9f87cab84a3d0bb6480c0b8f34c336742661e Mon Sep 17 00:00:00 2001 From: Maxime Kohlhaas Date: Thu, 5 Jul 2018 14:35:12 +0200 Subject: [PATCH 13/62] Fix ticket : missing file for numbering --- .../core/modules/ticket/mod_ticket_simple.php | 2 +- .../modules/ticket/mod_ticket_universal.php | 8 +- htdocs/core/modules/ticket/modules_ticket.php | 120 ++++++++++++++++++ 3 files changed, 125 insertions(+), 5 deletions(-) create mode 100644 htdocs/core/modules/ticket/modules_ticket.php diff --git a/htdocs/core/modules/ticket/mod_ticket_simple.php b/htdocs/core/modules/ticket/mod_ticket_simple.php index ac4347dc4db64..b70b9babd0596 100644 --- a/htdocs/core/modules/ticket/mod_ticket_simple.php +++ b/htdocs/core/modules/ticket/mod_ticket_simple.php @@ -23,7 +23,7 @@ * \brief File with class to manage the numbering module Simple for ticket references */ -require_once DOL_DOCUMENT_ROOT.'/core/modules/modules_ticket.php'; +require_once DOL_DOCUMENT_ROOT.'/core/modules/ticket/modules_ticket.php'; /** * Class to manage the numbering module Simple for ticket references diff --git a/htdocs/core/modules/ticket/mod_ticket_universal.php b/htdocs/core/modules/ticket/mod_ticket_universal.php index edc943e8341f0..2d521f18a5bcc 100644 --- a/htdocs/core/modules/ticket/mod_ticket_universal.php +++ b/htdocs/core/modules/ticket/mod_ticket_universal.php @@ -22,7 +22,7 @@ * \brief Fichier contenant la classe du modele de numerotation de reference de projet Universal */ -require_once DOL_DOCUMENT_ROOT.'/core/modules/modules_ticket.php'; +require_once DOL_DOCUMENT_ROOT.'/core/modules/ticket/modules_ticket.php'; /** * Classe du modele de numerotation de reference de projet Universal @@ -52,7 +52,7 @@ public function info() $texte .= '
'; $texte .= ''; $texte .= ''; - $texte .= ''; + $texte .= ''; $texte .= '
'.$langs->trans("Module").' '; + print ''.$langs->trans("All").""; + print '/'; + print ''.$langs->trans("None").""; + print ' '.$langs->trans("Permissions").'
'; $tooltip = $langs->trans("GenericMaskCodes", $langs->transnoentities("Ticket"), $langs->transnoentities("Ticket")); @@ -63,7 +63,7 @@ public function info() // Parametrage du prefix $texte .= ''; - $texte .= ''; + $texte .= ''; $texte .= ''; @@ -109,7 +109,7 @@ public function getNextValue($objsoc, $ticket) include_once DOL_DOCUMENT_ROOT . '/core/lib/functions2.lib.php'; // On defini critere recherche compteur - $mask = $conf->global->TICKETSUP_UNIVERSAL_MASK; + $mask = $conf->global->TICKET_UNIVERSAL_MASK; if (!$mask) { $this->error = 'NotConfigured'; diff --git a/htdocs/core/modules/ticket/modules_ticket.php b/htdocs/core/modules/ticket/modules_ticket.php new file mode 100644 index 0000000000000..d6f8b06d0e866 --- /dev/null +++ b/htdocs/core/modules/ticket/modules_ticket.php @@ -0,0 +1,120 @@ + + * Copyright (C) 2014 Marcos García + * + * This program is free software; you can redistribute it and/or modify + * it under the terms of the GNU General Public License as published by + * the Free Software Foundation; either version 3 of the License, or + * (at your option) any later version. + * + * This program is distributed in the hope that it will be useful, + * but WITHOUT ANY WARRANTY; without even the implied warranty of + * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + * GNU General Public License for more details. + * + * You should have received a copy of the GNU General Public License + * along with this program. If not, see . + * or see http://www.gnu.org/ + */ + +/** + * \file htdocs/core/modules/ticket/modules_ticket.php + * \ingroup project + * \brief File that contain parent class for projects models + * and parent class for projects numbering models + */ + +/** + * Classe mere des modeles de numerotation des references de projets + */ +abstract class ModeleNumRefTicket +{ + public $error = ''; + + /** + * Return if a module can be used or not + * + * @return boolean true if module can be used + */ + public function isEnabled() + { + return true; + } + + /** + * Renvoi la description par defaut du modele de numerotation + * + * @return string Texte descripif + */ + public function info() + { + global $langs; + $langs->load("ticket"); + return $langs->trans("NoDescription"); + } + + /** + * Renvoi un exemple de numerotation + * + * @return string Example + */ + public function getExample() + { + global $langs; + $langs->load("ticket"); + return $langs->trans("NoExample"); + } + + /** + * Test si les numeros deja en vigueur dans la base ne provoquent pas de + * de conflits qui empechera cette numerotation de fonctionner. + * + * @return boolean false si conflit, true si ok + */ + public function canBeActivated() + { + return true; + } + + /** + * Renvoi prochaine valeur attribuee + * + * @param Societe $objsoc Object third party + * @param Project $project Object project + * @return string Valeur + */ + public function getNextValue($objsoc, $project) + { + global $langs; + return $langs->trans("NotAvailable"); + } + + /** + * Renvoi version du module numerotation + * + * @return string Valeur + */ + public function getVersion() + { + global $langs; + $langs->load("admin"); + + if ($this->version == 'development') { + return $langs->trans("VersionDevelopment"); + } + + if ($this->version == 'experimental') { + return $langs->trans("VersionExperimental"); + } + + if ($this->version == 'dolibarr') { + return DOL_VERSION; + } + + if ($this->version) { + return $this->version; + } + + return $langs->trans("NotAvailable"); + } +} From 39f890d84af7f30ad4efadab9cecaa14b8eb139d Mon Sep 17 00:00:00 2001 From: Maxime Kohlhaas Date: Thu, 5 Jul 2018 14:51:00 +0200 Subject: [PATCH 14/62] Fix TICKETSUP var name --- htdocs/core/modules/modTicket.class.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/htdocs/core/modules/modTicket.class.php b/htdocs/core/modules/modTicket.class.php index 72fec5ebe0147..9cf2c097e3b34 100644 --- a/htdocs/core/modules/modTicket.class.php +++ b/htdocs/core/modules/modTicket.class.php @@ -108,7 +108,7 @@ public function __construct($db) // Example: $this->const = array(); $this->const[1] = array('TICKETS_ENABLE_PUBLIC_INTERFACE', 'chaine', '1', 'Enable ticket public interface'); - $this->const[2] = array('TICKETSUP_ADDON', 'chaine', 'mod_ticket_simple', 'Ticket ref module'); + $this->const[2] = array('TICKET_ADDON', 'chaine', 'mod_ticket_simple', 'Ticket ref module'); $this->tabs = array( 'thirdparty:+ticket:Tickets:@ticket:$user->rights->ticket->read:/ticket/list.php?socid=__ID__', From badcbd78d8c056d2a3d1d97c8ef625fffb59329f Mon Sep 17 00:00:00 2001 From: Maxime Kohlhaas Date: Thu, 5 Jul 2018 15:20:38 +0200 Subject: [PATCH 15/62] Rename ticketsup public directory --- .../public/{ticketsup => ticket}/create_ticket.php | 0 .../public/{ticketsup => ticket}/img/bg_ticket.png | Bin htdocs/public/{ticketsup => ticket}/index.php | 0 htdocs/public/{ticketsup => ticket}/list.php | 0 htdocs/public/{ticketsup => ticket}/view.php | 0 5 files changed, 0 insertions(+), 0 deletions(-) rename htdocs/public/{ticketsup => ticket}/create_ticket.php (100%) rename htdocs/public/{ticketsup => ticket}/img/bg_ticket.png (100%) rename htdocs/public/{ticketsup => ticket}/index.php (100%) rename htdocs/public/{ticketsup => ticket}/list.php (100%) rename htdocs/public/{ticketsup => ticket}/view.php (100%) diff --git a/htdocs/public/ticketsup/create_ticket.php b/htdocs/public/ticket/create_ticket.php similarity index 100% rename from htdocs/public/ticketsup/create_ticket.php rename to htdocs/public/ticket/create_ticket.php diff --git a/htdocs/public/ticketsup/img/bg_ticket.png b/htdocs/public/ticket/img/bg_ticket.png similarity index 100% rename from htdocs/public/ticketsup/img/bg_ticket.png rename to htdocs/public/ticket/img/bg_ticket.png diff --git a/htdocs/public/ticketsup/index.php b/htdocs/public/ticket/index.php similarity index 100% rename from htdocs/public/ticketsup/index.php rename to htdocs/public/ticket/index.php diff --git a/htdocs/public/ticketsup/list.php b/htdocs/public/ticket/list.php similarity index 100% rename from htdocs/public/ticketsup/list.php rename to htdocs/public/ticket/list.php diff --git a/htdocs/public/ticketsup/view.php b/htdocs/public/ticket/view.php similarity index 100% rename from htdocs/public/ticketsup/view.php rename to htdocs/public/ticket/view.php From 0587e7327216d7bf329ccf84e67cf4ec83df75cc Mon Sep 17 00:00:00 2001 From: Laurent Destailleur Date: Thu, 5 Jul 2018 15:53:28 +0200 Subject: [PATCH 16/62] FIX Pagination on related item pages --- htdocs/product/stats/commande.php | 60 +++++++++---------- htdocs/product/stats/commande_fournisseur.php | 58 +++++++++--------- htdocs/product/stats/contrat.php | 29 ++++++--- htdocs/product/stats/facture.php | 44 +++++++------- htdocs/product/stats/facture_fournisseur.php | 56 +++++++++-------- htdocs/product/stats/propal.php | 54 ++++++++--------- htdocs/product/stats/supplier_proposal.php | 50 +++++++--------- 7 files changed, 174 insertions(+), 177 deletions(-) diff --git a/htdocs/product/stats/commande.php b/htdocs/product/stats/commande.php index dc3d9a9b7d69f..3b793d3acd758 100644 --- a/htdocs/product/stats/commande.php +++ b/htdocs/product/stats/commande.php @@ -49,11 +49,13 @@ $mesg = ''; +// Load variable for pagination +$limit = GETPOST('limit','int')?GETPOST('limit','int'):$conf->liste_limit; $sortfield = GETPOST("sortfield",'alpha'); $sortorder = GETPOST("sortorder",'alpha'); $page = GETPOST("page",'int'); if (empty($page) || $page == -1) { $page = 0; } // If $page is not defined, or '' or -1 -$offset = $conf->liste_limit * $page; +$offset = $limit * $page; $pageprev = $page - 1; $pagenext = $page + 1; if (! $sortorder) $sortorder="DESC"; @@ -112,7 +114,7 @@ print '
'; print '
' . $langs->trans("Mask") . ':' . $form->textwithpicto('', $tooltip, 1, 1) . '' . $form->textwithpicto('', $tooltip, 1, 1) . ' 
'; - show_stats_for_company($product,$socid); + $nboflines = show_stats_for_company($product, $socid); print "
"; @@ -142,25 +144,22 @@ $sql.= ' AND YEAR(c.date_commande) IN (' . $search_year . ')'; if (!$user->rights->societe->client->voir && !$socid) $sql.= " AND s.rowid = sc.fk_soc AND sc.fk_user = " .$user->id; if ($socid) $sql.= " AND c.fk_soc = ".$socid; - $sql.= " ORDER BY $sortfield $sortorder "; - + $sql.= $db->order($sortfield, $sortorder); + //Calcul total qty and amount for global if full scan list $total_ht=0; $total_qty=0; - $totalrecords=0; - if (empty($conf->global->MAIN_DISABLE_FULL_SCANLIST)) { + + // Count total nb of records + $totalofrecords = ''; + if (empty($conf->global->MAIN_DISABLE_FULL_SCANLIST)) + { $result = $db->query($sql); - if ($result) { - $totalrecords = $db->num_rows($result); - while ($objp = $db->fetch_object($result)) { - $total_ht+=$objp->total_ht; - $total_qty+=$objp->qty; - } - } + $totalofrecords = $db->num_rows($result); } - - $sql.= $db->plimit($conf->liste_limit +1, $offset); - + + $sql .= $db->plimit($limit + 1, $offset); + $result = $db->query($sql); if ($result) { @@ -172,7 +171,8 @@ $option .= '&search_month='.$search_month; if (! empty($search_year)) $option .= '&search_year='.$search_year; - + if ($limit > 0 && $limit != $conf->liste_limit) $option.='&limit='.urlencode($limit); + print '' . "\n"; if (! empty($sortfield)) print ''; @@ -183,7 +183,7 @@ $option .= '&page=' . $page; } - print_barre_liste($langs->trans("CustomersOrders"),$page,$_SERVER["PHP_SELF"],"&id=$product->id",$sortfield,$sortorder,'',$num,$totalrecords,''); + print_barre_liste($langs->trans("CustomersOrders"), $page, $_SERVER["PHP_SELF"], "&id=".$product->id, $sortfield, $sortorder, '', $num, $totalofrecords, '', 0, '', '', $limit); print '
'; print '
'; print $langs->trans('Period').' ('.$langs->trans("OrderDate") .') - '; @@ -211,20 +211,22 @@ if ($num > 0) { - $var=True; - while ($i < $num && $i < $conf->liste_limit) + while ($i < min($num, $limit)) { $objp = $db->fetch_object($result); - + $total_ht+=$objp->total_ht; + $total_qty+=$objp->qty; + + $orderstatic->id=$objp->commandeid; + $orderstatic->ref=$objp->ref; + $orderstatic->ref_client=$objp->ref_client; + $societestatic->fetch($objp->socid); + print ''; print ''; - $orderstatic->id=$objp->commandeid; - $orderstatic->ref=$objp->ref; - $orderstatic->ref_client=$objp->ref_client; print $orderstatic->getNomUrl(1); print "\n"; - $societestatic->fetch($objp->socid); print ''.$societestatic->getNomUrl(1).''; print "".$objp->code_client."\n"; print ''; @@ -234,15 +236,11 @@ print ''.$orderstatic->LibStatut($objp->statut,$objp->facture,5).''; print "\n"; $i++; - - if (!empty($conf->global->MAIN_DISABLE_FULL_SCANLIST)) { - $total_ht+=$objp->total_ht; - $total_qty+=$objp->qty; - } } } print ''; - print '' . $langs->trans('Total') . ''; + if ($num < $limit) print ''.$langs->trans("Total").''; + else print ''.$langs->trans("Totalforthispage").''; print ''; print ''.$total_qty.''; print ''.price($total_ht).''; diff --git a/htdocs/product/stats/commande_fournisseur.php b/htdocs/product/stats/commande_fournisseur.php index 4526af86f9667..7c80062da8102 100644 --- a/htdocs/product/stats/commande_fournisseur.php +++ b/htdocs/product/stats/commande_fournisseur.php @@ -119,7 +119,7 @@ print '
'; print ''; - show_stats_for_company($product, $socid); + $nboflines = show_stats_for_company($product, $socid); print "
"; @@ -153,24 +153,21 @@ $sql .= " AND s.rowid = sc.fk_soc AND sc.fk_user = " . $user->id; if ($socid) $sql .= " AND c.fk_soc = " . $socid; - $sql .= " ORDER BY $sortfield $sortorder "; - + $sql.= $db->order($sortfield, $sortorder); + // Calcul total qty and amount for global if full scan list $total_ht = 0; $total_qty = 0; - $totalrecords = 0; - if (empty($conf->global->MAIN_DISABLE_FULL_SCANLIST)) { + + // Count total nb of records + $totalofrecords = ''; + if (empty($conf->global->MAIN_DISABLE_FULL_SCANLIST)) + { $result = $db->query($sql); - if ($result) { - $totalrecords = $db->num_rows($result); - while ( $objp = $db->fetch_object($result) ) { - $total_ht += $objp->total_ht; - $total_qty += $objp->qty; - } - } + $totalofrecords = $db->num_rows($result); } - - $sql .= $db->plimit($conf->liste_limit + 1, $offset); + + $sql .= $db->plimit($limit + 1, $offset); $result = $db->query($sql); if ($result) { @@ -182,7 +179,8 @@ $option .= '&search_month=' . $search_month; if (! empty($search_year)) $option .= '&search_year=' . $search_year; - + if ($limit > 0 && $limit != $conf->liste_limit) $option.='&limit='.urlencode($limit); + print '' . "\n"; if (! empty($sortfield)) print ''; @@ -193,7 +191,7 @@ $option .= '&page=' . $page; } - print_barre_liste($langs->trans("SuppliersOrders"), $page, $_SERVER["PHP_SELF"], "&id=$product->id", $sortfield, $sortorder, '', $num, $totalrecords, ''); + print_barre_liste($langs->trans("SuppliersOrders"), $page, $_SERVER["PHP_SELF"], "&id=".$product->id, $sortfield, $sortorder, '', $num, $totalofrecords, '', 0, '', '', $limit); print '
'; print '
'; print $langs->trans('Period') . ' (' . $langs->trans("OrderDate") . ') - '; @@ -219,20 +217,24 @@ print_liste_field_titre("Status", $_SERVER["PHP_SELF"], "c.fk_statut", "", $option, 'align="right"', $sortfield, $sortorder); print "\n"; - if ($num > 0) { - $var = True; - while ( $i < $num && $i < $conf->liste_limit ) { + if ($num > 0) + { + while ($i < min($num, $limit)) + { $objp = $db->fetch_object($result); - $var = ! $var; - print ''; - print ''; + $total_ht+=$objp->total_ht; + $total_qty+=$objp->qty; + $supplierorderstatic->id = $objp->commandeid; $supplierorderstatic->ref = $objp->ref; $supplierorderstatic->statut = $objp->statut; + $societestatic->fetch($objp->socid); + + print ''; + print ''; print $supplierorderstatic->getNomUrl(1); print "\n"; - $societestatic->fetch($objp->socid); print '' . $societestatic->getNomUrl(1) . ''; print "" . $objp->code_client . "\n"; print ''; @@ -241,16 +243,12 @@ print '' . price($objp->total_ht) . "\n"; print '' . $supplierorderstatic->getLibStatut(4) . ''; print "\n"; - $i ++; - - if (! empty($conf->global->MAIN_DISABLE_FULL_SCANLIST)) { - $total_ht += $objp->total_ht; - $total_qty += $objp->qty; - } + $i++; } } print ''; - print '' . $langs->trans('Total') . ''; + if ($num < $limit) print ''.$langs->trans("Total").''; + else print ''.$langs->trans("Totalforthispage").''; print ''; print '' . $total_qty . ''; print '' . price($total_ht) . ''; diff --git a/htdocs/product/stats/contrat.php b/htdocs/product/stats/contrat.php index ef3723e2e555d..fc88010553bc4 100644 --- a/htdocs/product/stats/contrat.php +++ b/htdocs/product/stats/contrat.php @@ -46,11 +46,13 @@ $mesg = ''; +// Load variable for pagination +$limit = GETPOST('limit','int')?GETPOST('limit','int'):$conf->liste_limit; $sortfield = GETPOST("sortfield",'alpha'); $sortorder = GETPOST("sortorder",'alpha'); $page = GETPOST("page",'int'); if (empty($page) || $page == -1) { $page = 0; } // If $page is not defined, or '' or -1 -$offset = $conf->liste_limit * $page; +$offset = $limit * $page; $pageprev = $page - 1; $pagenext = $page + 1; if (! $sortorder) $sortorder="DESC"; @@ -102,7 +104,7 @@ print '
'; print ''; - show_stats_for_company($product,$socid); + $nboflines = show_stats_for_company($product,$socid); print "
"; @@ -133,7 +135,20 @@ if ($socid) $sql.= " AND s.rowid = ".$socid; $sql.= " GROUP BY c.rowid, c.ref, c.ref_customer, c.ref_supplier, c.date_contrat, c.statut, s.nom, s.rowid, s.code_client"; $sql.= $db->order($sortfield, $sortorder); - $sql.= $db->plimit($conf->liste_limit +1, $offset); + + //Calcul total qty and amount for global if full scan list + $total_ht=0; + $total_qty=0; + + // Count total nb of records + $totalofrecords = ''; + if (empty($conf->global->MAIN_DISABLE_FULL_SCANLIST)) + { + $result = $db->query($sql); + $totalofrecords = $db->num_rows($result); + } + + $sql .= $db->plimit($limit + 1, $offset); $result = $db->query($sql); if ($result) @@ -145,7 +160,8 @@ $option .= '&search_month=' . $search_month; if (! empty($search_year)) $option .= '&search_year=' . $search_year; - + if ($limit > 0 && $limit != $conf->liste_limit) $option.='&limit='.urlencode($limit); + print '' . "\n"; if (! empty($sortfield)) print ''; @@ -156,7 +172,7 @@ $option .= '&page=' . $page; } - print_barre_liste($langs->trans("Contrats"),$page,$_SERVER["PHP_SELF"],"&id=$product->id",$sortfield,$sortorder,'',$num,0,''); + print_barre_liste($langs->trans("Contrats"), $page, $_SERVER["PHP_SELF"], "&id=".$product->id, $sortfield, $sortorder, '', $num, $totalofrecords, '', 0, '', '', $limit); $i = 0; print '
'; @@ -177,8 +193,7 @@ if ($num > 0) { - $var=True; - while ($i < $num && $i < $conf->liste_limit) + while ($i < min($num, $limit)) { $objp = $db->fetch_object($result); diff --git a/htdocs/product/stats/facture.php b/htdocs/product/stats/facture.php index 794d939bc6e05..6c039b816e293 100644 --- a/htdocs/product/stats/facture.php +++ b/htdocs/product/stats/facture.php @@ -50,15 +50,18 @@ $showmessage=GETPOST('showmessage'); +// Load variable for pagination +$limit = GETPOST('limit','int')?GETPOST('limit','int'):$conf->liste_limit; $sortfield = GETPOST("sortfield",'alpha'); $sortorder = GETPOST("sortorder",'alpha'); $page = GETPOST("page",'int'); if (empty($page) || $page == -1) { $page = 0; } // If $page is not defined, or '' or -1 -$offset = $conf->liste_limit * $page; +$offset = $limit * $page; $pageprev = $page - 1; $pagenext = $page + 1; if (! $sortorder) $sortorder="DESC"; if (! $sortfield) $sortfield="f.datef"; + $search_month = GETPOST('search_month', 'aplha'); $search_year = GETPOST('search_year', 'int'); @@ -129,7 +132,7 @@ print '
'; print ''; - $nboflines = show_stats_for_company($product,$socid); + $nboflines = show_stats_for_company($product, $socid); print "
"; @@ -164,25 +167,19 @@ if ($socid) $sql.= " AND f.fk_soc = ".$socid; $sql.= $db->order($sortfield, $sortorder); - //Calcul total qty and amount for global if full scan list + // Calcul total qty and amount for global if full scan list $total_ht=0; $total_qty=0; - $totalrecords=0; + + // Count total nb of records + $totalofrecords = ''; if (empty($conf->global->MAIN_DISABLE_FULL_SCANLIST)) { $result = $db->query($sql); - if ($result) - { - $totalrecords = $db->num_rows($result); - while ($objp = $db->fetch_object($result)) - { - $total_ht+=$objp->total_ht; - $total_qty+=$objp->qty; - } - } + $totalofrecords = $db->num_rows($result); } - $sql.= $db->plimit($conf->liste_limit + 1, $offset); + $sql.= $db->plimit($limit + 1, $offset); $result = $db->query($sql); if ($result) @@ -194,7 +191,8 @@ if (! empty($search_month)) $option .= '&search_month='.$search_month; if (! empty($search_year)) - $option .= '&search_year='.$search_year; + $option .= '&search_year='.$search_year; + if ($limit > 0 && $limit != $conf->liste_limit) $option.='&limit='.urlencode($limit); print '' . "\n"; if (! empty($sortfield)) @@ -206,7 +204,7 @@ $option .= '&page=' . $page; } - print_barre_liste($langs->trans("CustomersInvoices"),$page,$_SERVER["PHP_SELF"],"&id=".$product->id,$sortfield,$sortorder,'',$num,$totalrecords,''); + print_barre_liste($langs->trans("CustomersInvoices"), $page, $_SERVER["PHP_SELF"],"&id=".$product->id, $sortfield, $sortorder, '', $num, $totalofrecords, '', 0, '', '', $limit); print '
'; print '
'; print $langs->trans('Period').' ('.$langs->trans("DateInvoice") .') - '; @@ -234,11 +232,13 @@ if ($num > 0) { - $var=True; - while ($i < min($num,$conf->liste_limit)) + while ($i < min($num, $limit)) { $objp = $db->fetch_object($result); + $total_ht+=$objp->total_ht; + $total_qty+=$objp->qty; + $invoicestatic->id=$objp->facid; $invoicestatic->ref=$objp->facnumber; $societestatic->fetch($objp->socid); @@ -257,15 +257,11 @@ print ''.$invoicestatic->LibStatut($objp->paye,$objp->statut,5,$paiement,$objp->type).''; print "\n"; $i++; - - if (!empty($conf->global->MAIN_DISABLE_FULL_SCANLIST)) { - $total_ht+=$objp->total_ht; - $total_qty+=$objp->qty; - } } } print ''; - print '' . $langs->trans('Total') . ''; + if ($num < $limit) print ''.$langs->trans("Total").''; + else print ''.$langs->trans("Totalforthispage").''; print ''; print ''.$total_qty.''; print ''.price($total_ht).''; diff --git a/htdocs/product/stats/facture_fournisseur.php b/htdocs/product/stats/facture_fournisseur.php index 2e6b8d196771c..a08486975eebd 100644 --- a/htdocs/product/stats/facture_fournisseur.php +++ b/htdocs/product/stats/facture_fournisseur.php @@ -51,11 +51,13 @@ $mesg = ''; +// Load variable for pagination +$limit = GETPOST('limit','int')?GETPOST('limit','int'):$conf->liste_limit; $sortfield = GETPOST("sortfield", 'alpha'); $sortorder = GETPOST("sortorder", 'alpha'); $page = GETPOST("page", 'int'); if (empty($page) || $page == -1) { $page = 0; } // If $page is not defined, or '' or -1 -$offset = $conf->liste_limit * $page; +$offset = $limit * $page; $pageprev = $page - 1; $pagenext = $page + 1; if (! $sortorder) $sortorder = "DESC"; @@ -114,7 +116,7 @@ print '
'; print ''; - show_stats_for_company($product, $socid); + $nboflines = show_stats_for_company($product, $socid); print "
"; @@ -149,20 +151,17 @@ // Calcul total qty and amount for global if full scan list $total_ht = 0; $total_qty = 0; - $totalrecords = 0; - if (empty($conf->global->MAIN_DISABLE_FULL_SCANLIST)) { + + // Count total nb of records + $totalofrecords = ''; + if (empty($conf->global->MAIN_DISABLE_FULL_SCANLIST)) + { $result = $db->query($sql); - if ($result) { - $totalrecords = $db->num_rows($result); - while ( $objp = $db->fetch_object($result) ) { - $total_ht += $objp->total_ht; - $total_qty += $objp->qty; - } - } + $totalofrecords = $db->num_rows($result); } - - $sql .= $db->plimit($conf->liste_limit + 1, $offset); - + + $sql.= $db->plimit($limit + 1, $offset); + $result = $db->query($sql); if ($result) { @@ -174,7 +173,8 @@ $option .= '&search_month=' . $search_month; if (! empty($search_year)) $option .= '&search_year=' . $search_year; - + if ($limit > 0 && $limit != $conf->liste_limit) $option.='&limit='.urlencode($limit); + print '' . "\n"; if (! empty($sortfield)) print ''; @@ -185,7 +185,7 @@ $option .= '&page=' . $page; } - print_barre_liste($langs->trans("SuppliersInvoices"), $page, $_SERVER["PHP_SELF"], "&id=$product->id", $sortfield, $sortorder, '', $num, $totalrecords, ''); + print_barre_liste($langs->trans("SuppliersInvoices"), $page, $_SERVER["PHP_SELF"], "&id=$product->id", $sortfield, $sortorder, '', $num, $totalofrecords, '', 0, '', '', $limit); print '
'; print '
'; print $langs->trans('Period') . ' (' . $langs->trans("DateInvoice") . ') - '; @@ -213,19 +213,21 @@ if ($num > 0) { - $var = True; - while ($i < $num && $i < $conf->liste_limit) + while ($i < min($num, $limit)) { $objp = $db->fetch_object($result); - $var = ! $var; - print ''; - print ''; + $total_ht+=$objp->total_ht; + $total_qty+=$objp->qty; + $supplierinvoicestatic->id = $objp->facid; $supplierinvoicestatic->ref = $objp->facnumber; + $societestatic->fetch($objp->socid); + + print ''; + print ''; print $supplierinvoicestatic->getNomUrl(1); print "\n"; - $societestatic->fetch($objp->socid); print '' . $societestatic->getNomUrl(1) . ''; print "" . $objp->code_client . "\n"; print ''; @@ -234,16 +236,12 @@ print '' . price($objp->total_ht) . "\n"; print '' . $supplierinvoicestatic->LibStatut($objp->paye, $objp->statut, 5) . ''; print "\n"; - $i ++; - - if (! empty($conf->global->MAIN_DISABLE_FULL_SCANLIST)) { - $total_ht += $objp->total_ht; - $total_qty += $objp->qty; - } + $i++; } } print ''; - print '' . $langs->trans('Total') . ''; + if ($num < $limit) print ''.$langs->trans("Total").''; + else print ''.$langs->trans("Totalforthispage").''; print ''; print '' . $total_qty . ''; print '' . price($total_ht) . ''; diff --git a/htdocs/product/stats/propal.php b/htdocs/product/stats/propal.php index 3173a04ee55d9..34c64964c23fb 100644 --- a/htdocs/product/stats/propal.php +++ b/htdocs/product/stats/propal.php @@ -114,7 +114,7 @@ print '
'; print ''; - show_stats_for_company($product, $socid); + $nboflines = show_stats_for_company($product, $socid); print "
"; @@ -148,24 +148,21 @@ $sql .= " AND s.rowid = sc.fk_soc AND sc.fk_user = " . $user->id; if ($socid) $sql .= " AND p.fk_soc = " . $socid; - $sql .= " ORDER BY $sortfield $sortorder "; + $sql.= $db->order($sortfield, $sortorder); // Calcul total qty and amount for global if full scan list $total_ht = 0; $total_qty = 0; - $totalrecords = 0; - if (empty($conf->global->MAIN_DISABLE_FULL_SCANLIST)) { + + // Count total nb of records + $totalofrecords = ''; + if (empty($conf->global->MAIN_DISABLE_FULL_SCANLIST)) + { $result = $db->query($sql); - if ($result) { - $totalrecords = $db->num_rows($result); - while ( $objp = $db->fetch_object($result) ) { - $total_ht += $objp->amount; - $total_qty += $objp->qty; - } - } + $totalofrecords = $db->num_rows($result); } - - $sql .= $db->plimit($conf->liste_limit + 1, $offset); + + $sql .= $db->plimit($limit + 1, $offset); $result = $db->query($sql); if ($result) @@ -178,7 +175,8 @@ $option .= '&search_month=' . $search_month; if (! empty($search_year)) $option .= '&search_year=' . $search_year; - + if ($limit > 0 && $limit != $conf->liste_limit) $option.='&limit='.urlencode($limit); + print '' . "\n"; if (! empty($sortfield)) print ''; @@ -189,7 +187,7 @@ $option .= '&page=' . $page; } - print_barre_liste($langs->trans("Proposals"), $page, $_SERVER["PHP_SELF"], "&id=$product->id", $sortfield, $sortorder, '', $num, $totalrecords, ''); + print_barre_liste($langs->trans("Proposals"), $page, $_SERVER["PHP_SELF"], "&id=".$product->id, $sortfield, $sortorder, '', $num, $totalofrecords, '', 0, '', '', $limit); print '
'; print '
'; print $langs->trans('Period') . ' (' . $langs->trans("DatePropal") . ') - '; @@ -216,20 +214,22 @@ if ($num > 0) { - $var = True; - while ($i < $num && $i < $conf->liste_limit) + while ($i < min($num, $limit)) { $objp = $db->fetch_object($result); - $var = ! $var; - print ''; - print ''; + $total_ht+=$objp->amount; + $total_qty+=$objp->qty; + $propalstatic->id=$objp->propalid; $propalstatic->ref=$objp->ref; $propalstatic->ref_client=$objp->ref_client; - print $propalstatic->getNomUrl(1); - print "\n"; $societestatic->fetch($objp->socid); + + print ''; + print ''; + print $propalstatic->getNomUrl(1); + print "\n"; print ''.$societestatic->getNomUrl(1).''; print ''; print dol_print_date($db->jdate($objp->datep), 'dayhour') . ""; @@ -237,17 +237,13 @@ print '' . price($objp->amount) . '' . "\n"; print '' . $propalstatic->LibStatut($objp->statut, 5) . ''; print "\n"; - $i ++; - - if (! empty($conf->global->MAIN_DISABLE_FULL_SCANLIST)) { - $total_ht += $objp->total_ht; - $total_qty += $objp->qty; - } + $i++; } } print ''; - print '' . $langs->trans('Total') . ''; + if ($num < $limit) print ''.$langs->trans("Total").''; + else print ''.$langs->trans("Totalforthispage").''; print ''; print '' . $total_qty . ''; print '' . price($total_ht) . ''; diff --git a/htdocs/product/stats/supplier_proposal.php b/htdocs/product/stats/supplier_proposal.php index 07e8015d846cd..a50c8bab832fd 100644 --- a/htdocs/product/stats/supplier_proposal.php +++ b/htdocs/product/stats/supplier_proposal.php @@ -114,7 +114,7 @@ print '
'; print ''; - show_stats_for_company($product, $socid); + $nboflines = show_stats_for_company($product, $socid); print "
"; @@ -148,24 +148,21 @@ $sql .= " AND s.rowid = sc.fk_soc AND sc.fk_user = " . $user->id; if ($socid) $sql .= " AND p.fk_soc = " . $socid; - $sql .= " ORDER BY $sortfield $sortorder "; + $sql.= $db->order($sortfield, $sortorder); // Calcul total qty and amount for global if full scan list $total_ht = 0; $total_qty = 0; - $totalrecords = 0; - if (empty($conf->global->MAIN_DISABLE_FULL_SCANLIST)) { + + // Count total nb of records + $totalofrecords = ''; + if (empty($conf->global->MAIN_DISABLE_FULL_SCANLIST)) + { $result = $db->query($sql); - if ($result) { - $totalrecords = $db->num_rows($result); - while ( $objp = $db->fetch_object($result) ) { - $total_ht += $objp->amount; - $total_qty += $objp->qty; - } - } + $totalofrecords = $db->num_rows($result); } - $sql .= $db->plimit($conf->liste_limit + 1, $offset); + $sql .= $db->plimit($limit + 1, $offset); $result = $db->query($sql); if ($result) @@ -178,6 +175,7 @@ $option .= '&search_month=' . $search_month; if (! empty($search_year)) $option .= '&search_year=' . $search_year; + if ($limit > 0 && $limit != $conf->liste_limit) $option.='&limit='.urlencode($limit); print '' . "\n"; if (! empty($sortfield)) @@ -189,7 +187,7 @@ $option .= '&page=' . $page; } - print_barre_liste($langs->trans("Proposals"), $page, $_SERVER["PHP_SELF"], "&id=$product->id", $sortfield, $sortorder, '', $num, $totalrecords, ''); + print_barre_liste($langs->trans("Proposals"), $page, $_SERVER["PHP_SELF"], "&id=".$product->id, $sortfield, $sortorder, '', $num, $totalofrecords, '', 0, '', '', $limit); print '
'; print '
'; print $langs->trans('Period') . ' (' . $langs->trans("DatePropal") . ') - '; @@ -216,19 +214,21 @@ if ($num > 0) { - $var = True; - while ($i < $num && $i < $conf->liste_limit) + while ($i < min($num, $limit)) { $objp = $db->fetch_object($result); - $var = ! $var; - print ''; - print ''; + $total_ht+=$objp->amount; + $total_qty+=$objp->qty; + $propalstatic->id=$objp->propalid; $propalstatic->ref=$objp->ref; - print $propalstatic->getNomUrl(1); - print "\n"; $societestatic->fetch($objp->socid); + + print ''; + print ''; + print $propalstatic->getNomUrl(1); + print "\n"; print ''.$societestatic->getNomUrl(1).''; print ''; print dol_print_date($db->jdate($objp->date_valid), 'dayhour') . ""; @@ -236,17 +236,13 @@ print '' . price($objp->amount) . '' . "\n"; print '' . $propalstatic->LibStatut($objp->statut, 5) . ''; print "\n"; - $i ++; - - if (! empty($conf->global->MAIN_DISABLE_FULL_SCANLIST)) { - $total_ht += $objp->total_ht; - $total_qty += $objp->qty; - } + $i++; } } print ''; - print '' . $langs->trans('Total') . ''; + if ($num < $limit) print ''.$langs->trans("Total").''; + else print ''.$langs->trans("Totalforthispage").''; print ''; print '' . $total_qty . ''; print '' . price($total_ht) . ''; From af3ab84ebb2edbe758cda86062e51e68aae59126 Mon Sep 17 00:00:00 2001 From: Laurent Destailleur Date: Thu, 5 Jul 2018 22:15:55 +0200 Subject: [PATCH 17/62] Fix backward compatibility with old multicompany module --- htdocs/user/card.php | 100 ++++++++++++++++++++++--------------------- 1 file changed, 52 insertions(+), 48 deletions(-) diff --git a/htdocs/user/card.php b/htdocs/user/card.php index e5c24fbac04b5..635e14f7bd4ac 100644 --- a/htdocs/user/card.php +++ b/htdocs/user/card.php @@ -1053,22 +1053,23 @@ } // Multicompany - // This is now done with hook formObjectOptions - /* - if (! empty($conf->multicompany->enabled) && is_object($mc)) - { - if (empty($conf->global->MULTICOMPANY_TRANSVERSE_MODE) && $conf->entity == 1 && $user->admin && ! $user->entity) // condition must be same for create and edit mode - { - print "".''.$langs->trans("Entity").''; - print "".$mc->select_entities($conf->entity); - print "\n"; - } - else - { - print ''; - } - } - */ + if (! empty($conf->multicompany->enabled) && is_object($mc)) + { + // This is now done with hook formObjectOptions. Keep this code for backward compatibility with old multicompany module + if (! method_exists($mc, 'formObjectOptions')) + { + if (empty($conf->global->MULTICOMPANY_TRANSVERSE_MODE) && $conf->entity == 1 && $user->admin && ! $user->entity) // condition must be same for create and edit mode + { + print "".''.$langs->trans("Entity").''; + print "".$mc->select_entities($conf->entity); + print "\n"; + } + else + { + print ''; + } + } + } // Other attributes $parameters=array('objectsrc' => $objectsrc, 'colspan' => ' colspan="3"'); @@ -1558,23 +1559,25 @@ print ''.dol_print_date($object->datepreviouslogin,"dayhour").''; print "\n"; - // Multicompany - // This is now done with hook formObjectOptions (included into /core/tpl/extrafields_view.tpl.php) - /* - if (! empty($conf->multicompany->enabled) && is_object($mc)) - { - if (! empty($conf->multicompany->enabled) && empty($conf->global->MULTICOMPANY_TRANSVERSE_MODE) && $conf->entity == 1 && $user->admin && ! $user->entity) - { - print '' . $langs->trans("Entity") . ''; - if (empty($object->entity)) { - print $langs->trans("AllEntities"); - } else { - $mc->getInfo($object->entity); - print $mc->label; - } - print "\n"; - } - }*/ + // Multicompany + if (! empty($conf->multicompany->enabled) && is_object($mc)) + { + // This is now done with hook formObjectOptions. Keep this code for backward compatibility with old multicompany module + if (! method_exists($mc, 'formObjectOptions')) + { + if (! empty($conf->multicompany->enabled) && empty($conf->global->MULTICOMPANY_TRANSVERSE_MODE) && $conf->entity == 1 && $user->admin && ! $user->entity) + { + print '' . $langs->trans("Entity") . ''; + if (empty($object->entity)) { + print $langs->trans("AllEntities"); + } else { + $mc->getInfo($object->entity); + print $mc->label; + } + print "\n"; + } + } + } // Other attributes include DOL_DOCUMENT_ROOT . '/core/tpl/extrafields_view.tpl.php'; @@ -1731,7 +1734,7 @@ } } } - + print "
\n"; @@ -2322,24 +2325,25 @@ print "\n"; } - // Multicompany - // This is now done with hook formObjectOptions - /* + // Multicompany // TODO check if user not linked with the current entity before change entity (thirdparty, invoice, etc.) !! if (! empty($conf->multicompany->enabled) && is_object($mc)) { - if (empty($conf->multicompany->transverse_mode) && $conf->entity == 1 && $user->admin && ! $user->entity) + // This is now done with hook formObjectOptions. Keep this code for backward compatibility with old multicompany module + if (! method_exists($mc, 'formObjectOptions')) { - print "".''.$langs->trans("Entity").''; - print "".$mc->select_entities($object->entity, 'entity', '', 0, 1); // last parameter 1 means, show also a choice 0=>'all entities' - print "\n"; - } - else - { - print ''; - } - } - */ + if (empty($conf->multicompany->transverse_mode) && $conf->entity == 1 && $user->admin && ! $user->entity) + { + print "".''.$langs->trans("Entity").''; + print "".$mc->select_entities($object->entity, 'entity', '', 0, 1); // last parameter 1 means, show also a choice 0=>'all entities' + print "\n"; + } + else + { + print ''; + } + } + } // Other attributes $parameters=array('colspan' => ' colspan="2"'); From bb792578278841c2cc17e37abdb26746377f50a1 Mon Sep 17 00:00:00 2001 From: Laurent Destailleur Date: Fri, 6 Jul 2018 12:00:12 +0200 Subject: [PATCH 18/62] Prepare Changelog --- ChangeLog | 168 ++++++++++++++++++++++++++++++++++++++++++++++++++++++ 1 file changed, 168 insertions(+) diff --git a/ChangeLog b/ChangeLog index 4adf6192acd31..9ef351271e976 100644 --- a/ChangeLog +++ b/ChangeLog @@ -4,6 +4,174 @@ English Dolibarr ChangeLog ***** ChangeLog for 8.0.0 compared to 7.0.3 ***** +For Users: +NEW: Experimental module: Ticket +NEW: Experimental module: WebDAV +NEW: Accept anonmymous events (no user assigned) +NEW: Accountancy - Add import on general ledger +NEW: Accountancy - Show journal name on journal page and hide button draft export (Add an option in admin) +NEW: Can create event from record card of a company and member +NEW: Add a button to create Stripe customer from the Payment mode tab +NEW: Add accounting account number on product tooltip +NEW: add any predefined mail content +NEW: Add arrows to navigate into containers in website module +NEW: Add a tab to specify accountant/auditor of the company +NEW: Add Date delivery and Availability on Propals List +NEW: Add date in goods reception supplier order table +NEW: Add delivery_time_days of suppliers in export profile +NEW: Add Docments'tab to expedition module +NEW: Use dol_print_phone in thirdparty list page to format phone +NEW: Add entry for the GDPR contact +NEW: Add extrafield type "html" +NEW: Add file number in accountant card and update export filename +NEW: Add files management on products lot +NEW: add filter on project task list +NEW: Add hidden option COMPANY_AQUARIUM_CLEAN_REGEX to clean generated +NEW: add internal stripe payment page for invoice +NEW: Add key __USER_REMOTE_IP__ into available substitution variables +NEW: Add link between credit note invoice and origin +NEW: Add linked file tab to vat +NEW: add link to stripe's info in bank menu +NEW: Add margin filters +NEW: Add mass action enable/disable on cron job list +NEW: Add mass action on project's list to close projects +NEW: Add method to register distributed payments on invoices +NEW: Add multicurrency support for product buy price for supplier propales, orders and invoices +NEW: Add name of day in the timesheet input page per day. +NEW: add new parameters for tcpf encryption +NEW: add optional esign field in pdf propal +NEW: Add option BANK_ACCOUNT_ALLOW_EXTERNAL_DOWNLOAD +NEW: Add option CONTRACT_SYNC_PLANNED_DATE_OF_SERVICES +NEW: Add param $dolibarr_main_restrict_ip in config file to limit ips +NEW: add pdf function to check if pdf file is protected/encrypted +NEW: Add pdf template for stock/warehouse module +NEW: Add phone format for a lot of countries +NEW: Add product and product categories filters on customer margins +NEW: Add product categories filter on product margin +NEW: Add romanian chart of accounts +NEW: Add stats in salaries module +NEW: add stripe transaction +NEW: Add tab contact on supplier proposals +NEW: Add total of time spent in timespent page at top of page too. +NEW: Add trigger CONTRACT_MODIFY +NEW: Add triggers on ECM object and add fill src_object_type/id fields +NEW: Add type of website container/page into dictionary +NEW: advance target filtering can be used everywhere with tpl and fk_element +NEW: Allow negative quantity for dispatch (supplier order) +NEW: bank reconcile: checkbox to select all bank operations +NEW: Better performance with openldap +NEW: Can add filter actiontype and notactiontype on event ical export +NEW: Can add product in supplier order/invoice even w/o predefined price +NEW: cancel orders on massaction +NEW: Can crop image files attached in "document" tabs of a member +NEW: Can delete dir content in media and ECM module recursively +NEW: Can dispatch if more than ordered (if hidden option set) +NEW: Can edit the text color for title line of tables +NEW: Can enter time spent from the list of time spent of project +NEW: Can export leave requests +NEW: Can filter on account range in general ledger grouped by account +NEW: Can filter on country and taxid into the binding page +NEW: Can filter on progression in timesheet +NEW: Can fix the bank account of a payment if payment not conciliated +NEW: Can force usage of shared link for photo of products +NEW: Can get template of email from its label +NEW: Can see Unit Purchase Value of product in stock movement +NEW: Can select from the user list into send form email (For field to and CC) +NEW: Can select sample to use when creating a new page +NEW: can send mail from project card +NEW: Can set position of images in module tickets +NEW: Can set the reply-to into email sent +NEW: Can set the start/end date of service line in invoice templates +NEW: Can share any file from the "Document" tab. +NEW: Can sort on priority in task scheduler list +NEW: Can sort order of files in attach tab for leave and expensereport +NEW: Can use setValueFrom without user modification field +NEW: Cat set the encryption algorithm for extrafields of type password +NEW: check idprof1 for country pt +NEW: default add action: new param $backurlforcard to redirect to card +NEW: default warehouse field for products + prefill warehouses when dispatching supplier orders +NEW: Display price HT on all commercial area boards +NEW: display total on contract service list +NEW: display weight volume in proposal +NEW: Edit of extrafields position page on the edit form +NEW: Experimental DAV module provides a public and private directory +NEW: export filter models can be share or not by user +NEW: Externalsite module can accept iframe content. +NEW: Filter export model is now by user +NEW: Finish implementation of option PRODUIT_CUSTOMER_PRICES_BY_QTY_MULTIPRICES +NEW: generalize use of button to create new element from list +NEW: hidden conf AGENDA_NB_WEEKS_IN_VIEW_PER_USER to set nb weeks to show into per user view +NEW: hidden conf to assign category to thirparty that are not customer nor prospect nor supplier +NEW: hidden conf to set nb weeks to show into user view +NEW: hidden option MAIN_DISABLE_FREE_LINES +NEW: improve way of adding users/sales representative to thirdparty +NEW: Introduce option THIRDPARTY_QUICKSEARCH_ON_FIELDS to personalize fields use to search on quick search. +NEW: Introduce permission "approve" for "leave request" like for "expense report" +NEW: Load product data optional fields to the line -> enables to use "line_options_{extrafield}" +NEW: Look and feel v8 - Show Picto "+" on all links "Add record" +NEW: Look and feel v8: Use a different picto for delete and unlink +NEW: mail templates for projects +NEW: Module variant supported on services +NEW: monthly VAT report show "Claimed for the period" + "Paid during this +NEW: Mutualize code for action="update_extras" +NEW: On invoice card, show accounting account linked +NEW: Online payment of invoice and subscription record the payment +NEW: OnSearchAndListGoOnCustomerOrSupplierCard conf +NEW: Optimize load of hooks classes (save 1-5Kb of memory) +NEW: Option MAIN_SHOW_REGION_IN_STATE renamed into MAIN_SHOW_REGION_IN_STATE_SELECT are more complete +NEW: Option to force all emails recipient +NEW: Hidden option to send to salaries into emails forms +NEW: order minimum amount +NEW: add price in burger menu on mouvement list +NEW: Report a list of leave requests for a month +NEW: Section of files generated by mass action not visible if empty +NEW: send mails from project card +NEW: Show also size in bytes in tooltip if visible unit is not bytes +NEW: Show keyboard shortcut of nav arrow into tooltip +NEW: Show last result code of cron jobs in error in red +NEW: Show region in company info & Global option to show state code MAIN_SHOW_STATE_CODE +NEW: Show total number of records by category +NEW: Show total of time consumed in week in time spent entry page +NEW: Stripe online payments reuse the same stripe customer account +NEW: Suggest link to pay online for customer orders +NEW: supplier credit notes is now supported like for customer credit notes +NEW: supplier order/order lines export: add supplier product ref +NEW: supplier relative discounts +NEW: Support alternative aliases of page name in website +NEW: syslog file autoclean +NEW: thirdparty categ filter on lists +NEW: Use a css style for weekend in time spent +NEW: Use common substitution rule for language to get translation in ODT +NEW: Variable __ONLINE_PAYMENT_URL__ available in email templates + +For developers: +NEW: class reposition can also work on POST (not only GET) +NEW: add a hook in dol_print_phone +NEW: The field "visible" on extrafield can accept expression as condition +NEW: Upgrade of Stripe lib to 6.4.1 +NEW: work on CommonObject 'array' field typeNew common object array +NEW: method Form::selectArrayFilter() + use in left menu search +NEW: [REST API] Add the possibility to remove a category from a thirdparty +NEW: doActions on categorycard +NEW: add "moreHtmlRef" hook +NEW: add hook for more permissions control +NEW: add hook moreHtmlStatus to complete to status on banners +NEW: Add hook printEmail +NEW: Add hook setContentSecurityPolicy +NEW: Add password_hash as a hash algorithm +NEW: Add dol_is_link function +NEW: Adds a contact to an invoice with REST API +NEW: Adds a payment for the list of invoices given as parameter +NEW: adds billing contacts ids to REST API returns +NEW: Add showempty parameter in country selection +NEW: add printUserListWhere hook +NEW: add "printUserPasswordField" hooks +NEW: Call to trigger on payment social contribution creation +NEW: Call to trigger on social contribution creation +NEW: hook getnomurltooltip is replaced with hook getNomUrl more powerfull + + + WARNING: Following changes may create regressions for some external modules, but were necessary to make Dolibarr better: From 653134e179f59e1c3b8b18366f29128901a3a6cf Mon Sep 17 00:00:00 2001 From: Laurent Destailleur Date: Fri, 6 Jul 2018 12:06:16 +0200 Subject: [PATCH 19/62] Fix changelog --- ChangeLog | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/ChangeLog b/ChangeLog index 9ef351271e976..ceb1d847ddb4a 100644 --- a/ChangeLog +++ b/ChangeLog @@ -2,7 +2,7 @@ English Dolibarr ChangeLog -------------------------------------------------------------- -***** ChangeLog for 8.0.0 compared to 7.0.3 ***** +***** ChangeLog for 8.0.0 compared to 7.0.0 ***** For Users: NEW: Experimental module: Ticket @@ -170,8 +170,6 @@ NEW: Call to trigger on payment social contribution creation NEW: Call to trigger on social contribution creation NEW: hook getnomurltooltip is replaced with hook getNomUrl more powerfull - - WARNING: Following changes may create regressions for some external modules, but were necessary to make Dolibarr better: @@ -192,6 +190,8 @@ Following changes may create regressions for some external modules, but were nec * Hook getnomurltooltip provide a duplicate feature compared to hook getNomUrl so all hooks getnomurltooltip are now replaced with hook getNomUrl. + + ***** ChangeLog for 7.0.3 compared to 7.0.2 ***** FIX: 7.0 task contact card without withproject parameters FIX: #8722 From 6c5264fabb72003eb1bafbd2281fb0d82aadb952 Mon Sep 17 00:00:00 2001 From: Laurent Destailleur Date: Fri, 6 Jul 2018 12:45:20 +0200 Subject: [PATCH 20/62] Fix label --- htdocs/compta/facture/card.php | 4 ++-- htdocs/langs/en_US/bills.lang | 1 + 2 files changed, 3 insertions(+), 2 deletions(-) diff --git a/htdocs/compta/facture/card.php b/htdocs/compta/facture/card.php index 457f03c6afc9b..d5835f967816c 100644 --- a/htdocs/compta/facture/card.php +++ b/htdocs/compta/facture/card.php @@ -1290,7 +1290,7 @@ { $arraylist = array('amount' => 'FixAmount','variable' => 'VarAmount'); $descline = $langs->trans('Deposit'); - $descline.= ' - '.$langs->trans($arraylist[$typeamount]); + //$descline.= ' - '.$langs->trans($arraylist[$typeamount]); if ($typeamount=='amount') { $descline.= ' ('. price($valuedeposit, '', $langs, 0, - 1, - 1, (!empty($object->multicurrency_code) ? $object->multicurrency_code : $conf->currency)).')'; } elseif ($typeamount=='variable') { @@ -2873,7 +2873,7 @@ if (($origin == 'propal') || ($origin == 'commande')) { print ''; - $arraylist = array('amount' => 'FixAmount','variable' => 'VarAmount'); + $arraylist = array('amount' => $langs->transnoentitiesnoconv('FixAmount'), 'variable' => $langs->transnoentitiesnoconv('VarAmountOneLine', $langs->transnoentitiesnoconv('Deposit'))); print $form->selectarray('typedeposit', $arraylist, GETPOST('typedeposit'), 0, 0, 0, '', 1); print ''; print '' . $langs->trans('Value') . ':'; diff --git a/htdocs/langs/en_US/bills.lang b/htdocs/langs/en_US/bills.lang index 3b59e46219ac2..7a260e6dbc66f 100644 --- a/htdocs/langs/en_US/bills.lang +++ b/htdocs/langs/en_US/bills.lang @@ -394,6 +394,7 @@ PaymentConditionShort14DENDMONTH=14 days of month-end PaymentCondition14DENDMONTH=Within 14 days following the end of the month FixAmount=Fix amount VarAmount=Variable amount (%% tot.) +VarAmountOneLine=Variable amount (%% tot.) - 1 line with label '%s' # PaymentType PaymentTypeVIR=Bank transfer PaymentTypeShortVIR=Bank transfer From 303fb94acb6d286de340fa57480f14f8135d0082 Mon Sep 17 00:00:00 2001 From: Laurent Destailleur Date: Fri, 6 Jul 2018 13:04:37 +0200 Subject: [PATCH 21/62] Fix trans --- htdocs/langs/en_US/modulebuilder.lang | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/htdocs/langs/en_US/modulebuilder.lang b/htdocs/langs/en_US/modulebuilder.lang index 460cdce63c2c5..30db598958747 100644 --- a/htdocs/langs/en_US/modulebuilder.lang +++ b/htdocs/langs/en_US/modulebuilder.lang @@ -96,6 +96,6 @@ DropTableIfEmpty=(Delete table if empty) TableDoesNotExists=The table %s does not exists TableDropped=Table %s deleted InitStructureFromExistingTable=Build the structure array string of an existing table -UseAboutPage=Disallow the about page -UseDocFolder=Disallow the documentation folder +UseAboutPage=Disable the about page +UseDocFolder=Disable the documentation folder UseSpecificReadme=Use a specific ReadMe \ No newline at end of file From 05ed721a8c80a0121d860459ad6b5b2a94daa549 Mon Sep 17 00:00:00 2001 From: Laurent Destailleur Date: Fri, 6 Jul 2018 13:09:07 +0200 Subject: [PATCH 22/62] Fix name of constant for module TICKET --- htdocs/admin/ticket.php | 154 +++++++++--------- htdocs/core/class/html.formticket.class.php | 10 +- htdocs/core/lib/ticket.lib.php | 6 +- htdocs/core/modules/modTicket.class.php | 2 +- ...erface_50_modTicket_TicketEmail.class.php} | 26 +-- htdocs/public/ticket/create_ticket.php | 26 +-- htdocs/public/ticket/index.php | 4 +- htdocs/public/ticket/list.php | 2 +- htdocs/public/ticket/view.php | 2 +- htdocs/ticket/card.php | 4 +- htdocs/ticket/class/actions_ticket.class.php | 50 +++--- htdocs/ticket/class/ticket.class.php | 14 +- htdocs/ticket/contact.php | 2 +- htdocs/ticket/css/styles.css.php | 2 +- htdocs/ticket/document.php | 2 +- htdocs/ticket/history.php | 4 +- htdocs/ticket/index.php | 4 +- htdocs/ticket/list.php | 2 +- 18 files changed, 158 insertions(+), 158 deletions(-) rename htdocs/core/triggers/{interface_50_modTicketsup_TicketEmail.class.php => interface_50_modTicket_TicketEmail.class.php} (92%) diff --git a/htdocs/admin/ticket.php b/htdocs/admin/ticket.php index c6f5e49ff01c5..742f966e4cc4a 100644 --- a/htdocs/admin/ticket.php +++ b/htdocs/admin/ticket.php @@ -67,92 +67,92 @@ } elseif ($action == 'setvar') { include_once DOL_DOCUMENT_ROOT . "/core/lib/files.lib.php"; - $notification_email = GETPOST('TICKETS_NOTIFICATION_EMAIL_FROM', 'alpha'); + $notification_email = GETPOST('TICKET_NOTIFICATION_EMAIL_FROM', 'alpha'); if (!empty($notification_email)) { - $res = dolibarr_set_const($db, 'TICKETS_NOTIFICATION_EMAIL_FROM', $notification_email, 'chaine', 0, '', $conf->entity); + $res = dolibarr_set_const($db, 'TICKET_NOTIFICATION_EMAIL_FROM', $notification_email, 'chaine', 0, '', $conf->entity); } else { - $res = dolibarr_set_const($db, 'TICKETS_NOTIFICATION_EMAIL_FROM', '', 'chaine', 0, '', $conf->entity); + $res = dolibarr_set_const($db, 'TICKET_NOTIFICATION_EMAIL_FROM', '', 'chaine', 0, '', $conf->entity); } if (!$res > 0) { $error++; } // altairis : differentiate notification email FROM and TO - $notification_email_to = GETPOST('TICKETS_NOTIFICATION_EMAIL_TO', 'alpha'); + $notification_email_to = GETPOST('TICKET_NOTIFICATION_EMAIL_TO', 'alpha'); if (!empty($notification_email_to)) { - $res = dolibarr_set_const($db, 'TICKETS_NOTIFICATION_EMAIL_TO', $notification_email_to, 'chaine', 0, '', $conf->entity); + $res = dolibarr_set_const($db, 'TICKET_NOTIFICATION_EMAIL_TO', $notification_email_to, 'chaine', 0, '', $conf->entity); } else { - $res = dolibarr_set_const($db, 'TICKETS_NOTIFICATION_EMAIL_TO', '', 'chaine', 0, '', $conf->entity); + $res = dolibarr_set_const($db, 'TICKET_NOTIFICATION_EMAIL_TO', '', 'chaine', 0, '', $conf->entity); } if (!$res > 0) { $error++; } - $mail_new_ticket = GETPOST('TICKETS_MESSAGE_MAIL_NEW', 'alpha'); + $mail_new_ticket = GETPOST('TICKET_MESSAGE_MAIL_NEW', 'alpha'); if (!empty($mail_new_ticket)) { - $res = dolibarr_set_const($db, 'TICKETS_MESSAGE_MAIL_NEW', $mail_new_ticket, 'chaine', 0, '', $conf->entity); + $res = dolibarr_set_const($db, 'TICKET_MESSAGE_MAIL_NEW', $mail_new_ticket, 'chaine', 0, '', $conf->entity); } else { - $res = dolibarr_set_const($db, 'TICKETS_MESSAGE_MAIL_NEW', $langs->trans('TicketMessageMailNewText'), 'chaine', 0, '', $conf->entity); + $res = dolibarr_set_const($db, 'TICKET_MESSAGE_MAIL_NEW', $langs->trans('TicketMessageMailNewText'), 'chaine', 0, '', $conf->entity); } if (!$res > 0) { $error++; } - $mail_intro = GETPOST('TICKETS_MESSAGE_MAIL_INTRO', 'alpha'); + $mail_intro = GETPOST('TICKET_MESSAGE_MAIL_INTRO', 'alpha'); if (!empty($mail_intro)) { - $res = dolibarr_set_const($db, 'TICKETS_MESSAGE_MAIL_INTRO', $mail_intro, 'chaine', 0, '', $conf->entity); + $res = dolibarr_set_const($db, 'TICKET_MESSAGE_MAIL_INTRO', $mail_intro, 'chaine', 0, '', $conf->entity); } else { - $res = dolibarr_set_const($db, 'TICKETS_MESSAGE_MAIL_INTRO', $langs->trans('TicketMessageMailIntroText'), 'chaine', 0, '', $conf->entity); + $res = dolibarr_set_const($db, 'TICKET_MESSAGE_MAIL_INTRO', $langs->trans('TicketMessageMailIntroText'), 'chaine', 0, '', $conf->entity); } if (!$res > 0) { $error++; } - $mail_signature = GETPOST('TICKETS_MESSAGE_MAIL_SIGNATURE', 'alpha'); + $mail_signature = GETPOST('TICKET_MESSAGE_MAIL_SIGNATURE', 'alpha'); if (!empty($mail_signature)) { - $res = dolibarr_set_const($db, 'TICKETS_MESSAGE_MAIL_SIGNATURE', $mail_signature, 'chaine', 0, '', $conf->entity); + $res = dolibarr_set_const($db, 'TICKET_MESSAGE_MAIL_SIGNATURE', $mail_signature, 'chaine', 0, '', $conf->entity); } else { - $res = dolibarr_set_const($db, 'TICKETS_MESSAGE_MAIL_SIGNATURE', $langs->trans('TicketMessageMailSignatureText'), 'chaine', 0, '', $conf->entity); + $res = dolibarr_set_const($db, 'TICKET_MESSAGE_MAIL_SIGNATURE', $langs->trans('TicketMessageMailSignatureText'), 'chaine', 0, '', $conf->entity); } if (!$res > 0) { $error++; } - $url_interface = GETPOST('TICKETS_URL_PUBLIC_INTERFACE', 'alpha'); + $url_interface = GETPOST('TICKET_URL_PUBLIC_INTERFACE', 'alpha'); if (!empty($mail_signature)) { - $res = dolibarr_set_const($db, 'TICKETS_URL_PUBLIC_INTERFACE', $url_interface, 'chaine', 0, '', $conf->entity); + $res = dolibarr_set_const($db, 'TICKET_URL_PUBLIC_INTERFACE', $url_interface, 'chaine', 0, '', $conf->entity); } else { - $res = dolibarr_set_const($db, 'TICKETS_URL_PUBLIC_INTERFACE', '', 'chaine', 0, '', $conf->entity); + $res = dolibarr_set_const($db, 'TICKET_URL_PUBLIC_INTERFACE', '', 'chaine', 0, '', $conf->entity); } if (!$res > 0) { $error++; } - $topic_interface = GETPOST('TICKETS_PUBLIC_INTERFACE_TOPIC', 'alpha'); + $topic_interface = GETPOST('TICKET_PUBLIC_INTERFACE_TOPIC', 'alpha'); if (!empty($mail_signature)) { - $res = dolibarr_set_const($db, 'TICKETS_PUBLIC_INTERFACE_TOPIC', $topic_interface, 'chaine', 0, '', $conf->entity); + $res = dolibarr_set_const($db, 'TICKET_PUBLIC_INTERFACE_TOPIC', $topic_interface, 'chaine', 0, '', $conf->entity); } else { - $res = dolibarr_set_const($db, 'TICKETS_PUBLIC_INTERFACE_TOPIC', '', 'chaine', 0, '', $conf->entity); + $res = dolibarr_set_const($db, 'TICKET_PUBLIC_INTERFACE_TOPIC', '', 'chaine', 0, '', $conf->entity); } if (!$res > 0) { $error++; } - $text_home = GETPOST('TICKETS_PUBLIC_TEXT_HOME', 'alpha'); + $text_home = GETPOST('TICKET_PUBLIC_TEXT_HOME', 'alpha'); if (!empty($mail_signature)) { - $res = dolibarr_set_const($db, 'TICKETS_PUBLIC_TEXT_HOME', $text_home, 'chaine', 0, '', $conf->entity); + $res = dolibarr_set_const($db, 'TICKET_PUBLIC_TEXT_HOME', $text_home, 'chaine', 0, '', $conf->entity); } else { - $res = dolibarr_set_const($db, 'TICKETS_PUBLIC_TEXT_HOME', $langs->trans('TicketPublicInterfaceTextHome'), 'chaine', 0, '', $conf->entity); + $res = dolibarr_set_const($db, 'TICKET_PUBLIC_TEXT_HOME', $langs->trans('TicketPublicInterfaceTextHome'), 'chaine', 0, '', $conf->entity); } if (!$res > 0) { $error++; } - $text_help = GETPOST('TICKETS_PUBLIC_TEXT_HELP_MESSAGE', 'alpha'); + $text_help = GETPOST('TICKET_PUBLIC_TEXT_HELP_MESSAGE', 'alpha'); if (!empty($text_help)) { - $res = dolibarr_set_const($db, 'TICKETS_PUBLIC_TEXT_HELP_MESSAGE', $text_help, 'chaine', 0, '', $conf->entity); + $res = dolibarr_set_const($db, 'TICKET_PUBLIC_TEXT_HELP_MESSAGE', $text_help, 'chaine', 0, '', $conf->entity); } else { - $res = dolibarr_set_const($db, 'TICKETS_PUBLIC_TEXT_HELP_MESSAGE', $langs->trans('TicketPublicPleaseBeAccuratelyDescribe'), 'chaine', 0, '', $conf->entity); + $res = dolibarr_set_const($db, 'TICKET_PUBLIC_TEXT_HELP_MESSAGE', $langs->trans('TicketPublicPleaseBeAccuratelyDescribe'), 'chaine', 0, '', $conf->entity); } if (!$res > 0) { $error++; @@ -160,34 +160,34 @@ } if ($action == 'setvarother') { - $param_enable_public_interface = GETPOST('TICKETS_ENABLE_PUBLIC_INTERFACE', 'alpha'); - $res = dolibarr_set_const($db, 'TICKETS_ENABLE_PUBLIC_INTERFACE', $param_enable_public_interface, 'chaine', 0, '', $conf->entity); + $param_enable_public_interface = GETPOST('TICKET_ENABLE_PUBLIC_INTERFACE', 'alpha'); + $res = dolibarr_set_const($db, 'TICKET_ENABLE_PUBLIC_INTERFACE', $param_enable_public_interface, 'chaine', 0, '', $conf->entity); if (!$res > 0) { $error++; } - $param_must_exists = GETPOST('TICKETS_EMAIL_MUST_EXISTS', 'alpha'); - $res = dolibarr_set_const($db, 'TICKETS_EMAIL_MUST_EXISTS', $param_must_exists, 'chaine', 0, '', $conf->entity); + $param_must_exists = GETPOST('TICKET_EMAIL_MUST_EXISTS', 'alpha'); + $res = dolibarr_set_const($db, 'TICKET_EMAIL_MUST_EXISTS', $param_must_exists, 'chaine', 0, '', $conf->entity); if (!$res > 0) { $error++; } - $param_disable_email = GETPOST('TICKETS_DISABLE_ALL_MAILS', 'alpha'); - $res = dolibarr_set_const($db, 'TICKETS_DISABLE_ALL_MAILS', $param_disable_email, 'chaine', 0, '', $conf->entity); + $param_disable_email = GETPOST('TICKET_DISABLE_ALL_MAILS', 'alpha'); + $res = dolibarr_set_const($db, 'TICKET_DISABLE_ALL_MAILS', $param_disable_email, 'chaine', 0, '', $conf->entity); if (!$res > 0) { $error++; } - $param_activate_log_by_email = GETPOST('TICKETS_ACTIVATE_LOG_BY_EMAIL', 'alpha'); - $res = dolibarr_set_const($db, 'TICKETS_ACTIVATE_LOG_BY_EMAIL', $param_activate_log_by_email, 'chaine', 0, '', $conf->entity); + $param_activate_log_by_email = GETPOST('TICKET_ACTIVATE_LOG_BY_EMAIL', 'alpha'); + $res = dolibarr_set_const($db, 'TICKET_ACTIVATE_LOG_BY_EMAIL', $param_activate_log_by_email, 'chaine', 0, '', $conf->entity); if (!$res > 0) { $error++; } if ($conf->global->MAIN_FEATURES_LEVEL >= 2) { - $param_show_module_logo = GETPOST('TICKETS_SHOW_MODULE_LOGO', 'alpha'); - $res = dolibarr_set_const($db, 'TICKETS_SHOW_MODULE_LOGO', $param_show_module_logo, 'chaine', 0, '', $conf->entity); + $param_show_module_logo = GETPOST('TICKET_SHOW_MODULE_LOGO', 'alpha'); + $res = dolibarr_set_const($db, 'TICKET_SHOW_MODULE_LOGO', $param_show_module_logo, 'chaine', 0, '', $conf->entity); if (!$res > 0) { $error++; } @@ -195,21 +195,21 @@ if ($conf->global->MAIN_FEATURES_LEVEL >= 2) { - $param_notification_also_main_addressemail = GETPOST('TICKETS_NOTIFICATION_ALSO_MAIN_ADDRESS', 'alpha'); - $res = dolibarr_set_const($db, 'TICKETS_NOTIFICATION_ALSO_MAIN_ADDRESS', $param_notification_also_main_addressemail, 'chaine', 0, '', $conf->entity); + $param_notification_also_main_addressemail = GETPOST('TICKET_NOTIFICATION_ALSO_MAIN_ADDRESS', 'alpha'); + $res = dolibarr_set_const($db, 'TICKET_NOTIFICATION_ALSO_MAIN_ADDRESS', $param_notification_also_main_addressemail, 'chaine', 0, '', $conf->entity); if (!$res > 0) { $error++; } } - $param_limit_view = GETPOST('TICKETS_LIMIT_VIEW_ASSIGNED_ONLY', 'alpha'); - $res = dolibarr_set_const($db, 'TICKETS_LIMIT_VIEW_ASSIGNED_ONLY', $param_limit_view, 'chaine', 0, '', $conf->entity); + $param_limit_view = GETPOST('TICKET_LIMIT_VIEW_ASSIGNED_ONLY', 'alpha'); + $res = dolibarr_set_const($db, 'TICKET_LIMIT_VIEW_ASSIGNED_ONLY', $param_limit_view, 'chaine', 0, '', $conf->entity); if (!$res > 0) { $error++; } - $param_auto_assign = GETPOST('TICKETS_AUTO_ASSIGN_USER_CREATE', 'alpha'); - $res = dolibarr_set_const($db, 'TICKETS_AUTO_ASSIGN_USER_CREATE', $param_auto_assign, 'chaine', 0, '', $conf->entity); + $param_auto_assign = GETPOST('TICKET_AUTO_ASSIGN_USER_CREATE', 'alpha'); + $res = dolibarr_set_const($db, 'TICKET_AUTO_ASSIGN_USER_CREATE', $param_auto_assign, 'chaine', 0, '', $conf->entity); if (!$res > 0) { $error++; } @@ -358,10 +358,10 @@ print '' . $langs->trans("TicketsActivatePublicInterface") . ''; print ''; if ($conf->use_javascript_ajax) { - print ajax_constantonoff('TICKETS_ENABLE_PUBLIC_INTERFACE'); + print ajax_constantonoff('TICKET_ENABLE_PUBLIC_INTERFACE'); } else { $arrval = array('0' => $langs->trans("No"), '1' => $langs->trans("Yes")); - print $form->selectarray("TICKETS_ENABLE_PUBLIC_INTERFACE", $arrval, $conf->global->TICKETS_ENABLE_PUBLIC_INTERFACE); + print $form->selectarray("TICKET_ENABLE_PUBLIC_INTERFACE", $arrval, $conf->global->TICKET_ENABLE_PUBLIC_INTERFACE); } print ''; print ''; @@ -373,10 +373,10 @@ print '' . $langs->trans("TicketsEmailMustExist") . ''; print ''; if ($conf->use_javascript_ajax) { - print ajax_constantonoff('TICKETS_EMAIL_MUST_EXISTS'); + print ajax_constantonoff('TICKET_EMAIL_MUST_EXISTS'); } else { $arrval = array('0' => $langs->trans("No"), '1' => $langs->trans("Yes")); - print $form->selectarray("TICKETS_EMAIL_MUST_EXISTS", $arrval, $conf->global->TICKETS_EMAIL_MUST_EXISTS); + print $form->selectarray("TICKET_EMAIL_MUST_EXISTS", $arrval, $conf->global->TICKET_EMAIL_MUST_EXISTS); } print ''; print ''; @@ -390,10 +390,10 @@ print '' . $langs->trans("TicketsShowModuleLogo") . ''; print ''; if ($conf->use_javascript_ajax) { - print ajax_constantonoff('TICKETS_SHOW_MODULE_LOGO'); + print ajax_constantonoff('TICKET_SHOW_MODULE_LOGO'); } else { $arrval = array('0' => $langs->trans("No"), '1' => $langs->trans("Yes")); - print $form->selectarray("TICKETS_SHOW_MODULE_LOGO", $arrval, $conf->global->TICKETS_SHOW_MODULE_LOGO); + print $form->selectarray("TICKET_SHOW_MODULE_LOGO", $arrval, $conf->global->TICKET_SHOW_MODULE_LOGO); } print ''; print ''; @@ -406,10 +406,10 @@ print '' . $langs->trans("TicketsShowCompanyLogo") . ''; print ''; if ($conf->use_javascript_ajax) { - print ajax_constantonoff('TICKETS_SHOW_COMPANY_LOGO'); + print ajax_constantonoff('TICKET_SHOW_COMPANY_LOGO'); } else { $arrval = array('0' => $langs->trans("No"), '1' => $langs->trans("Yes")); - print $form->selectarray("TICKETS_SHOW_COMPANY_LOGO", $arrval, $conf->global->TICKETS_SHOW_COMPANY_LOGO); + print $form->selectarray("TICKET_SHOW_COMPANY_LOGO", $arrval, $conf->global->TICKET_SHOW_COMPANY_LOGO); } print ''; print ''; @@ -426,10 +426,10 @@ print '' . $langs->trans("TicketsDisableEmail") . ''; print ''; if ($conf->use_javascript_ajax) { - print ajax_constantonoff('TICKETS_DISABLE_ALL_MAILS'); + print ajax_constantonoff('TICKET_DISABLE_ALL_MAILS'); } else { $arrval = array('0' => $langs->trans("No"), '1' => $langs->trans("Yes")); - print $form->selectarray("TICKETS_DISABLE_ALL_MAILS", $arrval, $conf->global->TICKETS_DISABLE_ALL_MAILS); + print $form->selectarray("TICKET_DISABLE_ALL_MAILS", $arrval, $conf->global->TICKET_DISABLE_ALL_MAILS); } print ''; print ''; @@ -441,10 +441,10 @@ print '' . $langs->trans("TicketsLogEnableEmail") . ''; print ''; if ($conf->use_javascript_ajax) { - print ajax_constantonoff('TICKETS_ACTIVATE_LOG_BY_EMAIL'); + print ajax_constantonoff('TICKET_ACTIVATE_LOG_BY_EMAIL'); } else { $arrval = array('0' => $langs->trans("No"), '1' => $langs->trans("Yes")); - print $form->selectarray("TICKETS_ACTIVATE_LOG_BY_EMAIL", $arrval, $conf->global->TICKETS_ACTIVATE_LOG_BY_EMAIL); + print $form->selectarray("TICKET_ACTIVATE_LOG_BY_EMAIL", $arrval, $conf->global->TICKET_ACTIVATE_LOG_BY_EMAIL); } print ''; print ''; @@ -458,10 +458,10 @@ print '' . $langs->trans("TicketsEmailAlsoSendToMainAddress") . ''; print ''; if ($conf->use_javascript_ajax) { - print ajax_constantonoff('TICKETS_NOTIFICATION_ALSO_MAIN_ADDRESS'); + print ajax_constantonoff('TICKET_NOTIFICATION_ALSO_MAIN_ADDRESS'); } else { $arrval = array('0' => $langs->trans("No"), '1' => $langs->trans("Yes")); - print $form->selectarray("TICKETS_NOTIFICATION_ALSO_MAIN_ADDRESS", $arrval, $conf->global->TICKETS_NOTIFICATION_ALSO_MAIN_ADDRESS); + print $form->selectarray("TICKET_NOTIFICATION_ALSO_MAIN_ADDRESS", $arrval, $conf->global->TICKET_NOTIFICATION_ALSO_MAIN_ADDRESS); } print ''; print ''; @@ -474,10 +474,10 @@ print '' . $langs->trans("TicketsLimitViewAssignedOnly") . ''; print ''; if ($conf->use_javascript_ajax) { - print ajax_constantonoff('TICKETS_LIMIT_VIEW_ASSIGNED_ONLY'); + print ajax_constantonoff('TICKET_LIMIT_VIEW_ASSIGNED_ONLY'); } else { $arrval = array('0' => $langs->trans("No"), '1' => $langs->trans("Yes")); - print $form->selectarray("TICKETS_LIMIT_VIEW_ASSIGNED_ONLY", $arrval, $conf->global->TICKETS_LIMIT_VIEW_ASSIGNED_ONLY); + print $form->selectarray("TICKET_LIMIT_VIEW_ASSIGNED_ONLY", $arrval, $conf->global->TICKET_LIMIT_VIEW_ASSIGNED_ONLY); } print ''; print ''; @@ -494,10 +494,10 @@ print '' . $langs->trans("TicketsAutoAssignTicket") . ''; print ''; if ($conf->use_javascript_ajax) { - print ajax_constantonoff('TICKETS_AUTO_ASSIGN_USER_CREATE'); + print ajax_constantonoff('TICKET_AUTO_ASSIGN_USER_CREATE'); } else { $arrval = array('0' => $langs->trans("No"), '1' => $langs->trans("Yes")); - print $form->selectarray("TICKETS_AUTO_ASSIGN_USER_CREATE", $arrval, $conf->global->TICKETS_AUTO_ASSIGN_USER_CREATE); + print $form->selectarray("TICKET_AUTO_ASSIGN_USER_CREATE", $arrval, $conf->global->TICKET_AUTO_ASSIGN_USER_CREATE); } print ''; print ''; @@ -533,7 +533,7 @@ // Email d'envoi des notifications print '' . $langs->trans("TicketEmailNotificationFrom") . ''; print ''; -print ''; +print ''; print ''; print $form->textwithpicto('', $langs->trans("TicketEmailNotificationFromHelp"), 1, 'help'); print ''; @@ -542,18 +542,18 @@ // Email de réception des notifications print '' . $langs->trans("TicketEmailNotificationTo") . ''; print ''; -print ''; +print ''; print ''; print $form->textwithpicto('', $langs->trans("TicketEmailNotificationToHelp"), 1, 'help'); print ''; print ''; // Texte de création d'un ticket -$mail_mesg_new = $conf->global->TICKETS_MESSAGE_MAIL_NEW ? $conf->global->TICKETS_MESSAGE_MAIL_NEW : $langs->trans('TicketNewEmailBody'); +$mail_mesg_new = $conf->global->TICKET_MESSAGE_MAIL_NEW ? $conf->global->TICKET_MESSAGE_MAIL_NEW : $langs->trans('TicketNewEmailBody'); print '' . $langs->trans("TicketNewEmailBodyLabel") . ''; print ''; require_once DOL_DOCUMENT_ROOT . '/core/class/doleditor.class.php'; -$doleditor = new DolEditor('TICKETS_MESSAGE_MAIL_NEW', $mail_mesg_new, '100%', 120, 'dolibarr_mailings', '', false, true, $conf->global->FCKEDITOR_ENABLE_MAIL, ROWS_2, 70); +$doleditor = new DolEditor('TICKET_MESSAGE_MAIL_NEW', $mail_mesg_new, '100%', 120, 'dolibarr_mailings', '', false, true, $conf->global->FCKEDITOR_ENABLE_MAIL, ROWS_2, 70); $doleditor->Create(); print ''; print ''; @@ -561,11 +561,11 @@ print ''; // Texte d'introduction -$mail_intro = $conf->global->TICKETS_MESSAGE_MAIL_INTRO ? $conf->global->TICKETS_MESSAGE_MAIL_INTRO : $langs->trans('TicketMessageMailIntroText'); +$mail_intro = $conf->global->TICKET_MESSAGE_MAIL_INTRO ? $conf->global->TICKET_MESSAGE_MAIL_INTRO : $langs->trans('TicketMessageMailIntroText'); print '' . $langs->trans("TicketMessageMailIntroLabelAdmin") . ''; print ''; require_once DOL_DOCUMENT_ROOT . '/core/class/doleditor.class.php'; -$doleditor = new DolEditor('TICKETS_MESSAGE_MAIL_INTRO', $mail_intro, '100%', 120, 'dolibarr_mailings', '', false, true, $conf->global->FCKEDITOR_ENABLE_MAIL, ROWS_2, 70); +$doleditor = new DolEditor('TICKET_MESSAGE_MAIL_INTRO', $mail_intro, '100%', 120, 'dolibarr_mailings', '', false, true, $conf->global->FCKEDITOR_ENABLE_MAIL, ROWS_2, 70); $doleditor->Create(); print ''; print ''; @@ -573,11 +573,11 @@ print ''; // Texte de signature -$mail_signature = $conf->global->TICKETS_MESSAGE_MAIL_SIGNATURE ? $conf->global->TICKETS_MESSAGE_MAIL_SIGNATURE : $langs->trans('TicketMessageMailSignatureText'); +$mail_signature = $conf->global->TICKET_MESSAGE_MAIL_SIGNATURE ? $conf->global->TICKET_MESSAGE_MAIL_SIGNATURE : $langs->trans('TicketMessageMailSignatureText'); print '' . $langs->trans("TicketMessageMailSignatureLabelAdmin") . ''; print ''; require_once DOL_DOCUMENT_ROOT . '/core/class/doleditor.class.php'; -$doleditor = new DolEditor('TICKETS_MESSAGE_MAIL_SIGNATURE', $mail_signature, '100%', 120, 'dolibarr_mailings', '', false, true, $conf->global->FCKEDITOR_ENABLE_MAIL, ROWS_2, 70); +$doleditor = new DolEditor('TICKET_MESSAGE_MAIL_SIGNATURE', $mail_signature, '100%', 120, 'dolibarr_mailings', '', false, true, $conf->global->FCKEDITOR_ENABLE_MAIL, ROWS_2, 70); $doleditor->Create(); print ''; print ''; @@ -589,31 +589,31 @@ print "\n"; // Url public interface -$url_interface = $conf->global->TICKETS_URL_PUBLIC_INTERFACE; +$url_interface = $conf->global->TICKET_URL_PUBLIC_INTERFACE; print '' . $langs->trans("TicketUrlPublicInterfaceLabelAdmin") . ''; print ''; -print ''; +print ''; print ''; print ''; print $form->textwithpicto('', $langs->trans("TicketUrlPublicInterfaceHelpAdmin"), 1, 'help'); print ''; // Interface topic -$url_interface = $conf->global->TICKETS_PUBLIC_INTERFACE_TOPIC; +$url_interface = $conf->global->TICKET_PUBLIC_INTERFACE_TOPIC; print '' . $langs->trans("TicketPublicInterfaceTopicLabelAdmin") . ''; print ''; -print ''; +print ''; print ''; print ''; print $form->textwithpicto('', $langs->trans("TicketPublicInterfaceTopicHelp"), 1, 'help'); print ''; // Texte d'accueil homepage -$public_text_home = $conf->global->TICKETS_PUBLIC_TEXT_HOME ? $conf->global->TICKETS_PUBLIC_TEXT_HOME : $langs->trans('TicketPublicInterfaceTextHome'); +$public_text_home = $conf->global->TICKET_PUBLIC_TEXT_HOME ? $conf->global->TICKET_PUBLIC_TEXT_HOME : $langs->trans('TicketPublicInterfaceTextHome'); print '' . $langs->trans("TicketPublicInterfaceTextHomeLabelAdmin") . ''; print ''; require_once DOL_DOCUMENT_ROOT . '/core/class/doleditor.class.php'; -$doleditor = new DolEditor('TICKETS_PUBLIC_TEXT_HOME', $public_text_home, '100%', 180, 'dolibarr_notes', '', false, true, $conf->global->FCKEDITOR_ENABLE_SOCIETE, ROWS_2, 70); +$doleditor = new DolEditor('TICKET_PUBLIC_TEXT_HOME', $public_text_home, '100%', 180, 'dolibarr_notes', '', false, true, $conf->global->FCKEDITOR_ENABLE_SOCIETE, ROWS_2, 70); $doleditor->Create(); print ''; print ''; @@ -621,11 +621,11 @@ print ''; // Texte d'aide à la saisie du message -$public_text_help_message = $conf->global->TICKETS_PUBLIC_TEXT_HELP_MESSAGE ? $conf->global->TICKETS_PUBLIC_TEXT_HELP_MESSAGE : $langs->trans('TicketPublicPleaseBeAccuratelyDescribe'); +$public_text_help_message = $conf->global->TICKET_PUBLIC_TEXT_HELP_MESSAGE ? $conf->global->TICKET_PUBLIC_TEXT_HELP_MESSAGE : $langs->trans('TicketPublicPleaseBeAccuratelyDescribe'); print '' . $langs->trans("TicketPublicInterfaceTextHelpMessageLabelAdmin") . ''; print ''; require_once DOL_DOCUMENT_ROOT . '/core/class/doleditor.class.php'; -$doleditor = new DolEditor('TICKETS_PUBLIC_TEXT_HELP_MESSAGE', $public_text_help_message, '100%', 180, 'dolibarr_notes', '', false, true, $conf->global->FCKEDITOR_ENABLE_SOCIETE, ROWS_2, 70); +$doleditor = new DolEditor('TICKET_PUBLIC_TEXT_HELP_MESSAGE', $public_text_help_message, '100%', 180, 'dolibarr_notes', '', false, true, $conf->global->FCKEDITOR_ENABLE_SOCIETE, ROWS_2, 70); $doleditor->Create(); print ''; print ''; diff --git a/htdocs/core/class/html.formticket.class.php b/htdocs/core/class/html.formticket.class.php index de08557890f30..1fcc865c05a82 100644 --- a/htdocs/core/class/html.formticket.class.php +++ b/htdocs/core/class/html.formticket.class.php @@ -327,7 +327,7 @@ function(response) { // If public form, display more information if ($this->ispublic) { - print '
' . ($conf->global->TICKETS_PUBLIC_TEXT_HELP_MESSAGE ? $conf->global->TICKETS_PUBLIC_TEXT_HELP_MESSAGE : $langs->trans('TicketPublicPleaseBeAccuratelyDescribe')) . '
'; + print '
' . ($conf->global->TICKET_PUBLIC_TEXT_HELP_MESSAGE ? $conf->global->TICKET_PUBLIC_TEXT_HELP_MESSAGE : $langs->trans('TicketPublicPleaseBeAccuratelyDescribe')) . '
'; } include_once DOL_DOCUMENT_ROOT . '/core/class/doleditor.class.php'; $uselocalbrowser = true; @@ -889,8 +889,8 @@ public function showMessageForm($width = '40%') } } - if ($conf->global->TICKETS_NOTIFICATION_ALSO_MAIN_ADDRESS) { - $sendto[] = $conf->global->TICKETS_NOTIFICATION_EMAIL_TO . '(generic email)'; + if ($conf->global->TICKET_NOTIFICATION_ALSO_MAIN_ADDRESS) { + $sendto[] = $conf->global->TICKET_NOTIFICATION_EMAIL_TO . '(generic email)'; } // Print recipient list @@ -906,7 +906,7 @@ public function showMessageForm($width = '40%') // Intro // External users can't send message email if ($user->rights->ticket->write && !$user->socid) { - $mail_intro = GETPOST('mail_intro') ? GETPOST('mail_intro') : $conf->global->TICKETS_MESSAGE_MAIL_INTRO; + $mail_intro = GETPOST('mail_intro') ? GETPOST('mail_intro') : $conf->global->TICKET_MESSAGE_MAIL_INTRO; print ''; print ''; @@ -957,7 +957,7 @@ public function showMessageForm($width = '40%') // Signature // External users can't send message email if ($user->rights->ticket->write && !$user->socid) { - $mail_signature = GETPOST('mail_signature') ? GETPOST('mail_signature') : $conf->global->TICKETS_MESSAGE_MAIL_SIGNATURE; + $mail_signature = GETPOST('mail_signature') ? GETPOST('mail_signature') : $conf->global->TICKET_MESSAGE_MAIL_SIGNATURE; print ''; print ''; diff --git a/htdocs/core/lib/ticket.lib.php b/htdocs/core/lib/ticket.lib.php index 8f54197113e33..7fac65ab42bf6 100644 --- a/htdocs/core/lib/ticket.lib.php +++ b/htdocs/core/lib/ticket.lib.php @@ -150,7 +150,7 @@ function llxHeaderTicket($title, $head = "", $disablejs = 0, $disablehead = 0, $ top_htmlhead($head, $title, $disablejs, $disablehead, $arrayofjs, $arrayofcss); // Show html headers print ''; - if (! empty($conf->global->TICKETS_SHOW_COMPANY_LOGO)) { + if (! empty($conf->global->TICKET_SHOW_COMPANY_LOGO)) { // Print logo $urllogo = DOL_URL_ROOT . '/theme/login_logo.png'; @@ -163,8 +163,8 @@ function llxHeaderTicket($title, $head = "", $disablejs = 0, $disablehead = 0, $ $urllogo = DOL_URL_ROOT . '/theme/dolibarr_logo.png'; } print '
'; - print 'Logo
'; - print '' . ($conf->global->TICKETS_PUBLIC_INTERFACE_TOPIC ? $conf->global->TICKETS_PUBLIC_INTERFACE_TOPIC : $langs->trans("TicketSystem")) . ''; + print 'Logo
'; + print '' . ($conf->global->TICKET_PUBLIC_INTERFACE_TOPIC ? $conf->global->TICKET_PUBLIC_INTERFACE_TOPIC : $langs->trans("TicketSystem")) . ''; print '

'; } diff --git a/htdocs/core/modules/modTicket.class.php b/htdocs/core/modules/modTicket.class.php index 9cf2c097e3b34..01c10a631ca29 100644 --- a/htdocs/core/modules/modTicket.class.php +++ b/htdocs/core/modules/modTicket.class.php @@ -107,7 +107,7 @@ public function __construct($db) // (key, 'chaine', value, desc, visible, 'current' or 'allentities', deleteonunactive) // Example: $this->const = array(); - $this->const[1] = array('TICKETS_ENABLE_PUBLIC_INTERFACE', 'chaine', '1', 'Enable ticket public interface'); + $this->const[1] = array('TICKET_ENABLE_PUBLIC_INTERFACE', 'chaine', '1', 'Enable ticket public interface'); $this->const[2] = array('TICKET_ADDON', 'chaine', 'mod_ticket_simple', 'Ticket ref module'); $this->tabs = array( diff --git a/htdocs/core/triggers/interface_50_modTicketsup_TicketEmail.class.php b/htdocs/core/triggers/interface_50_modTicket_TicketEmail.class.php similarity index 92% rename from htdocs/core/triggers/interface_50_modTicketsup_TicketEmail.class.php rename to htdocs/core/triggers/interface_50_modTicket_TicketEmail.class.php index 5c0d263629663..56bbd897f3d58 100644 --- a/htdocs/core/triggers/interface_50_modTicketsup_TicketEmail.class.php +++ b/htdocs/core/triggers/interface_50_modTicket_TicketEmail.class.php @@ -116,7 +116,7 @@ public function runTrigger($action, $object, User $user, Translate $langs, Conf $res = $userstat->fetch($object->fk_user_assign); if ($res > 0) { - if (empty($conf->global->TICKETS_DISABLE_ALL_MAILS)) + if (empty($conf->global->TICKET_DISABLE_ALL_MAILS)) { // Init to avoid errors $filepath = array(); @@ -146,7 +146,7 @@ public function runTrigger($action, $object, User $user, Translate $langs, Conf $message = dol_nl2br($message); - if (!empty($conf->global->TICKETS_DISABLE_MAIL_AUTOCOPY_TO)) { + if (!empty($conf->global->TICKET_DISABLE_MAIL_AUTOCOPY_TO)) { $old_MAIN_MAIL_AUTOCOPY_TO = $conf->global->MAIN_MAIL_AUTOCOPY_TO; $conf->global->MAIN_MAIL_AUTOCOPY_TO = ''; } @@ -157,7 +157,7 @@ public function runTrigger($action, $object, User $user, Translate $langs, Conf } else { $result = $mailfile->sendfile(); } - if (!empty($conf->global->TICKETS_DISABLE_MAIL_AUTOCOPY_TO)) { + if (!empty($conf->global->TICKET_DISABLE_MAIL_AUTOCOPY_TO)) { $conf->global->MAIN_MAIL_AUTOCOPY_TO = $old_MAIN_MAIL_AUTOCOPY_TO; } } @@ -182,9 +182,9 @@ public function runTrigger($action, $object, User $user, Translate $langs, Conf // Send email to notification email - if (empty($conf->global->TICKETS_DISABLE_ALL_MAILS) && empty($object->context['disableticketemail'])) + if (empty($conf->global->TICKET_DISABLE_ALL_MAILS) && empty($object->context['disableticketemail'])) { - $sendto = $conf->global->TICKETS_NOTIFICATION_EMAIL_TO; + $sendto = $conf->global->TICKET_NOTIFICATION_EMAIL_TO; if ($sendto) { @@ -217,12 +217,12 @@ public function runTrigger($action, $object, User $user, Translate $langs, Conf $message_admin.='

'.$langs->trans('Message').' :
'.$object->message.'

'; $message_admin.='

'.$langs->trans('SeeThisTicketIntomanagementInterface').'

'; - $from = $conf->global->MAIN_INFO_SOCIETE_NOM.'<'.$conf->global->TICKETS_NOTIFICATION_EMAIL_FROM.'>'; + $from = $conf->global->MAIN_INFO_SOCIETE_NOM.'<'.$conf->global->TICKET_NOTIFICATION_EMAIL_FROM.'>'; $replyto = $from; $message_admin = dol_nl2br($message_admin); - if (!empty($conf->global->TICKETS_DISABLE_MAIL_AUTOCOPY_TO)) { + if (!empty($conf->global->TICKET_DISABLE_MAIL_AUTOCOPY_TO)) { $old_MAIN_MAIL_AUTOCOPY_TO = $conf->global->MAIN_MAIL_AUTOCOPY_TO; $conf->global->MAIN_MAIL_AUTOCOPY_TO = ''; } @@ -233,7 +233,7 @@ public function runTrigger($action, $object, User $user, Translate $langs, Conf } else { $result=$mailfile->sendfile(); } - if (!empty($conf->global->TICKETS_DISABLE_MAIL_AUTOCOPY_TO)) { + if (!empty($conf->global->TICKET_DISABLE_MAIL_AUTOCOPY_TO)) { $conf->global->MAIN_MAIL_AUTOCOPY_TO = $old_MAIN_MAIL_AUTOCOPY_TO; } } @@ -241,7 +241,7 @@ public function runTrigger($action, $object, User $user, Translate $langs, Conf // Send email to customer - if (empty($conf->global->TICKETS_DISABLE_ALL_MAILS) && empty($object->context['disableticketemail']) && $object->notify_tiers_at_create) + if (empty($conf->global->TICKET_DISABLE_ALL_MAILS) && empty($object->context['disableticketemail']) && $object->notify_tiers_at_create) { $sendto = ''; if (empty($user->socid) && empty($user->email)) { @@ -287,16 +287,16 @@ public function runTrigger($action, $object, User $user, Translate $langs, Conf $message_customer.=''; $message_customer.='

'.$langs->trans('Message').' :
'.$object->message.'

'; - $url_public_ticket = ($conf->global->TICKETS_URL_PUBLIC_INTERFACE?$conf->global->TICKETS_URL_PUBLIC_INTERFACE.'/':dol_buildpath('/public/ticket/view.php', 2)).'?track_id='.$object->track_id; + $url_public_ticket = ($conf->global->TICKET_URL_PUBLIC_INTERFACE?$conf->global->TICKET_URL_PUBLIC_INTERFACE.'/':dol_buildpath('/public/ticket/view.php', 2)).'?track_id='.$object->track_id; $message_customer.='

' . $langs->trans('TicketNewEmailBodyInfosTrackUrlCustomer') . ' : '.$url_public_ticket.'

'; $message_customer.='

'.$langs->trans('TicketEmailPleaseDoNotReplyToThisEmail').'

'; - $from = $conf->global->MAIN_INFO_SOCIETE_NOM.'<'.$conf->global->TICKETS_NOTIFICATION_EMAIL_FROM.'>'; + $from = $conf->global->MAIN_INFO_SOCIETE_NOM.'<'.$conf->global->TICKET_NOTIFICATION_EMAIL_FROM.'>'; $replyto = $from; $message_customer = dol_nl2br($message_customer); - if (!empty($conf->global->TICKETS_DISABLE_MAIL_AUTOCOPY_TO)) { + if (!empty($conf->global->TICKET_DISABLE_MAIL_AUTOCOPY_TO)) { $old_MAIN_MAIL_AUTOCOPY_TO = $conf->global->MAIN_MAIL_AUTOCOPY_TO; $conf->global->MAIN_MAIL_AUTOCOPY_TO = ''; } @@ -307,7 +307,7 @@ public function runTrigger($action, $object, User $user, Translate $langs, Conf } else { $result=$mailfile->sendfile(); } - if (!empty($conf->global->TICKETS_DISABLE_MAIL_AUTOCOPY_TO)) { + if (!empty($conf->global->TICKET_DISABLE_MAIL_AUTOCOPY_TO)) { $conf->global->MAIN_MAIL_AUTOCOPY_TO = $old_MAIN_MAIL_AUTOCOPY_TO; } } diff --git a/htdocs/public/ticket/create_ticket.php b/htdocs/public/ticket/create_ticket.php index 0cd27ff0e735d..066471fddff42 100644 --- a/htdocs/public/ticket/create_ticket.php +++ b/htdocs/public/ticket/create_ticket.php @@ -102,7 +102,7 @@ $contacts = $object->searchContactByEmail($origin_email); // Option to require email exists to create ticket - if (!empty($conf->global->TICKETS_EMAIL_MUST_EXISTS) && !$contacts[0]->socid) { + if (!empty($conf->global->TICKET_EMAIL_MUST_EXISTS) && !$contacts[0]->socid) { $error++; array_push($object->errors, $langs->trans("ErrorEmailMustExistToCreateTicket")); $action = ''; @@ -203,24 +203,24 @@ // Send email to customer $subject = '[' . $conf->global->MAIN_INFO_SOCIETE_NOM . '] ' . $langs->transnoentities('TicketNewEmailSubject'); - $message .= ($conf->global->TICKETS_MESSAGE_MAIL_NEW ? $conf->global->TICKETS_MESSAGE_MAIL_NEW : $langs->transnoentities('TicketNewEmailBody')) . "\n\n"; + $message .= ($conf->global->TICKET_MESSAGE_MAIL_NEW ? $conf->global->TICKET_MESSAGE_MAIL_NEW : $langs->transnoentities('TicketNewEmailBody')) . "\n\n"; $message .= $langs->transnoentities('TicketNewEmailBodyInfosTicket') . "\n"; - $url_public_ticket = ($conf->global->TICKETS_URL_PUBLIC_INTERFACE ? $conf->global->TICKETS_URL_PUBLIC_INTERFACE . '/' : dol_buildpath('/public/ticket/view.php', 2)) . '?track_id=' . $object->track_id; + $url_public_ticket = ($conf->global->TICKET_URL_PUBLIC_INTERFACE ? $conf->global->TICKET_URL_PUBLIC_INTERFACE . '/' : dol_buildpath('/public/ticket/view.php', 2)) . '?track_id=' . $object->track_id; $infos_new_ticket = $langs->transnoentities('TicketNewEmailBodyInfosTrackId', '' . $object->track_id . '') . "\n"; $infos_new_ticket .= $langs->transnoentities('TicketNewEmailBodyInfosTrackUrl') . "\n\n"; $message .= dol_nl2br($infos_new_ticket); - $message .= $conf->global->TICKETS_MESSAGE_MAIL_SIGNATURE ? $conf->global->TICKETS_MESSAGE_MAIL_SIGNATURE : $langs->transnoentities('TicketMessageMailSignatureText'); + $message .= $conf->global->TICKET_MESSAGE_MAIL_SIGNATURE ? $conf->global->TICKET_MESSAGE_MAIL_SIGNATURE : $langs->transnoentities('TicketMessageMailSignatureText'); $sendto = GETPOST('email','alpha'); - $from = $conf->global->MAIN_INFO_SOCIETE_NOM . '<' . $conf->global->TICKETS_NOTIFICATION_EMAIL_FROM . '>'; + $from = $conf->global->MAIN_INFO_SOCIETE_NOM . '<' . $conf->global->TICKET_NOTIFICATION_EMAIL_FROM . '>'; $replyto = $from; $message = dol_nl2br($message); - if (!empty($conf->global->TICKETS_DISABLE_MAIL_AUTOCOPY_TO)) { + if (!empty($conf->global->TICKET_DISABLE_MAIL_AUTOCOPY_TO)) { $old_MAIN_MAIL_AUTOCOPY_TO = $conf->global->MAIN_MAIL_AUTOCOPY_TO; $conf->global->MAIN_MAIL_AUTOCOPY_TO = ''; } @@ -231,14 +231,14 @@ } else { $result = $mailfile->sendfile(); } - if (!empty($conf->global->TICKETS_DISABLE_MAIL_AUTOCOPY_TO)) { + if (!empty($conf->global->TICKET_DISABLE_MAIL_AUTOCOPY_TO)) { $conf->global->MAIN_MAIL_AUTOCOPY_TO = $old_MAIN_MAIL_AUTOCOPY_TO; } - // Send email to TICKETS_NOTIFICATION_EMAIL_TO + // Send email to TICKET_NOTIFICATION_EMAIL_TO - $sendto = $conf->global->TICKETS_NOTIFICATION_EMAIL_TO; + $sendto = $conf->global->TICKET_NOTIFICATION_EMAIL_TO; if ($sendto) { @@ -276,12 +276,12 @@ $message_admin .= '

' . $langs->trans('Message') . ' :
' . $object->message . '

'; $message_admin .= '

' . $langs->trans('SeeThisTicketIntomanagementInterface') . '

'; - $from = $conf->global->MAIN_INFO_SOCIETE_NOM . '<' . $conf->global->TICKETS_NOTIFICATION_EMAIL_FROM . '>'; + $from = $conf->global->MAIN_INFO_SOCIETE_NOM . '<' . $conf->global->TICKET_NOTIFICATION_EMAIL_FROM . '>'; $replyto = $from; $message_admin = dol_nl2br($message_admin); - if (!empty($conf->global->TICKETS_DISABLE_MAIL_AUTOCOPY_TO)) { + if (!empty($conf->global->TICKET_DISABLE_MAIL_AUTOCOPY_TO)) { $old_MAIN_MAIL_AUTOCOPY_TO = $conf->global->MAIN_MAIL_AUTOCOPY_TO; $conf->global->MAIN_MAIL_AUTOCOPY_TO = ''; } @@ -292,7 +292,7 @@ } else { $result = $mailfile->sendfile(); } - if (!empty($conf->global->TICKETS_DISABLE_MAIL_AUTOCOPY_TO)) { + if (!empty($conf->global->TICKET_DISABLE_MAIL_AUTOCOPY_TO)) { $conf->global->MAIN_MAIL_AUTOCOPY_TO = $old_MAIN_MAIL_AUTOCOPY_TO; } } @@ -329,7 +329,7 @@ $form = new Form($db); $formticket = new FormTicket($db); -if (!$conf->global->TICKETS_ENABLE_PUBLIC_INTERFACE) { +if (!$conf->global->TICKET_ENABLE_PUBLIC_INTERFACE) { print '
' . $langs->trans('TicketPublicInterfaceForbidden') . '
'; $db->close(); exit(); diff --git a/htdocs/public/ticket/index.php b/htdocs/public/ticket/index.php index 96a3980ddd62c..bb0499f43e69c 100644 --- a/htdocs/public/ticket/index.php +++ b/htdocs/public/ticket/index.php @@ -49,11 +49,11 @@ $arrayofcss = array('/ticket/css/styles.css.php'); llxHeaderTicket($langs->trans("Tickets"), "", 0, 0, $arrayofjs, $arrayofcss); -if (!$conf->global->TICKETS_ENABLE_PUBLIC_INTERFACE) { +if (!$conf->global->TICKET_ENABLE_PUBLIC_INTERFACE) { print '
' . $langs->trans('TicketPublicInterfaceForbidden') . '
'; } else { print '
'; - print '

' . ($conf->global->TICKETS_PUBLIC_TEXT_HOME ? $conf->global->TICKETS_PUBLIC_TEXT_HOME : $langs->trans("TicketPublicDesc")) . '

'; + print '

' . ($conf->global->TICKET_PUBLIC_TEXT_HOME ? $conf->global->TICKET_PUBLIC_TEXT_HOME : $langs->trans("TicketPublicDesc")) . '

'; print '
'; print ''; print ''; diff --git a/htdocs/public/ticket/list.php b/htdocs/public/ticket/list.php index e5e9b98cec418..d8290849f5580 100644 --- a/htdocs/public/ticket/list.php +++ b/htdocs/public/ticket/list.php @@ -144,7 +144,7 @@ $arrayofcss = array('/ticket/css/styles.css.php'); llxHeaderTicket($langs->trans("Tickets"), "", 0, 0, $arrayofjs, $arrayofcss); -if (!$conf->global->TICKETS_ENABLE_PUBLIC_INTERFACE) { +if (!$conf->global->TICKET_ENABLE_PUBLIC_INTERFACE) { print '
' . $langs->trans('TicketPublicInterfaceForbidden') . '
'; $db->close(); exit(); diff --git a/htdocs/public/ticket/view.php b/htdocs/public/ticket/view.php index 473a1dfae40f0..5383133c42ed7 100644 --- a/htdocs/public/ticket/view.php +++ b/htdocs/public/ticket/view.php @@ -133,7 +133,7 @@ llxHeaderTicket($langs->trans("Tickets"), "", 0, 0, $arrayofjs, $arrayofcss); -if (!$conf->global->TICKETS_ENABLE_PUBLIC_INTERFACE) { +if (!$conf->global->TICKET_ENABLE_PUBLIC_INTERFACE) { print '
' . $langs->trans('TicketPublicInterfaceForbidden') . '
'; $db->close(); exit(); diff --git a/htdocs/ticket/card.php b/htdocs/ticket/card.php index 9207ea0286012..78337253b1b70 100644 --- a/htdocs/ticket/card.php +++ b/htdocs/ticket/card.php @@ -166,7 +166,7 @@ if ($res > 0) { // or for unauthorized internals users - if (!$user->societe_id && ($conf->global->TICKETS_LIMIT_VIEW_ASSIGNED_ONLY && $object->fk_user_assign != $user->id) && !$user->rights->ticket->manage) { + if (!$user->societe_id && ($conf->global->TICKET_LIMIT_VIEW_ASSIGNED_ONLY && $object->fk_user_assign != $user->id) && !$user->rights->ticket->manage) { accessforbidden('', 0); } @@ -271,7 +271,7 @@ dol_fiche_end(); } - if (!$user->societe_id && $conf->global->TICKETS_LIMIT_VIEW_ASSIGNED_ONLY) { + if (!$user->societe_id && $conf->global->TICKET_LIMIT_VIEW_ASSIGNED_ONLY) { $object->next_prev_filter = "te.fk_user_assign = '" . $user->id . "'"; } elseif ($user->societe_id > 0) { $object->next_prev_filter = "te.fk_soc = '" . $user->societe_id . "'"; diff --git a/htdocs/ticket/class/actions_ticket.class.php b/htdocs/ticket/class/actions_ticket.class.php index fe4ea373e1e20..72e010eb1f432 100644 --- a/htdocs/ticket/class/actions_ticket.class.php +++ b/htdocs/ticket/class/actions_ticket.class.php @@ -195,14 +195,14 @@ public function doActions(&$action = '', Ticket $object=null) } // Auto assign user - if ($conf->global->TICKETS_AUTO_ASSIGN_USER_CREATE) { + if ($conf->global->TICKET_AUTO_ASSIGN_USER_CREATE) { $result = $object->assignUser($user, $user->id, 1); $object->add_contact($user->id, "SUPPORTTEC", 'internal'); } // Auto assign contrat $contractid = 0; - if ($conf->global->TICKETS_AUTO_ASSIGN_CONTRACT_CREATE) { + if ($conf->global->TICKET_AUTO_ASSIGN_CONTRACT_CREATE) { $contrat = new Contrat($this->db); $contrat->socid = $object->fk_soc; $list = $contrat->getListOfContracts(); @@ -217,7 +217,7 @@ public function doActions(&$action = '', Ticket $object=null) } // Auto create fiche intervention - if ($conf->global->TICKETS_AUTO_CREATE_FICHINTER_CREATE) + if ($conf->global->TICKET_AUTO_CREATE_FICHINTER_CREATE) { $fichinter = new Fichinter($this->db); $fichinter->socid = $object->fk_soc; @@ -637,7 +637,7 @@ private function newMessage($user, &$action) $subject = GETPOST('subject') ? GETPOST('subject') : '[' . $label_title . '- ticket #' . $object->track_id . '] ' . $langs->trans('TicketNewMessage'); $message_intro = $langs->trans('TicketNotificationEmailBody', "#" . $object->id); - $message_signature = GETPOST('mail_signature') ? GETPOST('mail_signature') : $conf->global->TICKETS_MESSAGE_MAIL_SIGNATURE; + $message_signature = GETPOST('mail_signature') ? GETPOST('mail_signature') : $conf->global->TICKET_MESSAGE_MAIL_SIGNATURE; $message = $langs->trans('TicketMessageMailIntroText'); $message .= "\n\n"; @@ -673,9 +673,9 @@ private function newMessage($user, &$action) $message .= "\n" . $langs->trans('TicketNotificationEmailBodyInfosTrackUrlinternal') . ' : ' . '' . $object->track_id . '' . "\n"; // Add global email address recipient - // altairis: use new TICKETS_NOTIFICATION_EMAIL_TO configuration variable - if ($conf->global->TICKETS_NOTIFICATION_ALSO_MAIN_ADDRESS && !in_array($conf->global->TICKETS_NOTIFICATION_EMAIL_TO, $sendto)) { - if(!empty($conf->global->TICKETS_NOTIFICATION_EMAIL_TO)) $sendto[] = $conf->global->TICKETS_NOTIFICATION_EMAIL_TO; + // altairis: use new TICKET_NOTIFICATION_EMAIL_TO configuration variable + if ($conf->global->TICKET_NOTIFICATION_ALSO_MAIN_ADDRESS && !in_array($conf->global->TICKET_NOTIFICATION_EMAIL_TO, $sendto)) { + if(!empty($conf->global->TICKET_NOTIFICATION_EMAIL_TO)) $sendto[] = $conf->global->TICKET_NOTIFICATION_EMAIL_TO; } // altairis: dont try to send email if no recipient @@ -709,8 +709,8 @@ private function newMessage($user, &$action) $label_title = empty($conf->global->MAIN_APPLICATION_TITLE) ? $mysoc->name : $conf->global->MAIN_APPLICATION_TITLE; $subject = GETPOST('subject') ? GETPOST('subject') : '[' . $label_title . '- ticket #' . $object->track_id . '] ' . $langs->trans('TicketNewMessage'); - $message_intro = GETPOST('mail_intro') ? GETPOST('mail_intro') : $conf->global->TICKETS_MESSAGE_MAIL_INTRO; - $message_signature = GETPOST('mail_signature') ? GETPOST('mail_signature') : $conf->global->TICKETS_MESSAGE_MAIL_SIGNATURE; + $message_intro = GETPOST('mail_intro') ? GETPOST('mail_intro') : $conf->global->TICKET_MESSAGE_MAIL_INTRO; + $message_signature = GETPOST('mail_signature') ? GETPOST('mail_signature') : $conf->global->TICKET_MESSAGE_MAIL_SIGNATURE; // We put intro after $message = GETPOST('message'); @@ -731,9 +731,9 @@ private function newMessage($user, &$action) } // If public interface is not enable, use link to internal page into mail - $url_public_ticket = (!empty($conf->global->TICKETS_ENABLE_PUBLIC_INTERFACE) ? - (!empty($conf->global->TICKETS_URL_PUBLIC_INTERFACE) ? - $conf->global->TICKETS_URL_PUBLIC_INTERFACE . '/view.php' : + $url_public_ticket = (!empty($conf->global->TICKET_ENABLE_PUBLIC_INTERFACE) ? + (!empty($conf->global->TICKET_URL_PUBLIC_INTERFACE) ? + $conf->global->TICKET_URL_PUBLIC_INTERFACE . '/view.php' : dol_buildpath('/public/ticket/view.php', 2) ) : dol_buildpath('/ticket/card.php', 2) @@ -757,8 +757,8 @@ private function newMessage($user, &$action) } // altairis: Add global email address reciepient - if ($conf->global->TICKETS_NOTIFICATION_ALSO_MAIN_ADDRESS && !in_array($conf->global->TICKETS_NOTIFICATION_EMAIL_TO, $sendto)) { - if(!empty($conf->global->TICKETS_NOTIFICATION_EMAIL_TO)) $sendto[] = $conf->global->TICKETS_NOTIFICATION_EMAIL_TO; + if ($conf->global->TICKET_NOTIFICATION_ALSO_MAIN_ADDRESS && !in_array($conf->global->TICKET_NOTIFICATION_EMAIL_TO, $sendto)) { + if(!empty($conf->global->TICKET_NOTIFICATION_EMAIL_TO)) $sendto[] = $conf->global->TICKET_NOTIFICATION_EMAIL_TO; } // altairis: dont try to send email when no recipient @@ -867,11 +867,11 @@ private function newMessagePublic($user, &$action) $message .= "\n\n"; - $message_signature = GETPOST('mail_signature') ? GETPOST('mail_signature') : $conf->global->TICKETS_MESSAGE_MAIL_SIGNATURE; + $message_signature = GETPOST('mail_signature') ? GETPOST('mail_signature') : $conf->global->TICKET_MESSAGE_MAIL_SIGNATURE; // Add global email address reciepient - if ($conf->global->TICKETS_NOTIFICATION_ALSO_MAIN_ADDRESS && !in_array($conf->global->TICKETS_NOTIFICATION_EMAIL_FROM, $sendto)) { - $sendto[] = $conf->global->TICKETS_NOTIFICATION_EMAIL_FROM; + if ($conf->global->TICKET_NOTIFICATION_ALSO_MAIN_ADDRESS && !in_array($conf->global->TICKET_NOTIFICATION_EMAIL_FROM, $sendto)) { + $sendto[] = $conf->global->TICKET_NOTIFICATION_EMAIL_FROM; } $this->sendTicketMessageByEmail($subject, $message, '', $sendto); @@ -893,7 +893,7 @@ private function newMessagePublic($user, &$action) $message .= GETPOST('message'); $message .= "\n\n"; - $message_signature = GETPOST('mail_signature') ? GETPOST('mail_signature') : $conf->global->TICKETS_MESSAGE_MAIL_SIGNATURE; + $message_signature = GETPOST('mail_signature') ? GETPOST('mail_signature') : $conf->global->TICKET_MESSAGE_MAIL_SIGNATURE; foreach ($external_contacts as $key => $info_sendto) { if ($info_sendto['email'] != '') { $sendto[] = trim($info_sendto['firstname'] . " " . $info_sendto['lastname']) . " <" . $info_sendto['email'] . ">"; @@ -903,7 +903,7 @@ private function newMessagePublic($user, &$action) $message .= (!empty($recipient) ? $langs->trans('TicketNotificationRecipient') . ' : ' . $recipient . "\n" : ''); } - $url_public_ticket = ($conf->global->TICKETS_URL_PUBLIC_INTERFACE ? $conf->global->TICKETS_URL_PUBLIC_INTERFACE . '/view.php' : dol_buildpath('/public/ticket/view.php', 2)) . '?track_id=' . $object->track_id; + $url_public_ticket = ($conf->global->TICKET_URL_PUBLIC_INTERFACE ? $conf->global->TICKET_URL_PUBLIC_INTERFACE . '/view.php' : dol_buildpath('/public/ticket/view.php', 2)) . '?track_id=' . $object->track_id; $message .= "\n\n" . $langs->trans('TicketNewEmailBodyInfosTrackUrlCustomer') . ' : ' . $url_public_ticket . "\n"; // Add signature @@ -1310,14 +1310,14 @@ function load_previous_next_ref($filter, $fieldid) * * @param string $subject Email subject * @param string $message Email message - * @param int $send_internal_cc Receive a copy on internal email ($conf->global->TICKETS_NOTIFICATION_EMAIL_FROM) + * @param int $send_internal_cc Receive a copy on internal email ($conf->global->TICKET_NOTIFICATION_EMAIL_FROM) * @param array $array_receiver Array of receiver. exemple array('name' => 'John Doe', 'email' => 'john@doe.com', etc...) */ public function sendTicketMessageByEmail($subject, $message, $send_internal_cc = 0, $array_receiver = array()) { global $conf, $langs; - if ($conf->global->TICKETS_DISABLE_ALL_MAILS) { + if ($conf->global->TICKET_DISABLE_ALL_MAILS) { dol_syslog(get_class($this) . '::sendTicketMessageByEmail: Emails are disable into ticket setup by option TICKETSUP_DISABLE_ALL_MAILS', LOG_WARNING); return ''; } @@ -1337,10 +1337,10 @@ public function sendTicketMessageByEmail($subject, $message, $send_internal_cc = } if ($send_internal_cc) { - $sendtocc = $conf->global->TICKETS_NOTIFICATION_EMAIL_FROM; + $sendtocc = $conf->global->TICKET_NOTIFICATION_EMAIL_FROM; } - $from = $conf->global->TICKETS_NOTIFICATION_EMAIL_FROM; + $from = $conf->global->TICKET_NOTIFICATION_EMAIL_FROM; if (is_array($array_receiver) && count($array_receiver) > 0) { foreach ($array_receiver as $key => $receiver) { // Create form object @@ -1355,7 +1355,7 @@ public function sendTicketMessageByEmail($subject, $message, $send_internal_cc = $message_to_send = dol_nl2br($message); // Envoi du mail - if (!empty($conf->global->TICKETS_DISABLE_MAIL_AUTOCOPY_TO)) { + if (!empty($conf->global->TICKET_DISABLE_MAIL_AUTOCOPY_TO)) { $old_MAIN_MAIL_AUTOCOPY_TO = $conf->global->MAIN_MAIL_AUTOCOPY_TO; $conf->global->MAIN_MAIL_AUTOCOPY_TO = ''; } @@ -1377,7 +1377,7 @@ public function sendTicketMessageByEmail($subject, $message, $send_internal_cc = } } } - if (!empty($conf->global->TICKETS_DISABLE_MAIL_AUTOCOPY_TO)) { + if (!empty($conf->global->TICKET_DISABLE_MAIL_AUTOCOPY_TO)) { $conf->global->MAIN_MAIL_AUTOCOPY_TO = $old_MAIN_MAIL_AUTOCOPY_TO; } } diff --git a/htdocs/ticket/class/ticket.class.php b/htdocs/ticket/class/ticket.class.php index 1882904ab4656..de7f39049f8e7 100644 --- a/htdocs/ticket/class/ticket.class.php +++ b/htdocs/ticket/class/ticket.class.php @@ -1525,7 +1525,7 @@ public function createTicketLog(User $user, $message, $noemail = 0) dol_syslog(get_class($this) . "::create_ticket_log sql=" . $sql, LOG_DEBUG); $resql = $this->db->query($sql); if ($resql) { - if ($conf->global->TICKETS_ACTIVATE_LOG_BY_EMAIL && !$noemail) { + if ($conf->global->TICKET_ACTIVATE_LOG_BY_EMAIL && !$noemail) { $this->sendLogByEmail($user, $message); } @@ -1591,14 +1591,14 @@ private function sendLogByEmail($user, $message) $url_internal_ticket = dol_buildpath('/ticket/card.php', 2) . '?track_id=' . $this->track_id; $message .= "\n" . $langs->transnoentities('TicketNotificationEmailBodyInfosTrackUrlinternal') . ' : ' . '' . $this->track_id . '' . "\n"; } else { - $url_public_ticket = ($conf->global->TICKETS_URL_PUBLIC_INTERFACE ? $conf->global->TICKETS_URL_PUBLIC_INTERFACE . '/' : dol_buildpath('/public/ticket/view.php', 2)) . '?track_id=' . $this->track_id; + $url_public_ticket = ($conf->global->TICKET_URL_PUBLIC_INTERFACE ? $conf->global->TICKET_URL_PUBLIC_INTERFACE . '/' : dol_buildpath('/public/ticket/view.php', 2)) . '?track_id=' . $this->track_id; $message .= "\n" . $langs->transnoentities('TicketNewEmailBodyInfosTrackUrlCustomer') . ' : ' . '' . $this->track_id . '' . "\n"; } $message .= "\n"; $message .= $langs->transnoentities('TicketEmailPleaseDoNotReplyToThisEmail') . "\n"; - $from = $conf->global->MAIN_INFO_SOCIETE_NOM . '<' . $conf->global->TICKETS_NOTIFICATION_EMAIL_FROM . '>'; + $from = $conf->global->MAIN_INFO_SOCIETE_NOM . '<' . $conf->global->TICKET_NOTIFICATION_EMAIL_FROM . '>'; $replyto = $from; // Init to avoid errors @@ -1608,7 +1608,7 @@ private function sendLogByEmail($user, $message) $message = dol_nl2br($message); - if (!empty($conf->global->TICKETS_DISABLE_MAIL_AUTOCOPY_TO)) { + if (!empty($conf->global->TICKET_DISABLE_MAIL_AUTOCOPY_TO)) { $old_MAIN_MAIL_AUTOCOPY_TO = $conf->global->MAIN_MAIL_AUTOCOPY_TO; $conf->global->MAIN_MAIL_AUTOCOPY_TO = ''; } @@ -1622,7 +1622,7 @@ private function sendLogByEmail($user, $message) $nb_sent++; } } - if (!empty($conf->global->TICKETS_DISABLE_MAIL_AUTOCOPY_TO)) { + if (!empty($conf->global->TICKET_DISABLE_MAIL_AUTOCOPY_TO)) { $conf->global->MAIN_MAIL_AUTOCOPY_TO = $old_MAIN_MAIL_AUTOCOPY_TO; } } @@ -2244,7 +2244,7 @@ public function messageSend($subject, $texte) $message = dol_nl2br($message); - if (!empty($conf->global->TICKETS_DISABLE_MAIL_AUTOCOPY_TO)) { + if (!empty($conf->global->TICKET_DISABLE_MAIL_AUTOCOPY_TO)) { $old_MAIN_MAIL_AUTOCOPY_TO = $conf->global->MAIN_MAIL_AUTOCOPY_TO; $conf->global->MAIN_MAIL_AUTOCOPY_TO = ''; } @@ -2276,7 +2276,7 @@ public function messageSend($subject, $texte) $this->error = $mailfile->error; //dol_syslog("Notify::send ".$this->error, LOG_ERR); } - if (!empty($conf->global->TICKETS_DISABLE_MAIL_AUTOCOPY_TO)) { + if (!empty($conf->global->TICKET_DISABLE_MAIL_AUTOCOPY_TO)) { $conf->global->MAIN_MAIL_AUTOCOPY_TO = $old_MAIN_MAIL_AUTOCOPY_TO; } } diff --git a/htdocs/ticket/contact.php b/htdocs/ticket/contact.php index 71b5c65b13783..e96fb015c047e 100644 --- a/htdocs/ticket/contact.php +++ b/htdocs/ticket/contact.php @@ -138,7 +138,7 @@ dol_fiche_end(); } - if (!$user->societe_id && $conf->global->TICKETS_LIMIT_VIEW_ASSIGNED_ONLY) { + if (!$user->societe_id && $conf->global->TICKET_LIMIT_VIEW_ASSIGNED_ONLY) { $object->next_prev_filter = "te.fk_user_assign = '" . $user->id . "'"; } elseif ($user->societe_id > 0) { $object->next_prev_filter = "te.fk_soc = '" . $user->societe_id . "'"; diff --git a/htdocs/ticket/css/styles.css.php b/htdocs/ticket/css/styles.css.php index ffcff73bb78f6..f8368f7e5f2b6 100644 --- a/htdocs/ticket/css/styles.css.php +++ b/htdocs/ticket/css/styles.css.php @@ -50,7 +50,7 @@ html { global->TICKETS_SHOW_MODULE_LOGO)) { +if (! empty($conf->global->TICKET_SHOW_MODULE_LOGO)) { print 'background: url("../public/img/bg_ticket.png") no-repeat 95% 90%;'; } ?> diff --git a/htdocs/ticket/document.php b/htdocs/ticket/document.php index b5ba65b9eba06..e31cd98912d6d 100644 --- a/htdocs/ticket/document.php +++ b/htdocs/ticket/document.php @@ -105,7 +105,7 @@ dol_fiche_end(); } - if (!$user->societe_id && $conf->global->TICKETS_LIMIT_VIEW_ASSIGNED_ONLY) { + if (!$user->societe_id && $conf->global->TICKET_LIMIT_VIEW_ASSIGNED_ONLY) { $object->next_prev_filter = "te.fk_user_assign = '" . $user->id . "'"; } elseif ($user->societe_id > 0) { $object->next_prev_filter = "te.fk_soc = '" . $user->societe_id . "'"; diff --git a/htdocs/ticket/history.php b/htdocs/ticket/history.php index 59dc7fdd95d52..c982acf3a3a38 100644 --- a/htdocs/ticket/history.php +++ b/htdocs/ticket/history.php @@ -90,7 +90,7 @@ accessforbidden('', 0); } // or for unauthorized internals users - if (!$user->societe_id && ($conf->global->TICKETS_LIMIT_VIEW_ASSIGNED_ONLY && $object->fk_user_assign != $user->id) && !$user->rights->ticket->manage) { + if (!$user->societe_id && ($conf->global->TICKET_LIMIT_VIEW_ASSIGNED_ONLY && $object->fk_user_assign != $user->id) && !$user->rights->ticket->manage) { accessforbidden('', 0); } @@ -102,7 +102,7 @@ dol_fiche_end(); } - if (!$user->societe_id && $conf->global->TICKETS_LIMIT_VIEW_ASSIGNED_ONLY) { + if (!$user->societe_id && $conf->global->TICKET_LIMIT_VIEW_ASSIGNED_ONLY) { $object->next_prev_filter = "te.fk_user_assign = '" . $user->id . "'"; } elseif ($user->societe_id > 0) { $object->next_prev_filter = "te.fk_soc = '" . $user->societe_id . "'"; diff --git a/htdocs/ticket/index.php b/htdocs/ticket/index.php index ca4ec8a700504..92fe366c65cd3 100644 --- a/htdocs/ticket/index.php +++ b/htdocs/ticket/index.php @@ -139,7 +139,7 @@ $sql .= " AND t.fk_soc='" . $user->societe_id . "'"; } else { // For internals users, - if (!empty($conf->global->TICKETS_LIMIT_VIEW_ASSIGNED_ONLY) && !$user->rights->ticket->manage) { + if (!empty($conf->global->TICKET_LIMIT_VIEW_ASSIGNED_ONLY) && !$user->rights->ticket->manage) { $sql .= " AND t.fk_user_assign=" . $user->id; } } @@ -283,7 +283,7 @@ $sql .= " AND t.fk_soc='" . $user->societe_id . "'"; } else { // Restricted to assigned user only - if ($conf->global->TICKETS_LIMIT_VIEW_ASSIGNED_ONLY && !$user->rights->ticket->manage) { + if ($conf->global->TICKET_LIMIT_VIEW_ASSIGNED_ONLY && !$user->rights->ticket->manage) { $sql .= " AND t.fk_user_assign=" . $user->id; } } diff --git a/htdocs/ticket/list.php b/htdocs/ticket/list.php index b3df986cde7db..cc3291a5e0096 100644 --- a/htdocs/ticket/list.php +++ b/htdocs/ticket/list.php @@ -216,7 +216,7 @@ if ($search_all) $sql.= natural_search(array_keys($fieldstosearchall), $search_all); if ($search_fk_soc) $sql.= natural_search('fk_soc', $search_fk_soc); if ($search_fk_project) $sql.= natural_search('fk_project', $search_fk_project); -if (!$user->societe_id && ($mode == "my_assign" || (!$user->admin && $conf->global->TICKETS_LIMIT_VIEW_ASSIGNED_ONLY))) { +if (!$user->societe_id && ($mode == "my_assign" || (!$user->admin && $conf->global->TICKET_LIMIT_VIEW_ASSIGNED_ONLY))) { $sql.= " AND t.fk_user_assign=".$user->id; } From 2113965b57e1e2dd27cd728c4969a28ed2926894 Mon Sep 17 00:00:00 2001 From: Laurent Destailleur Date: Fri, 6 Jul 2018 14:26:21 +0200 Subject: [PATCH 23/62] Update html.formactions.class.php --- htdocs/core/class/html.formactions.class.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/htdocs/core/class/html.formactions.class.php b/htdocs/core/class/html.formactions.class.php index a39b48400178b..bd22470d95210 100644 --- a/htdocs/core/class/html.formactions.class.php +++ b/htdocs/core/class/html.formactions.class.php @@ -196,7 +196,7 @@ function showactions($object, $typeelement, $socid=0, $forceshowtitle=0, $morecs if (! empty($conf->agenda->enabled)) { - $buttontoaddnewevent = ''; + $buttontoaddnewevent = ''; $buttontoaddnewevent.= $langs->trans("AddEvent"); $buttontoaddnewevent.= ''; } From ed6ec8138d6624a346d0d985cf2439b8b7d790c8 Mon Sep 17 00:00:00 2001 From: Laurent Destailleur Date: Fri, 6 Jul 2018 16:06:15 +0200 Subject: [PATCH 24/62] Fix filter on invoice status --- htdocs/compta/facture/list.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/htdocs/compta/facture/list.php b/htdocs/compta/facture/list.php index d5d320e6d3232..75dce3c01a3c6 100644 --- a/htdocs/compta/facture/list.php +++ b/htdocs/compta/facture/list.php @@ -442,7 +442,7 @@ if ($search_montant_ttc != '') $sql.= natural_search('f.total_ttc', $search_montant_ttc, 1); if ($search_categ_cus > 0) $sql.= " AND cc.fk_categorie = ".$db->escape($search_categ_cus); if ($search_categ_cus == -2) $sql.= " AND cc.fk_categorie IS NULL"; -if ($search_status != '') +if ($search_status != '-1' && $search_status != '') { if (is_numeric($search_status) && $search_status >= 0) { From 1e565486d88d908d6bd54b0390026e29df6e0525 Mon Sep 17 00:00:00 2001 From: Philippe GRAND Date: Fri, 6 Jul 2018 19:17:11 +0200 Subject: [PATCH 25/62] fix : typo and update code --- htdocs/product/document.php | 17 +++++------------ 1 file changed, 5 insertions(+), 12 deletions(-) diff --git a/htdocs/product/document.php b/htdocs/product/document.php index 34337218a625a..83d59a26a909d 100644 --- a/htdocs/product/document.php +++ b/htdocs/product/document.php @@ -288,11 +288,11 @@ print ''; - $delauft_lang = empty($lang_id) ? $langs->getDefaultLang() : $lang_id; + $default_lang = empty($lang_id) ? $langs->getDefaultLang() : $lang_id; $langs_available = $langs->get_available_languages(DOL_DOCUMENT_ROOT, 12); - print Form::selectarray('lang_id', $langs_available, $delauft_lang, 0, 0, 0, '', 0, 0, 0, 'ASC'); + print Form::selectarray('lang_id', $langs_available, $default_lang, 0, 0, 0, '', 0, 0, 0, 'ASC'); if ($conf->global->MAIN_MULTILANGS) { print ''; @@ -301,25 +301,18 @@ print ''; } - $style = 'impair'; foreach ($filearray as $filetoadd) { if ($ext = pathinfo($filetoadd['name'], PATHINFO_EXTENSION) == 'pdf') { - if ($style == 'pair') { - $style = 'impair'; - } else { - $style = 'pair'; - } - $checked = ''; $filename = $filetoadd['name']; if ($conf->global->MAIN_MULTILANGS) { - if (array_key_exists($filetoadd['name'] . '_' . $delauft_lang, $filetomerge->lines)) + if (array_key_exists($filetoadd['name'] . '_' . $default_lang, $filetomerge->lines)) { - $filename = $filetoadd['name'] . ' - ' . $langs->trans('Language_' . $delauft_lang); + $filename = $filetoadd['name'] . ' - ' . $langs->trans('Language_' . $default_lang); $checked = ' checked '; } } @@ -331,7 +324,7 @@ } } - print ''; + print ''; print '' . $filename . ''; print ''; } From 655d55eae66c75e00b6863e7ce6c3938da21f6ef Mon Sep 17 00:00:00 2001 From: Alexandre SPANGARO Date: Sat, 7 Jul 2018 02:46:56 +0200 Subject: [PATCH 26/62] Add customer accountancy code on deposit slips export --- htdocs/core/modules/modBanque.class.php | 32 ++++++++++++------------- 1 file changed, 16 insertions(+), 16 deletions(-) diff --git a/htdocs/core/modules/modBanque.class.php b/htdocs/core/modules/modBanque.class.php index 6b25e2c8254ce..602085b9f5a92 100644 --- a/htdocs/core/modules/modBanque.class.php +++ b/htdocs/core/modules/modBanque.class.php @@ -63,9 +63,9 @@ function __construct($db) // Data directories to create when module is enabled $this->dirs = array("/banque/temp"); - // Config pages - //------------- - $this->config_page_url = array("bank.php"); + // Config pages + //------------- + $this->config_page_url = array("bank.php"); // Dependancies $this->depends = array(); @@ -160,11 +160,11 @@ function __construct($db) 'b.datec'=>"account","bu.url_id"=>"company","s.nom"=>"company","s.code_compta"=>"company","s.code_compta_fournisseur"=>"company" ); $this->export_special_array[$r]=array('-b.amount'=>'NULLIFNEG','b.amount'=>'NULLIFNEG'); - if (empty($conf->fournisseur->enabled)) - { - unset($this->export_fields_array[$r]['s.code_compta_fournisseur']); - unset($this->export_entities_array[$r]['s.code_compta_fournisseur']); - } + if (empty($conf->fournisseur->enabled)) + { + unset($this->export_fields_array[$r]['s.code_compta_fournisseur']); + unset($this->export_entities_array[$r]['s.code_compta_fournisseur']); + } $this->export_sql_start[$r]='SELECT DISTINCT '; $this->export_sql_end[$r] =' FROM ('.MAIN_DB_PREFIX.'bank_account as ba, '.MAIN_DB_PREFIX.'bank as b)'; $this->export_sql_end[$r] .=' LEFT JOIN '.MAIN_DB_PREFIX."bank_url as bu ON (bu.fk_bank = b.rowid AND bu.type = 'company')"; @@ -178,10 +178,10 @@ function __construct($db) $this->export_label[$r]='Bordereaux remise Chq/Fact'; $this->export_permission[$r]=array(array("banque","export")); $this->export_fields_array[$r]=array("bch.rowid"=>"DepositId","bch.ref"=>"Numero","bch.ref_ext"=>"RefExt",'ba.ref'=>'AccountRef','ba.label'=>'AccountLabel','b.datev'=>'DateValue','b.num_chq'=>'ChequeOrTransferNumber','b.amount'=>'Credit','b.num_releve'=>'AccountStatement','b.datec'=>"DateCreation", - "bch.date_bordereau"=>"Date","bch.amount"=>"Total","bch.nbcheque"=>"NbCheque","bu.url_id"=>"IdThirdParty","s.nom"=>"ThirdParty","f.facnumber"=>"InvoiceRef" + "bch.date_bordereau"=>"Date","bch.amount"=>"Total","bch.nbcheque"=>"NbCheque","bu.url_id"=>"IdThirdParty","s.nom"=>"ThirdParty","s.code_compta"=>"CustomerAccountancyCode","f.facnumber"=>"InvoiceRef" ); $this->export_TypeFields_array[$r]=array('ba.ref'=>'Text','ba.label'=>'Text','b.datev'=>'Date','b.num_chq'=>'Text','b.amount'=>'Numeric','b.num_releve'=>'Text','b.datec'=>"Date", - "bch.date_bordereau"=>"Date","bch.rowid"=>"Numeric","bch.ref"=>"Numeric","bch.ref_ext"=>"Text","bch.amount"=>"Numeric","bch.nbcheque"=>"Numeric","bu.url_id"=>"Text","s.nom"=>"Text","f.facnumber"=>"Text" + "bch.date_bordereau"=>"Date","bch.rowid"=>"Numeric","bch.ref"=>"Numeric","bch.ref_ext"=>"Text","bch.amount"=>"Numeric","bch.nbcheque"=>"Numeric","bu.url_id"=>"Text","s.nom"=>"Text","s.code_compta"=>"Text","f.facnumber"=>"Text" ); $this->export_entities_array[$r]=array('ba.ref'=>'account','ba.label'=>'account','b.datev'=>'account','b.num_chq'=>'account','b.amount'=>'account','b.num_releve'=>'account','b.datec'=>"account", "bu.url_id"=>"company","s.nom"=>"company","s.code_compta"=>"company","s.code_compta_fournisseur"=>"company","f.facnumber"=>"invoice"); @@ -203,12 +203,12 @@ function __construct($db) } - /** - * Function called when module is enabled. - * The init function add constants, boxes, permissions and menus (defined in constructor) into Dolibarr database. - * It also creates data directories. - * - * @param string $options Options when enabling module ('', 'noboxes') + /** + * Function called when module is enabled. + * The init function add constants, boxes, permissions and menus (defined in constructor) into Dolibarr database. + * It also creates data directories. + * + * @param string $options Options when enabling module ('', 'noboxes') * @return int 1 if OK, 0 if KO */ function init($options='') From 5944c161bc7224bf81cc07fe214063de4b502406 Mon Sep 17 00:00:00 2001 From: Steve Date: Sat, 7 Jul 2018 08:41:17 +0200 Subject: [PATCH 27/62] spelling and some grammar corrections for installation texts en_US --- htdocs/langs/en_US/admin.lang | 190 ++++++++++++++++---------------- htdocs/langs/en_US/help.lang | 20 ++-- htdocs/langs/en_US/install.lang | 132 +++++++++++----------- htdocs/langs/en_US/main.lang | 16 +-- 4 files changed, 179 insertions(+), 179 deletions(-) diff --git a/htdocs/langs/en_US/admin.lang b/htdocs/langs/en_US/admin.lang index 960bee03aefe4..404dc6c2c37de 100644 --- a/htdocs/langs/en_US/admin.lang +++ b/htdocs/langs/en_US/admin.lang @@ -10,9 +10,9 @@ VersionDevelopment=Development VersionUnknown=Unknown VersionRecommanded=Recommended FileCheck=Files integrity checker -FileCheckDesc=This tool allows you to check the integrity of files and setup of your application, comparing each files with the official ones. Value of some setup constants may also be checked. You can use this tool to detect if some files were modified by a hacker for example. +FileCheckDesc=This tool allows you to check the integrity of files and the setup of your application, comparing each file with the official one. The value of some setup constants may also be checked. You can use this tool to detect if some files were modified by a hacker, for example. FileIntegrityIsStrictlyConformedWithReference=Files integrity is strictly conformed with the reference. -FileIntegrityIsOkButFilesWereAdded=Files integrity check has passed, however some new files were added. +FileIntegrityIsOkButFilesWereAdded=Files integrity check has passed, however some new files have been added. FileIntegritySomeFilesWereRemovedOrModified=Files integrity check has failed. Some files were modified, removed or added. GlobalChecksum=Global checksum MakeIntegrityAnalysisFrom=Make integrity analysis of application files from @@ -30,14 +30,14 @@ SessionSaveHandler=Handler to save sessions SessionSavePath=Storage session localization PurgeSessions=Purge of sessions ConfirmPurgeSessions=Do you really want to purge all sessions? This will disconnect every user (except yourself). -NoSessionListWithThisHandler=Save session handler configured in your PHP does not allow to list all running sessions. +NoSessionListWithThisHandler=Save session handler configured in your PHP does not allow listing all running sessions. LockNewSessions=Lock new connections -ConfirmLockNewSessions=Are you sure you want to restrict any new Dolibarr connection to yourself. Only user %s will be able to connect after that. +ConfirmLockNewSessions=Are you sure you want to restrict any new Dolibarr connection to yourself? Only user %s will be able to connect after that. UnlockNewSessions=Remove connection lock YourSession=Your session -Sessions=Users session +Sessions=Users sessions WebUserGroup=Web server user/group -NoSessionFound=Your PHP seems to not allow to list active sessions. Directory used to save sessions (%s) might be protected (For example, by OS permissions or by PHP directive open_basedir). +NoSessionFound=Your PHP seems to not allow listing of active sessions. The directory used to save sessions (%s) might be protected (For example, by OS permissions or by PHP directive open_basedir). DBStoringCharset=Database charset to store data DBSortingCharset=Database charset to sort data ClientCharset=Client charset @@ -68,8 +68,8 @@ ErrorCodeCantContainZero=Code can't contain value 0 DisableJavascript=Disable JavaScript and Ajax functions (Recommended for blind person or text browsers) 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=Wait you press a key before loading content of thirdparties combo list (This may increase performance if you have a large number of thirdparties, but it is less convenient) -DelaiedFullListToSelectContact=Wait you press a key before loading content of contact combo list (This may increase performance if you have a large number of contact, but it is less convenient) +DelaiedFullListToSelectCompany=Wait you press a key before loading content of third-parties combo list (This may increase performance if you have a large number of third-parties, but it is less convenient) +DelaiedFullListToSelectContact=Wait you press a key before loading content of contact combo list (This may increase performance if you have a large number of contacts, but it is less convenient) NumberOfKeyToSearch=Nbr of characters to trigger search: %s NotAvailableWhenAjaxDisabled=Not available when Ajax disabled AllowToSelectProjectFromOtherCompany=On document of a third party, can choose a project linked to another third party @@ -80,7 +80,7 @@ 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 submited string. The timezone has effect only when using 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=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 Table=Table Fields=Fields @@ -118,7 +118,7 @@ Destination=Destination IdModule=Module ID IdPermissions=Permissions ID LanguageBrowserParameter=Parameter %s -LocalisationDolibarrParameters=Localisation parameters +LocalisationDolibarrParameters=Localization parameters ClientTZ=Client Time Zone (user) ClientHour=Client time (user) OSTZ=Server OS Time Zone @@ -126,8 +126,8 @@ PHPTZ=PHP server Time Zone DaylingSavingTime=Daylight saving time CurrentHour=PHP Time (server) CurrentSessionTimeOut=Current session timeout -YouCanEditPHPTZ=To set a different PHP timezone (not required), you can try to add a file .htaccess with a line like this "SetEnv TZ Europe/Paris" -HoursOnThisPageAreOnServerTZ=Warning, in contrary of other screens, hours on this page are not in your local timezone, but for the timezone of the server. +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" +HoursOnThisPageAreOnServerTZ=Warning, in contrary of other screens, hours on this page are not in your local timezone, but of the timezone of the server. Box=Widget Boxes=Widgets MaxNbOfLinesForBoxes=Max number of lines for widgets @@ -195,10 +195,10 @@ BoxesDesc=Widgets are components showing some information that you can add to pe OnlyActiveElementsAreShown=Only elements from enabled modules are shown. ModulesDesc=Dolibarr modules define which application/feature is enabled in software. Some application/modules require permissions you must grant to users, after activating it. Click on button on/off to enable a module/application. ModulesMarketPlaceDesc=You can find more modules to download on external websites on the Internet... -ModulesDeployDesc=If permissions on your file system allows it, you can use this tool to deploy an external module. The module wil then be visible on the tab %s. +ModulesDeployDesc=If permissions on your file system allows 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 can develop or find a partner to develop for you, your personalised module +ModulesDevelopDesc=You can develop or find a partner to develop for you, your personalized module DOLISTOREdescriptionLong=Instead of switching on www.dolistore.com web site to find an external module, you can use this embedded tool that will make the seach on the external market place for you (may be slow, need an internet access)... NewModule=New FreeModule=Free @@ -246,8 +246,8 @@ ExternalResources=External resources SocialNetworks=Social Networks 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=This area can help you to get a Help support service on Dolibarr. -HelpCenterDesc2=Some part of this service are available in english only. +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 MeasuringUnit=Measuring unit LeftMargin=Left margin @@ -269,20 +269,20 @@ MAIN_MAIL_SMTP_SERVER=SMTP/SMTPS Host (By default 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 (By default in php.ini: %s) -MAIN_MAIL_ERRORS_TO=Eemail used for error returns emails (fields 'Errors-To' in emails sent) +MAIN_MAIL_ERRORS_TO=Email used for error returns emails (fields 'Errors-To' in emails sent) MAIN_MAIL_AUTOCOPY_TO= Send systematically a hidden carbon-copy of all sent emails to -MAIN_DISABLE_ALL_MAILS=Disable all emails sendings (for test purposes or demos) +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=Add employees users with email into allowed destinaries list +MAIN_MAIL_ENABLED_USER_DEST_SELECT=Add employees users with email into allowed recipient list MAIN_MAIL_SENDMODE=Method to use to send EMails MAIN_MAIL_SMTPS_ID=SMTP ID if authentication required MAIN_MAIL_SMTPS_PW=SMTP Password if authentication required MAIN_MAIL_EMAIL_TLS= Use TLS (SSL) encrypt MAIN_MAIL_EMAIL_STARTTLS= Use TLS (STARTTLS) encrypt -MAIN_DISABLE_ALL_SMS=Disable all SMS sendings (for test purposes or demos) +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=Sender email by default for manual sendings (User email or Company email) +MAIN_MAIL_SMS_FROM=Default sender phone number for SMS sending +MAIN_MAIL_DEFAULT_FROMTYPE=Sender email by default 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. @@ -317,7 +317,7 @@ SetupIsReadyForUse=Module deployment is finished. You must however enable and se NotExistsDirect=The alternative root directory is not defined to an existing directory.
InfDirAlt=Since version 3, it is possible to define an alternative root directory. This allows you to store, into a dedicated directory, plug-ins and custom templates.
Just create a directory at the root of Dolibarr (eg: custom).
InfDirExample=
Then declare it in the file conf.php
$dolibarr_main_url_root_alt='/custom'
$dolibarr_main_document_root_alt='/path/of/dolibarr/htdocs/custom'
If these lines are commented with "#", to enable them, just uncomment by removing the "#" character. -YouCanSubmitFile=For this step, you can submit the .zip file of module package here : +YouCanSubmitFile=For this step, you can submit the .zip file of module package here: CurrentVersion=Dolibarr current version CallUpdatePage=Go to the page that updates the database structure and data: %s. LastStableVersion=Latest stable version @@ -370,9 +370,9 @@ ResponseTimeout=Response timeout SmsTestMessage=Test message from __PHONEFROM__ to __PHONETO__ ModuleMustBeEnabledFirst=Module %s must be enabled first if you need this feature. SecurityToken=Key to secure URLs -NoSmsEngine=No SMS sender manager available. SMS sender manager are not installed with default distribution (because they depends on an external supplier) but you can find some on %s +NoSmsEngine=No SMS sender manager available. A SMS sender manager is not installed with the default distribution because they depend on an external supplier, but you can find some on %s PDF=PDF -PDFDesc=You can set each global options related to the PDF generation +PDFDesc=You can set each global option related to the PDF generation PDFAddressForging=Rules to forge address boxes HideAnyVATInformationOnPDF=Hide all information related to Sales tax / VAT on generated PDF PDFRulesForSalesTax=Rules for Sales Tax / VAT @@ -387,7 +387,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 to non admin users for unauthorized actions instead of showing greyed disabled buttons +ButtonHideUnauthorized=Hide buttons to non-admin users for unauthorized actions instead of showing greyed disabled buttons OldVATRates=Old VAT rate NewVATRates=New VAT rate PriceBaseTypeToChange=Modify on prices with base reference value defined on @@ -432,7 +432,7 @@ DefaultLink=Default link SetAsDefault=Set as default ValueOverwrittenByUserSetup=Warning, this value may be overwritten by user specific setup (each user can set his own clicktodial url) ExternalModule=External module - Installed into directory %s -BarcodeInitForThirdparties=Mass barcode init for thirdparties +BarcodeInitForthird-parties=Mass barcode init for third-parties BarcodeInitForProductsOrServices=Mass barcode init or reset for products or services CurrentlyNWithoutBarCode=Currently, you have %s record on %s %s without barcode defined. InitEmptyBarCode=Init value for next %s empty records @@ -446,14 +446,14 @@ NoDetails=No more details in footer DisplayCompanyInfo=Display company address DisplayCompanyManagers=Display manager names DisplayCompanyInfoAndManagers=Display company address and manager names -EnableAndSetupModuleCron=If you want to have this recurring invoice beeing generated automatically, module *%s* must be enabled and correctly setup. Otherwise, generation of invoices must be done manually from this template with button *Create*. Note that even if you enabled automatic generation, you can still safely launch manual generation. Duplicates generation for same period are not possible. +EnableAndSetupModuleCron=If you want to have this recurring invoice generated automatically, module *%s* must be enabled and correctly setup. Otherwise, generation of invoices must be done manually from this template using the *Create* button. Note that even if you enabled automatic generation, you can still safely launch manual generation. Generation of duplicates for the same period is not possible. ModuleCompanyCodeCustomerAquarium=%s followed by third party customer code for a customer accounting code ModuleCompanyCodeSupplierAquarium=%s followed by third party supplier code for a supplier accounting code ModuleCompanyCodePanicum=Return an empty accounting code. ModuleCompanyCodeDigitaria=Accounting code depends on third party code. The code is composed of the character "C" in the first position followed by the first 5 characters of the third party code. Use3StepsApproval=By default, Purchase Orders need to be created and approved by 2 different users (one step/user to create and one step/user to approve. Note that if user has both permission to create and approve, one step/user will be enough). You can ask with this option to introduce a third step/user approval, if amount is higher than a dedicated value (so 3 steps will be necessary: 1=validation, 2=first approval and 3=second approval if amount is enough).
Set this to empty if one approval (2 steps) is enough, set it to a very low value (0.1) if a second approval (3 steps) is always required. UseDoubleApproval=Use a 3 steps approval when amount (without tax) is higher than... -WarningPHPMail=WARNING: It is often better to setup outgoing emails to use the email server of your provider instead of the default setup. Some email providers (like Yahoo) does not allow you to send an email from another server than their own server. Your current setup use 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 a server of them, so few of your sent Emails may not be accepted (be carefull also to your email provider sending quota).
If your Email provider (like Yahoo) has this restriction, you must change Email setup to choose the other method "SMTP server" and enter the SMTP server and credentials provided by your Email provider (ask your EMail provider to get SMTP credentials for your account). +WarningPHPMail=WARNING: It is often better to setup outgoing emails to use the email server of your provider instead of the default setup. Some email 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 a server of them, so few of your sent Emails may not be accepted (be careful also to your email provider sending quota).
If your Email provider (like Yahoo) has this restriction, you must change Email setup to choose the other method "SMTP server" and enter the SMTP server and credentials provided by your Email provider (ask your EMail provider to get SMTP credentials for your account). WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of the mail user agent (MUA) for your ERP CRM application: %s. ClickToShowDescription=Click to show description DependsOn=This module need the module(s) @@ -461,10 +461,10 @@ RequiredBy=This module is required by module(s) TheKeyIsTheNameOfHtmlField=This is the name of the HTML field. This need to have technical knowledges to read the content of the HTML page to get the key name of a field. PageUrlForDefaultValues=You must enter here the relative url of the page. If you include parameters in URL, the default values will be effective if all parameters are set to same value. Examples: PageUrlForDefaultValuesCreate=
For form to create a new thirdparty, it is %s,
If you want default value only if url has some parameter, you can use %s -PageUrlForDefaultValuesList=
For page that list thirdparties, it is %s,
If you want default value only if url has some parameter, you can use %s +PageUrlForDefaultValuesList=
For page that list third-parties, it is %s,
If you want default value only if url has some parameter, you can use %s EnableDefaultValues=Enable usage of personalized default values EnableOverwriteTranslation=Enable usage of overwrote translation -GoIntoTranslationMenuToChangeThis=A translation has been found for the key with this code, so to change this value, you must edit it fom Home-Setup-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. Field=Field ProductDocumentTemplates=Document templates to generate product document @@ -511,13 +511,13 @@ Module52Desc=Stock management (products) Module53Name=Services Module53Desc=Service management Module54Name=Contracts/Subscriptions -Module54Desc=Management of contracts (services or reccuring subscriptions) +Module54Desc=Management of contracts (services or recurring subscriptions) Module55Name=Barcodes Module55Desc=Barcode management Module56Name=Telephony Module56Desc=Telephony integration Module57Name=Direct bank payment orders -Module57Desc=Management of Direct Debit payment orders. It includes generation of SEPA file for european countries. +Module57Desc=Management of Direct Debit payment orders. It includes generation of SEPA file for European countries. Module58Name=ClickToDial Module58Desc=Integration of a ClickToDial system (Asterisk, ...) Module59Name=Bookmark4u @@ -531,17 +531,17 @@ Module80Desc=Shipments and delivery order management Module85Name=Banks and cash Module85Desc=Management of bank or cash accounts Module100Name=External site -Module100Desc=This module include an external web site or page into Dolibarr menus and view it into a Dolibarr frame +Module100Desc=This module includes an external web site or page into Dolibarr menus and view it into a Dolibarr frame Module105Name=Mailman and SPIP Module105Desc=Mailman or SPIP interface for member module Module200Name=LDAP -Module200Desc=LDAP directory synchronisation +Module200Desc=LDAP directory synchronization Module210Name=PostNuke Module210Desc=PostNuke integration Module240Name=Data exports Module240Desc=Tool to export Dolibarr data (with assistants) Module250Name=Data imports -Module250Desc=Tool to import data in Dolibarr (with assistants) +Module250Desc=Tool to import data in Dolibarr (with assistants) Module310Name=Members Module310Desc=Foundation members management Module320Name=RSS Feed @@ -582,7 +582,7 @@ Module2200Desc=Enable the usage of math expressions for prices Module2300Name=Scheduled jobs Module2300Desc=Scheduled jobs management (alias cron or chrono table) Module2400Name=Events/Agenda -Module2400Desc=Follow done and upcoming events. Let application logs automatic events for tracking purposes or record manual events or rendez-vous. This is the main important module for a good Customer or Supplier Relationship Management. +Module2400Desc=Follow done and upcoming events. Let application log automatic events for tracking purposes or record manual events or rendezvous. This is the main important module for a good Customer or Supplier Relationship Management. Module2500Name=DMS / ECM Module2500Desc=Document Management System / Electronic Content Management. Automatic organization of your generated or stored documents. Share them when you need. Module2600Name=API/Web services (SOAP server) @@ -621,7 +621,7 @@ Module50200Desc=Module to offer an online payment page accepting payments using Module50400Name=Accounting (advanced) Module50400Desc=Accounting management (double entries, support general and auxiliary ledgers). Export the ledger in several other accounting software format. Module54000Name=PrintIPP -Module54000Desc=Direct print (without opening the documents) using Cups IPP interface (Printer must be visible from server, and CUPS must be installe on server). +Module54000Desc=Direct print (without opening the documents) using Cups IPP interface (Printer must be visible from server, and CUPS must be installed on server). Module55000Name=Poll, Survey or Vote Module55000Desc=Module to make online polls, surveys or votes (like Doodle, Studs, Rdvz, ...) Module59000Name=Margins @@ -651,9 +651,9 @@ Permission32=Create/modify products Permission34=Delete products Permission36=See/manage hidden products Permission38=Export products -Permission41=Read projects and tasks (shared project and projects i'm contact for). Can also enter time consumed, for me or my hierarchy, on assigned tasks (Timesheet) -Permission42=Create/modify projects (shared project and projects i'm contact for). Can also create tasks and assign users to project and tasks -Permission44=Delete projects (shared project and projects i'm contact for) +Permission41=Read projects and tasks (shared project and projects I'm contact for). Can also enter time consumed, for me or my hierarchy, on assigned tasks (Timesheet) +Permission42=Create/modify projects (shared project and projects I'm contact for). Can also create tasks and assign users to project and tasks +Permission44=Delete projects (shared project and projects I'm contact for) Permission45=Export projects Permission61=Read interventions Permission62=Create/modify interventions @@ -725,7 +725,7 @@ Permission187=Close supplier orders Permission188=Cancel supplier orders Permission192=Create lines Permission193=Cancel lines -Permission194=Read the bandwith lines +Permission194=Read the bandwidth lines Permission202=Create ADSL connections Permission203=Order connections orders Permission204=Order connections @@ -750,12 +750,12 @@ Permission244=See the contents of the hidden categories Permission251=Read other users and groups PermissionAdvanced251=Read other users Permission252=Read permissions of other users -Permission253=Create/modify other users, groups and permisssions +Permission253=Create/modify other users, groups and permissions PermissionAdvanced253=Create/modify internal/external users and permissions Permission254=Create/modify external users only Permission255=Modify other users password Permission256=Delete or disable other users -Permission262=Extend access to all third parties (not only third parties that user is a sale representative).
Not effective for external users (always limited to themselves for proposals, orders, invoices, contracts, etc).
Not effective for projects (only rules on project permissions, visibility and assignement matters). +Permission262=Extend access to all third parties (not only third parties that user is a sale representative).
Not effective for external users (always limited to themselves for proposals, orders, invoices, contracts, etc.).
Not effective for projects (only rules on project permissions, visibility and assignment matters). Permission271=Read CA Permission272=Read invoices Permission273=Issue invoices @@ -880,8 +880,8 @@ Permission63001=Read resources Permission63002=Create/modify resources Permission63003=Delete resources Permission63004=Link resources to agenda events -DictionaryCompanyType=Types of thirdparties -DictionaryCompanyJuridicalType=Legal forms of thirdparties +DictionaryCompanyType=Types of third-parties +DictionaryCompanyJuridicalType=Legal forms of third-parties DictionaryProspectLevel=Prospect potential level DictionaryCanton=State/Province DictionaryRegion=Regions @@ -921,8 +921,8 @@ BackToModuleList=Back to modules list BackToDictionaryList=Back to dictionaries list TypeOfRevenueStamp=Type of tax stamp VATManagement=VAT Management -VATIsUsedDesc=By default when creating prospects, invoices, orders etc the VAT rate follows the active standard rule:
If the seller is not subjected to VAT, then VAT defaults to 0. End of rule.
If the (selling country= buying country), then the VAT by default equals the VAT of the product in the selling country. End of rule.
If seller and buyer are both in the European Community and goods are transport products (car, ship, plane), the default VAT is 0 ( The VAT should be paid by the buyer to the customoffice of his country and not to the seller). End of rule.
If seller and buyer are both in the European Community and the buyer is not a company, then the VAT by defaults to the VAT of the product sold. End of rule.
If seller and buyer are both in the European Community and the buyer is a company, then the VAT is 0 by default . End of rule.
In any othe case the proposed default is VAT=0. End of rule. -VATIsNotUsedDesc=By default the proposed VAT is 0 which can be used for cases like associations, individuals ou small companies. +VATIsUsedDesc=By default when creating prospects, invoices, orders etc. the VAT rate follows the active standard rule:
If the seller is not subjected to VAT, then VAT defaults to 0. End of rule.
If the (selling country= buying country), then the VAT by default equals the VAT of the product in the selling country. End of rule.
If seller and buyer are both in the European Community and goods are transport products (car, ship, plane), the default VAT is 0 (the VAT should be paid by the buyer to the customs office of his country and not to the seller). End of rule.
If seller and buyer are both in the European Community and the buyer is not a company, then the VAT by defaults to the VAT of the product sold. End of rule.
If seller and buyer are both in the European Community and the buyer is a company, then the VAT is 0 by default . End of rule.
In any other case the proposed default is VAT=0. End of rule. +VATIsNotUsedDesc=By default the proposed VAT is 0 which can be used for cases like associations, individuals or small companies. VATIsUsedExampleFR=In France, it means companies or organizations having a real fiscal system (Simplified real or normal real). A system in which VAT is declared. VATIsNotUsedExampleFR=In France, it means associations that are non VAT declared or companies, organizations or liberal professions that have chosen the micro enterprise fiscal system (VAT in franchise) and paid a franchise VAT without any VAT declaration. This choice will display the reference "Non applicable VAT - art-293B of CGI" on invoices. ##### Local Taxes ##### @@ -940,15 +940,15 @@ LocalTax2Management=Third type of tax LocalTax2IsUsedExample= LocalTax2IsNotUsedExample= LocalTax1ManagementES= RE Management -LocalTax1IsUsedDescES= The RE rate by default when creating prospects, invoices, orders etc follow the active standard rule:
If te buyer is not subjected to RE, RE by default=0. End of rule.
If the buyer is subjected to RE then the RE by default. End of rule.
+LocalTax1IsUsedDescES= The RE rate by default when creating prospects, invoices, orders etc. follow the active standard rule:
If the buyer is not subjected to RE, RE by default=0. End of rule.
If the buyer is subjected to RE then the RE by default. End of rule.
LocalTax1IsNotUsedDescES= By default the proposed RE is 0. End of rule. LocalTax1IsUsedExampleES= In Spain they are professionals subject to some specific sections of the Spanish IAE. LocalTax1IsNotUsedExampleES= In Spain they are professional and societies and subject to certain sections of the Spanish IAE. LocalTax2ManagementES= IRPF Management -LocalTax2IsUsedDescES= The RE rate by default when creating prospects, invoices, orders etc follow the active standard rule:
If the seller is not subjected to IRPF, then IRPF by default=0. End of rule.
If the seller is subjected to IRPF then the IRPF by default. End of rule.
+LocalTax2IsUsedDescES= The RE rate by default when creating prospects, invoices, orders etc. follow the active standard rule:
If the seller is not subjected to IRPF, then IRPF by default=0. End of rule.
If the seller is subjected to IRPF then the IRPF by default. End of rule.
LocalTax2IsNotUsedDescES= By default the proposed IRPF is 0. End of rule. LocalTax2IsUsedExampleES= In Spain, freelancers and independent professionals who provide services and companies who have chosen the tax system of modules. -LocalTax2IsNotUsedExampleES= In Spain they are bussines not subject to tax system of modules. +LocalTax2IsNotUsedExampleES= In Spain they are businesses not subject to tax system of modules. CalcLocaltax=Reports on local taxes CalcLocaltax1=Sales - Purchases CalcLocaltax1Desc=Local Taxes reports are calculated with the difference between localtaxes sales and localtaxes purchases @@ -996,13 +996,13 @@ Skin=Skin theme DefaultSkin=Default skin theme MaxSizeList=Max length for list DefaultMaxSizeList=Default max length for lists -DefaultMaxSizeShortList=Default max length for short lists (ie in customer card) +DefaultMaxSizeShortList=Default max length for short lists (i.e. in customer card) MessageOfDay=Message of the day MessageLogin=Login page message LoginPage=Login page BackgroundImageLogin=Background image PermanentLeftSearchForm=Permanent search form on left menu -DefaultLanguage=Default language to use (language code) +DefaultLanguage=Default language to use (variant) EnableMultilangInterface=Enable multilingual interface EnableShowLogo=Show logo on left menu CompanyInfo=Company/organization information @@ -1033,7 +1033,7 @@ Delays_MAIN_DELAY_PROPALS_TO_BILL=Delay tolerance (in days) before alert on prop Delays_MAIN_DELAY_NOT_ACTIVATED_SERVICES=Tolerance delay (in days) before alert on services to activate Delays_MAIN_DELAY_RUNNING_SERVICES=Tolerance delay (in days) before alert on expired services Delays_MAIN_DELAY_SUPPLIER_BILLS_TO_PAY=Tolerance delay (in days) before alert on unpaid supplier invoices -Delays_MAIN_DELAY_CUSTOMER_BILLS_UNPAYED=Tolerence delay (in days) before alert on unpaid client invoices +Delays_MAIN_DELAY_CUSTOMER_BILLS_UNPAYED=Tolerance delay (in days) before alert on unpaid client invoices Delays_MAIN_DELAY_TRANSACTIONS_TO_CONCILIATE=Tolerance delay (in days) before alert on pending bank reconciliation Delays_MAIN_DELAY_MEMBERS=Tolerance delay (in days) before alert on delayed membership fee Delays_MAIN_DELAY_CHEQUES_TO_DEPOSIT=Tolerance delay (in days) before alert for cheques deposit to do @@ -1069,7 +1069,7 @@ ToActivateModule=To activate modules, go on setup Area (Home->Setup->Modules). SessionTimeOut=Time out for session SessionExplanation=This number guarantee that session will never expire before this delay, if the session cleaner is done by Internal PHP session cleaner (and nothing else). Internal PHP session cleaner does not guaranty that session will expire just after this delay. It will expire, after this delay, and when the session cleaner is ran, so every %s/%s access, but only during access made by other sessions.
Note: on some servers with an external session cleaning mechanism (cron under debian, ubuntu ...), the sessions can be destroyed after a period defined by the default session.gc_maxlifetime, no matter what the value entered here. TriggersAvailable=Available triggers -TriggersDesc=Triggers are files that will modify the behaviour of Dolibarr workflow once copied into the directory htdocs/core/triggers. They realised new actions, activated on Dolibarr events (new company creation, invoice validation, ...). +TriggersDesc=Triggers are files that will modify the behavior of Dolibarr workflow once copied into the directory htdocs/core/triggers. They realize new actions, activated on Dolibarr events (new company creation, invoice validation, ...). TriggerDisabledByName=Triggers in this file are disabled by the -NORUN suffix in their name. TriggerDisabledAsModuleDisabled=Triggers in this file are disabled as module %s is disabled. TriggerAlwaysActive=Triggers in this file are always active, whatever are the activated Dolibarr modules. @@ -1079,7 +1079,7 @@ DictionaryDesc=Insert all reference data. You can add your values to the default ConstDesc=This page allows you to edit all other parameters not available in previous pages. These are mostly reserved parameters for developers or advanced troubleshooting. For a list of options check here. MiscellaneousDesc=All other security related parameters are defined here. LimitsSetup=Limits/Precision setup -LimitsDesc=You can define limits, precisions and optimisations used by Dolibarr here +LimitsDesc=You can define limits, precisions and optimizations used by Dolibarr here MAIN_MAX_DECIMALS_UNIT=Max decimals for unit prices MAIN_MAX_DECIMALS_TOT=Max decimals for total prices MAIN_MAX_DECIMALS_SHOWN=Max decimals for prices shown on screen (Add ... after this number if you want to see ... when number is truncated when shown on screen) @@ -1088,16 +1088,16 @@ UnitPriceOfProduct=Net unit price of a product TotalPriceAfterRounding=Total price (net/vat/incl tax) after rounding ParameterActiveForNextInputOnly=Parameter effective for next input only NoEventOrNoAuditSetup=No security event has been recorded yet. This can be normal if audit has not been enabled on "setup - security - audit" page. -NoEventFoundWithCriteria=No security event has been found for such search criterias. +NoEventFoundWithCriteria=No security event has been found for this search criteria. SeeLocalSendMailSetup=See your local sendmail setup BackupDesc=To make a complete backup of Dolibarr, you must: BackupDesc2=Save content of documents directory (%s) that contains all uploaded and generated files (So it includes all dump files generated at step 1). BackupDesc3=Save content of your database (%s) into a dump file. For this, you can use following assistant. BackupDescX=Archived directory should be stored in a secure place. BackupDescY=The generated dump file should be stored in a secure place. -BackupPHPWarning=Backup can't be guaranted with this method. Prefer previous one +BackupPHPWarning=Backup cannot be guaranteed with this method. Prefer previous one RestoreDesc=To restore a Dolibarr backup, you must: -RestoreDesc2=Restore archive file (zip file for example) of documents directory to extract tree of files in documents directory of a new Dolibarr installation or into this current documents directoy (%s). +RestoreDesc2=Restore archive file (zip file for example) of documents directory to extract tree of files in documents directory of a new Dolibarr installation or into this current documents directory (%s). RestoreDesc3=Restore the data, from a backup dump file, into the database of the new Dolibarr installation or into the database of this current installation (%s). Warning, once restore is finished, you must use a login/password, that existed when backup was made, to connect again. To restore a backup database into this current installation, you can follow this assistant. RestoreMySQL=MySQL import ForcedToByAModule= This rule is forced to %s by an activated module @@ -1118,7 +1118,7 @@ MeteoPercentageMod=Percentage mode MeteoPercentageModEnabled=Percentage mode enabled MeteoUseMod=Click to use %s TestLoginToAPI=Test login to API -ProxyDesc=Some features of Dolibarr need to have an Internet access to work. Define here parameters for this. If the Dolibarr server is behind a Proxy server, those parameters tells Dolibarr how to access Internet through it. +ProxyDesc=Some features of Dolibarr need to have internet access to work. Define here the parameters for this. If the Dolibarr server is behind a Proxy server, these parameters tell Dolibarr how to access the internet through it. ExternalAccess=External access MAIN_PROXY_USE=Use a proxy server (otherwise direct access to internet) MAIN_PROXY_HOST=Name/Address of proxy server @@ -1158,7 +1158,7 @@ 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 exists in any language files +TransKeyWithoutOriginalValue=You forced a new translation for the translation key '%s' that does not exist in any language files TotalNumberOfActivatedModules=Activated application/modules: %s / %s YouMustEnableOneModule=You must at least enable 1 module ClassNotFoundIntoPathWarning=Class %s not found into PHP path @@ -1167,15 +1167,15 @@ OnlyFollowingModulesAreOpenedToExternalUsers=Note, only following modules are op SuhosinSessionEncrypt=Session storage encrypted by Suhosin ConditionIsCurrently=Condition is currently %s YouUseBestDriver=You use driver %s that is best driver available currently. -YouDoNotUseBestDriver=You use drive %s but driver %s is recommended. -NbOfProductIsLowerThanNoPb=You have only %s products/services into database. This does not required any particular optimization. +YouDoNotUseBestDriver=You use driver %s but driver %s is recommended. +NbOfProductIsLowerThanNoPb=You have only %s products/services in the database. This does not require any particular optimization. SearchOptim=Search optimization YouHaveXProductUseSearchOptim=You have %s product into database. You should add the constant PRODUCT_DONOTSEARCH_ANYWHERE to 1 into Home-Setup-Other, you limit the search to the beginning of strings making possible for database to use index and you should get an immediate response. -BrowserIsOK=You are using the web browser %s. This browser is ok for security and performance. -BrowserIsKO=You are using the web browser %s. This browser is known to be a bad choice for security, performance and reliability. We recommand you to use Firefox, Chrome, Opera or Safari. +BrowserIsOK=You are using the %s web browser. This browser is ok for security and performance. +BrowserIsKO=You are using the %s web browser. This browser is known to be a bad choice for security, performance and reliability. We recommend using Firefox, Chrome, Opera or Safari. XDebugInstalled=XDebug is loaded. XCacheInstalled=XCache is loaded. -AddRefInList=Display customer/supplier ref into list (select list or combobox) and most of hyperlink. Third parties will appears with name "CC12345 - SC45678 - The big company coorp", instead of "The big company coorp". +AddRefInList=Display customer/supplier ref into list (select list or combobox) and most of hyperlink. Third parties will appear with name "CC12345 - SC45678 - The big company coorp", instead of "The big company corp". AskForPreferredShippingMethod=Ask for preferred Sending Method for Third Parties. FieldEdition=Edition of field %s FillThisOnlyIfRequired=Example: +2 (fill only if timezone offset problems are experienced) @@ -1343,11 +1343,11 @@ LDAPTestSynchroMemberType=Test member type synchronization LDAPTestSearch= Test a LDAP search LDAPSynchroOK=Synchronization test successful LDAPSynchroKO=Failed synchronization test -LDAPSynchroKOMayBePermissions=Failed synchronization test. Check that connexion to server is correctly configured and allows LDAP udpates +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/Authentificate to LDAP server successful (Server=%s, Port=%s, Admin=%s, Password=%s) -LDAPBindKO=Connect/Authentificate to LDAP server failed (Server=%s, Port=%s, Admin=%s, Password=%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 @@ -1409,26 +1409,26 @@ LDAPDescMembersTypes=This page allows you to define LDAP attributes name in LDAP 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 -YouMayFindPerfAdviceHere=You will find on this page some checks or advices related to performance. +YouMayFindPerfAdviceHere=You will find on this page some checks or advice related to performance. NotInstalled=Not installed, so your server is not slow down by this. ApplicativeCache=Applicative cache 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. May be you use another OPCode cache than XCache or eAccelerator (good), may be you don't have OPCode cache (very bad). +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 exemple using the Apache directive "ExpiresByType image/gif A2592000" +CacheByServerDesc=For example using the Apache directive "ExpiresByType image/gif A2592000" CacheByClient=Cache by browser CompressionOfResources=Compression of HTTP responses -CompressionOfResourcesDesc=For exemple using the Apache directive "AddOutputFilterByType DEFLATE" +CompressionOfResourcesDesc=For example using the Apache directive "AddOutputFilterByType DEFLATE" TestNotPossibleWithCurrentBrowsers=Such an automatic detection is not possible with current browsers -DefaultValuesDesc=You can define/force here the default value you want to get when your create a new record, and/or defaut filters or sort order when your list record. +DefaultValuesDesc=You can define/force here the default value you want to get when you create a new record, and/or default filters or sort order when your list record. DefaultCreateForm=Default values (on forms to create) DefaultSearchFilters=Default search filters DefaultSortOrder=Default sort orders @@ -1441,7 +1441,7 @@ NumberOfProductShowInSelect=Max number of products in combos select lists (0=no ViewProductDescInFormAbility=Visualization of product descriptions in the forms (otherwise as popup tooltip) MergePropalProductCard=Activate in product/service Attached Files tab an option to merge product PDF document to proposal PDF azur if product/service is in the proposal ViewProductDescInThirdpartyLanguageAbility=Visualization of products descriptions in the third party language -UseSearchToSelectProductTooltip=Also if you have a large number of product (> 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. +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 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 @@ -1503,7 +1503,7 @@ SendingsSetup=Sending 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 is received and signed by customer. So product deliveries receipts is a duplicated feature and is rarely activated. +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 ##### Deliveries ##### DeliveryOrderNumberingModules=Products deliveries receipt numbering module @@ -1515,18 +1515,18 @@ AdvancedEditor=Advanced editor ActivateFCKeditor=Activate advanced editor for: FCKeditorForCompany=WYSIWIG creation/edition of elements description and note (except products/services) FCKeditorForProduct=WYSIWIG creation/edition of products/services description and note -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 formating when building PDF files. +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. FCKeditorForMailing= WYSIWIG creation/edition for mass eMailings (Tools->eMailing) FCKeditorForUserSignature=WYSIWIG creation/edition of user signature FCKeditorForMail=WYSIWIG creation/edition for all mail (except Tools->eMailing) ##### OSCommerce 1 ##### -OSCommerceErrorConnectOkButWrongDatabase=Connection succeeded but database doesn't look to be an OSCommerce database (Key %s not found in table %s). -OSCommerceTestOk=Connection to server '%s' on database '%s' with user '%s' successfull. +OSCommerceErrorConnectOkButWrongDatabase=Connection succeeded but database does not appear to be an OSCommerce database (Key %s not found in table %s). +OSCommerceTestOk=Connection to server '%s' on database '%s' with user '%s' successful. OSCommerceTestKo1=Connection to server '%s' succeed but database '%s' could not be reached. OSCommerceTestKo2=Connection to server '%s' with user '%s' failed. ##### Stock ##### StockSetup=Stock module setup -IfYouUsePointOfSaleCheckModule=If you use a Point of Sale module (POS module provided by default or another external module), this setup may be ignored by your Point Of Sale module. Most point of sales modules are designed to create immediatly an invoice and decrease stock by default whatever are options here. So, if you need or not to have a stock decrease when registering a sell from your Point Of Sale, check also your POS module set up. +IfYouUsePointOfSaleCheckModule=If you use a Point of Sale module (POS module provided by default or another external module), this setup may be ignored by your Point Of Sale module. Most point of sales modules are designed to create an invoice immediately and decrease stock by default whatever are options here. So, if you need or not to have a stock decrease when registering a sale from your Point Of Sale, check also your POS module setup. ##### Menu ##### MenuDeleted=Menu deleted Menus=Menus @@ -1548,7 +1548,7 @@ DetailRight=Condition to display unauthorized grey menus DetailLangs=Lang file name for label code translation DetailUser=Intern / Extern / All Target=Target -DetailTarget=Target for links (_blank top open a new window) +DetailTarget=Target for links (_blank top opens a new window) DetailLevel=Level (-1:top menu, 0:header menu, >0 menu and sub menu) ModifMenu=Menu change DeleteMenu=Delete menu entry @@ -1563,7 +1563,7 @@ OptionVatDefaultDesc=VAT is due:
- on delivery for goods (we use invoice date OptionVatDebitOptionDesc=VAT is due:
- on delivery for goods (we use 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 exigibility by default according to chosen option: +SummaryOfVatExigibilityUsedByDefault=Time of VAT eligibility by default according to chosen option: OnDelivery=On delivery OnPayment=On payment OnInvoice=On invoice @@ -1586,7 +1586,7 @@ AGENDA_DEFAULT_FILTER_TYPE=Set automatically this type of event into search filt AGENDA_DEFAULT_FILTER_STATUS=Set automatically this status for events into search filter of agenda view AGENDA_DEFAULT_VIEW=Which tab do you want to open by default when selecting menu Agenda AGENDA_REMINDER_EMAIL=Enable event reminder by emails (remind option/delay can be defined on each event). Note: Module %s must be enabled and correctly setup to have reminder sent at the correct frequency. -AGENDA_REMINDER_BROWSER=Enable event reminder on users browser (when event date is reached, each user is able to refuse this from the browser confirmation question) +AGENDA_REMINDER_BROWSER=Enable event reminder on user's browser (when event date is reached, each user is able to refuse this from the browser confirmation question) AGENDA_REMINDER_BROWSER_SOUND=Enable sound notification AGENDA_SHOW_LINKED_OBJECT=Show linked object into agenda view ##### Clicktodial ##### @@ -1594,7 +1594,7 @@ 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 allows to make phone numbers clickable. A click on this icon will call make your phone to call the phone number. This can be used to call a call center system from Dolibarr that can call the phone number on a SIP system for example. 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 same computer than the browser, and called when you click on a link in your browser that start 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. +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 start 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. ##### Point Of Sales (CashDesk) ##### CashDesk=Point of sales CashDeskSetup=Point of sales module setup @@ -1606,10 +1606,10 @@ CashDeskDoNotDecreaseStock=Disable stock decrease when a sell is done from Point 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 lot management -CashDeskYouDidNotDisableStockDecease=You did not disable stock decrease when making a sell from Point Of Sale. So a warehouse is required. +CashDeskYouDidNotDisableStockDecease=You did not disable stock decrease when making a sale from Point Of Sale. Hence a warehouse is required. ##### Bookmark ##### BookmarkSetup=Bookmark module setup -BookmarkDesc=This module allows you to manage bookmarks. You can also add shortcuts to any Dolibarr pages or externale web sites on your left menu. +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 ##### WebServices ##### WebServicesSetup=Webservices module setup @@ -1637,7 +1637,7 @@ ChequeReceiptsNumberingModule=Cheque Receipts Numbering module MultiCompanySetup=Multi-company module setup ##### Suppliers ##### SuppliersSetup=Supplier module setup -SuppliersCommandModel=Complete template of prchase order (logo...) +SuppliersCommandModel=Complete template of purchase order (logo...) SuppliersInvoiceModel=Complete template of vendor invoice (logo...) SuppliersInvoiceNumberingModel=Supplier invoices numbering models IfSetToYesDontForgetPermission=If set to yes, don't forget to provide permissions to groups or users allowed for the second approval @@ -1654,7 +1654,7 @@ ProjectsSetup=Project module setup ProjectsModelModule=Project reports document model TasksNumberingModules=Tasks numbering module TaskModelModule=Tasks reports document model -UseSearchToSelectProject=Wait you press a key before loading content of project combo list (This may increase performance if you have a large number of project, but it is less convenient) +UseSearchToSelectProject=Wait until you press a key before loading content of project combo list (this may improve performance if you have a large number of projects, but it is less convenient) ##### ECM (GED) ##### ##### Fiscal Year ##### AccountingPeriods=Accounting periods @@ -1712,13 +1712,13 @@ BackgroundTableLineEvenColor=Background color for even table lines MinimumNoticePeriod=Minimum notice period (Your leave request must be done before this delay) 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. -UnicodeCurrency=Enter here between braces, list of byte number that represent the currency symbol. For exemple: for $, enter [36] - for brazil real R$ [82,36] - for €, enter [8364] +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 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 offer a page or web site to check status of your shipping, you can enter it here. You can use the key {TRACKID} into URL parameters so the system will replace it with value of tracking number user entered into shipment card. -OpportunityPercent=When you create an opportunity, you will defined an estimated amount of project/lead. According to status of opportunity, this amount may be multiplicated by this rate to evaluate global amount all your opportunities may generate. Value is percent (between 0 and 100). +OpportunityPercent=When you create an opportunity, you will define an estimated amount of project/lead. According to status of opportunity, this amount may be multiplied by this rate to evaluate global amount all your opportunities may generate. Value is percent (between 0 and 100). TemplateForElement=This template record is dedicated to which element TypeOfTemplate=Type of template TemplateIsVisibleByOwnerOnly=Template is visible by owner only @@ -1748,7 +1748,7 @@ TitleExampleForMajorRelease=Example of message you can use to announce this majo 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 it contains only fixes of bugs. We recommend everybody using an older version to upgrade to this one. As any maintenance release, no new features, nor data structure change is present into this version. 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. -MultiPriceRuleDesc=When option "Several level of prices per product/service" is on, you can define different prices (one per price level) for each product. To save you time, you can enter here rule to have price for each level autocalculated according to price of first level, so you will have to enter only price for first level on each product. This page is here to save you time and can be usefull only if your prices for each leve are relative to first level. You can ignore this page in most cases. +MultiPriceRuleDesc=When option "Several level of prices per product/service" is on, you can define different prices (one per price level) for each product. To save you time, you can enter here rule to have price for each level autocalculated according to price of first level, so you will have to enter only price for first level on each product. This page is here to save you time and can be 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 ToGenerateCodeDefineAutomaticRuleFirst=To be able to generate automatically codes, you must first define a manager to auto define barcode number. SeeSubstitutionVars=See * note for list of possible substitution variables @@ -1773,8 +1773,8 @@ AddSubstitutions=Add keys substitutions DetectionNotPossible=Detection not possible UrlToGetKeyToUseAPIs=Url to get token to use API (once token has been received it is saved on 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 correclty. Please install module "%2$s" or disable module "%1$s" if you want to be safe from any surprise -CommandIsNotInsideAllowedCommands=The command you try to run is not inside list of allowed commands defined into parameter $dolibarr_main_restrict_os_commands into conf.php file. +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 try to run is not in the list of allowed commands defined into 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", price will be also 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. @@ -1783,13 +1783,13 @@ TypeCdr=Use "None" if the date of payment term is date of invoice plus a delta i 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 try to install the module %s that is an external module. Activating an external module means you trust the publisher of the module and you are sure that this module does not alterate negatively the behavior of your application and is compliant with laws of your country (%s). If the module bring a non legal feature, you become responsible for the use of a non legal software. +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 impact adversely 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 a illegal software. MAIN_PDF_MARGIN_LEFT=Left margin on PDF MAIN_PDF_MARGIN_RIGHT=Right margin on PDF MAIN_PDF_MARGIN_TOP=Top margin on PDF MAIN_PDF_MARGIN_BOTTOM=Bottom margin on PDF SetToYesIfGroupIsComputationOfOtherGroups=Set this to yes if this group is a computation of other groups -EnterCalculationRuleIfPreviousFieldIsYes=Enter calculcation rule if previous field was set to Yes (For example 'CODEGRP1+CODEGRP2') +EnterCalculationRuleIfPreviousFieldIsYes=Enter calculation rule if previous field was set to Yes (For example 'CODEGRP1+CODEGRP2') SeveralLangugeVariatFound=Several language variants found COMPANY_AQUARIUM_REMOVE_SPECIAL=Remove special characters COMPANY_AQUARIUM_CLEAN_REGEX=Regex filter to clean value (COMPANY_AQUARIUM_CLEAN_REGEX) diff --git a/htdocs/langs/en_US/help.lang b/htdocs/langs/en_US/help.lang index 2ddbc51ce3a5b..d5a19d6d11992 100644 --- a/htdocs/langs/en_US/help.lang +++ b/htdocs/langs/en_US/help.lang @@ -5,9 +5,9 @@ RemoteControlSupport=Online real time / remote support OtherSupport=Other support ToSeeListOfAvailableRessources=To contact/see available resources: HelpCenter=Help center -DolibarrHelpCenter=Dolibarr help and support center -ToGoBackToDolibarr=Otherwise, click here to use Dolibarr -TypeOfSupport=Source of support +DolibarrHelpCenter=Dolibarr Help and Support Center +ToGoBackToDolibarr=Otherwise, click here to continue to use Dolibarr. +TypeOfSupport=Type of support TypeSupportCommunauty=Community (free) TypeSupportCommercial=Commercial TypeOfHelp=Type @@ -15,12 +15,12 @@ NeedHelpCenter=Need help or support? Efficiency=Efficiency TypeHelpOnly=Help only TypeHelpDev=Help+Development -TypeHelpDevForm=Help+Development+Formation -ToGetHelpGoOnSparkAngels1=Some companies can provide a fast (sometime immediate) and more efficient online support by taking control of your computer. Such helpers can be found on %s web site: -ToGetHelpGoOnSparkAngels3=You can also go to the list of all available coaches for Dolibarr, for this click on button -ToGetHelpGoOnSparkAngels2=Sometimes, there is no company available at the moment you make your search, so think to change the filter to look for "all availability". You will be able to send more requests. -BackToHelpCenter=Otherwise, click here to go back to help center home page. -LinkToGoldMember=You can call one of the coach preselected by Dolibarr for your language (%s) by clicking his Widget (status and maximum price are automatically updated): +TypeHelpDevForm=Help+Development+Training +ToGetHelpGoOnSparkAngels1=Some companies can provide a fast (sometime immediate) and more efficient online support by remote control of your computer. Such help can be found on %s web site: +ToGetHelpGoOnSparkAngels3=You can also go to the list of all available trainers for Dolibarr, for this click on button +ToGetHelpGoOnSparkAngels2=Sometimes, there is no company available when you make your search, so change the filter to look for "all availability". You will be able to send more requests. +BackToHelpCenter=Otherwise, go back to Help center home page. +LinkToGoldMember=You can call one of the trainers preselected by Dolibarr for your language (%s) by clicking their Widget (status and maximum price are automatically updated): PossibleLanguages=Supported languages -SubscribeToFoundation=Help Dolibarr project, subscribe to the foundation +SubscribeToFoundation=Help the Dolibarr project, subscribe to the foundation SeeOfficalSupport=For official Dolibarr support in your language:
%s diff --git a/htdocs/langs/en_US/install.lang b/htdocs/langs/en_US/install.lang index 00d4be864ff55..629ac02233100 100644 --- a/htdocs/langs/en_US/install.lang +++ b/htdocs/langs/en_US/install.lang @@ -2,37 +2,37 @@ 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 ! +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 granted to be able to write into this file during configuration process ("chmod 666" for example on a Unix like OS). +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=Reload all information from configuration file. +ConfFileReload=Reloading parameters from configuration file. PHPSupportSessions=This PHP supports sessions. PHPSupportPOSTGETOk=This PHP supports variables POST and GET. -PHPSupportPOSTGETKo=It's possible your PHP setup does not support variables POST and/or GET. Check your parameter variables_order in php.ini. -PHPSupportGD=This PHP support GD graphical functions. -PHPSupportCurl=This PHP support Curl. -PHPSupportUTF8=This PHP support UTF8 functions. +PHPSupportPOSTGETKo=It's possible your PHP setup does not support variables POST and/or GET. Check the parameter variables_order in php.ini. +PHPSupportGD=This PHP supports GD graphical functions. +PHPSupportCurl=This PHP supports Curl. +PHPSupportUTF8=This PHP supports UTF8 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 should be too low. Change your php.ini to set memory_limit parameter to at least %s bytes. -Recheck=Click here for a more significative test -ErrorPHPDoesNotSupportSessions=Your PHP installation does not support sessions. This feature is required to make Dolibarr working. Check your PHP setup. -ErrorPHPDoesNotSupportGD=Your PHP installation does not support graphical function GD. No graph will be available. +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. -ErrorPHPDoesNotSupportUTF8=Your PHP installation does not support UTF8 functions. Dolibarr can't work correctly. Solve this before installing Dolibarr. +ErrorPHPDoesNotSupportUTF8=Your PHP installation does not support UTF8 functions. Dolibarr cannot work correctly. Resolve this before installing Dolibarr. ErrorDirDoesNotExists=Directory %s does not exist. -ErrorGoBackAndCorrectParameters=Go backward and correct wrong parameters. +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 successfull but database '%s' not found. +ErrorConnectedButDatabaseNotFound=Connection to server successful but database '%s' not found. ErrorDatabaseAlreadyExists=Database '%s' already exists. -IfDatabaseNotExistsGoBackAndUncheckCreate=If database does not exists, go back and check option "Create database". +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=Too old version of browser. Upgrading your browser to a recent version of Firefox, Chrome or Opera is highly recommanded. +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 @@ -45,22 +45,22 @@ DolibarrDatabase=Dolibarr Database DatabaseType=Database type DriverType=Driver type Server=Server -ServerAddressDescription=Name or ip address for database server, usually 'localhost' when database server is hosted on same server than web server +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 DatabaseName=Database name -DatabasePrefix=Database prefix table -AdminLogin=Login for Dolibarr database owner. -PasswordAgain=Retype password a second time +DatabasePrefix=Database table prefix +AdminLogin=User account for the Dolibarr database owner. +PasswordAgain=Retype password confirmation AdminPassword=Password for Dolibarr database owner. CreateDatabase=Create database -CreateUser=Create owner or grant him permission on database +CreateUser=Create user account or grant user account permission on the Dolibarr database DatabaseSuperUserAccess=Database server - Superuser access -CheckToCreateDatabase=Check box if database does not exist and must be created.
In this case, you must fill the login/password for superuser account at the bottom of this page. -CheckToCreateUser=Check box if database owner does not exist and must be created, or if it exists but database does not exists and permissions must be granted.
In this case, you must choose its login and password and also fill the login/password for the superuser account at the bottom of this page. If this box is unchecked, owner database and its passwords must exists. -DatabaseRootLoginDescription=Login of the user allowed to create new databases or new users, mandatory if your database or its owner does not already exists. -KeepEmptyIfNoPassword=Leave empty if user has no password (avoid this) -SaveConfigurationFile=Save values +CheckToCreateDatabase=Check the box if the database does not exist yet and so must be created.
In this case, you must fill in the user name and password for the superuser account at the bottom of this page. +CheckToCreateUser=Check the box if:
the database user account does not yet exist and so must be created, or
if the user account exists but the database does not exist and permissions must be granted.
In this case, you must enter the user account and password and also the superuser account name and password at the bottom of this page. If this box is unchecked, database owner and password must already exist. +DatabaseRootLoginDescription=Superuser account name (to create new databases or new users), mandatory if the database or its owner does not already exist. +KeepEmptyIfNoPassword=Leave empty if superuser has no password (NOT recommended) +SaveConfigurationFile=Saving parameters to ServerConnection=Server connection DatabaseCreation=Database creation CreateDatabaseObjects=Database objects creation @@ -71,9 +71,9 @@ CreateOtherKeysForTable=Create foreign keys and indexes for table %s OtherKeysCreation=Foreign keys and indexes creation FunctionsCreation=Functions creation AdminAccountCreation=Administrator login creation -PleaseTypePassword=Please type a password, empty passwords are not allowed ! -PleaseTypeALogin=Please type a login ! -PasswordsMismatch=Passwords differs, please try again ! +PleaseTypePassword=Please type a password, empty passwords are not allowed! +PleaseTypeALogin=Please type a login! +PasswordsMismatch=Passwords differs, please try again! SetupEnd=End of setup SystemIsInstalled=This installation is complete. SystemIsUpgraded=Dolibarr has been upgraded successfully. @@ -81,65 +81,65 @@ YouNeedToPersonalizeSetup=You need to configure Dolibarr to suit your needs (app AdminLoginCreatedSuccessfuly=Dolibarr administrator login '%s' created successfully. GoToDolibarr=Go to Dolibarr GoToSetupArea=Go to Dolibarr (setup area) -MigrationNotFinished=Version of your database is not completely up to date, so you'll have to run the upgrade process again. +MigrationNotFinished=The database version is not completely up to date: run the upgrade process again. GoToUpgradePage=Go to upgrade page again WithNoSlashAtTheEnd=Without the slash "/" at the end -DirectoryRecommendation=It is recommanded to use a directory outside of your directory of your web pages. +DirectoryRecommendation=It is recommended to use a directory outside of the web pages. LoginAlreadyExists=Already exists DolibarrAdminLogin=Dolibarr admin login -AdminLoginAlreadyExists=Dolibarr administrator account '%s' already exists. Go back, if you want to create another one. +AdminLoginAlreadyExists=Dolibarr administrator account '%s' already exists. Go back if you want to create another one. FailedToCreateAdminLogin=Failed to create Dolibarr administrator account. -WarningRemoveInstallDir=Warning, for security reasons, once the install or upgrade is complete, to avoid using install tools again, you should add a file called install.lock into Dolibarr document directory, in order to avoid malicious use of it. -FunctionNotAvailableInThisPHP=Not available on this PHP +WarningRemoveInstallDir=Warning, for security reasons, once the install or upgrade is complete, you should add a file called install.lock into the Dolibarr document directory in order to prevent the accidental/malicious use of the install tools again. +FunctionNotAvailableInThisPHP=Not available in this PHP ChoosedMigrateScript=Choose migration script DataMigration=Database migration (data) DatabaseMigration=Database migration (structure + some data) ProcessMigrateScript=Script processing 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, but if you want to upgrade your version, choose "Upgrade" mode. +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=Upgrade UpgradeDesc=Use this mode if you have replaced old Dolibarr files with files from a newer version. This will upgrade your database and data. 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 page. +CorrectProblemAndReloadPage=Please fix the problem and press F5 to reload the page. 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 ask to create database %s, but for this, Dolibarr need to connect to server %s with super user %s permissions. -YouAskLoginCreationSoDolibarrNeedToConnect=You ask to create database login %s, but for this, Dolibarr need to connect to server %s with super user %s permissions. -BecauseConnectionFailedParametersMayBeWrong=As connection failed, host or super user parameters must be wrong. +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 login does not exists yet, you must check option "Create user" -ErrorConnection=Server "%s", database name "%s", login "%s", or database password may be wrong or PHP client version may be too old compared to database version. +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, so install wizard will come back to suggest next migration once this one will be finished. -CheckThatDatabasenameIsCorrect=Check that database name "%s" is correct. +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 login/password of superuser (bottom of form). -YouAskToCreateDatabaseUserSoRootRequired=You checked the box "Create database owner". For this, you need to provide login/password of superuser (bottom of form). -NextStepMightLastALongTime=Current step may last several minutes. Please wait until the next screen is shown completely before continuing. +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 customer orders storage MigrationShippingDelivery=Upgrade storage of shipping MigrationShippingDelivery2=Upgrade storage of shipping 2 MigrationFinished=Migration finished -LastStepDesc=Last step: Define here login and password you plan to use to connect to software. Do not loose this as it is the account to administer all others. +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 your run a database backup first?\nThis is highly recommanded: for example, due to some bugs into databases systems (for example mysql version 5.5.40/41/42/43), some data or tables may be lost during this process, so it is highly recommanded to have a complete dump of your database before starting migration.\n\nClick OK to start migration process... -ErrorDatabaseVersionForbiddenForMigration=Your database version is %s. It has a critical bug making data loss if you make structure change on your database, like it is required by the migration process. For his reason, migration will not be allowed until you upgrade your database to a higher fixed version (list of known bugged version: %s) -KeepDefaultValuesWamp=You use the Dolibarr setup wizard from DoliWamp, so values proposed here are already optimized. Change them only if you know what you do. -KeepDefaultValuesDeb=You use the Dolibarr setup wizard from a Linux package (Ubuntu, Debian, Fedora...), so values proposed here are already optimized. Only the password of the database owner to create must be completed. Change other parameters only if you know what you do. -KeepDefaultValuesMamp=You use the Dolibarr setup wizard from DoliMamp, so values proposed here are already optimized. Change them only if you know what you do. -KeepDefaultValuesProxmox=You use the Dolibarr setup wizard from a Proxmox virtual appliance, so values proposed here are already optimized. Change them only if you know what you do. -UpgradeExternalModule=Run dedicated upgrade process of external modules +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 NothingToDo=Nothing to do @@ -151,7 +151,7 @@ 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 successfull +MigrationSuccessfullUpdate=Upgrade successful MigrationUpdateFailed=Failed upgrade process MigrationRelationshipTables=Data migration for relationship tables (%s) MigrationPaymentsUpdate=Payment data correction @@ -163,9 +163,9 @@ 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 exists anymore. Nothing to do. +MigrationContractsFieldDontExist=Field fk_facture does not exist anymore. Nothing to do. MigrationContractsEmptyDatesUpdate=Contract empty date correction -MigrationContractsEmptyDatesUpdateSuccess=Contract emtpy date correction done successfully +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 @@ -187,24 +187,24 @@ MigrationDeliveryDetail=Delivery update MigrationStockDetail=Update stock value of products MigrationMenusDetail=Update dynamic menus tables MigrationDeliveryAddress=Update delivery address in shipments -MigrationProjectTaskActors=Data migration for llx_projet_task_actors table +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 mode MigrationCategorieAssociation=Migration of categories -MigrationEvents=Migration of events to add event owner into assignement table -MigrationEventsContact=Migration of events to add event contact into assignement table +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 MigrationReloadModule=Reload module %s MigrationResetBlockedLog=Reset module BlockedLog for v7 algorithm -ShowNotAvailableOptions=Show not available options -HideNotAvailableOptions=Hide not available options -ErrorFoundDuringMigration=Error were reported during migration process so next step is not available. To ignore errors, you can click here, but application or some features may not work correctly until fixed. -YouTryInstallDisabledByDirLock=The application try to sefl upgrade, but install/upgrade pages have been disabled for security reason (directory renamed with .lock suffix).
-YouTryInstallDisabledByFileLock=The application try to sefl upgrade, but install/upgrade pages pages have been disabled for security reason (by lock file install.lock into dolibarr documents directory).
+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=Click on following link and if you always reach this page, you must remove the file install.lock into documents directory manually \ No newline at end of file +ClickOnLinkOrRemoveManualy=Click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. \ No newline at end of file diff --git a/htdocs/langs/en_US/main.lang b/htdocs/langs/en_US/main.lang index c9320a9ebb14e..da140b602f26a 100644 --- a/htdocs/langs/en_US/main.lang +++ b/htdocs/langs/en_US/main.lang @@ -468,7 +468,7 @@ and=and or=or Other=Other Others=Others -OtherInformations=Other informations +OtherInformations=Other information Quantity=Quantity Qty=Qty ChangedBy=Changed by @@ -716,7 +716,7 @@ Merge=Merge DocumentModelStandardPDF=Standard PDF template PrintContentArea=Show page to print main content area MenuManager=Menu manager -WarningYouAreInMaintenanceMode=Warning, you are in a maintenance mode, so only login %s is allowed to use application at the moment. +WarningYouAreInMaintenanceMode=Warning, you are in a maintenance mode, so only login %s is allowed to use the application at the moment. CoreErrorTitle=System error CoreErrorMessage=Sorry, an error occurred. Contact your system administrator to check the logs or disable $dolibarr_main_prod=1 to get more information. CreditCard=Credit card @@ -724,7 +724,7 @@ ValidatePayment=Validate payment CreditOrDebitCard=Credit or debit card FieldsWithAreMandatory=Fields with %s are mandatory FieldsWithIsForPublic=Fields with %s are shown on public list of members. If you don't want this, check off the "public" box. -AccordingToGeoIPDatabase=(according to GeoIP convertion) +AccordingToGeoIPDatabase=(according to GeoIP conversion) Line=Line NotSupported=Not supported RequiredField=Required field @@ -818,12 +818,12 @@ Sincerely=Sincerely DeleteLine=Delete line ConfirmDeleteLine=Are you sure you want to delete this line? NoPDFAvailableForDocGenAmongChecked=No PDF were available for the document generation among checked record -TooManyRecordForMassAction=Too many record selected for mass action. The action is restricted to a list of %s record. +TooManyRecordForMassAction=Too many records selected for mass action. The action is restricted to a list of %s records. NoRecordSelected=No record selected MassFilesArea=Area for files built by mass actions ShowTempMassFilesArea=Show area of files built by mass actions ConfirmMassDeletion=Bulk delete confirmation -ConfirmMassDeletionQuestion=Are you sure you want to delete the %s selected record ? +ConfirmMassDeletionQuestion=Are you sure you want to delete the %s selected record? RelatedObjects=Related Objects ClassifyBilled=Classify billed ClassifyUnbilled=Classify unbilled @@ -841,7 +841,7 @@ Calendar=Calendar GroupBy=Group by... ViewFlatList=View flat list RemoveString=Remove string '%s' -SomeTranslationAreUncomplete=Some languages may be partially translated or may contains errors. If you detect some, you can fix language files registering to https://transifex.com/projects/p/dolibarr/. +SomeTranslationAreUncomplete=Some of the languages offered may be only partially translated or may contain errors. Please help to correct your language by registering at https://transifex.com/projects/p/dolibarr/ to add your improvements. DirectDownloadLink=Direct download link (public/external) DirectDownloadInternalLink=Direct download link (need to be logged and need permissions) Download=Download @@ -861,11 +861,11 @@ HR=HR HRAndBank=HR and Bank AutomaticallyCalculated=Automatically calculated TitleSetToDraft=Go back to draft -ConfirmSetToDraft=Are you sure you want to go back to Draft status ? +ConfirmSetToDraft=Are you sure you want to go back to Draft status? ImportId=Import id Events=Events EMailTemplates=Emails templates -FileNotShared=File not shared to exernal public +FileNotShared=File not shared to external public Project=Project Projects=Projects Rights=Permissions From 1522a5b22d5a89f37015dd0af293e96afbe4371f Mon Sep 17 00:00:00 2001 From: Regis Houssin Date: Sat, 7 Jul 2018 08:43:59 +0200 Subject: [PATCH 28/62] Fix: differentiate customer prices from supplier prices sharing --- htdocs/core/class/html.form.class.php | 2 +- htdocs/fourn/class/fournisseur.product.class.php | 2 +- htdocs/product/class/product.class.php | 4 ++-- htdocs/product/class/productcustomerprice.class.php | 4 ++++ htdocs/product/stock/productlot_list.php | 2 +- 5 files changed, 9 insertions(+), 5 deletions(-) diff --git a/htdocs/core/class/html.form.class.php b/htdocs/core/class/html.form.class.php index 8e28e77d185e9..e89801563c334 100644 --- a/htdocs/core/class/html.form.class.php +++ b/htdocs/core/class/html.form.class.php @@ -2654,7 +2654,7 @@ function select_product_fourn_price($productid, $htmlname='productfournpriceid', $sql.= " FROM ".MAIN_DB_PREFIX."product as p"; $sql.= " LEFT JOIN ".MAIN_DB_PREFIX."product_fournisseur_price as pfp ON p.rowid = pfp.fk_product"; $sql.= " LEFT JOIN ".MAIN_DB_PREFIX."societe as s ON pfp.fk_soc = s.rowid"; - $sql.= " WHERE pfp.entity IN (".getEntity('productprice').")"; + $sql.= " WHERE pfp.entity IN (".getEntity('productresellerprice').")"; $sql.= " AND p.tobuy = 1"; $sql.= " AND s.fournisseur = 1"; $sql.= " AND p.rowid = ".$productid; diff --git a/htdocs/fourn/class/fournisseur.product.class.php b/htdocs/fourn/class/fournisseur.product.class.php index 050d2867cf407..8ff31609b54da 100644 --- a/htdocs/fourn/class/fournisseur.product.class.php +++ b/htdocs/fourn/class/fournisseur.product.class.php @@ -530,7 +530,7 @@ function list_product_fournisseur_price($prodid, $sortfield='', $sortorder='', $ $sql.= " ,pfp.multicurrency_price, pfp.multicurrency_unitprice, pfp.multicurrency_tx, pfp.fk_multicurrency, pfp.multicurrency_code"; $sql.= " FROM ".MAIN_DB_PREFIX."product_fournisseur_price as pfp"; $sql.= ", ".MAIN_DB_PREFIX."societe as s"; - $sql.= " WHERE pfp.entity IN (".getEntity('productprice').")"; + $sql.= " WHERE pfp.entity IN (".getEntity('productresellerprice').")"; $sql.= " AND pfp.fk_soc = s.rowid"; $sql.= " AND s.status=1"; // only enabled company selected $sql.= " AND pfp.fk_product = ".$prodid; diff --git a/htdocs/product/class/product.class.php b/htdocs/product/class/product.class.php index 7d7cbf7c2827c..eb959b06493a4 100644 --- a/htdocs/product/class/product.class.php +++ b/htdocs/product/class/product.class.php @@ -3081,7 +3081,7 @@ function add_fournisseur($user, $id_fourn, $ref_fourn, $quantity) $sql.= " WHERE fk_soc = ".$id_fourn; $sql.= " AND ref_fourn = '".$this->db->escape($ref_fourn)."'"; $sql.= " AND fk_product != ".$this->id; - $sql.= " AND entity IN (".getEntity('productprice').")"; + $sql.= " AND entity IN (".getEntity('productresellerprice').")"; $resql=$this->db->query($sql); if ($resql) @@ -3104,7 +3104,7 @@ function add_fournisseur($user, $id_fourn, $ref_fourn, $quantity) else $sql.= " AND (ref_fourn = '' OR ref_fourn IS NULL)"; $sql.= " AND quantity = '".$quantity."'"; $sql.= " AND fk_product = ".$this->id; - $sql.= " AND entity IN (".getEntity('productprice').")"; + $sql.= " AND entity IN (".getEntity('productresellerprice').")"; $resql=$this->db->query($sql); if ($resql) diff --git a/htdocs/product/class/productcustomerprice.class.php b/htdocs/product/class/productcustomerprice.class.php index 5b41cb0f02b76..096b47255316f 100644 --- a/htdocs/product/class/productcustomerprice.class.php +++ b/htdocs/product/class/productcustomerprice.class.php @@ -341,6 +341,8 @@ function fetch_all($sortorder = '', $sortfield = '', $limit = 0, $offset = 0, $f $sql .= " WHERE soc.rowid=t.fk_soc "; $sql .= " AND prod.rowid=t.fk_product "; $sql .= " AND prod.entity IN (" . getEntity('product') . ")"; + $sql .= " AND t.entity IN (" . getEntity('productprice') . ")"; + $sql .= " AND soc.entity IN (" . getEntity('societe') . ")"; // Manage filter if (count($filter) > 0) { @@ -450,6 +452,8 @@ function fetch_all_log($sortorder, $sortfield, $limit, $offset, $filter = array( $sql .= " WHERE soc.rowid=t.fk_soc "; $sql .= " AND prod.rowid=t.fk_product "; $sql .= " AND prod.entity IN (" . getEntity('product') . ")"; + $sql .= " AND t.entity IN (" . getEntity('productprice') . ")"; + $sql .= " AND soc.entity IN (" . getEntity('societe') . ")"; // Manage filter if (count($filter) > 0) { diff --git a/htdocs/product/stock/productlot_list.php b/htdocs/product/stock/productlot_list.php index 7c15b3fa7c54f..874d5676e1f5f 100644 --- a/htdocs/product/stock/productlot_list.php +++ b/htdocs/product/stock/productlot_list.php @@ -218,7 +218,7 @@ function init_myfunc() if (is_array($extrafields->attribute_label) && count($extrafields->attribute_label)) $sql.= " LEFT JOIN ".MAIN_DB_PREFIX."product_lot_extrafields as ef on (t.rowid = ef.fk_object)"; $sql.= ", ".MAIN_DB_PREFIX."product as p"; $sql.= " WHERE p.rowid = t.fk_product"; -//$sql.= " WHERE u.entity IN (".getEntity('productlot').")"; +$sql.= " WHERE p.entity IN (".getEntity('product').")"; if ($search_entity) $sql.= natural_search("entity",$search_entity); if ($search_product) $sql.= natural_search("p.ref",$search_product); From e8afd7e833ca4ffb77d638da0a278d011cc7ed9d Mon Sep 17 00:00:00 2001 From: Regis Houssin Date: Sat, 7 Jul 2018 08:48:26 +0200 Subject: [PATCH 29/62] Fix: use "supplier" instead "reseller" --- htdocs/core/class/html.form.class.php | 2 +- htdocs/fourn/class/fournisseur.product.class.php | 2 +- htdocs/product/class/product.class.php | 4 ++-- 3 files changed, 4 insertions(+), 4 deletions(-) diff --git a/htdocs/core/class/html.form.class.php b/htdocs/core/class/html.form.class.php index e89801563c334..c03de3434898f 100644 --- a/htdocs/core/class/html.form.class.php +++ b/htdocs/core/class/html.form.class.php @@ -2654,7 +2654,7 @@ function select_product_fourn_price($productid, $htmlname='productfournpriceid', $sql.= " FROM ".MAIN_DB_PREFIX."product as p"; $sql.= " LEFT JOIN ".MAIN_DB_PREFIX."product_fournisseur_price as pfp ON p.rowid = pfp.fk_product"; $sql.= " LEFT JOIN ".MAIN_DB_PREFIX."societe as s ON pfp.fk_soc = s.rowid"; - $sql.= " WHERE pfp.entity IN (".getEntity('productresellerprice').")"; + $sql.= " WHERE pfp.entity IN (".getEntity('productsupplierprice').")"; $sql.= " AND p.tobuy = 1"; $sql.= " AND s.fournisseur = 1"; $sql.= " AND p.rowid = ".$productid; diff --git a/htdocs/fourn/class/fournisseur.product.class.php b/htdocs/fourn/class/fournisseur.product.class.php index 8ff31609b54da..5c50597195a20 100644 --- a/htdocs/fourn/class/fournisseur.product.class.php +++ b/htdocs/fourn/class/fournisseur.product.class.php @@ -530,7 +530,7 @@ function list_product_fournisseur_price($prodid, $sortfield='', $sortorder='', $ $sql.= " ,pfp.multicurrency_price, pfp.multicurrency_unitprice, pfp.multicurrency_tx, pfp.fk_multicurrency, pfp.multicurrency_code"; $sql.= " FROM ".MAIN_DB_PREFIX."product_fournisseur_price as pfp"; $sql.= ", ".MAIN_DB_PREFIX."societe as s"; - $sql.= " WHERE pfp.entity IN (".getEntity('productresellerprice').")"; + $sql.= " WHERE pfp.entity IN (".getEntity('productsupplierprice').")"; $sql.= " AND pfp.fk_soc = s.rowid"; $sql.= " AND s.status=1"; // only enabled company selected $sql.= " AND pfp.fk_product = ".$prodid; diff --git a/htdocs/product/class/product.class.php b/htdocs/product/class/product.class.php index eb959b06493a4..c271346d4bc28 100644 --- a/htdocs/product/class/product.class.php +++ b/htdocs/product/class/product.class.php @@ -3081,7 +3081,7 @@ function add_fournisseur($user, $id_fourn, $ref_fourn, $quantity) $sql.= " WHERE fk_soc = ".$id_fourn; $sql.= " AND ref_fourn = '".$this->db->escape($ref_fourn)."'"; $sql.= " AND fk_product != ".$this->id; - $sql.= " AND entity IN (".getEntity('productresellerprice').")"; + $sql.= " AND entity IN (".getEntity('productsupplierprice').")"; $resql=$this->db->query($sql); if ($resql) @@ -3104,7 +3104,7 @@ function add_fournisseur($user, $id_fourn, $ref_fourn, $quantity) else $sql.= " AND (ref_fourn = '' OR ref_fourn IS NULL)"; $sql.= " AND quantity = '".$quantity."'"; $sql.= " AND fk_product = ".$this->id; - $sql.= " AND entity IN (".getEntity('productresellerprice').")"; + $sql.= " AND entity IN (".getEntity('productsupplierprice').")"; $resql=$this->db->query($sql); if ($resql) From 1e1ed485f5ee2be4749e434457f8e7c0054432ae Mon Sep 17 00:00:00 2001 From: Philippe GRAND Date: Sat, 7 Jul 2018 10:47:56 +0200 Subject: [PATCH 30/62] Docs : update comments --- .../doc/pdf_standard.modules.php | 89 +++++++++++++++---- 1 file changed, 72 insertions(+), 17 deletions(-) diff --git a/htdocs/core/modules/supplier_payment/doc/pdf_standard.modules.php b/htdocs/core/modules/supplier_payment/doc/pdf_standard.modules.php index f9567a32a5c7d..bda0170397d62 100644 --- a/htdocs/core/modules/supplier_payment/doc/pdf_standard.modules.php +++ b/htdocs/core/modules/supplier_payment/doc/pdf_standard.modules.php @@ -38,23 +38,78 @@ */ class pdf_standard extends ModelePDFSuppliersPayments { - var $db; - var $name; - var $description; - var $type; - - var $phpmin = array(4,3,0); // Minimum version of PHP required by module - var $version = 'dolibarr'; - - var $page_largeur; - var $page_hauteur; - var $format; - var $marge_gauche; - var $marge_droite; - var $marge_haute; - var $marge_basse; - - var $emetteur; // Objet societe qui emet + /** + * @var DoliDb Database handler + */ + public $db; + + /** + * @var string model name + */ + public $name; + + /** + * @var string model description (short text) + */ + public $description; + + /** + * @var string document type + */ + public $type; + + /** + * @var array() Minimum version of PHP required by module. + * e.g.: PHP ≥ 5.4 = array(5, 4) + */ + public $phpmin = array(5, 4); + + /** + * Dolibarr version of the loaded document + * @public string + */ + public $version = 'dolibarr'; + + /** + * @var int page_largeur + */ + public $page_largeur; + + /** + * @var int page_hauteur + */ + public $page_hauteur; + + /** + * @var array format + */ + public $format; + + /** + * @var int marge_gauche + */ + public $marge_gauche; + + /** + * @var int marge_droite + */ + public $marge_droite; + + /** + * @var int marge_haute + */ + public $marge_haute; + + /** + * @var int marge_basse + */ + public $marge_basse; + + /** + * Issuer + * @var Societe + */ + public $emetteur; /** From fe5bfe3aaf0e94f7e44e94d7627a5088b1f68878 Mon Sep 17 00:00:00 2001 From: Philippe GRAND Date: Sat, 7 Jul 2018 10:51:09 +0200 Subject: [PATCH 31/62] Docs : update comments --- .../core/modules/supplier_proposal/doc/pdf_aurore.modules.php | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/htdocs/core/modules/supplier_proposal/doc/pdf_aurore.modules.php b/htdocs/core/modules/supplier_proposal/doc/pdf_aurore.modules.php index bca4ae8425fa6..5f971cab2d1c9 100644 --- a/htdocs/core/modules/supplier_proposal/doc/pdf_aurore.modules.php +++ b/htdocs/core/modules/supplier_proposal/doc/pdf_aurore.modules.php @@ -60,9 +60,9 @@ class pdf_aurore extends ModelePDFSupplierProposal /** * @var array() Minimum version of PHP required by module. - * e.g.: PHP ≥ 5.3 = array(5, 3) + * e.g.: PHP ≥ 5.4 = array(5, 4) */ - public $phpmin = array(5, 2); + public $phpmin = array(5, 4); /** * Dolibarr version of the loaded document From 4b1e9e3fafd477fa380cd008d8ac93b6281186e5 Mon Sep 17 00:00:00 2001 From: Philippe GRAND Date: Sat, 7 Jul 2018 11:03:22 +0200 Subject: [PATCH 32/62] Docs : translation --- htdocs/holiday/class/holiday.class.php | 28 +++++++++++++------------- 1 file changed, 14 insertions(+), 14 deletions(-) diff --git a/htdocs/holiday/class/holiday.class.php b/htdocs/holiday/class/holiday.class.php index 03b2491ab59a6..c8b64790061c0 100644 --- a/htdocs/holiday/class/holiday.class.php +++ b/htdocs/holiday/class/holiday.class.php @@ -346,12 +346,12 @@ function fetchByUser($user_id, $order='', $filter='') $sql.= " AND cp.fk_user = uu.rowid AND cp.fk_validator = ua.rowid"; // Hack pour la recherche sur le tableau $sql.= " AND cp.fk_user IN (".$user_id.")"; - // Filtre de séléction + // Selection filter if(!empty($filter)) { $sql.= $filter; } - // Ordre d'affichage du résultat + // Order of display of the result if(!empty($order)) { $sql.= $order; } @@ -359,19 +359,19 @@ function fetchByUser($user_id, $order='', $filter='') dol_syslog(get_class($this)."::fetchByUser", LOG_DEBUG); $resql=$this->db->query($sql); - // Si pas d'erreur SQL + // If no SQL error if ($resql) { $i = 0; $tab_result = $this->holiday; $num = $this->db->num_rows($resql); - // Si pas d'enregistrement + // If no registration if(!$num) { return 2; } - // Liste les enregistrements et les ajoutent au tableau + // List the records and add them to the table while($i < $num) { $obj = $this->db->fetch_object($resql); @@ -412,13 +412,13 @@ function fetchByUser($user_id, $order='', $filter='') $i++; } - // Retourne 1 avec le tableau rempli + // Returns 1 with the filled array $this->holiday = $tab_result; return 1; } else { - // Erreur SQL + // SQL Error $this->error="Error ".$this->db->lasterror(); return -1; } @@ -471,12 +471,12 @@ function fetchAll($order,$filter) $sql.= " WHERE cp.entity IN (".getEntity('holiday').")"; $sql.= " AND cp.fk_user = uu.rowid AND cp.fk_validator = ua.rowid "; // Hack pour la recherche sur le tableau - // Filtrage de séléction + // Selection filtering if(!empty($filter)) { $sql.= $filter; } - // Ordre d'affichage + // order of display if(!empty($order)) { $sql.= $order; } @@ -484,19 +484,19 @@ function fetchAll($order,$filter) dol_syslog(get_class($this)."::fetchAll", LOG_DEBUG); $resql=$this->db->query($sql); - // Si pas d'erreur SQL + // If no SQL error if ($resql) { $i = 0; $tab_result = $this->holiday; $num = $this->db->num_rows($resql); - // Si pas d'enregistrement + // If no registration if(!$num) { return 2; } - // On liste les résultats et on les ajoutent dans le tableau + // List the records and add them to the table while($i < $num) { $obj = $this->db->fetch_object($resql); @@ -536,13 +536,13 @@ function fetchAll($order,$filter) $i++; } - // Retourne 1 et ajoute le tableau à la variable + // Returns 1 and adds the array to the variable $this->holiday = $tab_result; return 1; } else { - // Erreur SQL + // SQL Error $this->error="Error ".$this->db->lasterror(); return -1; } From 47e80123d5cbd4b7180ae40be393e72f77aad76c Mon Sep 17 00:00:00 2001 From: Philippe GRAND Date: Sat, 7 Jul 2018 11:36:46 +0200 Subject: [PATCH 33/62] Docs : update code --- htdocs/core/modules/modApi.class.php | 2 +- htdocs/core/modules/modAsset.class.php | 2 +- .../modulebuilder/template/core/modules/modMyModule.class.php | 2 +- 3 files changed, 3 insertions(+), 3 deletions(-) diff --git a/htdocs/core/modules/modApi.class.php b/htdocs/core/modules/modApi.class.php index c8dc7ae84baa2..71374e136e596 100644 --- a/htdocs/core/modules/modApi.class.php +++ b/htdocs/core/modules/modApi.class.php @@ -82,7 +82,7 @@ function __construct($db) $this->depends = array(); // List of modules id that must be enabled if this module is enabled $this->requiredby = array(); // List of modules id to disable if this one is disabled $this->conflictwith = array(); // List of modules id this module is in conflict with - $this->phpmin = array(5,3); // Minimum version of PHP required by module + $this->phpmin = array(5,4); // Minimum version of PHP required by module $this->langfiles = array("other"); // Constants diff --git a/htdocs/core/modules/modAsset.class.php b/htdocs/core/modules/modAsset.class.php index 9b82a6015c4b5..d6a50ab9b0755 100644 --- a/htdocs/core/modules/modAsset.class.php +++ b/htdocs/core/modules/modAsset.class.php @@ -96,7 +96,7 @@ public function __construct($db) $this->requiredby = array(); // List of module ids to disable if this one is disabled $this->conflictwith = array(); // List of module class names as string this module is in conflict with $this->langfiles = array("assets"); - $this->phpmin = array(5,3); // Minimum version of PHP required by module + $this->phpmin = array(5,4); // Minimum version of PHP required by module $this->need_dolibarr_version = array(7,0); // Minimum version of Dolibarr required by module $this->warnings_activation = array(); // Warning to show when we activate module. array('always'='text') or array('FR'='textfr','ES'='textes'...) $this->warnings_activation_ext = array(); // Warning to show when we activate an external module. array('always'='text') or array('FR'='textfr','ES'='textes'...) diff --git a/htdocs/modulebuilder/template/core/modules/modMyModule.class.php b/htdocs/modulebuilder/template/core/modules/modMyModule.class.php index 675271a29475a..8169cd9961f58 100644 --- a/htdocs/modulebuilder/template/core/modules/modMyModule.class.php +++ b/htdocs/modulebuilder/template/core/modules/modMyModule.class.php @@ -116,7 +116,7 @@ public function __construct($db) $this->requiredby = array(); // List of module class names to disable if this one is disabled $this->conflictwith = array(); // List of module class names as string this module is in conflict with $this->langfiles = array("mymodule@mymodule"); - $this->phpmin = array(5,3); // Minimum version of PHP required by module + $this->phpmin = array(5,4); // Minimum version of PHP required by module $this->need_dolibarr_version = array(4,0); // Minimum version of Dolibarr required by module $this->warnings_activation = array(); // Warning to show when we activate module. array('always'='text') or array('FR'='textfr','ES'='textes'...) $this->warnings_activation_ext = array(); // Warning to show when we activate an external module. array('always'='text') or array('FR'='textfr','ES'='textes'...) From 65e42522d352145e23821dd8d2208da2336f74f9 Mon Sep 17 00:00:00 2001 From: Steve Date: Sat, 7 Jul 2018 23:50:41 +0200 Subject: [PATCH 34/62] minor html and css corrections (as shown by browser validation and phpstorm inspections) --- htdocs/install/check.php | 70 +++++++++++---------- htdocs/install/default.css | 11 ++-- htdocs/install/fileconf.php | 121 ++++++++++++++++++------------------ htdocs/install/inc.php | 2 +- htdocs/install/index.php | 2 +- htdocs/install/repair.php | 8 +-- htdocs/install/step1.php | 44 ++++++------- htdocs/install/step2.php | 23 ++++--- htdocs/install/step4.php | 19 +++--- htdocs/install/step5.php | 22 +++---- htdocs/install/upgrade.php | 2 +- 11 files changed, 159 insertions(+), 165 deletions(-) diff --git a/htdocs/install/check.php b/htdocs/install/check.php index 09f38fdf4521d..a5913f9304f89 100644 --- a/htdocs/install/check.php +++ b/htdocs/install/check.php @@ -40,7 +40,7 @@ $langs->load("install"); -// Now we load forced value from install.forced.php file. +// Now we load forced/pre-set values from install.forced.php file. $useforcedwizard=false; $forcedfile="./install.forced.php"; if ($conffile == "/etc/dolibarr/conf.php") $forcedfile="/etc/dolibarr/install.forced.php"; @@ -49,14 +49,14 @@ include_once $forcedfile; } -dolibarr_install_syslog("--- check: Dolibarr install/upgrade process started"); +dolibarr_install_syslog("- check: Dolibarr install/upgrade process started"); /* * View */ -pHeader('',''); // No next step for navigation buttons. Next step is defined by clik on links. +pHeader('',''); // No next step for navigation buttons. Next step is defined by click on links. //print "
\n"; @@ -233,13 +233,13 @@ else dolibarr_install_syslog("check: failed to create a new file " . $conffile . " into current dir " . getcwd() . ". Please check permissions.", LOG_ERR); } - // First install, we can't upgrade + // First install: no upgrade necessary/required $allowupgrade=false; } -// File is missng and can't be created +// File is missing and cannot be created if (! file_exists($conffile)) { print 'Error '.$langs->trans("ConfFileDoesNotExistsAndCouldNotBeCreated",$conffiletoshow); @@ -258,7 +258,7 @@ $allowinstall=0; } - // File exists but can't be modified + // File exists but cannot be modified elseif (!is_writable($conffile)) { if ($confexists) @@ -294,7 +294,7 @@ } print "
\n"; - // Requirements ok, we display the next step button + // Requirements met/all ok: display the next step button if ($checksok) { $ok=0; @@ -307,7 +307,7 @@ { if (! file_exists($dolibarr_main_document_root."/core/lib/admin.lib.php")) { - print 'A '.$conffiletoshow.' file exists with a dolibarr_main_document_root to '.$dolibarr_main_document_root.' that seems wrong. Try to fix or remove the '.$conffiletoshow.' file.
'."\n"; + print 'A '.$conffiletoshow.' file exists with a dolibarr_main_document_root to '.$dolibarr_main_document_root.' that seems wrong. Try to fix or remove the '.$conffiletoshow.' file.
'."\n"; dol_syslog("A '" . $conffiletoshow . "' file exists with a dolibarr_main_document_root to " . $dolibarr_main_document_root . " that seems wrong. Try to fix or remove the '" . $conffiletoshow . "' file.", LOG_WARNING); } else @@ -326,7 +326,7 @@ else $dolibarr_main_db_pass = dol_decode($dolibarr_main_db_encrypted_pass); } - // $conf is already instancied inside inc.php + // $conf already created in inc.php $conf->db->type = $dolibarr_main_db_type; $conf->db->host = $dolibarr_main_db_host; $conf->db->port = $dolibarr_main_db_port; @@ -342,7 +342,7 @@ } } - // If a database access is available, we set more variable + // If database access is available, we set more variables if ($ok) { if (empty($dolibarr_main_db_encryption)) $dolibarr_main_db_encryption=0; @@ -364,8 +364,8 @@ // Show title if (! empty($conf->global->MAIN_VERSION_LAST_UPGRADE) || ! empty($conf->global->MAIN_VERSION_LAST_INSTALL)) { - print $langs->trans("VersionLastUpgrade").': '.(empty($conf->global->MAIN_VERSION_LAST_UPGRADE)?$conf->global->MAIN_VERSION_LAST_INSTALL:$conf->global->MAIN_VERSION_LAST_UPGRADE).'
'; - print $langs->trans("VersionProgram").': '.DOL_VERSION.''; + print $langs->trans("VersionLastUpgrade").': '.(empty($conf->global->MAIN_VERSION_LAST_UPGRADE)?$conf->global->MAIN_VERSION_LAST_INSTALL:$conf->global->MAIN_VERSION_LAST_UPGRADE).'
'; + print $langs->trans("VersionProgram").': '.DOL_VERSION.''; //print ' '.img_warning($langs->trans("RunningUpdateProcessMayBeRequired")); print '
'; print '
'; @@ -375,7 +375,7 @@ print $langs->trans("InstallEasy")." "; print $langs->trans("ChooseYourSetupMode"); - print '

'; + print '
'; $foundrecommandedchoice=0; @@ -383,9 +383,9 @@ $notavailable_choices = array(); // Show first install line - $choice = ''.$langs->trans("FreshInstall").''; + $choice = "\n".''.$langs->trans("FreshInstall").''; $choice .= ''; - $choice .= ''; + $choice .= ''; $choice .= $langs->trans("FreshInstallDesc"); if (empty($dolibarr_main_db_host)) // This means install process was not run { @@ -397,7 +397,7 @@ } $choice .= ''; - $choice .= ''; + $choice .= ''; if ($allowinstall) { $choice .= ''.$langs->trans("Start").''; @@ -465,7 +465,7 @@ if ($ok) { - if (count($dolibarrlastupgradeversionarray) >= 2) // If a database access is available and last upgrade version is known + if (count($dolibarrlastupgradeversionarray) >= 2) // If database access is available and last upgrade version is known { // Now we check if this is the first qualified choice if ($allowupgrade && empty($foundrecommandedchoice) && @@ -477,22 +477,23 @@ } } else { - // We can not recommand a choice. + // We cannot recommend a choice. // A version of install may be known, but we need last upgrade. } } - $choice .= ''; - $choice .= ''.$langs->trans("Upgrade").'
'.$newversionfrom.$newversionfrombis.' -> '.$newversionto.'
'; - $choice .= ''; + $choice .= "\n".''; + $choice .= ''.$langs->trans("Upgrade").'
'.$newversionfrom.$newversionfrombis.' -> '.$newversionto.'
'; + $choice .= ''; $choice .= $langs->trans("UpgradeDesc"); if ($recommended_choice) { $choice .= '
'; //print $langs->trans("InstallChoiceRecommanded",DOL_VERSION,$conf->global->MAIN_VERSION_LAST_UPGRADE); - $choice .= '
'.$langs->trans("InstallChoiceSuggested").'
'; - if ($count < count($migarray)) // There is other choices after + $choice .= '
'; + $choice .= '
'.$langs->trans("InstallChoiceSuggested").'
'; + if ($count < count($migarray)) // There are other choices after { print $langs->trans("MigrateIsDoneStepByStep",DOL_VERSION); } @@ -500,7 +501,7 @@ } $choice .= ''; - $choice .= ''; + $choice .= ''; if ($allowupgrade) { $disabled=false; @@ -512,8 +513,14 @@ { $foundrecommandedchoice = 2; } - if ($disabled) $choice .= ''.$langs->trans("NotAvailable").''; - else $choice .= ''.$langs->trans("Start").''; + if ($disabled) + { + $choice .= ''.$langs->trans("NotAvailable").''; + } + else + { + $choice .= ''.$langs->trans("Start").''; + } } else { @@ -537,28 +544,28 @@ } // Array of install choices + print"\n"; print ''; foreach ($available_choices as $choice) { print $choice; } - print '
'; + print ''."\n"; if (count($notavailable_choices)) { - print '
'; print ''; print ''; } @@ -590,6 +597,5 @@ '; -dolibarr_install_syslog("--- check: end"); +dolibarr_install_syslog("- check: end"); pFooter(1); // Never display next button - diff --git a/htdocs/install/default.css b/htdocs/install/default.css index e23a36ddd21dc..6ea6d451e92b4 100644 --- a/htdocs/install/default.css +++ b/htdocs/install/default.css @@ -199,7 +199,7 @@ input:-webkit-autofill { -webkit-box-shadow: 0 0 0 50px #FBFFEA inset; } -table.listofchoices, tr.listofchoices, td.listofchoices { +table.listofchoices, table.listofchoices tr, table.listofchoices td { border-collapse: collapse; padding: 4px; color: #000000; @@ -207,9 +207,6 @@ table.listofchoices, tr.listofchoices, td.listofchoices { line-height: 18px; } -tr.listofchoices { - height: 42px; -} .listofchoicesdesc { color: #999 !important; } @@ -230,7 +227,7 @@ tr.listofchoices { div.ok { color: #114466; } -font.ok { +span.ok { color: #114466; } @@ -238,7 +235,7 @@ font.ok { div.warning { color: #777711; } -font.warning { +span.warning { color: #777711; } @@ -249,7 +246,7 @@ div.error { padding: 0.2em 0.2em 0.2em 0; margin: 0.5em 0 0.5em 0; } -font.error { +span.error { color: #550000; font-weight: bold; } diff --git a/htdocs/install/fileconf.php b/htdocs/install/fileconf.php index b0affb2218a12..cee5d181d4554 100644 --- a/htdocs/install/fileconf.php +++ b/htdocs/install/fileconf.php @@ -24,7 +24,7 @@ /** * \file htdocs/install/fileconf.php * \ingroup install - * \brief Ask all informations required to build Dolibarr htdocs/conf/conf.php file (will be wrote on disk on next page step1) + * \brief Ask all information required to build Dolibarr htdocs/conf/conf.php file (will be written to disk on next page step1) */ include_once 'inc.php'; @@ -39,7 +39,7 @@ $langs->load("install"); $langs->load("errors"); -dolibarr_install_syslog("--- fileconf: entering fileconf.php page"); +dolibarr_install_syslog("- fileconf: entering fileconf.php page"); // You can force preselected values of the config step of Dolibarr by adding a file // install.forced.php into directory htdocs/install (This is the case with some wizard @@ -56,7 +56,7 @@ if (! isset($force_install_databasepass)) $force_install_databasepass=''; if (! isset($force_install_databaserootlogin)) $force_install_databaserootlogin=''; if (! isset($force_install_databaserootpass)) $force_install_databaserootpass=''; -// Now we load forced value from install.forced.php file. +// Now we load forced values from install.forced.php file. $useforcedwizard=false; $forcedfile="./install.forced.php"; if ($conffile == "/etc/dolibarr/conf.php") $forcedfile="/etc/dolibarr/install.forced.php"; // Must be after inc.php @@ -71,7 +71,7 @@ * View */ -session_start(); // To be able to keep info into session (used for not loosing pass during navigation. pass must not transit throug parmaeters) +session_start(); // To be able to keep info into session (used for not losing pass during navigation. pass must not transit through parmaeters) pHeader($langs->trans("ConfigurationFile"), "step1", "set", "", (empty($force_dolibarr_js_JQUERY)?'':$force_dolibarr_js_JQUERY.'/'), 'main-inside-bis'); @@ -80,7 +80,7 @@ { print $langs->trans("ConfFileIsNotWritable", $conffiletoshow); dolibarr_install_syslog("fileconf: config file is not writable", LOG_WARNING); - dolibarr_install_syslog("--- fileconf: end"); + dolibarr_install_syslog("- fileconf: end"); pFooter(1,$setuplang,'jscheckparam'); exit; } @@ -117,20 +117,18 @@ - '; - print $langs->trans("WebPagesDirectory"); - print ""; - + + - + @@ -149,19 +147,19 @@ class="minwidth300" - trans("DocumentsDirectory"); ?> - + - + @@ -186,12 +184,13 @@ class="minwidth300" } ?> - trans("URLRoot"); ?> + - + - trans("ForceHttps"); ?> - - + + @@ -239,11 +239,11 @@ class="minwidth300" - trans("DatabaseName"); ?> - - - + + - trans("DriverType"); ?> - + - trans("DatabaseServer"); ?> - - + + - trans("Port"); ?> - + + - trans("DatabasePrefix"); ?> - - - + + - trans("CreateDatabase"); ?> - - + + - trans("Login"); ?> - - - + + - trans("Password"); ?> - - - + + - trans("CreateUser"); ?> - - + + @@ -473,8 +471,8 @@ class="minwidth300" - trans("Login"); ?> - + + - trans("Password"); ?> - - + + close(); Not database connexion yet -dolibarr_install_syslog("--- fileconf: end"); +dolibarr_install_syslog("- fileconf: end"); pFooter($err,$setuplang,'jscheckparam'); diff --git a/htdocs/install/inc.php b/htdocs/install/inc.php index 0a2a6866f2627..88dbc76f9a66b 100644 --- a/htdocs/install/inc.php +++ b/htdocs/install/inc.php @@ -149,7 +149,7 @@ define('DOL_URL_ROOT', $suburi); // URL relative root ('', '/dolibarr', ...) -if (empty($conf->file->character_set_client)) $conf->file->character_set_client="UTF-8"; +if (empty($conf->file->character_set_client)) $conf->file->character_set_client="utf-8"; if (empty($conf->db->character_set)) $conf->db->character_set='utf8'; if (empty($conf->db->dolibarr_main_db_collation)) $conf->db->dolibarr_main_db_collation='utf8_unicode_ci'; if (empty($conf->db->dolibarr_main_db_encryption)) $conf->db->dolibarr_main_db_encryption=0; diff --git a/htdocs/install/index.php b/htdocs/install/index.php index 82dcd87b030c5..46e60be52ecf0 100644 --- a/htdocs/install/index.php +++ b/htdocs/install/index.php @@ -55,7 +55,7 @@ print ''; print ''; -print ''; print ''; diff --git a/htdocs/install/repair.php b/htdocs/install/repair.php index 97f9a71bb87dc..0c3edfaebd316 100644 --- a/htdocs/install/repair.php +++ b/htdocs/install/repair.php @@ -549,11 +549,11 @@ dol_print_error($db); } else - print ' - Cleaned'; + print ' - Cleaned'; } else { - print ' - Canceled (test mode)'; + print ' - Canceled (test mode)'; } } else @@ -982,11 +982,11 @@ dol_print_error($db); } else - print ' - Cleaned'; + print ' - Cleaned'; } else { - print ' - Canceled (test mode)'; + print ' - Canceled (test mode)'; } } else diff --git a/htdocs/install/step1.php b/htdocs/install/step1.php index 6f1143d6f101c..f6f1571b4ec20 100644 --- a/htdocs/install/step1.php +++ b/htdocs/install/step1.php @@ -46,7 +46,7 @@ $main_data_dir = GETPOST('main_data_dir') ? GETPOST('main_data_dir') : (empty($argv[4])? ($main_dir . '/documents') :$argv[4]); // Dolibarr root URL $main_url = GETPOST('main_url')?GETPOST('main_url'):(empty($argv[5])?'':$argv[5]); -// Database login informations +// Database login information $userroot=GETPOST('db_user_root','alpha')?GETPOST('db_user_root','alpha'):(empty($argv[6])?'':$argv[6]); $passroot=GETPOST('db_pass_root','none')?GETPOST('db_pass_root','none'):(empty($argv[7])?'':$argv[7]); // Database server @@ -68,18 +68,18 @@ session_start(); // To be able to keep info into session (used for not losing password during navigation. The password must not transit through parameters) -// Save a flag to tell to restore input value if we do back +// Save a flag to tell to restore input value if we go back $_SESSION['dol_save_pass']=$db_pass; //$_SESSION['dol_save_passroot']=$passroot; -// Now we load forced value from install.forced.php file. +// Now we load forced values from install.forced.php file. $useforcedwizard=false; $forcedfile="./install.forced.php"; if ($conffile == "/etc/dolibarr/conf.php") $forcedfile="/etc/dolibarr/install.forced.php"; if (@file_exists($forcedfile)) { $useforcedwizard = true; include_once $forcedfile; - // If forced install is enabled, let's replace post values. These are empty because form fields are disabled. + // If forced install is enabled, replace the post values. These are empty because form fields are disabled. if ($force_install_noedit) { $main_dir = detect_dolibarr_main_document_root(); if (!empty($force_install_main_data_root)) { @@ -204,7 +204,7 @@ $result=@include_once $main_dir."/core/db/".$db_type.'.class.php'; if ($result) { - // If we ask database or user creation we need to connect as root, so we need root login + // If we require database or user creation we need to connect as root, so we need root login credentials if (!empty($db_create_database) && !$userroot) { print '
'.$langs->trans("YouAskDatabaseCreationSoDolibarrNeedToConnect",$db_name).'
'; print '
'; @@ -397,7 +397,7 @@ print ""; print ''; $error++; @@ -420,7 +420,7 @@ } } - // Les documents sont en dehors de htdocs car ne doivent pas pouvoir etre telecharges en passant outre l'authentification + // Documents are stored above the web pages root to prevent being downloaded without authentification $dir=array(); $dir[] = $main_data_dir."/mycompany"; $dir[] = $main_data_dir."/medias"; @@ -431,7 +431,7 @@ $dir[] = $main_data_dir."/produit"; $dir[] = $main_data_dir."/doctemplates"; - // Boucle sur chaque repertoire de dir[] pour les creer s'ils nexistent pas + // Loop on each directory of dir [] to create them if they do not exist $num=count($dir); for ($i = 0; $i < $num; $i++) { @@ -469,7 +469,7 @@ print ""; print ''; } @@ -519,7 +519,7 @@ // Save old conf file on disk if (file_exists("$conffile")) { - // We must ignore errors as an existing old file may already exists and not be replacable or + // We must ignore errors as an existing old file may already exist and not be replaceable or // the installer (like for ubuntu) may not have permission to create another file than conf.php. // Also no other process must be able to read file or we expose the new file, so content with password. @dol_copy($conffile, $conffile.'.old', '0400'); @@ -539,7 +539,7 @@ print ''; print ''; - // Si creation utilisateur admin demandee, on le cree + // Create database user if requested if (isset($db_create_user) && ($db_create_user == "1" || $db_create_user == "on")) { dolibarr_install_syslog("step1: create database user: " . $dolibarr_main_db_user); @@ -558,7 +558,7 @@ $databasefortest='master'; } - // Creation handler de base, verification du support et connexion + // Check database connection $db=getDoliDBInstance($conf->db->type,$conf->db->host,$userroot,$passroot,$databasefortest,$conf->db->port); @@ -629,7 +629,7 @@ print ''; print ''; - // Affiche aide diagnostique + // warning message due to connection failure print ''; print ''; - // Affiche aide diagnostique + // warning message print '"; - // si acces serveur ok et acces base ok, tout est ok, on ne va pas plus loin, on a meme pas utilise le compte root. + // server access ok, basic access ok if ($db->database_selected) { dolibarr_install_syslog("step1: connection to database " . $conf->db->name . " by user " . $conf->db->user . " ok"); @@ -747,7 +747,7 @@ print 'Error'; print ""; - // Affiche aide diagnostique + // warning message print '"; - // Affiche aide diagnostique + // warning message print '\n"; + print '\n"; } } } From 3e5271967bfe8509bde95bb9e53542d3122924f3 Mon Sep 17 00:00:00 2001 From: Regis Houssin Date: Sun, 8 Jul 2018 12:11:22 +0200 Subject: [PATCH 35/62] FIX missing entity field --- htdocs/contact/class/contact.class.php | 7 +++- htdocs/societe/card.php | 54 +++++++++++++------------- htdocs/societe/class/societe.class.php | 6 +-- 3 files changed, 35 insertions(+), 32 deletions(-) diff --git a/htdocs/contact/class/contact.class.php b/htdocs/contact/class/contact.class.php index 4724f0d97cde3..013751e8282fd 100644 --- a/htdocs/contact/class/contact.class.php +++ b/htdocs/contact/class/contact.class.php @@ -204,7 +204,7 @@ function create($user) if (empty($this->priv)) $this->priv = 0; if (empty($this->statut)) $this->statut = 0; // This is to convert '' into '0' to avoid bad sql request - $entity = ((isset($this->entity) && is_numeric($this->entity))?$this->entity:$conf->entity); + $this->entity = ((isset($this->entity) && is_numeric($this->entity))?$this->entity:$conf->entity); $sql = "INSERT INTO ".MAIN_DB_PREFIX."socpeople ("; $sql.= " datec"; @@ -228,7 +228,7 @@ function create($user) $sql.= " ".$this->db->escape($this->priv).","; $sql.= " ".$this->db->escape($this->statut).","; $sql.= " ".(! empty($this->canvas)?"'".$this->db->escape($this->canvas)."'":"null").","; - $sql.= " ".$this->db->escape($entity).","; + $sql.= " ".$this->db->escape($this->entity).","; $sql.= "'".$this->db->escape($this->ref_ext)."',"; $sql.= " ".(! empty($this->import_key)?"'".$this->db->escape($this->import_key)."'":"null"); $sql.= ")"; @@ -307,6 +307,8 @@ function update($id, $user=null, $notrigger=0, $action='update', $nosyncuser=0) $this->id = $id; + $this->entity = ((isset($this->entity) && is_numeric($this->entity))?$this->entity:$conf->entity); + // Clean parameters $this->lastname=trim($this->lastname)?trim($this->lastname):trim($this->lastname); $this->firstname=trim($this->firstname); @@ -354,6 +356,7 @@ function update($id, $user=null, $notrigger=0, $action='update', $nosyncuser=0) $sql .= ", fk_user_modif=".($user->id > 0 ? "'".$this->db->escape($user->id)."'":"NULL"); $sql .= ", default_lang=".($this->default_lang?"'".$this->db->escape($this->default_lang)."'":"NULL"); $sql .= ", no_email=".($this->no_email?"'".$this->db->escape($this->no_email)."'":"0"); + $sql .= ", entity = " . $this->db->escape($this->entity); $sql .= " WHERE rowid=".$this->db->escape($id); dol_syslog(get_class($this)."::update", LOG_DEBUG); diff --git a/htdocs/societe/card.php b/htdocs/societe/card.php index e4a7684012f3b..419c007906abc 100644 --- a/htdocs/societe/card.php +++ b/htdocs/societe/card.php @@ -376,19 +376,19 @@ if (! $error) { - if ($action == 'update') + if ($action == 'update') { - $ret=$object->fetch($socid); + $ret=$object->fetch($socid); $object->oldcopy = clone $object; } else $object->canvas=$canvas; if (GETPOST("private") == 1) // Ask to create a contact { - $object->particulier = GETPOST("private"); + $object->particulier = GETPOST("private"); $object->name = dolGetFirstLastname(GETPOST('firstname','alpha'),GETPOST('name','alpha')); - $object->civility_id = GETPOST('civility_id'); // Note: civility id is a code, not an int + $object->civility_id = GETPOST('civility_id'); // Note: civility id is a code, not an int // Add non official properties $object->name_bis = GETPOST('name','alpha'); $object->firstname = GETPOST('firstname','alpha'); @@ -399,54 +399,54 @@ } $object->entity = (GETPOSTISSET('entity')?GETPOST('entity', 'int'):$conf->entity); $object->name_alias = GETPOST('name_alias'); - $object->address = GETPOST('address'); - $object->zip = GETPOST('zipcode', 'alpha'); + $object->address = GETPOST('address'); + $object->zip = GETPOST('zipcode', 'alpha'); $object->town = GETPOST('town', 'alpha'); $object->country_id = GETPOST('country_id', 'int'); $object->state_id = GETPOST('state_id', 'int'); $object->skype = GETPOST('skype', 'alpha'); $object->phone = GETPOST('phone', 'alpha'); - $object->fax = GETPOST('fax','alpha'); + $object->fax = GETPOST('fax','alpha'); $object->email = trim(GETPOST('email', 'custom', 0, FILTER_SANITIZE_EMAIL)); - $object->url = trim(GETPOST('url', 'custom', 0, FILTER_SANITIZE_URL)); - $object->idprof1 = trim(GETPOST('idprof1', 'alpha')); - $object->idprof2 = trim(GETPOST('idprof2', 'alpha')); - $object->idprof3 = trim(GETPOST('idprof3', 'alpha')); - $object->idprof4 = trim(GETPOST('idprof4', 'alpha')); - $object->idprof5 = trim(GETPOST('idprof5', 'alpha')); - $object->idprof6 = trim(GETPOST('idprof6', 'alpha')); - $object->prefix_comm = GETPOST('prefix_comm', 'alpha'); - $object->code_client = GETPOST('code_client', 'alpha'); + $object->url = trim(GETPOST('url', 'custom', 0, FILTER_SANITIZE_URL)); + $object->idprof1 = trim(GETPOST('idprof1', 'alpha')); + $object->idprof2 = trim(GETPOST('idprof2', 'alpha')); + $object->idprof3 = trim(GETPOST('idprof3', 'alpha')); + $object->idprof4 = trim(GETPOST('idprof4', 'alpha')); + $object->idprof5 = trim(GETPOST('idprof5', 'alpha')); + $object->idprof6 = trim(GETPOST('idprof6', 'alpha')); + $object->prefix_comm = GETPOST('prefix_comm', 'alpha'); + $object->code_client = GETPOST('code_client', 'alpha'); $object->code_fournisseur = GETPOST('code_fournisseur', 'alpha'); - $object->capital = GETPOST('capital', 'alpha'); - $object->barcode = GETPOST('barcode', 'alpha'); + $object->capital = GETPOST('capital', 'alpha'); + $object->barcode = GETPOST('barcode', 'alpha'); $object->tva_intra = GETPOST('tva_intra', 'alpha'); $object->tva_assuj = GETPOST('assujtva_value', 'alpha'); $object->status = GETPOST('status', 'alpha'); // Local Taxes - $object->localtax1_assuj = GETPOST('localtax1assuj_value', 'alpha'); - $object->localtax2_assuj = GETPOST('localtax2assuj_value', 'alpha'); + $object->localtax1_assuj = GETPOST('localtax1assuj_value', 'alpha'); + $object->localtax2_assuj = GETPOST('localtax2assuj_value', 'alpha'); - $object->localtax1_value = GETPOST('lt1', 'alpha'); - $object->localtax2_value = GETPOST('lt2', 'alpha'); + $object->localtax1_value = GETPOST('lt1', 'alpha'); + $object->localtax2_value = GETPOST('lt2', 'alpha'); $object->forme_juridique_code = GETPOST('forme_juridique_code', 'int'); - $object->effectif_id = GETPOST('effectif_id', 'int'); + $object->effectif_id = GETPOST('effectif_id', 'int'); $object->typent_id = GETPOST('typent_id','int'); - $object->typent_code = dol_getIdFromCode($db, $object->typent_id, 'c_typent', 'id', 'code'); // Force typent_code too so check in verify() will be done on new type + $object->typent_code = dol_getIdFromCode($db, $object->typent_id, 'c_typent', 'id', 'code'); // Force typent_code too so check in verify() will be done on new type $object->client = GETPOST('client', 'int'); - $object->fournisseur = GETPOST('fournisseur', 'int'); + $object->fournisseur = GETPOST('fournisseur', 'int'); $object->commercial_id = GETPOST('commercial_id', 'int'); $object->default_lang = GETPOST('default_lang'); // Webservices url/key - $object->webservices_url = GETPOST('webservices_url', 'custom', 0, FILTER_SANITIZE_URL); - $object->webservices_key = GETPOST('webservices_key', 'san_alpha'); + $object->webservices_url = GETPOST('webservices_url', 'custom', 0, FILTER_SANITIZE_URL); + $object->webservices_key = GETPOST('webservices_key', 'san_alpha'); // Incoterms if (!empty($conf->incoterm->enabled)) diff --git a/htdocs/societe/class/societe.class.php b/htdocs/societe/class/societe.class.php index 03bdedd3d4fdc..f5b291ba2a001 100644 --- a/htdocs/societe/class/societe.class.php +++ b/htdocs/societe/class/societe.class.php @@ -480,10 +480,10 @@ function create(User $user) if ($result >= 0) { - $entity = ((isset($this->entity) && is_numeric($this->entity))?$this->entity:$conf->entity); + $this->entity = ((isset($this->entity) && is_numeric($this->entity))?$this->entity:$conf->entity); $sql = "INSERT INTO ".MAIN_DB_PREFIX."societe (nom, name_alias, entity, datec, fk_user_creat, canvas, status, ref_int, ref_ext, fk_stcomm, fk_incoterms, location_incoterms ,import_key, fk_multicurrency, multicurrency_code)"; - $sql.= " VALUES ('".$this->db->escape($this->name)."', '".$this->db->escape($this->name_alias)."', ".$entity.", '".$this->db->idate($now)."'"; + $sql.= " VALUES ('".$this->db->escape($this->name)."', '".$this->db->escape($this->name_alias)."', ".$this->db->escape($this->entity).", '".$this->db->idate($now)."'"; $sql.= ", ".(! empty($user->id) ? "'".$user->id."'":"null"); $sql.= ", ".(! empty($this->canvas) ? "'".$this->db->escape($this->canvas)."'":"null"); $sql.= ", ".$this->status; @@ -891,7 +891,7 @@ function update($id, $user='', $call_trigger=1, $allowmodcodeclient=0, $allowmod dol_syslog(get_class($this)."::update verify ok or not done"); $sql = "UPDATE ".MAIN_DB_PREFIX."societe SET "; - $sql .= "entity = " . $this->entity; + $sql .= "entity = " . $this->db->escape($this->entity); $sql .= ",nom = '" . $this->db->escape($this->name) ."'"; // Required $sql .= ",name_alias = '" . $this->db->escape($this->name_alias) ."'"; $sql .= ",ref_ext = " .(! empty($this->ref_ext)?"'".$this->db->escape($this->ref_ext) ."'":"null"); From 78ba8bc3b59fed3ebcc9ea149a7f92bb8150a256 Mon Sep 17 00:00:00 2001 From: tarrsalah Date: Sun, 8 Jul 2018 14:07:06 +0100 Subject: [PATCH 36/62] FIX side nav height. --- htdocs/theme/eldy/style.css.php | 1 + 1 file changed, 1 insertion(+) diff --git a/htdocs/theme/eldy/style.css.php b/htdocs/theme/eldy/style.css.php index 9df170b312468..da7e6f6d50ed1 100644 --- a/htdocs/theme/eldy/style.css.php +++ b/htdocs/theme/eldy/style.css.php @@ -1109,6 +1109,7 @@ border-right: 1px solid #d0d0d0; box-shadow: 3px 0 6px -2px #eee; background: rgb(); + height: 100vh; } div.blockvmenulogo { From 8ec92573022a45db3a35dfb9289498714245aae0 Mon Sep 17 00:00:00 2001 From: Laurent Destailleur Date: Sun, 8 Jul 2018 20:03:14 +0200 Subject: [PATCH 37/62] Fix translation --- htdocs/langs/en_US/admin.lang | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/htdocs/langs/en_US/admin.lang b/htdocs/langs/en_US/admin.lang index 960bee03aefe4..473455d509f0d 100644 --- a/htdocs/langs/en_US/admin.lang +++ b/htdocs/langs/en_US/admin.lang @@ -1440,7 +1440,7 @@ ProductServiceSetup=Products and Services modules setup NumberOfProductShowInSelect=Max number of products in combos select lists (0=no limit) ViewProductDescInFormAbility=Visualization of product descriptions in the forms (otherwise as popup tooltip) MergePropalProductCard=Activate in product/service Attached Files tab an option to merge product PDF document to proposal PDF azur if product/service is in the proposal -ViewProductDescInThirdpartyLanguageAbility=Visualization of products descriptions in the third party language +ViewProductDescInThirdpartyLanguageAbility=Visualization of products descriptions in the language of the third party UseSearchToSelectProductTooltip=Also if you have a large number of product (> 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 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 From 41f21f3867a8e16e9fa6492b7eaf3d883a8fb42e Mon Sep 17 00:00:00 2001 From: Laurent Destailleur Date: Sun, 8 Jul 2018 20:06:24 +0200 Subject: [PATCH 38/62] Translation --- htdocs/core/tpl/admin_extrafields_add.tpl.php | 2 +- htdocs/core/tpl/admin_extrafields_edit.tpl.php | 2 +- htdocs/core/tpl/admin_extrafields_view.tpl.php | 2 +- htdocs/langs/en_US/admin.lang | 1 + 4 files changed, 4 insertions(+), 3 deletions(-) diff --git a/htdocs/core/tpl/admin_extrafields_add.tpl.php b/htdocs/core/tpl/admin_extrafields_add.tpl.php index 6a59722e4d849..81b49719e986b 100644 --- a/htdocs/core/tpl/admin_extrafields_add.tpl.php +++ b/htdocs/core/tpl/admin_extrafields_add.tpl.php @@ -144,7 +144,7 @@ function init_typeoffields(type)
'.$langs->trans("DefaultLanguage").' : '; +print ''.$langs->trans("DefaultLanguage").' : '; print $formadmin->select_language('auto','selectlang',1,0,0,1); print '
".$langs->trans("ErrorDirDoesNotExists",$main_data_dir); print ' '.$langs->trans("YouMustCreateItAndAllowServerToWrite"); print ''; - print ''.$langs->trans("Error").''; + print ''.$langs->trans("Error").''; print "

'.$langs->trans("CorrectProblemAndReloadPage",$_SERVER['PHP_SELF'].'?testget=ok').'
".$langs->trans("ErrorDirDoesNotExists",$main_data_dir); print ' '.$langs->trans("YouMustCreateItAndAllowServerToWrite"); print ''; - print ''.$langs->trans("Error").''; + print ''.$langs->trans("Error").''; print "

'.$langs->trans("CorrectProblemAndReloadPage",$_SERVER['PHP_SELF'].'?testget=ok').'
Ok
Error

'; print $langs->trans("YouAskDatabaseCreationSoDolibarrNeedToConnect",$dolibarr_main_db_user,$dolibarr_main_db_host,$userroot); print '
'; @@ -640,10 +640,10 @@ $error++; } } - } // Fin si "creation utilisateur" + } // end of user account creation - // If database creation is asked, we create it + // If database creation was asked, we create it if (!$error && (isset($db_create_database) && ($db_create_database == "1" || $db_create_database == "on"))) { dolibarr_install_syslog("step1: create database: " . $dolibarr_main_db_name . " " . $dolibarr_main_db_character_set . " " . $dolibarr_main_db_collation . " " . $dolibarr_main_db_user); $newdb=getDoliDBInstance($conf->db->type,$conf->db->host,$userroot,$passroot,'',$conf->db->port); @@ -672,7 +672,7 @@ } else { - // Affiche aide diagnostique + // warning message print '

'; print $langs->trans("ErrorFailedToCreateDatabase",$dolibarr_main_db_name).'
'; print $newdb->lasterror().'
'; @@ -693,7 +693,7 @@ print '
Error

'; print $langs->trans("YouAskDatabaseCreationSoDolibarrNeedToConnect",$dolibarr_main_db_user,$dolibarr_main_db_host,$userroot); print '
'; @@ -703,7 +703,7 @@ $error++; } - } // Fin si "creation database" + } // end of create database // We test access with dolibarr database user (not admin) @@ -724,7 +724,7 @@ print 'Ok'; print "

'; print $langs->trans('CheckThatDatabasenameIsCorrect',$dolibarr_main_db_name).'
'; print $langs->trans('IfAlreadyExistsCheckOption').'
'; @@ -767,7 +767,7 @@ print 'Error'; print "

'; print $langs->trans("ErrorConnection",$conf->db->host,$conf->db->name,$conf->db->user); print $langs->trans('IfLoginDoesNotExistsCheckCreateUser').'
'; @@ -1023,7 +1023,7 @@ function write_conf_file($conffile) if (file_exists("$conffile")) { - include $conffile; // On force rechargement. Ne pas mettre include_once ! + include $conffile; // force config reload, do not put include_once conf($dolibarr_main_document_root); print "
"; diff --git a/htdocs/install/step2.php b/htdocs/install/step2.php index 30b3ff7d64f54..b9adb5dac215c 100644 --- a/htdocs/install/step2.php +++ b/htdocs/install/step2.php @@ -58,7 +58,7 @@ //if (empty($choix)) dol_print_error('','Database type '.$dolibarr_main_db_type.' not supported into step2.php page'); -// Now we load forced value from install.forced.php file. +// Now we load forced values from install.forced.php file. $useforcedwizard=false; $forcedfile="./install.forced.php"; if ($conffile == "/etc/dolibarr/conf.php") $forcedfile="/etc/dolibarr/install.forced.php"; @@ -67,7 +67,7 @@ include_once $forcedfile; } -dolibarr_install_syslog("--- step2: entering step2.php page"); +dolibarr_install_syslog("- step2: entering step2.php page"); /* @@ -88,7 +88,7 @@ { print '

Database '.$langs->trans("Database").'

'; - print ''; + print '
'; $error=0; $db=getDoliDBInstance($conf->db->type,$conf->db->host,$conf->db->user,$conf->db->pass,$conf->db->name,$conf->db->port); @@ -237,7 +237,7 @@ print ""; - print ''; + print ''; $error++; } } @@ -246,7 +246,7 @@ { print ""; - print ''; + print ''; $error++; dolibarr_install_syslog("step2: failed to open file " . $dir . $file, LOG_ERR); } @@ -384,7 +384,7 @@ print ""; - print ''; + print ''; $error++; } } @@ -395,7 +395,7 @@ { print ""; - print '"; + print '"; $error++; dolibarr_install_syslog("step2: failed to open file " . $dir . $file, LOG_ERR); } @@ -417,7 +417,7 @@ ***************************************************************************************/ if ($ok && $createfunctions) { - // For this file, we use directory according to database type + // For this file, we use a directory according to database type if ($choix==1) $dir = "mysql/functions/"; elseif ($choix==2) $dir = "pgsql/functions/"; elseif ($choix==3) $dir = "mssql/functions/"; @@ -473,7 +473,7 @@ print ""; - print ''; + print ''; $error++; } } @@ -594,7 +594,7 @@ { $ok = 0; $okallfile = 0; - print ''.$langs->trans("ErrorSQL")." : ".$db->lasterrno()." - ".$db->lastqueryerror()." - ".$db->lasterror()."
"; + print ''.$langs->trans("ErrorSQL")." : ".$db->lasterrno()." - ".$db->lastqueryerror()." - ".$db->lasterror()."
"; } } } @@ -627,7 +627,7 @@ if (!$ok && isset($argv[1])) $ret=1; dolibarr_install_syslog("Exit ".$ret); -dolibarr_install_syslog("--- step2: end"); +dolibarr_install_syslog("- step2: end"); pFooter($ok?0:1,$setuplang); @@ -635,4 +635,3 @@ // Return code if ran from command line if ($ret) exit($ret); - diff --git a/htdocs/install/step4.php b/htdocs/install/step4.php index 92bcb3dc1a708..64d6993cc9423 100644 --- a/htdocs/install/step4.php +++ b/htdocs/install/step4.php @@ -47,7 +47,7 @@ include_once $forcedfile; } -dolibarr_install_syslog("--- step4: entering step4.php page"); +dolibarr_install_syslog("- step4: entering step4.php page"); $error=0; $ok = 0; @@ -74,18 +74,18 @@ print $langs->trans("LastStepDesc").'

'; -print '
".$langs->trans("CreateTableAndPrimaryKey",$name); print "
\n".$langs->trans("Request").' '.$requestnb.' : '.$buffer.'
Executed query : '.$db->lastquery; print "\n
'.$langs->trans("ErrorSQL")." ".$db->errno()." ".$db->error().'
'.$langs->trans("ErrorSQL")." ".$db->errno()." ".$db->error().'
".$langs->trans("CreateTableAndPrimaryKey",$name); print "'.$langs->trans("Error").' Failed to open file '.$dir.$file.'
'.$langs->trans("Error").' Failed to open file '.$dir.$file.'
".$langs->trans("CreateOtherKeysForTable",$name); print "
\n".$langs->trans("Request").' '.$requestnb.' : '.$db->lastqueryerror(); print "\n
'.$langs->trans("ErrorSQL")." ".$db->errno()." ".$db->error().'
'.$langs->trans("ErrorSQL")." ".$db->errno()." ".$db->error().'
".$langs->trans("CreateOtherKeysForTable",$name); print "'.$langs->trans("Error")." Failed to open file ".$dir.$file."
'.$langs->trans("Error")." Failed to open file ".$dir.$file."
".$langs->trans("FunctionsCreation"); print "
\n".$langs->trans("Request").' '.$requestnb.' : '.$buffer; print "\n
'.$langs->trans("ErrorSQL")." ".$db->errno()." ".$db->error().'
'.$langs->trans("ErrorSQL")." ".$db->errno()." ".$db->error().'
'; +print '
'; $db=getDoliDBInstance($conf->db->type,$conf->db->host,$conf->db->user,$conf->db->pass,$conf->db->name,$conf->db->port); if ($db->ok) { - print ''; - print ''; - print ''; + print ''; + print ''; + print ''; print '
'.$langs->trans("Login").' :'; - print '
'.$langs->trans("Password").' :'; - print '
'.$langs->trans("PasswordAgain").' :'; - print '
'; + print '
'; + print '
'; + print '
'; if (isset($_GET["error"]) && $_GET["error"] == 1) @@ -113,12 +113,11 @@ } - $ret=0; if ($error && isset($argv[1])) $ret=1; dolibarr_install_syslog("Exit ".$ret); -dolibarr_install_syslog("--- step4: end"); +dolibarr_install_syslog("- step4: end"); pFooter($error,$setuplang); diff --git a/htdocs/install/step5.php b/htdocs/install/step5.php index 79fead3c51d65..845c3aa8a02ad 100644 --- a/htdocs/install/step5.php +++ b/htdocs/install/step5.php @@ -23,7 +23,7 @@ /** * \file htdocs/install/step5.php * \ingroup install - * \brief Last page of upgrade or install process + * \brief Last page of upgrade / install process */ include_once 'inc.php'; @@ -67,7 +67,7 @@ if (@file_exists($forcedfile)) { $useforcedwizard = true; include_once $forcedfile; - // If forced install is enabled, let's replace post values. These are empty because form fields are disabled. + // If forced install is enabled, replace post values. These are empty because form fields are disabled. if ($force_install_noedit == 2) { if (!empty($force_install_dolibarrlogin)) { $login = $force_install_dolibarrlogin; @@ -75,16 +75,15 @@ } } -dolibarr_install_syslog("--- step5: entering step5.php page"); +dolibarr_install_syslog("- step5: entering step5.php page"); $error=0; - /* * Actions */ -// If install, check pass and pass_verif used to create admin account +// If install, check password and password_verification used to create admin account if ($action == "set") { if ($pass <> $pass_verif) { header("Location: step4.php?error=1&selectlang=$setuplang" . (isset($login) ? '&login=' . $login : '')); @@ -394,8 +393,8 @@ else { // If here MAIN_VERSION_LAST_UPGRADE is not empty - print $langs->trans("VersionLastUpgrade").': '.$conf->global->MAIN_VERSION_LAST_UPGRADE.'
'; - print $langs->trans("VersionProgram").': '.DOL_VERSION.'
'; + print $langs->trans("VersionLastUpgrade").': '.$conf->global->MAIN_VERSION_LAST_UPGRADE.'
'; + print $langs->trans("VersionProgram").': '.DOL_VERSION.'
'; print $langs->trans("MigrationNotFinished").'
'; print "
"; @@ -442,8 +441,8 @@ else { // If here MAIN_VERSION_LAST_UPGRADE is not empty - print $langs->trans("VersionLastUpgrade").': '.$conf->global->MAIN_VERSION_LAST_UPGRADE.'
'; - print $langs->trans("VersionProgram").': '.DOL_VERSION.''; + print $langs->trans("VersionLastUpgrade").': '.$conf->global->MAIN_VERSION_LAST_UPGRADE.'
'; + print $langs->trans("VersionProgram").': '.DOL_VERSION.''; print "
"; @@ -457,17 +456,14 @@ dol_print_error('','step5.php: unknown choice of action'); } - - // Clear cache files clearstatcache(); - $ret=0; if ($error && isset($argv[1])) $ret=1; dolibarr_install_syslog("Exit ".$ret); -dolibarr_install_syslog("--- step5: Dolibarr setup finished"); +dolibarr_install_syslog("- step5: Dolibarr setup finished"); pFooter(1,$setuplang); diff --git a/htdocs/install/upgrade.php b/htdocs/install/upgrade.php index c2ee6e93ad493..3136c813bea37 100644 --- a/htdocs/install/upgrade.php +++ b/htdocs/install/upgrade.php @@ -297,7 +297,7 @@ { if ($db->lasterrno() != 'DB_ERROR_NOSUCHTABLE') { - print '
'.$sql.' : '.$db->lasterror()."
'.$sql.' : '.$db->lasterror()."
- + diff --git a/htdocs/core/tpl/admin_extrafields_edit.tpl.php b/htdocs/core/tpl/admin_extrafields_edit.tpl.php index 3c3cc1858c5d7..1d40a851576b6 100644 --- a/htdocs/core/tpl/admin_extrafields_edit.tpl.php +++ b/htdocs/core/tpl/admin_extrafields_edit.tpl.php @@ -176,7 +176,7 @@ function init_typeoffields(type) } ?> - + diff --git a/htdocs/core/tpl/admin_extrafields_view.tpl.php b/htdocs/core/tpl/admin_extrafields_view.tpl.php index 1b0a5303bec8f..f6d5cebcc9e06 100644 --- a/htdocs/core/tpl/admin_extrafields_view.tpl.php +++ b/htdocs/core/tpl/admin_extrafields_view.tpl.php @@ -51,7 +51,7 @@ print ''; -print ''; +print ''; print ''; print ''; print ''; diff --git a/htdocs/langs/en_US/admin.lang b/htdocs/langs/en_US/admin.lang index 960bee03aefe4..a7cb30d970d7b 100644 --- a/htdocs/langs/en_US/admin.lang +++ b/htdocs/langs/en_US/admin.lang @@ -958,6 +958,7 @@ CalcLocaltax3=Sales CalcLocaltax3Desc=Local Taxes reports are the total of localtaxes sales LabelUsedByDefault=Label used by default if no translation can be found for code LabelOnDocuments=Label on documents +LabelOrTranslationKey=Label or translation key NbOfDays=Nb of days AtEndOfMonth=At end of month CurrentNext=Current/Next From 291f149a9b4b291d254b2c1f38de38d10053e66d Mon Sep 17 00:00:00 2001 From: Laurent Destailleur Date: Sun, 8 Jul 2018 20:26:48 +0200 Subject: [PATCH 39/62] NEW Can set a tooltip help text on extrafields --- htdocs/core/actions_extrafields.inc.php | 4 ++-- htdocs/core/tpl/admin_extrafields_add.tpl.php | 9 ++++++--- htdocs/core/tpl/admin_extrafields_edit.tpl.php | 8 ++++++-- htdocs/core/tpl/admin_extrafields_view.tpl.php | 4 ++-- htdocs/langs/en_US/admin.lang | 2 ++ 5 files changed, 18 insertions(+), 9 deletions(-) diff --git a/htdocs/core/actions_extrafields.inc.php b/htdocs/core/actions_extrafields.inc.php index 6b6d40acd9cfa..599b847b49e7e 100644 --- a/htdocs/core/actions_extrafields.inc.php +++ b/htdocs/core/actions_extrafields.inc.php @@ -178,7 +178,7 @@ (GETPOST('alwayseditable', 'alpha')?1:0), (GETPOST('perms', 'alpha')?GETPOST('perms', 'alpha'):''), $visibility, - 0, + GETPOST('help','alpha'), GETPOST('computed_value','alpha'), (GETPOST('entitycurrentorall', 'alpha')?0:''), GETPOST('langfile', 'alpha') @@ -344,7 +344,7 @@ (GETPOST('alwayseditable', 'alpha')?1:0), (GETPOST('perms', 'alpha')?GETPOST('perms', 'alpha'):''), $visibility, - 0, + GETPOST('help','alpha'), GETPOST('default_value','alpha'), GETPOST('computed_value','alpha'), (GETPOST('entitycurrentorall', 'alpha')?0:''), diff --git a/htdocs/core/tpl/admin_extrafields_add.tpl.php b/htdocs/core/tpl/admin_extrafields_add.tpl.php index 81b49719e986b..e80685154fcaa 100644 --- a/htdocs/core/tpl/admin_extrafields_add.tpl.php +++ b/htdocs/core/tpl/admin_extrafields_add.tpl.php @@ -186,12 +186,15 @@ function init_typeoffields(type) -multicompany->enabled) { ?> - - + + +multicompany->enabled) { ?> + + +
trans("Label"); ?>
trans("LabelOrTranslationKey"); ?>
trans("AttributeCode"); ?> (trans("AlphaNumOnlyLowerCharsAndNoSpace"); ?>)
trans("Label"); ?>
trans("LabelOrTranslationKey"); ?>
trans("AttributeCode"); ?>
'.$langs->trans("Position"); print ''; print ''.$langs->trans("Label").''.$langs->trans("LabelOrTranslationKey").''.$langs->trans("TranslationString").''.$langs->trans("AttributeCode").''.$langs->trans("Type").'
trans("Required"); ?>>
trans("AlwaysEditable"); ?>>
trans("AllEntities"); ?>>
textwithpicto($langs->trans("Visibility"), $langs->trans("VisibleDesc")); ?>
textwithpicto($langs->trans("HelpOnTooltip"), $langs->trans("HelpOnTooltipDesc")); ?>
trans("AllEntities"); ?>>
diff --git a/htdocs/core/tpl/admin_extrafields_edit.tpl.php b/htdocs/core/tpl/admin_extrafields_edit.tpl.php index 1d40a851576b6..cb5ef26bc577c 100644 --- a/htdocs/core/tpl/admin_extrafields_edit.tpl.php +++ b/htdocs/core/tpl/admin_extrafields_edit.tpl.php @@ -156,6 +156,7 @@ function init_typeoffields(type) $perms=$extrafields->attributes[$elementtype]['perms'][$attrname]; $langfile=$extrafields->attributes[$elementtype]['langfile'][$attrname]; $list=$extrafields->attributes[$elementtype]['list'][$attrname]; +$help=$extrafields->attributes[$elementtype]['help'][$attrname]; $entitycurrentorall=$extrafields->attributes[$elementtype]['entityid'][$attrname]; if((($type == 'select') || ($type == 'checkbox') || ($type == 'radio')) && is_array($param)) @@ -248,12 +249,15 @@ function init_typeoffields(type) trans("Required"); ?>> trans("AlwaysEditable"); ?>> +textwithpicto($langs->trans("Visibility"), $langs->trans("VisibleDesc")); ?> + + +textwithpicto($langs->trans("HelpOnTooltip"), $langs->trans("HelpOnTooltipDesc")); ?> multicompany->enabled) { ?> + trans("AllEntities"); ?>> -textwithpicto($langs->trans("Visibility"), $langs->trans("VisibleDesc")); ?> - diff --git a/htdocs/core/tpl/admin_extrafields_view.tpl.php b/htdocs/core/tpl/admin_extrafields_view.tpl.php index f6d5cebcc9e06..a03c06f2d1d36 100644 --- a/htdocs/core/tpl/admin_extrafields_view.tpl.php +++ b/htdocs/core/tpl/admin_extrafields_view.tpl.php @@ -56,8 +56,8 @@ print ''.$langs->trans("AttributeCode").''; print ''.$langs->trans("Type").''; print ''.$langs->trans("Size").''; -print ''.$langs->trans("Unique").''; print ''.$langs->trans("ComputedFormula").''; +print ''.$langs->trans("Unique").''; print ''.$langs->trans("Required").''; print ''.$langs->trans("AlwaysEditable").''; print ''.$form->textwithpicto($langs->trans("Visible"), $langs->trans("VisibleDesc")).''; @@ -83,8 +83,8 @@ print "".$key."\n"; print "".$type2label[$extrafields->attributes[$elementtype]['type'][$key]]."\n"; print ''.$extrafields->attributes[$elementtype]['size'][$key]."\n"; - print ''.yn($extrafields->attributes[$elementtype]['unique'][$key])."\n"; print ''.dol_trunc($extrafields->attributes[$elementtype]['computed'][$key], 20)."\n"; + print ''.yn($extrafields->attributes[$elementtype]['unique'][$key])."\n"; print ''.yn($extrafields->attributes[$elementtype]['required'][$key])."\n"; print ''.yn($extrafields->attributes[$elementtype]['alwayseditable'][$key])."\n"; print ''.$extrafields->attributes[$elementtype]['list'][$key]."\n"; diff --git a/htdocs/langs/en_US/admin.lang b/htdocs/langs/en_US/admin.lang index a7cb30d970d7b..adaa93103db59 100644 --- a/htdocs/langs/en_US/admin.lang +++ b/htdocs/langs/en_US/admin.lang @@ -1796,6 +1796,8 @@ COMPANY_AQUARIUM_REMOVE_SPECIAL=Remove special characters COMPANY_AQUARIUM_CLEAN_REGEX=Regex filter to clean value (COMPANY_AQUARIUM_CLEAN_REGEX) GDPRContact=GDPR contact GDPRContactDesc=If you store data about European companies/citizen, you can store here the contact who is responsible for the General Data Protection Regulation +HelpOnTooltip=Help text to show on tooltip +HelpOnTooltipDesc=Put here a text or a translation key for a text to show on a tooltip when this field appears into a form ##### Resource #### ResourceSetup=Configuration du module Resource UseSearchToSelectResource=Use a search form to choose a resource (rather than a drop-down list). From 12d4880e7b99f5ef47280e5b25a326a51c1780a2 Mon Sep 17 00:00:00 2001 From: Philippe GRAND Date: Mon, 9 Jul 2018 10:08:27 +0200 Subject: [PATCH 40/62] Docs : update and complete --- htdocs/core/modules/modAccounting.class.php | 2 +- htdocs/core/modules/modAdherent.class.php | 10 +++++----- htdocs/core/modules/modAgenda.class.php | 11 ++++++----- htdocs/core/modules/modApi.class.php | 2 +- 4 files changed, 13 insertions(+), 12 deletions(-) diff --git a/htdocs/core/modules/modAccounting.class.php b/htdocs/core/modules/modAccounting.class.php index 42cd67b9dab6a..ba56042ec617e 100644 --- a/htdocs/core/modules/modAccounting.class.php +++ b/htdocs/core/modules/modAccounting.class.php @@ -66,7 +66,7 @@ function __construct($db) $this->depends = array("modFacture","modBanque","modTax"); // List of modules id that must be enabled if this module is enabled $this->requiredby = array(); // List of modules id to disable if this one is disabled $this->conflictwith = array("modComptabilite"); // List of modules are in conflict with this module - $this->phpmin = array(5, 3); // Minimum version of PHP required by module + $this->phpmin = array(5, 4); // Minimum version of PHP required by module $this->need_dolibarr_version = array(3, 9); // Minimum version of Dolibarr required by module $this->langfiles = array("accountancy","compta"); diff --git a/htdocs/core/modules/modAdherent.class.php b/htdocs/core/modules/modAdherent.class.php index 5fde53c965323..74f61fd288f74 100644 --- a/htdocs/core/modules/modAdherent.class.php +++ b/htdocs/core/modules/modAdherent.class.php @@ -62,17 +62,17 @@ function __construct($db) $this->dirs = array("/adherent/temp"); // Config pages - //------------- $this->config_page_url = array("adherent.php@adherents"); // Dependencies - //------------ - $this->depends = array(); - $this->requiredby = array('modMailmanSpip'); + $this->hidden = false; // A condition to hide module + $this->depends = array(); // List of module class names as string that must be enabled if this module is enabled + $this->requiredby = array(); // List of module ids to disable if this one is disabled + $this->conflictwith = array('modMailmanSpip'); // List of module class names as string this module is in conflict with $this->langfiles = array("members","companies"); + $this->phpmin = array(5,4); // Minimum version of PHP required by module // Constants - //----------- $this->const = array(); $r=0; diff --git a/htdocs/core/modules/modAgenda.class.php b/htdocs/core/modules/modAgenda.class.php index 5078f81ad050f..d5620d6805b41 100644 --- a/htdocs/core/modules/modAgenda.class.php +++ b/htdocs/core/modules/modAgenda.class.php @@ -65,14 +65,15 @@ function __construct($db) $this->dirs = array("/agenda/temp"); // Config pages - //------------- $this->config_page_url = array("agenda_other.php"); - // Dependancies - //------------- - $this->depends = array(); - $this->requiredby = array(); + // Dependencies + $this->hidden = false; // A condition to hide module + $this->depends = array(); // List of module class names as string that must be enabled if this module is enabled + $this->requiredby = array(); // List of module ids to disable if this one is disabled + $this->conflictwith = array(); // List of module class names as string this module is in conflict with $this->langfiles = array("companies"); + $this->phpmin = array(5,4); // Minimum version of PHP required by module // Module parts $this->module_parts = array(); diff --git a/htdocs/core/modules/modApi.class.php b/htdocs/core/modules/modApi.class.php index c8dc7ae84baa2..71374e136e596 100644 --- a/htdocs/core/modules/modApi.class.php +++ b/htdocs/core/modules/modApi.class.php @@ -82,7 +82,7 @@ function __construct($db) $this->depends = array(); // List of modules id that must be enabled if this module is enabled $this->requiredby = array(); // List of modules id to disable if this one is disabled $this->conflictwith = array(); // List of modules id this module is in conflict with - $this->phpmin = array(5,3); // Minimum version of PHP required by module + $this->phpmin = array(5,4); // Minimum version of PHP required by module $this->langfiles = array("other"); // Constants From d3d1b6d513f598200610cf663cd875483fe08f48 Mon Sep 17 00:00:00 2001 From: Laurent Destailleur Date: Mon, 9 Jul 2018 13:02:01 +0200 Subject: [PATCH 41/62] NEW Can enable a module, even external module, from command line --- htdocs/core/class/extrafields.class.php | 12 ++--- htdocs/core/db/mysqli.class.php | 26 ++++++---- htdocs/install/upgrade.php | 13 +++-- htdocs/install/upgrade2.php | 67 +++++++++++++++++++------ 4 files changed, 83 insertions(+), 35 deletions(-) diff --git a/htdocs/core/class/extrafields.class.php b/htdocs/core/class/extrafields.class.php index 174e01bf74ca8..db0af17481027 100644 --- a/htdocs/core/class/extrafields.class.php +++ b/htdocs/core/class/extrafields.class.php @@ -256,10 +256,10 @@ private function create($attrname, $type='varchar', $length=255, $elementtype='m if ($type == 'varchar' && empty($lengthdb)) $lengthdb='255'; } $field_desc = array( - 'type'=>$typedb, - 'value'=>$lengthdb, - 'null'=>($required?'NOT NULL':'NULL'), - 'default' => $default_value + 'type'=>$typedb, + 'value'=>$lengthdb, + 'null'=>($required?'NOT NULL':'NULL'), + 'default' => $default_value ); $result=$this->db->DDLAddField(MAIN_DB_PREFIX.$table, $attrname, $field_desc); @@ -376,8 +376,8 @@ private function create_label($attrname, $label='', $type='', $pos=0, $size=0, $ $sql.= " '".$this->db->escape($list)."',"; $sql.= " ".($default?"'".$this->db->escape($default)."'":"null").","; $sql.= " ".($computed?"'".$this->db->escape($computed)."'":"null").","; - $sql .= " " . $user->id . ","; - $sql .= " " . $user->id . ","; + $sql .= " " . (is_object($user) ? $user->id : 0). ","; + $sql .= " " . (is_object($user) ? $user->id : 0). ","; $sql .= "'" . $this->db->idate(dol_now()) . "',"; $sql.= " ".($enabled?"'".$this->db->escape($enabled)."'":"1").","; $sql.= " ".($help?"'".$this->db->escape($help)."'":"null"); diff --git a/htdocs/core/db/mysqli.class.php b/htdocs/core/db/mysqli.class.php index 15d95e3919436..23c19542ae62f 100644 --- a/htdocs/core/db/mysqli.class.php +++ b/htdocs/core/db/mysqli.class.php @@ -765,28 +765,36 @@ function DDLAddField($table,$field_name,$field_desc,$field_position="") // ex. : $field_desc = array('type'=>'int','value'=>'11','null'=>'not null','extra'=> 'auto_increment'); $sql= "ALTER TABLE ".$table." ADD ".$field_name." "; $sql.= $field_desc['type']; - if(preg_match("/^[^\s]/i",$field_desc['value'])) + if (preg_match("/^[^\s]/i",$field_desc['value'])) + { if (! in_array($field_desc['type'],array('date','datetime'))) { $sql.= "(".$field_desc['value'].")"; } - if(preg_match("/^[^\s]/i",$field_desc['attribute'])) - $sql.= " ".$field_desc['attribute']; - if(preg_match("/^[^\s]/i",$field_desc['null'])) - $sql.= " ".$field_desc['null']; - if(preg_match("/^[^\s]/i",$field_desc['default'])) + } + if (isset($field_desc['attribute']) && preg_match("/^[^\s]/i",$field_desc['attribute'])) + { + $sql.= " ".$field_desc['attribute']; + } + if (isset($field_desc['null']) && preg_match("/^[^\s]/i",$field_desc['null'])) + { + $sql.= " ".$field_desc['null']; + } + if (isset($field_desc['default']) && preg_match("/^[^\s]/i",$field_desc['default'])) { if(preg_match("/null/i",$field_desc['default'])) $sql.= " default ".$field_desc['default']; else $sql.= " default '".$field_desc['default']."'"; } - if(preg_match("/^[^\s]/i",$field_desc['extra'])) - $sql.= " ".$field_desc['extra']; + if (isset($field_desc['extra']) && preg_match("/^[^\s]/i",$field_desc['extra'])) + { + $sql.= " ".$field_desc['extra']; + } $sql.= " ".$field_position; dol_syslog(get_class($this)."::DDLAddField ".$sql,LOG_DEBUG); - if($this->query($sql)) { + if ($this->query($sql)) { return 1; } return -1; diff --git a/htdocs/install/upgrade.php b/htdocs/install/upgrade.php index c2ee6e93ad493..f6e1b53570656 100644 --- a/htdocs/install/upgrade.php +++ b/htdocs/install/upgrade.php @@ -1,6 +1,6 @@ - * Copyright (C) 2004-2016 Laurent Destailleur + * Copyright (C) 2004-2018 Laurent Destailleur * Copyright (C) 2005-2010 Regis Houssin * Copyright (C) 2015-2016 Raphaël Doursenaud * @@ -21,10 +21,13 @@ * * cd htdocs/install * php upgrade.php 3.4.0 3.5.0 [dirmodule|ignoredbversion] - * php upgrade2.php 3.4.0 3.5.0 + * php upgrade2.php 3.4.0 3.5.0 [MODULE_NAME1_TO_ENABLE,MODULE_NAME2_TO_ENABLE] * - * Option 'dirmodule' allows to provide a path for an external module, so we migrate from command line a script from a module. - * Option 'ignoredbversion' allows to run migration even if database is a bugged database version. + * And for final step: + * php step5.php 3.4.0 3.5.0 + * + * Option 'dirmodule' allows to provide a path for an external module, so we migrate from command line using a script from a module. + * Option 'ignoredbversion' allows to run migration even if database version does not match start version of migration * Return code is 0 if OK, >0 if error */ @@ -84,7 +87,7 @@ if (! $versionfrom && ! $versionto) { print 'Error: Parameter versionfrom or versionto missing.'."\n"; - print 'Upgrade must be ran from command line with parameters or called from page install/index.php (like a first install) instead of page install/upgrade.php'."\n"; + print 'Upgrade must be ran from command line with parameters or called from page install/index.php (like a first install)'."\n"; // Test if batch mode $sapi_type = php_sapi_name(); $script_file = basename(__FILE__); diff --git a/htdocs/install/upgrade2.php b/htdocs/install/upgrade2.php index 628f4dfc734e0..5174ebb6806c2 100644 --- a/htdocs/install/upgrade2.php +++ b/htdocs/install/upgrade2.php @@ -1,6 +1,6 @@ - * Copyright (C) 2005-2012 Laurent Destailleur + * Copyright (C) 2005-2018 Laurent Destailleur * Copyright (C) 2005-2011 Regis Houssin * Copyright (C) 2010 Juanjo Menent * Copyright (C) 2015-2016 Raphaël Doursenaud @@ -18,13 +18,19 @@ * You should have received a copy of the GNU General Public License * along with this program. If not, see . * - * Upgrade scripts can be ran from command line with syntax: + * Upgrade2 scripts can be ran from command line with syntax: * * cd htdocs/install - * php upgrade.php 3.4.0 3.5.0 - * php upgrade2.php 3.4.0 3.5.0 [MODULE_NAME1_TO_ENABLE,MODULE_NAME2_TO_ENABLE] + * php upgrade.php 3.4.0 3.5.0 [dirmodule|ignoredbversion] + * php upgrade2.php 3.4.0 3.5.0 [MAIN_MODULE_NAME1_TO_ENABLE,MAIN_MODULE_NAME2_TO_ENABLE] + * + * And for final step: + * php step5.php 3.4.0 3.5.0 * * Return code is 0 if OK, >0 if error + * + * Note: To just enable a module from command line, use this syntax: + * php upgrade2.php 0.0.0 0.0.0 [MAIN_MODULE_NAME1_TO_ENABLE,MAIN_MODULE_NAME2_TO_ENABLE] */ /** @@ -77,7 +83,7 @@ if ($dolibarr_main_db_type == 'mssql') $choix=3; -dolibarr_install_syslog("--- upgrade2: entering upgrade2.php page ".$versionfrom." ".$versionto); +dolibarr_install_syslog("--- upgrade2: entering upgrade2.php page ".$versionfrom." ".$versionto." ".$enablemodules); if (! is_object($conf)) dolibarr_install_syslog("upgrade2: conf file not initialized", LOG_ERR); @@ -89,14 +95,14 @@ if ((! $versionfrom || preg_match('/version/', $versionfrom)) && (! $versionto || preg_match('/version/', $versionto))) { print 'Error: Parameter versionfrom or versionto missing or having a bad format.'."\n"; - print 'Upgrade must be ran from command line with parameters or called from page install/index.php (like a first install) instead of page install/upgrade.php'."\n"; + print 'Upgrade must be ran from command line with parameters or called from page install/index.php (like a first install)'."\n"; // Test if batch mode $sapi_type = php_sapi_name(); $script_file = basename(__FILE__); $path=dirname(__FILE__).'/'; if (substr($sapi_type, 0, 3) == 'cli') { - print 'Syntax from command line: '.$script_file." x.y.z a.b.c\n"; + print 'Syntax from command line: '.$script_file." x.y.z a.b.c [MAIN_MODULE_NAME1_TO_ENABLE,MAIN_MODULE_NAME2_TO_ENABLE...]\n"; } exit; } @@ -438,6 +444,13 @@ migrate_rename_directories($db,$langs,$conf,'/contracts','/contract'); } + // Scripts for 9.0 + $afterversionarray=explode('.','8.0.9'); + $beforeversionarray=explode('.','9.0.9'); + if (versioncompare($versiontoarray,$afterversionarray) >= 0 && versioncompare($versiontoarray,$beforeversionarray) <= 0) + { + //migrate_rename_directories($db,$langs,$conf,'/contracts','/contract'); + } } // Code executed only if migration is LAST ONE. Must always be done. @@ -541,12 +554,12 @@ dolCopyDir($srcroot, $destroot, 0, 0); - // Actions for all versions (no database change, delete files and directories) + // Actions for all versions (no database change but delete some files and directories) migrate_delete_old_files($db, $langs, $conf); migrate_delete_old_dir($db, $langs, $conf); - // Actions for all versions (no database change, create directories) + // Actions for all versions (no database change but create some directories) dol_mkdir(DOL_DATA_ROOT.'/bank'); - // Actions for all versions (no database change, rename directories) + // Actions for all versions (no database change but rename some directories) migrate_rename_directories($db, $langs, $conf, '/banque/bordereau', '/bank/checkdeposits'); print '

'.$langs->trans("MigrationFinished").'
'; @@ -4536,11 +4549,11 @@ function migrate_delete_old_dir($db,$langs,$conf) * @param int $force 1=Reload module even if not already loaded * @return void */ -function migrate_reload_modules($db,$langs,$conf,$listofmodule=array(),$force=0) +function migrate_reload_modules($db, $langs, $conf, $listofmodule=array(), $force=0) { if (count($listofmodule) == 0) return; - dolibarr_install_syslog("upgrade2::migrate_reload_modules force=".$force); + dolibarr_install_syslog("upgrade2::migrate_reload_modules force=".$force.", listofmodule=".join(',', array_keys($listofmodule))); foreach($listofmodule as $moduletoreload => $reloadmode) // reloadmodule can be 'noboxes', 'newboxdefonly', 'forceactivate' { @@ -4723,8 +4736,15 @@ function migrate_reload_modules($db,$langs,$conf,$listofmodule=array(),$force=0) $tmp = preg_match('/MAIN_MODULE_([a-zA-Z0-9]+)/', $moduletoreload, $reg); if (! empty($reg[1])) { - $moduletoreloadshort = ucfirst(strtolower($reg[1])); - dolibarr_install_syslog("upgrade2::migrate_reload_modules Reactivate module ".$moduletoreloadshort); + if (strtoupper($moduletoreload) == $moduletoreload) // If key is un uppercase + { + $moduletoreloadshort = ucfirst(strtolower($reg[1])); + } + else // If key is a mix of up and low case + { + $moduletoreloadshort = $reg[1]; + } + dolibarr_install_syslog("upgrade2::migrate_reload_modules Reactivate module ".$moduletoreloadshort." with mode ".$reloadmode); $res=@include_once DOL_DOCUMENT_ROOT.'/core/modules/mod'.$moduletoreloadshort.'.class.php'; if ($res) { $classname = 'mod'.$moduletoreloadshort; @@ -4732,10 +4752,27 @@ function migrate_reload_modules($db,$langs,$conf,$listofmodule=array(),$force=0) //$mod->remove('noboxes'); $mod->init($reloadmode); } + else + { + dolibarr_install_syslog('Failed to include '.DOL_DOCUMENT_ROOT.'/core/modules/mod'.$moduletoreloadshort.'.class.php'); + + $res=@dol_include_once(strtolower($moduletoreloadshort).'/core/modules/mod'.$moduletoreloadshort.'.class.php'); + if ($res) { + $classname = 'mod'.$moduletoreloadshort; + $mod=new $classname($db); + //$mod->remove('noboxes'); + $mod->init($reloadmode); + } + else + { + dolibarr_install_syslog('Failed to include '.strtolower($moduletoreloadshort).'/core/modules/mod'.$moduletoreloadshort.'.class.php'); + } + } } else { - print "Error, can't find module name"; + dolibarr_install_syslog("Error, can't find module with name ".$moduletoreload, LOG_WARNING); + print "Error, can't find module with name ".$moduletoreload; } } From 2c4d7c4835e975fda9917047374415bfb3165156 Mon Sep 17 00:00:00 2001 From: Philippe GRAND Date: Mon, 9 Jul 2018 14:06:59 +0200 Subject: [PATCH 42/62] Docs : update and complete --- htdocs/core/modules/modAsset.class.php | 2 +- htdocs/core/modules/modCashDesk.class.php | 3 +- .../core/modules/modExpenseReport.class.php | 5 +-- htdocs/core/modules/modGeoIPMaxmind.class.php | 8 +++-- htdocs/core/modules/modGravatar.class.php | 8 +++-- htdocs/core/modules/modHRM.class.php | 31 ++++++------------- htdocs/core/modules/modHoliday.class.php | 8 +++-- 7 files changed, 31 insertions(+), 34 deletions(-) diff --git a/htdocs/core/modules/modAsset.class.php b/htdocs/core/modules/modAsset.class.php index 9b82a6015c4b5..d6a50ab9b0755 100644 --- a/htdocs/core/modules/modAsset.class.php +++ b/htdocs/core/modules/modAsset.class.php @@ -96,7 +96,7 @@ public function __construct($db) $this->requiredby = array(); // List of module ids to disable if this one is disabled $this->conflictwith = array(); // List of module class names as string this module is in conflict with $this->langfiles = array("assets"); - $this->phpmin = array(5,3); // Minimum version of PHP required by module + $this->phpmin = array(5,4); // Minimum version of PHP required by module $this->need_dolibarr_version = array(7,0); // Minimum version of Dolibarr required by module $this->warnings_activation = array(); // Warning to show when we activate module. array('always'='text') or array('FR'='textfr','ES'='textes'...) $this->warnings_activation_ext = array(); // Warning to show when we activate an external module. array('always'='text') or array('FR'='textfr','ES'='textes'...) diff --git a/htdocs/core/modules/modCashDesk.class.php b/htdocs/core/modules/modCashDesk.class.php index 4be7a937d1a22..2b33e09c1ac5b 100644 --- a/htdocs/core/modules/modCashDesk.class.php +++ b/htdocs/core/modules/modCashDesk.class.php @@ -64,9 +64,10 @@ function __construct($db) $this->config_page_url = array("cashdesk.php@cashdesk"); // Dependencies + $this->hidden = false; // A condition to hide module $this->depends = array('always'=>"modBanque", 'always'=>"modFacture", 'always'=>"modProduct", 'FR'=>'modBlockedLog'); // List of modules id that must be enabled if this module is enabled $this->requiredby = array(); // List of modules id to disable if this one is disabled - $this->phpmin = array(4,1); // Minimum version of PHP required by module + $this->phpmin = array(5,4); // Minimum version of PHP required by module $this->need_dolibarr_version = array(2,4); // Minimum version of Dolibarr required by module $this->langfiles = array("cashdesk"); $this->warnings_activation = array('FR'=>'WarningNoteModulePOSForFrenchLaw'); // Warning to show when we activate module. array('always'='text') or array('FR'='text') diff --git a/htdocs/core/modules/modExpenseReport.class.php b/htdocs/core/modules/modExpenseReport.class.php index 2dd46c9b78876..78f517b676865 100644 --- a/htdocs/core/modules/modExpenseReport.class.php +++ b/htdocs/core/modules/modExpenseReport.class.php @@ -61,10 +61,11 @@ function __construct($db) $this->config_page_url = array('expensereport.php'); // Dependencies - $this->depends = array(); // List of modules id that must be enabled if this module is enabled + $this->hidden = false; // A condition to hide module + $this->depends = array(); // List of module class names as string that must be enabled if this module is enabled // $this->conflictwith = array("modDeplacement"); // Deactivate for access on old information $this->requiredby = array(); // List of modules id to disable if this one is disabled - $this->phpmin = array(4,3); // Minimum version of PHP required by module + $this->phpmin = array(5,4); // Minimum version of PHP required by module $this->need_dolibarr_version = array(3,7); // Minimum version of Dolibarr required by module $this->langfiles = array("companies","trips"); diff --git a/htdocs/core/modules/modGeoIPMaxmind.class.php b/htdocs/core/modules/modGeoIPMaxmind.class.php index 88bc8b7e8b9ca..81eddf86076ef 100644 --- a/htdocs/core/modules/modGeoIPMaxmind.class.php +++ b/htdocs/core/modules/modGeoIPMaxmind.class.php @@ -65,9 +65,11 @@ function __construct($db) $this->config_page_url = array("geoipmaxmind.php"); // Dependencies - $this->depends = array(); - $this->requiredby = array(); - $this->phpmin = array(4,2,0); + $this->hidden = false; // A condition to hide module + $this->depends = array(); // List of module class names as string that must be enabled if this module is enabled + $this->requiredby = array(); // List of module ids to disable if this one is disabled + $this->conflictwith = array(); // List of module class names as string this module is in conflict with + $this->phpmin = array(5,4); $this->phpmax = array(); $this->need_dolibarr_version = array(2,7,-1); // Minimum version of Dolibarr required by module $this->need_javascript_ajax = 1; diff --git a/htdocs/core/modules/modGravatar.class.php b/htdocs/core/modules/modGravatar.class.php index b6b9d4c9a5924..44b4f8a6e80a4 100644 --- a/htdocs/core/modules/modGravatar.class.php +++ b/htdocs/core/modules/modGravatar.class.php @@ -71,9 +71,11 @@ function __construct($db) $this->config_page_url = array(); // Dependencies - $this->depends = array(); // List of modules id that must be enabled if this module is enabled - $this->requiredby = array(); // List of modules id to disable if this one is disabled - $this->phpmin = array(4, 3); // Minimum version of PHP required by module + $this->hidden = false; // A condition to hide module + $this->depends = array(); // List of module class names as string that must be enabled if this module is enabled + $this->requiredby = array(); // List of module ids to disable if this one is disabled + $this->conflictwith = array(); // List of module class names as string this module is in conflict with + $this->phpmin = array(5, 4); // Minimum version of PHP required by module $this->need_dolibarr_version = array(2, 7); // Minimum version of Dolibarr required by module $this->langfiles = array(); diff --git a/htdocs/core/modules/modHRM.class.php b/htdocs/core/modules/modHRM.class.php index a209fdccf2ecc..6b9f81a5a1f00 100644 --- a/htdocs/core/modules/modHRM.class.php +++ b/htdocs/core/modules/modHRM.class.php @@ -66,27 +66,16 @@ public function __construct($db) $this->config_page_url = array('admin_hrm.php@hrm'); // Dependencies - $this->depends = array(); - $this->requiredby = array(/*" - modSalaries, - modExpenseReport, - modHoliday - "*/); - $this->conflictwith = array(); - $this->phpmin = array ( - 5, - 3 - ); // Minimum version of PHP required by module - $this->need_dolibarr_version = array ( - 3, - 9 - ); // Minimum version of Dolibarr required by module - $this->langfiles = array ( - "hrm" - ); - - // Dictionnaries - $this->dictionnaries=array(); + $this->hidden = false; // A condition to hide module + $this->depends = array(); // List of module class names as string that must be enabled if this module is enabled + $this->requiredby = array(/*"modSalaries, modExpenseReport, modHoliday"*/); // List of module ids to disable if this one is disabled + $this->conflictwith = array(); // List of module class names as string this module is in conflict with + $this->phpmin = array(5,4); // Minimum version of PHP required by module + $this->need_dolibarr_version = array (3,9); // Minimum version of Dolibarr required by module + $this->langfiles = array ("hrm"); + + // Dictionaries + $this->dictionaries=array(); // Constantes $this->const = array (); diff --git a/htdocs/core/modules/modHoliday.class.php b/htdocs/core/modules/modHoliday.class.php index ffaba49e36e3c..88ebd6d94e2d2 100644 --- a/htdocs/core/modules/modHoliday.class.php +++ b/htdocs/core/modules/modHoliday.class.php @@ -81,9 +81,11 @@ function __construct($db) // $this->config_page_url = array("holiday.php?leftmenu=setup@holiday"); // Dependencies - $this->depends = array(); // List of modules id that must be enabled if this module is enabled - $this->requiredby = array(); // List of modules id to disable if this one is disabled - $this->phpmin = array(4,3); // Minimum version of PHP required by module + $this->hidden = false; // A condition to hide module + $this->depends = array(); // List of module class names as string that must be enabled if this module is enabled + $this->requiredby = array(); // List of module ids to disable if this one is disabled + $this->conflictwith = array(); // List of module class names as string this module is in conflict with + $this->phpmin = array(5,4); // Minimum version of PHP required by module $this->need_dolibarr_version = array(3,0); // Minimum version of Dolibarr required by module $this->langfiles = array("holiday"); From e427496ddfb74cac094d828e53da808a61d0f774 Mon Sep 17 00:00:00 2001 From: Laurent Destailleur Date: Mon, 9 Jul 2018 14:13:01 +0200 Subject: [PATCH 43/62] FIX Injection --- htdocs/core/class/html.form.class.php | 7 +++- htdocs/core/lib/functions.lib.php | 46 ++++++++++++++++++++++++++- 2 files changed, 51 insertions(+), 2 deletions(-) diff --git a/htdocs/core/class/html.form.class.php b/htdocs/core/class/html.form.class.php index 03751120c7bec..792ed58ab2bbc 100644 --- a/htdocs/core/class/html.form.class.php +++ b/htdocs/core/class/html.form.class.php @@ -190,7 +190,12 @@ function editfieldval($text, $htmlname, $value, $object, $perm, $typeofdata='str $morealt=' style="width: '.$cols.'"'; $cols=''; } - $ret.=''; + + $valuetoshow = ($editvalue?$editvalue:$value); + + $ret.=''; } else if ($typeofdata == 'day' || $typeofdata == 'datepicker') { diff --git a/htdocs/core/lib/functions.lib.php b/htdocs/core/lib/functions.lib.php index e6e3a2408781a..92ee1e111227e 100644 --- a/htdocs/core/lib/functions.lib.php +++ b/htdocs/core/lib/functions.lib.php @@ -5014,7 +5014,7 @@ function picto_required() * @param string $pagecodeto Encoding of input/output string * @return string String cleaned * - * @see dol_escape_htmltag strip_tags + * @see dol_escape_htmltag strip_tags dol_string_onlythesehtmltags dol_string_neverthesehtmltags */ function dol_string_nohtmltag($stringtoclean,$removelinefeed=1,$pagecodeto='UTF-8') { @@ -5041,6 +5041,50 @@ function dol_string_nohtmltag($stringtoclean,$removelinefeed=1,$pagecodeto='UTF- return trim($temp); } +/** + * Clean a string to keep only desirable HTML tags. + * + * @param string $stringtoclean String to clean + * @return string String cleaned + * + * @see dol_escape_htmltag strip_tags dol_string_nohtmltag dol_string_neverthesehtmltags + */ +function dol_string_onlythesehtmltags($stringtoclean) +{ + $allowed_tags = array( + "html", "head", "meta", "body", "b", "br", "div", "em", "font", "img", "hr", "i", "li", "link", + "ol", "p", "s", "section", "span", "strong", "title", + "table", "tr", "th", "td", "u", "ul" + ); + + $allowed_tags_string = join("><", $allowed_tags); + $allowed_tags_string = preg_replace('/^>/','',$allowed_tags_string); + $allowed_tags_string = preg_replace('/<$/','',$allowed_tags_string); + + $temp = strip_tags($stringtoclean, $allowed_tags_string); + + return $temp; +} + +/** + * Clean a string from some undesirable HTML tags. + * + * @param string $stringtoclean String to clean + * @return string String cleaned + * + * @see dol_escape_htmltag strip_tags dol_string_nohtmltag dol_string_onlythesehtmltags + */ +function dol_string_neverthesehtmltags($stringtoclean, $disallowed_tags=array('textarea')) +{ + $temp = $stringtoclean; + foreach($disallowed_tags as $tagtoremove) + { + $temp = preg_replace('/<\/?'.$tagtoremove.'>/', '', $temp); + $temp = preg_replace('/<\/?'.$tagtoremove.'\s+[^>]*>/', '', $temp); + } + return $temp; +} + /** * Return first line of text. Cut will depends if content is HTML or not. From 4858f6a07e0823eae0aa341be88a6159b8b874f6 Mon Sep 17 00:00:00 2001 From: Philippe GRAND Date: Mon, 9 Jul 2018 14:34:54 +0200 Subject: [PATCH 44/62] Fix : typo --- ChangeLog | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/ChangeLog b/ChangeLog index ceb1d847ddb4a..402bb45423ba8 100644 --- a/ChangeLog +++ b/ChangeLog @@ -7,7 +7,7 @@ English Dolibarr ChangeLog For Users: NEW: Experimental module: Ticket NEW: Experimental module: WebDAV -NEW: Accept anonmymous events (no user assigned) +NEW: Accept anonymous events (no user assigned) NEW: Accountancy - Add import on general ledger NEW: Accountancy - Show journal name on journal page and hide button draft export (Add an option in admin) NEW: Can create event from record card of a company and member @@ -19,7 +19,7 @@ NEW: Add a tab to specify accountant/auditor of the company NEW: Add Date delivery and Availability on Propals List NEW: Add date in goods reception supplier order table NEW: Add delivery_time_days of suppliers in export profile -NEW: Add Docments'tab to expedition module +NEW: Add Documents'tab to expedition module NEW: Use dol_print_phone in thirdparty list page to format phone NEW: Add entry for the GDPR contact NEW: Add extrafield type "html" @@ -101,7 +101,7 @@ NEW: Filter export model is now by user NEW: Finish implementation of option PRODUIT_CUSTOMER_PRICES_BY_QTY_MULTIPRICES NEW: generalize use of button to create new element from list NEW: hidden conf AGENDA_NB_WEEKS_IN_VIEW_PER_USER to set nb weeks to show into per user view -NEW: hidden conf to assign category to thirparty that are not customer nor prospect nor supplier +NEW: hidden conf to assign category to thirparty that are neither customer nor prospect or supplier NEW: hidden conf to set nb weeks to show into user view NEW: hidden option MAIN_DISABLE_FREE_LINES NEW: improve way of adding users/sales representative to thirdparty From c33aaa076dd226701b5fc7f95c082c48b2b9e103 Mon Sep 17 00:00:00 2001 From: Laurent Destailleur Date: Mon, 9 Jul 2018 14:35:22 +0200 Subject: [PATCH 45/62] FIX #8984 button create expense report --- htdocs/expensereport/list.php | 10 ++++++---- 1 file changed, 6 insertions(+), 4 deletions(-) diff --git a/htdocs/expensereport/list.php b/htdocs/expensereport/list.php index 053d293db831e..5b633552380ad 100644 --- a/htdocs/expensereport/list.php +++ b/htdocs/expensereport/list.php @@ -310,8 +310,7 @@ if (empty($user->rights->expensereport->readall) && empty($user->rights->expensereport->lire_tous) && (empty($conf->global->MAIN_USE_ADVANCED_PERMS) || empty($user->rights->expensereport->writeall_advance))) { - $childids = $user->getAllChildIds(); - $childids[]=$user->id; + $childids = $user->getAllChildIds(1); $sql.= " AND d.fk_user_author IN (".join(',',$childids).")\n"; } // Add where from extra fields @@ -442,12 +441,15 @@ print ''.$langs->trans("Modify").''; } - $canedit=(($user->id == $user_id && $user->rights->expensereport->creer) || ($user->id != $user_id)); + $childids = $user->getAllChildIds(1); + + $canedit=((in_array($user_id, $childids) && $user->rights->expensereport->creer) + || ($conf->global->MAIN_USE_ADVANCED_PERMS && $user->rights->expensereport->writeall_advance)); // Boutons d'actions if ($canedit) { - print ''.$langs->trans("AddTrip").''; + print ''.$langs->trans("AddTrip").''; } print '
'; From 8184eff66cf2de5d2d2eacb6e494b37de5406111 Mon Sep 17 00:00:00 2001 From: Laurent Destailleur Date: Mon, 9 Jul 2018 15:25:14 +0200 Subject: [PATCH 46/62] Fix for #9079 --- htdocs/admin/const.php | 6 +++--- htdocs/admin/defaultvalues.php | 2 +- htdocs/admin/menus/edit.php | 2 +- htdocs/admin/system/dolibarr.php | 2 +- htdocs/admin/translation.php | 2 +- 5 files changed, 7 insertions(+), 7 deletions(-) diff --git a/htdocs/admin/const.php b/htdocs/admin/const.php index 7d7b8a8510c8e..c91caea435cfc 100644 --- a/htdocs/admin/const.php +++ b/htdocs/admin/const.php @@ -36,11 +36,11 @@ $entity=GETPOST('entity','int'); $action=GETPOST('action','alpha'); $update=GETPOST('update','alpha'); -$delete=GETPOST('delete'); // Do not use alpha here +$delete=GETPOST('delete','none'); // Do not use alpha here $debug=GETPOST('debug','int'); $consts=GETPOST('const','array'); $constname=GETPOST('constname','alpha'); -$constvalue=GETPOST('constvalue'); +$constvalue=GETPOST('constvalue','none'); // We shoul dbe able to send everything here $constnote=GETPOST('constnote','alpha'); @@ -247,7 +247,7 @@ while ($i < $num) { $obj = $db->fetch_object($result); - + print "\n"; diff --git a/htdocs/admin/defaultvalues.php b/htdocs/admin/defaultvalues.php index 790445f703224..03c31180af3ab 100644 --- a/htdocs/admin/defaultvalues.php +++ b/htdocs/admin/defaultvalues.php @@ -38,7 +38,7 @@ $id=GETPOST('rowid','int'); $action=GETPOST('action','alpha'); -$mode = GETPOST('mode')?GETPOST('mode'):'createform'; // 'createform', 'filters', 'sortorder', 'focus' +$mode = GETPOST('mode','aZ09')?GETPOST('mode','aZ09'):'createform'; // 'createform', 'filters', 'sortorder', 'focus' $limit = GETPOST('limit','int')?GETPOST('limit','int'):$conf->liste_limit; $sortfield = GETPOST("sortfield",'alpha'); diff --git a/htdocs/admin/menus/edit.php b/htdocs/admin/menus/edit.php index cd236d851224d..191db98a40264 100644 --- a/htdocs/admin/menus/edit.php +++ b/htdocs/admin/menus/edit.php @@ -89,7 +89,7 @@ if ($result > 0) { $menu->titre=GETPOST('titre', 'alpha'); - $menu->leftmenu=GETPOST('leftmenu', 'alpha'); + $menu->leftmenu=GETPOST('leftmenu', 'aZ09'); $menu->url=GETPOST('url','alpha'); $menu->langs=GETPOST('langs','alpha'); $menu->position=GETPOST('position','int'); diff --git a/htdocs/admin/system/dolibarr.php b/htdocs/admin/system/dolibarr.php index c36db521f7006..347ac3c01453a 100644 --- a/htdocs/admin/system/dolibarr.php +++ b/htdocs/admin/system/dolibarr.php @@ -157,7 +157,7 @@ foreach($_SESSION as $key => $val) { if ($i > 0) print ', '; - print $key.' => '.$val; + print $key.' => '.dol_escape_htmltag($val); $i++; } print ''."\n"; diff --git a/htdocs/admin/translation.php b/htdocs/admin/translation.php index 1999aab006cc6..4faf0cebe8a16 100644 --- a/htdocs/admin/translation.php +++ b/htdocs/admin/translation.php @@ -39,7 +39,7 @@ $transvalue=GETPOST('transvalue','alpha'); -$mode = GETPOST('mode')?GETPOST('mode'):'overwrite'; +$mode = GETPOST('mode','aZ09')?GETPOST('mode','aZ09'):'overwrite'; $limit = GETPOST('limit','int')?GETPOST('limit','int'):$conf->liste_limit; $sortfield = GETPOST("sortfield",'alpha'); From f5d9403c7de04d434191383370626b50811f1075 Mon Sep 17 00:00:00 2001 From: Laurent Destailleur Date: Mon, 9 Jul 2018 15:38:00 +0200 Subject: [PATCH 47/62] Fix permission to see HR tab on user. All HR on same tabs. --- htdocs/core/lib/usergroups.lib.php | 5 ++++- htdocs/core/modules/modHoliday.class.php | 3 ++- 2 files changed, 6 insertions(+), 2 deletions(-) diff --git a/htdocs/core/lib/usergroups.lib.php b/htdocs/core/lib/usergroups.lib.php index 7a62470e2dafd..2cbba69d256f2 100644 --- a/htdocs/core/lib/usergroups.lib.php +++ b/htdocs/core/lib/usergroups.lib.php @@ -143,7 +143,10 @@ function user_prepare_head($object) complete_head_from_modules($conf,$langs,$object,$head,$h,'user'); if ((! empty($conf->salaries->enabled) && ! empty($user->rights->salaries->read)) - || (! empty($conf->hrm->enabled) && ! empty($user->rights->hrm->employee->read))) + || (! empty($conf->hrm->enabled) && ! empty($user->rights->hrm->employee->read)) + || (! empty($conf->expensereport->enabled) && ! empty($user->rights->expensereport->lire) && $user->id == $object->id) + || (! empty($conf->holiday->enabled) && ! empty($user->rights->holiday->read) && $user->id == $object->id ) + ) { // Bank $head[$h][0] = DOL_URL_ROOT.'/user/bank.php?id='.$object->id; diff --git a/htdocs/core/modules/modHoliday.class.php b/htdocs/core/modules/modHoliday.class.php index be078b92a8e9c..78a1c71fbcb4e 100644 --- a/htdocs/core/modules/modHoliday.class.php +++ b/htdocs/core/modules/modHoliday.class.php @@ -89,7 +89,8 @@ function __construct($db) $this->const = array(); // List of particular constants to add when module is enabled (key, 'chaine', value, desc, visible, 0 or 'allentities') // Array to add new pages in new tabs - $this->tabs[] = array('data'=>'user:+paidholidays:CPTitreMenu:holiday:$user->rights->holiday->read:/holiday/list.php?mainmenu=hrm&id=__ID__'); // To add a new tab identified by code tabname1 + //$this->tabs[] = array('data'=>'user:+paidholidays:CPTitreMenu:holiday:$user->rights->holiday->read:/holiday/list.php?mainmenu=hrm&id=__ID__'); // We avoid to get one tab for each module. RH data are already in RH tab. + $this->tabs[] = array(); // To add a new tab identified by code tabname1 // Boxes $this->boxes = array(); // List of boxes From 699df860d87ad859b3492906422b0fc92396c39e Mon Sep 17 00:00:00 2001 From: Laurent Destailleur Date: Mon, 9 Jul 2018 15:39:59 +0200 Subject: [PATCH 48/62] Code comment --- htdocs/core/class/html.form.class.php | 14 +++++++------- 1 file changed, 7 insertions(+), 7 deletions(-) diff --git a/htdocs/core/class/html.form.class.php b/htdocs/core/class/html.form.class.php index 88377edfad937..0bc53a3066d7d 100644 --- a/htdocs/core/class/html.form.class.php +++ b/htdocs/core/class/html.form.class.php @@ -1073,10 +1073,10 @@ function select_thirdparty_list($selected='',$htmlname='socid',$filter='',$showe $out=''; $num=0; $outarray=array(); - + if ($selected === '') $selected = array(); else if (!is_array($selected)) $selected = array($selected); - + // Clean $filter that may contains sql conditions so sql code if (function_exists('test_sql_and_script_inject')) $filter = test_sql_and_script_inject($filter, 3); @@ -1335,7 +1335,7 @@ function selectcontacts($socid, $selected='', $htmlname='contactid', $showempty= $langs->load('companies'); if (empty($htmlid)) $htmlid = $htmlname; - + if ($selected === '') $selected = array(); else if (!is_array($selected)) $selected = array($selected); $out=''; @@ -1484,13 +1484,13 @@ function select_users($selected='',$htmlname='userid',$show_empty=0,$exclude=nul function select_dolusers($selected='', $htmlname='userid', $show_empty=0, $exclude=null, $disabled=0, $include='', $enableonly='', $force_entity='0', $maxlength=0, $showstatus=0, $morefilter='', $show_every=0, $enableonlytext='', $morecss='', $noactive=0, $outputmode=0, $multiple=false) { global $conf,$user,$langs; - + // If no preselected user defined, we take current user if ((is_numeric($selected) && ($selected < -2 || empty($selected))) && empty($conf->global->SOCIETE_DISABLE_DEFAULT_SALESREPRESENTATIVE)) $selected=$user->id; if ($selected === '') $selected = array(); else if (!is_array($selected)) $selected = array($selected); - + $excludeUsers=null; $includeUsers=null; @@ -1568,7 +1568,7 @@ function select_dolusers($selected='', $htmlname='userid', $show_empty=0, $exclu if ($show_every) $out.= ''."\n"; $userstatic=new User($this->db); - + while ($i < $num) { $obj = $this->db->fetch_object($resql); @@ -6754,7 +6754,7 @@ function select_dolgroups($selected='', $htmlname='groupid', $show_empty=0, $exc if (is_array($include)) $includeGroups = implode("','",$include); if (!is_array($selected)) $selected = array($selected); - + $out=''; // On recherche les groupes From 2ef78bee0b1e8cd16a75cd9cb9801391a00f2c8b Mon Sep 17 00:00:00 2001 From: Laurent Destailleur Date: Mon, 9 Jul 2018 16:16:07 +0200 Subject: [PATCH 49/62] Revert "FIX side nav height." This reverts commit 78ba8bc3b59fed3ebcc9ea149a7f92bb8150a256. --- htdocs/theme/eldy/style.css.php | 1 - 1 file changed, 1 deletion(-) diff --git a/htdocs/theme/eldy/style.css.php b/htdocs/theme/eldy/style.css.php index db3ecd946a39f..49a980298ae09 100644 --- a/htdocs/theme/eldy/style.css.php +++ b/htdocs/theme/eldy/style.css.php @@ -1182,7 +1182,6 @@ border-right: 1px solid #d0d0d0; box-shadow: 3px 0 6px -2px #eee; background: rgb(); - height: 100vh; } div.blockvmenulogo { From 551e2efe8666ee9dfe2b2f6a64f8e92d549d0f0b Mon Sep 17 00:00:00 2001 From: Laurent Destailleur Date: Mon, 9 Jul 2018 17:03:55 +0200 Subject: [PATCH 50/62] Update productcustomerprice.class.php --- htdocs/product/class/productcustomerprice.class.php | 3 +-- 1 file changed, 1 insertion(+), 2 deletions(-) diff --git a/htdocs/product/class/productcustomerprice.class.php b/htdocs/product/class/productcustomerprice.class.php index 096b47255316f..c5f5a1a0e6b47 100644 --- a/htdocs/product/class/productcustomerprice.class.php +++ b/htdocs/product/class/productcustomerprice.class.php @@ -342,8 +342,7 @@ function fetch_all($sortorder = '', $sortfield = '', $limit = 0, $offset = 0, $f $sql .= " AND prod.rowid=t.fk_product "; $sql .= " AND prod.entity IN (" . getEntity('product') . ")"; $sql .= " AND t.entity IN (" . getEntity('productprice') . ")"; - $sql .= " AND soc.entity IN (" . getEntity('societe') . ")"; - + // Manage filter if (count($filter) > 0) { foreach ( $filter as $key => $value ) { From d5cb2fc4cdec8d813f033f25b0429692fd1b3a55 Mon Sep 17 00:00:00 2001 From: Laurent Destailleur Date: Mon, 9 Jul 2018 17:04:50 +0200 Subject: [PATCH 51/62] Update productcustomerprice.class.php --- htdocs/product/class/productcustomerprice.class.php | 1 - 1 file changed, 1 deletion(-) diff --git a/htdocs/product/class/productcustomerprice.class.php b/htdocs/product/class/productcustomerprice.class.php index c5f5a1a0e6b47..fdff7b1fe6d0e 100644 --- a/htdocs/product/class/productcustomerprice.class.php +++ b/htdocs/product/class/productcustomerprice.class.php @@ -452,7 +452,6 @@ function fetch_all_log($sortorder, $sortfield, $limit, $offset, $filter = array( $sql .= " AND prod.rowid=t.fk_product "; $sql .= " AND prod.entity IN (" . getEntity('product') . ")"; $sql .= " AND t.entity IN (" . getEntity('productprice') . ")"; - $sql .= " AND soc.entity IN (" . getEntity('societe') . ")"; // Manage filter if (count($filter) > 0) { From b4b3e33e3e224ba92d15fda1c35876794226ae67 Mon Sep 17 00:00:00 2001 From: Philippe GRAND Date: Mon, 9 Jul 2018 17:22:34 +0200 Subject: [PATCH 52/62] Docs : update and complete comments --- htdocs/core/modules/modImport.class.php | 8 +++++--- htdocs/core/modules/modIncoterm.class.php | 8 +++++--- htdocs/core/modules/modLabel.class.php | 9 ++++++--- htdocs/core/modules/modLdap.class.php | 9 ++++++--- htdocs/core/modules/modLoan.class.php | 8 +++++--- htdocs/core/modules/modMailing.class.php | 7 +++++-- htdocs/core/modules/modMailmanSpip.class.php | 7 +++++-- htdocs/core/modules/modMargin.class.php | 8 +++++--- 8 files changed, 42 insertions(+), 22 deletions(-) diff --git a/htdocs/core/modules/modImport.class.php b/htdocs/core/modules/modImport.class.php index 01d66644dc7dd..ffaac0bf29e29 100644 --- a/htdocs/core/modules/modImport.class.php +++ b/htdocs/core/modules/modImport.class.php @@ -60,9 +60,11 @@ function __construct($db) $this->config_page_url = array(); // Dependencies - $this->depends = array(); - $this->requiredby = array(); - $this->phpmin = array(4,3,0); // Need auto_detect_line_endings php option to solve MAC pbs. + $this->hidden = false; // A condition to hide module + $this->depends = array(); // List of module class names as string that must be enabled if this module is enabled + $this->requiredby = array(); // List of module ids to disable if this one is disabled + $this->conflictwith = array(); // List of module class names as string this module is in conflict with + $this->phpmin = array(5,4); // Minimum version of PHP required by module - Need auto_detect_line_endings php option to solve MAC pbs. $this->phpmax = array(); $this->need_dolibarr_version = array(2,7,-1); // Minimum version of Dolibarr required by module $this->need_javascript_ajax = 1; diff --git a/htdocs/core/modules/modIncoterm.class.php b/htdocs/core/modules/modIncoterm.class.php index 7d4d1251f319d..95949eeb05a78 100644 --- a/htdocs/core/modules/modIncoterm.class.php +++ b/htdocs/core/modules/modIncoterm.class.php @@ -65,9 +65,11 @@ function __construct($db) $this->config_page_url = array(); // Dependencies - $this->depends = array(); // List of modules id that must be enabled if this module is enabled - $this->requiredby = array(); // List of modules id to disable if this one is disabled - $this->phpmin = array(5,0); // Minimum version of PHP required by module + $this->hidden = false; // A condition to hide module + $this->depends = array(); // List of module class names as string that must be enabled if this module is enabled + $this->requiredby = array(); // List of module ids to disable if this one is disabled + $this->conflictwith = array(); // List of module class names as string this module is in conflict with + $this->phpmin = array(5,4); // Minimum version of PHP required by module $this->need_dolibarr_version = array(3,0); // Minimum version of Dolibarr required by module $this->langfiles = array("incoterm"); diff --git a/htdocs/core/modules/modLabel.class.php b/htdocs/core/modules/modLabel.class.php index 2d91fd121bb24..563dddca3cc3e 100644 --- a/htdocs/core/modules/modLabel.class.php +++ b/htdocs/core/modules/modLabel.class.php @@ -56,9 +56,12 @@ function __construct($db) // Data directories to create when module is enabled $this->dirs = array("/label/temp"); - // Dependancies - $this->depends = array(); - $this->requiredby = array(); + // Dependencies + $this->hidden = false; // A condition to hide module + $this->depends = array(); // List of module class names as string that must be enabled if this module is enabled + $this->requiredby = array(); // List of module ids to disable if this one is disabled + $this->conflictwith = array(); // List of module class names as string this module is in conflict with + $this->phpmin = array(5,4); // Minimum version of PHP required by module // Config pages // $this->config_page_url = array("label.php"); diff --git a/htdocs/core/modules/modLdap.class.php b/htdocs/core/modules/modLdap.class.php index 0f183bd6c76ec..90577ae3ccfb1 100644 --- a/htdocs/core/modules/modLdap.class.php +++ b/htdocs/core/modules/modLdap.class.php @@ -60,9 +60,12 @@ function __construct($db) // Config pages $this->config_page_url = array("ldap.php"); - // Dependancies - $this->depends = array(); - $this->requiredby = array(); + // Dependencies + $this->hidden = false; // A condition to hide module + $this->depends = array(); // List of module class names as string that must be enabled if this module is enabled + $this->requiredby = array(); // List of module ids to disable if this one is disabled + $this->conflictwith = array(); // List of module class names as string this module is in conflict with + $this->phpmin = array(5,4); // Minimum version of PHP required by module // Constants $this->const = array( diff --git a/htdocs/core/modules/modLoan.class.php b/htdocs/core/modules/modLoan.class.php index 51779f6ffc54d..70386a1647a2d 100644 --- a/htdocs/core/modules/modLoan.class.php +++ b/htdocs/core/modules/modLoan.class.php @@ -63,9 +63,11 @@ function __construct($db) $this->config_page_url = array('loan.php'); // Dependencies - $this->depends = array(); - $this->requiredby = array(); - $this->conflictwith = array(); + $this->hidden = false; // A condition to hide module + $this->depends = array(); // List of module class names as string that must be enabled if this module is enabled + $this->requiredby = array(); // List of module ids to disable if this one is disabled + $this->conflictwith = array(); // List of module class names as string this module is in conflict with + $this->phpmin = array(5,4); // Minimum version of PHP required by module $this->langfiles = array("loan"); // Constants diff --git a/htdocs/core/modules/modMailing.class.php b/htdocs/core/modules/modMailing.class.php index 46b31a08696d8..062b9113e768c 100644 --- a/htdocs/core/modules/modMailing.class.php +++ b/htdocs/core/modules/modMailing.class.php @@ -57,8 +57,11 @@ function __construct($db) $this->dirs = array("/mailing/temp"); // Dependencies - $this->depends = array(); - $this->requiredby = array(); + $this->hidden = false; // A condition to hide module + $this->depends = array(); // List of module class names as string that must be enabled if this module is enabled + $this->requiredby = array(); // List of module ids to disable if this one is disabled + $this->conflictwith = array(); // List of module class names as string this module is in conflict with + $this->phpmin = array(5,4); // Minimum version of PHP required by module $this->langfiles = array("mails"); // Config pages diff --git a/htdocs/core/modules/modMailmanSpip.class.php b/htdocs/core/modules/modMailmanSpip.class.php index 9a019db7fea92..8403147fd7487 100644 --- a/htdocs/core/modules/modMailmanSpip.class.php +++ b/htdocs/core/modules/modMailmanSpip.class.php @@ -58,8 +58,11 @@ function __construct($db) $this->dirs = array(); // Dependencies - $this->depends = array('modAdherent'); - $this->requiredby = array(); + $this->hidden = false; // A condition to hide module + $this->depends = array('modAdherent'); // List of module class names as string that must be enabled if this module is enabled + $this->requiredby = array(); // List of module ids to disable if this one is disabled + $this->conflictwith = array(); // List of module class names as string this module is in conflict with + $this->phpmin = array(5,4); // Minimum version of PHP required by module // Config pages $this->config_page_url = array('mailman.php'); diff --git a/htdocs/core/modules/modMargin.class.php b/htdocs/core/modules/modMargin.class.php index 53fba120656e2..4eb9ec7fb6500 100644 --- a/htdocs/core/modules/modMargin.class.php +++ b/htdocs/core/modules/modMargin.class.php @@ -68,9 +68,11 @@ function __construct($db) $this->config_page_url = array("margin.php@margin"); // Dependencies - $this->depends = array("modPropale", "modProduct"); // List of modules id that must be enabled if this module is enabled - $this->requiredby = array(); // List of modules id to disable if this one is disabled - $this->phpmin = array(5,1); // Minimum version of PHP required by module + $this->hidden = false; // A condition to hide module + $this->depends = array("modPropale", "modProduct"); // List of module class names as string that must be enabled if this module is enabled + $this->requiredby = array(); // List of module ids to disable if this one is disabled + $this->conflictwith = array(); // List of module class names as string this module is in conflict with + $this->phpmin = array(5,4); // Minimum version of PHP required by module $this->need_dolibarr_version = array(3,2); // Minimum version of Dolibarr required by module $this->langfiles = array("margins"); From e45e74a3bd125cf4960c1c65b77c0cf97a126199 Mon Sep 17 00:00:00 2001 From: Steve Date: Mon, 9 Jul 2018 17:38:28 +0200 Subject: [PATCH 53/62] spelling and some grammar corrections to en_US --- htdocs/langs/en_US/accountancy.lang | 18 +-- htdocs/langs/en_US/admin.lang | 166 +++++++++++++------------- htdocs/langs/en_US/banks.lang | 2 +- htdocs/langs/en_US/bills.lang | 22 ++-- htdocs/langs/en_US/blockedlog.lang | 18 +-- htdocs/langs/en_US/boxes.lang | 2 +- htdocs/langs/en_US/cashdesk.lang | 2 +- htdocs/langs/en_US/commercial.lang | 4 +- htdocs/langs/en_US/companies.lang | 32 ++--- htdocs/langs/en_US/compta.lang | 6 +- htdocs/langs/en_US/contracts.lang | 2 +- htdocs/langs/en_US/cron.lang | 12 +- htdocs/langs/en_US/dict.lang | 10 +- htdocs/langs/en_US/errors.lang | 24 ++-- htdocs/langs/en_US/exports.lang | 58 ++++----- htdocs/langs/en_US/holiday.lang | 6 +- htdocs/langs/en_US/hrm.lang | 2 +- htdocs/langs/en_US/mails.lang | 18 +-- htdocs/langs/en_US/main.lang | 4 +- htdocs/langs/en_US/margins.lang | 2 +- htdocs/langs/en_US/members.lang | 2 +- htdocs/langs/en_US/modulebuilder.lang | 20 ++-- htdocs/langs/en_US/multicurrency.lang | 12 +- htdocs/langs/en_US/opensurvey.lang | 2 +- htdocs/langs/en_US/orders.lang | 4 +- htdocs/langs/en_US/other.lang | 10 +- htdocs/langs/en_US/paybox.lang | 4 +- htdocs/langs/en_US/paypal.lang | 16 +-- htdocs/langs/en_US/printing.lang | 6 +- htdocs/langs/en_US/products.lang | 16 +-- htdocs/langs/en_US/propal.lang | 2 +- htdocs/langs/en_US/salaries.lang | 4 +- htdocs/langs/en_US/sms.lang | 36 +++--- htdocs/langs/en_US/stocks.lang | 28 ++--- htdocs/langs/en_US/website.lang | 6 +- htdocs/langs/en_US/withdrawals.lang | 2 +- htdocs/langs/en_US/workflow.lang | 22 ++-- 37 files changed, 302 insertions(+), 300 deletions(-) diff --git a/htdocs/langs/en_US/accountancy.lang b/htdocs/langs/en_US/accountancy.lang index 266b2fae483aa..bd2afe049e5fb 100644 --- a/htdocs/langs/en_US/accountancy.lang +++ b/htdocs/langs/en_US/accountancy.lang @@ -36,7 +36,7 @@ AlreadyInGeneralLedger=Already journalized in ledgers NotYetInGeneralLedger=Not yet journalized in ledgers GroupIsEmptyCheckSetup=Group is empty, check setup of the personalized accounting group DetailByAccount=Show detail by account -AccountWithNonZeroValues=Accounts with non zero values +AccountWithNonZeroValues=Accounts with non-zero values ListOfAccounts=List of accounts MainAccountForCustomersNotDefined=Main accounting account for customers not defined in setup @@ -58,7 +58,7 @@ AccountancyAreaDescVat=STEP %s: Define accounting accounts for each VAT Rates. F AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. AccountancyAreaDescExpenseReport=STEP %s: Define default accounting accounts for each type of expense report. For this, use the menu entry %s. AccountancyAreaDescSal=STEP %s: Define default accounting accounts for payment of salaries. For this, use the menu entry %s. -AccountancyAreaDescContrib=STEP %s: Define default accounting accounts for special expences (miscellaneous taxes). For this, use the menu entry %s. +AccountancyAreaDescContrib=STEP %s: Define default accounting accounts for special expenses (miscellaneous taxes). For this, use the menu entry %s. AccountancyAreaDescDonation=STEP %s: Define default accounting accounts for donation. For this, use the menu entry %s. AccountancyAreaDescMisc=STEP %s: Define mandatory default account and default accounting accounts for miscellaneous transactions. For this, use the menu entry %s. AccountancyAreaDescLoan=STEP %s: Define default accounting accounts for loans. For this, use the menu entry %s. @@ -198,13 +198,13 @@ PaymentsNotLinkedToProduct=Payment not linked to any product / service Pcgtype=Group of account Pcgsubtype=Subgroup of account -PcgtypeDesc=Group and subgroup of account are used as predefined 'filter' and 'grouping' criterias for some accounting reports. For example, 'INCOME' or 'EXPENSE' are used as groups for accounting accounts of products to build the expense/income report. +PcgtypeDesc=Group and subgroup 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. TotalVente=Total turnover before tax TotalMarge=Total sales margin DescVentilCustomer=Consult here the list of customer invoice lines bound (or not) to a product accounting account -DescVentilMore=In most cases, if you use predefined products or services and you set the account number on the product/service card, the application will be able to make all the binding between your invoice lines and the accounting account of your chart of accounts, just in one click with the button "%s". If account was not set on product/service cards or if you still has some lines not bound to any account, you will have to make a manual binding from the menu "%s". +DescVentilMore=In most cases, if you use predefined products or services and you set the account number on the product/service card, the application will be able to make all the binding between your invoice lines and the accounting account of your chart of accounts, just in one click with the button "%s". If account was not set on product/service cards or if you still have some lines not bound to any account, you will have to make a manual binding from the menu "%s". DescVentilDoneCustomer=Consult here the list of the lines of invoices customers and their product accounting account DescVentilTodoCustomer=Bind invoice lines not already bound with a product accounting account ChangeAccount=Change the product/service accounting account for selected lines with the following accounting account: @@ -213,7 +213,7 @@ DescVentilSupplier=Consult here the list of vendor invoice lines bound or not ye DescVentilDoneSupplier=Consult here the list of the lines of invoices vendors and their accounting account DescVentilTodoExpenseReport=Bind expense report lines not already bound with a fee accounting account DescVentilExpenseReport=Consult here the list of expense report lines bound (or not) to a fee accounting account -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". +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 ValidateHistory=Bind Automatically @@ -232,7 +232,7 @@ NotYetAccounted=Not yet accounted in ledger ## Admin ApplyMassCategories=Apply mass categories -AddAccountFromBookKeepingWithNoCategories=Available acccount not yet in a personalized group +AddAccountFromBookKeepingWithNoCategories=Available account not yet in a personalized group CategoryDeleted=Category for the accounting account has been removed AccountingJournals=Accounting journals AccountingJournal=Accounting journal @@ -292,15 +292,15 @@ ErrorNoAccountingCategoryForThisCountry=No accounting account group available fo 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=Some lines on invoice are not bound to accounting account. ExportNotSupported=The export format setuped is not supported into this page -BookeppingLineAlreayExists=Lines already existing into bookeeping +BookeppingLineAlreayExists=Lines already existing into bookkeeping NoJournalDefined=No journal defined Binded=Lines bound ToBind=Lines to bind -UseMenuToSetBindindManualy=Autodection not possible, use menu %s to make the binding manually +UseMenuToSetBindindManualy=Autodetection not possible, use menu %s to make the binding manually ## Import ImportAccountingEntries=Accounting entries -WarningReportNotReliable=Warning, this report is not based on the Ledger, so does not contains transaction modified manualy in the Ledger. If your journalization is up to date, the bookkeeping view is more accurate. +WarningReportNotReliable=Warning, this report is not based on the Ledger, so does not contains transaction modified manually in the Ledger. If your journalization is up to date, the bookkeeping view is more accurate. ExpenseReportJournal=Expense Report Journal InventoryJournal=Inventory Journal diff --git a/htdocs/langs/en_US/admin.lang b/htdocs/langs/en_US/admin.lang index 404dc6c2c37de..7ec3012eeeb0d 100644 --- a/htdocs/langs/en_US/admin.lang +++ b/htdocs/langs/en_US/admin.lang @@ -50,7 +50,7 @@ ExternalUser=External user InternalUsers=Internal users ExternalUsers=External users GUISetup=Display -SetupArea=Setup area +SetupArea=Setup UploadNewTemplate=Upload new template(s) FormToTestFileUploadForm=Form to test file upload (according to setup) IfModuleEnabled=Note: yes is effective only if module %s is enabled @@ -68,8 +68,8 @@ ErrorCodeCantContainZero=Code can't contain value 0 DisableJavascript=Disable JavaScript and Ajax functions (Recommended for blind person or text browsers) 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=Wait you press a key before loading content of third-parties combo list (This may increase performance if you have a large number of third-parties, but it is less convenient) -DelaiedFullListToSelectContact=Wait you press a key before loading content of contact combo list (This may increase performance if you have a large number of contacts, but it is less convenient) +DelaiedFullListToSelectCompany=Wait until you press a key before loading content of third-parties combo list (This may increase performance if you have a large number of third-parties, but it is less convenient) +DelaiedFullListToSelectContact=Wait until you press a key before loading content of contact combo list (This may increase performance if you have a large number of contacts, but it is less convenient) NumberOfKeyToSearch=Nbr of characters to trigger search: %s NotAvailableWhenAjaxDisabled=Not available when Ajax disabled AllowToSelectProjectFromOtherCompany=On document of a third party, can choose a project linked to another third party @@ -111,7 +111,7 @@ NotConfigured=Module/Application not configured Active=Active SetupShort=Setup OtherOptions=Other options -OtherSetup=Other setup +OtherSetup=Other Setup CurrentValueSeparatorDecimal=Decimal separator CurrentValueSeparatorThousand=Thousand separator Destination=Destination @@ -191,14 +191,14 @@ IgnoreDuplicateRecords=Ignore errors of duplicate record (INSERT IGNORE) AutoDetectLang=Autodetect (browser language) FeatureDisabledInDemo=Feature disabled in demo FeatureAvailableOnlyOnStable=Feature only available on official stable versions -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 dustbin to disable it. +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=Dolibarr modules define which application/feature is enabled in software. Some application/modules require permissions you must grant to users, after activating it. Click on button on/off to enable a module/application. +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 to enable/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 allows it, you can use this tool to deploy an external module. The module will then be visible on the tab %s. +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 can develop or find a partner to develop for you, your personalized module +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 make the seach on the external market place for you (may be slow, need an internet access)... NewModule=New FreeModule=Free @@ -211,8 +211,8 @@ Nouveauté=Novelty AchatTelechargement=Buy / Download GoModuleSetupArea=To deploy/install a new module, go onto the Module setup area at %s. DoliStoreDesc=DoliStore, the official market place for Dolibarr ERP/CRM external modules -DoliPartnersDesc=List of companies providing custom developed modules or features (Note: anyone experienced in PHP programming can provide custom development for an open source project) -WebSiteDesc=Reference websites to find more modules... +DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming may develop a module. +WebSiteDesc=External websites for more add-on (non-core) modules... DevelopYourModuleDesc=Some solutions to develop your own module... URL=Link BoxesAvailable=Widgets available @@ -229,7 +229,7 @@ DoNotStoreClearPassword=Do no store clear passwords in database but store only e MainDbPasswordFileConfEncrypted=Database password encrypted in conf.php (Activated recommended) 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=Protection of generated pdf files (Activated NOT recommended, breaks mass pdf generation) +ProtectAndEncryptPdfFiles=Protection of generated PDF files NOT recommended, breaks mass 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. Feature=Feature DolibarrLicense=License @@ -262,27 +262,27 @@ NoticePeriod=Notice period NewByMonth=New by month Emails=Emails EMailsSetup=Emails setup -EMailsDesc=This page allows you to overwrite your PHP parameters for emails sending. In most cases on Unix/Linux OS, your PHP setup is correct and these parameters are useless. +EMailsDesc=This page allows you to override your default PHP parameters for email sending. In most cases on Unix/Linux OS, the PHP setup is correct and these parameters are unnecessary. EmailSenderProfiles=Emails sender profiles -MAIN_MAIL_SMTP_PORT=SMTP/SMTPS Port (By default in php.ini: %s) -MAIN_MAIL_SMTP_SERVER=SMTP/SMTPS Host (By default 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 (By default in php.ini: %s) +MAIN_MAIL_SMTP_PORT=SMTP/SMTPS Port (default value in 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= Send systematically a hidden carbon-copy of all sent emails to +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=Add employees users with email into allowed recipient list -MAIN_MAIL_SENDMODE=Method to use to send EMails -MAIN_MAIL_SMTPS_ID=SMTP ID if authentication required -MAIN_MAIL_SMTPS_PW=SMTP Password if authentication required -MAIN_MAIL_EMAIL_TLS= Use TLS (SSL) encrypt -MAIN_MAIL_EMAIL_STARTTLS= Use TLS (STARTTLS) encrypt +MAIN_MAIL_ENABLED_USER_DEST_SELECT=Add employee users with email into allowed recipient list +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_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=Sender email by default for manual sending (User email or Company email) +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. @@ -311,13 +311,13 @@ ThisIsAlternativeProcessToFollow=This is an alternative setup to process manuall StepNb=Step %s FindPackageFromWebSite=Find a package that provides feature you want (for example on official web site %s). DownloadPackageFromWebSite=Download package (for example from official web site %s). -UnpackPackageInDolibarrRoot=Unpack the packaged files into server directory dedicated to Dolibarr: %s -UnpackPackageInModulesRoot=To deploy/install an external module, unpack the packaged files into the server directory dedicated to modules: %s +UnpackPackageInDolibarrRoot=Unpack/unzip the packaged files into the server directory dedicated to Dolibarr: %s +UnpackPackageInModulesRoot=To deploy/install an external module, unpack/unzip the packaged files into the server directory dedicated to external modules:
%s SetupIsReadyForUse=Module deployment is finished. You must however enable and setup the module in your application by going on the page to setup modules: %s. NotExistsDirect=The alternative root directory is not defined to an existing directory.
InfDirAlt=Since version 3, it is possible to define an alternative root directory. This allows you to store, into a dedicated directory, plug-ins and custom templates.
Just create a directory at the root of Dolibarr (eg: custom).
InfDirExample=
Then declare it in the file conf.php
$dolibarr_main_url_root_alt='/custom'
$dolibarr_main_document_root_alt='/path/of/dolibarr/htdocs/custom'
If these lines are commented with "#", to enable them, just uncomment by removing the "#" character. -YouCanSubmitFile=For this step, you can submit the .zip file of module package here: +YouCanSubmitFile=Alternatively, you may upload the module .zip file package: CurrentVersion=Dolibarr current version CallUpdatePage=Go to the page that updates the database structure and data: %s. LastStableVersion=Latest stable version @@ -352,7 +352,7 @@ ConfirmPurge=Are you sure you want to execute this purge?
This will delete de MinLength=Minimum length LanguageFilesCachedIntoShmopSharedMemory=Files .lang loaded in shared memory LanguageFile=Language file -ExamplesWithCurrentSetup=Examples with current running setup +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 templates files found in those directories @@ -480,7 +480,7 @@ DAV_ALLOW_PUBLIC_DIRTooltip=The WebDav public directory is a WebDAV directory ev # Modules Module0Name=Users & groups Module0Desc=Users / Employees and Groups management -Module1Name=Third parties +Module1Name=Third Parties Module1Desc=Companies and contact management (customers, prospects...) Module2Name=Commercial Module2Desc=Commercial management @@ -530,8 +530,8 @@ Module80Name=Shipments Module80Desc=Shipments and delivery order management Module85Name=Banks and cash Module85Desc=Management of bank or cash accounts -Module100Name=External site -Module100Desc=This module includes an external web site or page into Dolibarr menus and view it into a Dolibarr frame +Module100Name=External Site +Module100Desc=Add external website link into Dolibarr menus to view it in a Dolibarr frame Module105Name=Mailman and SPIP Module105Desc=Mailman or SPIP interface for member module Module200Name=LDAP @@ -541,7 +541,7 @@ Module210Desc=PostNuke integration Module240Name=Data exports Module240Desc=Tool to export Dolibarr data (with assistants) Module250Name=Data imports -Module250Desc=Tool to import data in Dolibarr (with assistants) +Module250Desc=Tool to import data into Dolibarr (with assistants) Module310Name=Members Module310Desc=Foundation members management Module320Name=RSS Feed @@ -555,18 +555,18 @@ Module410Desc=Webcalendar integration Module500Name=Taxes and Special expenses Module500Desc=Management of other expenses (sale taxes, social or fiscal taxes, dividends, ...) Module510Name=Payment of employee wages -Module510Desc=Record and follow payment of your employee wages +Module510Desc=Record and track employee payments Module520Name=Loan Module520Desc=Management of loans Module600Name=Notifications on business events -Module600Desc=Send EMail notifications (triggered by some business events) to users (setup defined on each user), to third-party contacts (setup defined on each third party) or to fixed emails -Module600Long=Note that this module is dedicated to send real time emails when a dedicated business event occurs. If you are looking for a feature to send reminders by email of your agenda events, go into setup of module Agenda. +Module600Desc=Send email notifications triggered by a business event, for users (setup defined on each user), third-party contacts (setup defined on each third party) or to defined emails +Module600Long=Note that this module sends emails in real-time when a specific business event occurs. If you are looking for a feature to send email reminders of agenda events, go into the setup of module Agenda. Module610Name=Product Variants -Module610Desc=Allows creation of products variant based on attributes (color, size, ...) +Module610Desc=Creation of product variants (color, size etc.) Module700Name=Donations Module700Desc=Donation management Module770Name=Expense reports -Module770Desc=Management and claim expense reports (transportation, meal, ...) +Module770Desc=Manage and claim expense reports (transportation, meal, ...) Module1120Name=Vendor commercial proposal Module1120Desc=Request vendor commercial proposal and prices Module1200Name=Mantis @@ -576,13 +576,13 @@ Module1520Desc=Mass mail document generation Module1780Name=Tags/Categories Module1780Desc=Create tags/category (products, customers, vendors, contacts or members) Module2000Name=WYSIWYG editor -Module2000Desc=Allow to edit some text area using an advanced editor (Based on CKEditor) +Module2000Desc=Allow text fields to be edited using CKEditor Module2200Name=Dynamic Prices Module2200Desc=Enable the usage of math expressions for prices Module2300Name=Scheduled jobs Module2300Desc=Scheduled jobs management (alias cron or chrono table) Module2400Name=Events/Agenda -Module2400Desc=Follow done and upcoming events. Let application log automatic events for tracking purposes or record manual events or rendezvous. This is the main important module for a good Customer or Supplier Relationship Management. +Module2400Desc=Track events. Let Dolibarr log automatic events for tracking purposes or record manual events or meetings. This is the main important module for a good Customer or Supplier Relationship Management. Module2500Name=DMS / ECM Module2500Desc=Document Management System / Electronic Content Management. Automatic organization of your generated or stored documents. Share them when you need. Module2600Name=API/Web services (SOAP server) @@ -590,7 +590,7 @@ Module2600Desc=Enable the Dolibarr SOAP server providing API services Module2610Name=API/Web services (REST server) Module2610Desc=Enable the Dolibarr REST server providing API services Module2660Name=Call WebServices (SOAP client) -Module2660Desc=Enable the Dolibarr web services client (Can be used to push data/requests to external servers. Supplier orders supported only for the moment) +Module2660Desc=Enable the Dolibarr web services client (Can be used to push data/requests to external servers. Supplier orders supported only for the moment) Module2700Name=Gravatar Module2700Desc=Use online Gravatar service (www.gravatar.com) to show photo of users/members (found with their emails). Need an internet access Module2800Desc=FTP Client @@ -599,7 +599,7 @@ Module2900Desc=GeoIP Maxmind conversions capabilities Module3100Name=Skype Module3100Desc=Add a Skype button into users / third parties / contacts / members cards Module3200Name=Unalterable Archives -Module3200Desc=Activate log of some business events into an unalterable log. Events are archived in real-time. The log is a table of chained events that can be read only and exported. This module may be mandatory for some countries. +Module3200Desc=Enable an unalterable log of business events. Events are archived in real-time. The log is a read-only table of chained events that can be exported. This module may be mandatory for some countries. Module4000Name=HRM Module4000Desc=Human resources management (management of department, employee contracts and feelings) Module5000Name=Multi-company @@ -609,27 +609,29 @@ Module6000Desc=Workflow management (automatic creation of object and/or automati Module10000Name=Websites Module10000Desc=Create public websites with a WYSIWG editor. Just setup your web server (Apache, Nginx, ...) to point to the dedicated Dolibarr directory to have it online on the Internet with your own domain name. Module20000Name=Leave Requests management -Module20000Desc=Declare and follow employees leaves requests +Module20000Desc=Declare and track employees leave requests Module39000Name=Products lots Module39000Desc=Lot or serial number, eat-by and sell-by date management on products +Module40000Name=Multicurrency +Module40000Desc=Use alternative currencies in prices and documents Module50000Name=PayBox -Module50000Desc=Module to offer an online payment page accepting payments with Credit/Debit card via PayBox. This can be used to allow your customers to make free payments or for a payment on a particular Dolibarr object (invoice, order, ...) +Module50000Desc=Offer customers a PayBox online payment page (credit/debit cards). This can be used to allow your customers to make free payments or for a payment on a particular Dolibarr object (invoice, order, ...) Module50100Name=Point of sales Module50100Desc=Point of sales module (POS). Module50200Name=Paypal -Module50200Desc=Module to offer an online payment page accepting payments using PayPal (credit card or PayPal credit). This can be used to allow your customers to make free payments or for a payment on a particular Dolibarr object (invoice, order, ...) +Module50200Desc=Offer customers a PayPal online payment page (PayPal account or credit/debit cards). This can be used to allow your customers to make free payments or for a payment on a particular Dolibarr object (invoice, order, ...) Module50400Name=Accounting (advanced) Module50400Desc=Accounting management (double entries, support general and auxiliary ledgers). Export the ledger in several other accounting software format. 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). Module55000Name=Poll, Survey or Vote -Module55000Desc=Module to make online polls, surveys or votes (like Doodle, Studs, Rdvz, ...) +Module55000Desc=Module to create online polls, surveys or votes (like Doodle, Studs, Rdvz, ...) Module59000Name=Margins Module59000Desc=Module to manage margins Module60000Name=Commissions Module60000Desc=Module to manage commissions -Module62000Name=Incoterm -Module62000Desc=Add features to manage Incoterm +Module62000Name=Incoterms +Module62000Desc=Add features to manage Incoterms Module63000Name=Resources Module63000Desc=Manage resources (printers, cars, room, ...) you can then share into events Permission11=Read customer invoices @@ -908,7 +910,7 @@ DictionarySource=Origin of proposals/orders DictionaryAccountancyCategory=Personalized groups for reports DictionaryAccountancysystem=Models for chart of accounts DictionaryAccountancyJournal=Accounting journals -DictionaryEMailTemplates=Emails templates +DictionaryEMailTemplates=Email Templates DictionaryUnits=Units DictionaryProspectStatus=Prospection status DictionaryHolidayTypes=Types of leaves @@ -921,7 +923,7 @@ BackToModuleList=Back to modules list BackToDictionaryList=Back to dictionaries list TypeOfRevenueStamp=Type of tax stamp VATManagement=VAT Management -VATIsUsedDesc=By default when creating prospects, invoices, orders etc. the VAT rate follows the active standard rule:
If the seller is not subjected to VAT, then VAT defaults to 0. End of rule.
If the (selling country= buying country), then the VAT by default equals the VAT of the product in the selling country. End of rule.
If seller and buyer are both in the European Community and goods are transport products (car, ship, plane), the default VAT is 0 (the VAT should be paid by the buyer to the customs office of his country and not to the seller). End of rule.
If seller and buyer are both in the European Community and the buyer is not a company, then the VAT by defaults to the VAT of the product sold. End of rule.
If seller and buyer are both in the European Community and the buyer is a company, then the VAT is 0 by default . End of rule.
In any other case the proposed default is VAT=0. End of rule. +VATIsUsedDesc=By default when creating prospects, invoices, orders etc. the VAT rate follows the active standard rule:
If the seller is not subject to VAT, then VAT defaults to 0. End of rule.

If the (seller's country = buyer's country), then the VAT by default equals the VAT of the product in the seller's country. End of rule.

If the seller and buyer are both in the European Community and goods are transport-related products (haulage, shipping, airline), the default VAT is 0. This rule is dependant on the seller's country - please consult with your accountant. The VAT should be paid by the buyer to their customs office in their country and not to the seller. End of rule.

If the seller and buyer are both in the European Community and the buyer is not a company (with a registered intra-Community VAT number) then the VAT by defaults to the VAT of the seller's country. End of rule.

If the seller and buyer are both in the European Community and the buyer is a company (with a registered intra-Community VAT number), then the VAT is 0 by default. End of rule.

In any other case the proposed default is VAT=0. End of rule.

VATIsNotUsedDesc=By default the proposed VAT is 0 which can be used for cases like associations, individuals or small companies. VATIsUsedExampleFR=In France, it means companies or organizations having a real fiscal system (Simplified real or normal real). A system in which VAT is declared. VATIsNotUsedExampleFR=In France, it means associations that are non VAT declared or companies, organizations or liberal professions that have chosen the micro enterprise fiscal system (VAT in franchise) and paid a franchise VAT without any VAT declaration. This choice will display the reference "Non applicable VAT - art-293B of CGI" on invoices. @@ -1005,8 +1007,8 @@ PermanentLeftSearchForm=Permanent search form on left menu DefaultLanguage=Default language to use (variant) EnableMultilangInterface=Enable multilingual interface EnableShowLogo=Show logo on left menu -CompanyInfo=Company/organization information -CompanyIds=Company/organization identities +CompanyInfo=Company/Organization +CompanyIds=Company/Organization identities CompanyName=Name CompanyAddress=Address CompanyZip=Zip @@ -1021,28 +1023,28 @@ OwnerOfBankAccount=Owner of bank account %s BankModuleNotActive=Bank accounts module not enabled ShowBugTrackLink=Show link "%s" Alerts=Alerts -DelaysOfToleranceBeforeWarning=Tolerance delays before warning -DelaysOfToleranceDesc=This screen allows you to define the tolerated delays before an alert is reported on screen with picto %s for each late element. -Delays_MAIN_DELAY_ACTIONS_TODO=Delay tolerance (in days) before alert on planned events (agenda events) not completed yet -Delays_MAIN_DELAY_PROJECT_TO_CLOSE=Delay tolerance (in days) before alert on project not closed in time -Delays_MAIN_DELAY_TASKS_TODO=Delay tolerance (in days) before alert on planned tasks (project tasks) not completed yet -Delays_MAIN_DELAY_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on orders not processed yet -Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on purchase orders not processed yet -Delays_MAIN_DELAY_PROPALS_TO_CLOSE=Delay tolerance (in days) before alert on proposals to close -Delays_MAIN_DELAY_PROPALS_TO_BILL=Delay tolerance (in days) before alert on proposals not billed -Delays_MAIN_DELAY_NOT_ACTIVATED_SERVICES=Tolerance delay (in days) before alert on services to activate -Delays_MAIN_DELAY_RUNNING_SERVICES=Tolerance delay (in days) before alert on expired services -Delays_MAIN_DELAY_SUPPLIER_BILLS_TO_PAY=Tolerance delay (in days) before alert on unpaid supplier invoices -Delays_MAIN_DELAY_CUSTOMER_BILLS_UNPAYED=Tolerance delay (in days) before alert on unpaid client invoices -Delays_MAIN_DELAY_TRANSACTIONS_TO_CONCILIATE=Tolerance delay (in days) before alert on pending bank reconciliation -Delays_MAIN_DELAY_MEMBERS=Tolerance delay (in days) before alert on delayed membership fee -Delays_MAIN_DELAY_CHEQUES_TO_DEPOSIT=Tolerance delay (in days) before alert for cheques deposit to do -Delays_MAIN_DELAY_EXPENSEREPORTS=Tolerance delay (in days) before alert for expense reports to approve -SetupDescription1=The setup area is for initial setup parameters before starting to use Dolibarr. -SetupDescription2=The two mandatory setup steps are the following steps (the two first entries in the left setup menu): -SetupDescription3=Settings in menu %s -> %s. This step is required because it defines data used on Dolibarr screens to customize the default behavior of the software (for country-related features for example). -SetupDescription4=Settings in menu %s -> %s. This step is required because Dolibarr ERP/CRM is a collection of several modules/applications, all more or less independent. New features are added to menus for every module you activate. -SetupDescription5=Other menu entries manage optional parameters. +DelaysOfToleranceBeforeWarning=Delays before displaying an alert warning +DelaysOfToleranceDesc=This screen allows you to define the delay before an alert is reported onscreen with a %s icon for each late element. +Delays_MAIN_DELAY_ACTIONS_TODO=Delay (in days) before alert on planned events (agenda events) not completed yet +Delays_MAIN_DELAY_PROJECT_TO_CLOSE=Delay (in days) before alert on project not closed in time +Delays_MAIN_DELAY_TASKS_TODO=Delay (in days) before alert on planned tasks (project tasks) not completed yet +Delays_MAIN_DELAY_ORDERS_TO_PROCESS=Delay (in days) before alert on orders not processed yet +Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Delay (in days) before alert on purchase orders not processed yet +Delays_MAIN_DELAY_PROPALS_TO_CLOSE=Delay (in days) before alert on proposals to close +Delays_MAIN_DELAY_PROPALS_TO_BILL=Delay (in days) before alert on proposals not billed +Delays_MAIN_DELAY_NOT_ACTIVATED_SERVICES=Delay (in days) before alert on services to activate +Delays_MAIN_DELAY_RUNNING_SERVICES=Delay (in days) before alert on expired services +Delays_MAIN_DELAY_SUPPLIER_BILLS_TO_PAY=Delay (in days) before alert on unpaid supplier invoices +Delays_MAIN_DELAY_CUSTOMER_BILLS_UNPAYED=Delay (in days) before alert on unpaid client invoices +Delays_MAIN_DELAY_TRANSACTIONS_TO_CONCILIATE=Delay (in days) before alert on pending bank reconciliation +Delays_MAIN_DELAY_MEMBERS=Delay (in days) before alert on delayed membership fee +Delays_MAIN_DELAY_CHEQUES_TO_DEPOSIT=Delay (in days) before alert for cheque deposit to do +Delays_MAIN_DELAY_EXPENSEREPORTS=Delay (in days) before alert for expense reports to approve +SetupDescription1=Before starting to use Dolibarr some initial parameters must be defined and modules enabled/configured. +SetupDescription2=The following two sections are compulsory (the two first entries in the Setup menu on the left): +SetupDescription3=%s -> %s
Basic parameters used to customize the default behavior of Dolibarr (e.g for country-related features). +SetupDescription4=%s -> %s
Dolibarr ERP/CRM is a collection of many modules/applications, all more or less independent. The modules relevant to your needs must be enabled and configured. New items/options are added to menus with the activation of a module. +SetupDescription5=Other Setup menu entries manage optional parameters. LogEvents=Security audit events Audit=Audit InfoDolibarr=About Dolibarr @@ -1060,8 +1062,8 @@ LogEventDesc=You can enable here the logging for Dolibarr security events. Admin AreaForAdminOnly=Setup parameters can be set by administrator users only. SystemInfoDesc=System information is miscellaneous technical information you get in read only mode and visible for administrators only. SystemAreaForAdminOnly=This area is available for administrator users only. None of the Dolibarr permissions can reduce this limit. -CompanyFundationDesc=Edit on this page all known information of the company or foundation you need to manage (For this, click on "%s" or "%s" button at bottom of page) -AccountantDesc=Edit on this page all known information about your accountant/bookkeeper +CompanyFundationDesc=Edit the information of the company/entity. Click on "%s" or "%s" button at the bottom of the page. +AccountantDesc=Edit the details of your accountant/bookkeeper AccountantFileNumber=File number DisplayDesc=You can choose each parameter related to the Dolibarr look and feel here AvailableModules=Available app/modules @@ -1108,10 +1110,10 @@ YouMustRunCommandFromCommandLineAfterLoginToUser=You must run this command from YourPHPDoesNotHaveSSLSupport=SSL functions not available in your PHP DownloadMoreSkins=More skins to download SimpleNumRefModelDesc=Returns the reference number with format %syymm-nnnn where yy is year, mm is month and nnnn is a sequence without hole and with no reset -ShowProfIdInAddress=Show professionnal id with addresses on documents -ShowVATIntaInAddress=Hide VAT Intra num with addresses on documents +ShowProfIdInAddress=Show professional id with addresses on documents +ShowVATIntaInAddress=Hide intra-Community VAT number with addresses on documents TranslationUncomplete=Partial translation -MAIN_DISABLE_METEO=Disable meteo view +MAIN_DISABLE_METEO=Disable meteorological view MeteoStdMod=Standard mode MeteoStdModEnabled=Standard mode enabled MeteoPercentageMod=Percentage mode @@ -1125,7 +1127,7 @@ MAIN_PROXY_HOST=Name/Address of proxy server MAIN_PROXY_PORT=Port of proxy server MAIN_PROXY_USER=Login to use the proxy server MAIN_PROXY_PASS=Password to use the proxy server -DefineHereComplementaryAttributes=Define here all attributes, not already available by default, and that you want to be supported for %s. +DefineHereComplementaryAttributes=Define here any attributes not already available by default, that you want to be supported for %s. ExtraFields=Complementary attributes ExtraFieldsLines=Complementary attributes (lines) ExtraFieldsLinesRec=Complementary attributes (templates invoices lines) @@ -1163,7 +1165,7 @@ TotalNumberOfActivatedModules=Activated application/modules: %s / %s Edit your entry, otherwise confirm and think about creating a credit note of the excess received for each overpaid invoices. +HelpPaymentHigherThanReminderToPay=Attention, the payment amount of one or more bills is higher than the rest to pay.
Edit your entry, otherwise confirm and think about creating a credit note of the excess received for each overpaid invoice. HelpPaymentHigherThanReminderToPaySupplier=Attention, the payment amount of one or more bills is higher than the rest to pay.
Edit your entry, otherwise confirm and think about creating a credit note of the excess paid for each overpaid invoice. ClassifyPaid=Classify 'Paid' ClassifyPaidPartially=Classify 'Paid partially' @@ -141,7 +141,7 @@ BillShortStatusNotRefunded=Not refunded BillShortStatusClosedUnpaid=Closed BillShortStatusClosedPaidPartially=Paid (partially) PaymentStatusToValidShort=To validate -ErrorVATIntraNotConfigured=Intracommunautary VAT number not yet defined +ErrorVATIntraNotConfigured=Intra-Community VAT number not yet defined ErrorNoPaiementModeConfigured=No default payment mode 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 modes ErrorBillNotFound=Invoice %s does not exist @@ -150,7 +150,7 @@ ErrorDiscountAlreadyUsed=Error, discount already used ErrorInvoiceAvoirMustBeNegative=Error, correct invoice must have a negative amount ErrorInvoiceOfThisTypeMustBePositive=Error, this type of invoice must have a positive amount 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 serie cant be removed. +ErrorThisPartOrAnotherIsAlreadyUsedSoDiscountSerieCantBeRemoved=This part or another is already used so discount series cannot be removed. BillFrom=From BillTo=To ActionsOnBill=Actions on invoice @@ -180,14 +180,14 @@ ConfirmCancelBill=Are you sure you want to cancel invoice %s? ConfirmCancelBillQuestion=Why do you want to classify this invoice 'abandoned'? ConfirmClassifyPaidPartially=Are you sure you want to change invoice %s to status paid? ConfirmClassifyPaidPartiallyQuestion=This invoice has not been paid completely. What are reasons for you to close this invoice? -ConfirmClassifyPaidPartiallyReasonAvoir=Remaining unpaid (%s %s) is a discount granted because payment was made before term. I regularise the VAT with a credit note. +ConfirmClassifyPaidPartiallyReasonAvoir=Remaining unpaid (%s %s) is a discount granted because payment was made before term. I regularize the VAT with a credit note. 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 have been provided with suitable comment. (Example «Only the tax corresponding to the price that have been actually paid gives rights to deduction») +ConfirmClassifyPaidPartiallyReasonDiscountNoVatDesc=This choice is possible if your invoice has been provided with suitable comment. (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 note. ConfirmClassifyPaidPartiallyReasonAvoirDesc=Use this choice if all other does not suit ConfirmClassifyPaidPartiallyReasonBadCustomerDesc=A bad customer is a customer that refuse to pay his debt. @@ -304,7 +304,7 @@ SupplierDiscounts=Vendors discounts BillAddress=Bill address HelpEscompte=This discount is a discount granted to customer because its payment was made before term. HelpAbandonBadCustomer=This amount has been abandoned (customer said to be a bad customer) and is considered as an exceptional loose. -HelpAbandonOther=This amount has been abandoned since it was an error (wrong customer or invoice replaced by an other for example) +HelpAbandonOther=This amount has been abandoned since it was an error (wrong customer or invoice replaced by another for example) IdSocialContribution=Social/fiscal tax payment id PaymentId=Payment id PaymentRef=Payment ref. @@ -325,7 +325,7 @@ DescTaxAndDividendsArea=This area presents a summary of all payments made for sp NbOfPayments=Nb of payments SplitDiscount=Split discount in two ConfirmSplitDiscount=Are you sure you want to split this discount of %s %s into 2 lower discounts? -TypeAmountOfEachNewDiscount=Input amount for each of two parts : +TypeAmountOfEachNewDiscount=Input amount for each of two parts: TotalOfTwoDiscountMustEqualsOriginal=Total of two new discount must be equal to original discount amount. ConfirmRemoveDiscount=Are you sure you want to remove this discount? RelatedBill=Related invoice @@ -336,7 +336,7 @@ LatestRelatedBill=Latest related invoice WarningBillExist=Warning, one or more invoice already exist MergingPDFTool=Merging PDF tool AmountPaymentDistributedOnInvoice=Payment amount distributed on invoice -PaymentOnDifferentThirdBills=Allow payments on different thirdparties bills but same parent company +PaymentOnDifferentThirdBills=Allow payments on different third parties bills but same parent company PaymentNote=Payment note ListOfPreviousSituationInvoices=List of previous situation invoices ListOfNextSituationInvoices=List of next situation invoices @@ -415,11 +415,11 @@ PaymentTypeFAC=Factor PaymentTypeShortFAC=Factor BankDetails=Bank details BankCode=Bank code -DeskCode=Desk code +DeskCode=Office code BankAccountNumber=Account number -BankAccountNumberKey=Key +BankAccountNumberKey=Check digits Residence=Direct debit -IBANNumber=IBAN number +IBANNumber=IBAN complete account number IBAN=IBAN BIC=BIC/SWIFT BICNumber=BIC/SWIFT number diff --git a/htdocs/langs/en_US/blockedlog.lang b/htdocs/langs/en_US/blockedlog.lang index 9f6a49a514640..d2acd9873cbc8 100644 --- a/htdocs/langs/en_US/blockedlog.lang +++ b/htdocs/langs/en_US/blockedlog.lang @@ -2,13 +2,13 @@ BlockedLog=Unalterable Logs Field=Field 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 NF535). 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 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). +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) +ShowAllFingerPrintsErrorsMightBeTooLong=Show all non-valid archive logs (might be long) DownloadBlockChain=Download fingerprints -KoCheckFingerprintValidity=Archived log is not valid. It means someone (a hacker ?) has modified some datas of this archived log after it was recorded, or has erased the previous archived record (check that line with previous # exists). +KoCheckFingerprintValidity=Archived log is not valid. It means someone (a hacker?) has modified some datas of this archived log after it was recorded, or has erased the previous archived record (check that line with previous # exists). OkCheckFingerprintValidity=Archived log is valid. It means all data on this line were not modified and record follow the previous one. OkCheckFingerprintValidityButChainIsKo=Archived log seems valid compared to previous one but the chain was corrupted previously. AddedByAuthority=Stored into remote authority @@ -23,7 +23,7 @@ logPAYMENT_CUSTOMER_DELETE=Customer payment logical deletion logDONATION_PAYMENT_CREATE=Donation payment created logDONATION_PAYMENT_DELETE=Donation payment logical deletion logBILL_PAYED=Customer invoice payed -logBILL_UNPAYED=Customer invoice set unpayed +logBILL_UNPAYED=Customer invoice set unpaid logBILL_VALIDATE=Customer invoice validated logBILL_SENTBYMAIL=Customer invoice send by mail logBILL_DELETE=Customer invoice logically deleted @@ -32,9 +32,9 @@ logMODULE_SET=Module BlockedLog was enabled logDON_VALIDATE=Donation validated logDON_MODIFY=Donation modified logDON_DELETE=Donation logical deletion -logMEMBER_SUBSCRIPTION_CREATE=Member subcription created -logMEMBER_SUBSCRIPTION_MODIFY=Member subcription modified -logMEMBER_SUBSCRIPTION_DELETE=Member subcription logical deletion +logMEMBER_SUBSCRIPTION_CREATE=Member subscription created +logMEMBER_SUBSCRIPTION_MODIFY=Member subscription modified +logMEMBER_SUBSCRIPTION_DELETE=Member subscription logical deletion BlockedLogBillDownload=Customer invoice download BlockedLogBillPreview=Customer invoice preview BlockedlogInfoDialog=Log Details @@ -46,8 +46,8 @@ 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 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 +OnlyNonValid=Non-valid TooManyRecordToScanRestrictFilters=Too many record to scan/analyze. Please restrict list with more restrictive filters. RestrictYearToExport=Restrict year to export \ No newline at end of file diff --git a/htdocs/langs/en_US/boxes.lang b/htdocs/langs/en_US/boxes.lang index f5e1ee8f36650..8b3b309dc19c7 100644 --- a/htdocs/langs/en_US/boxes.lang +++ b/htdocs/langs/en_US/boxes.lang @@ -45,7 +45,7 @@ BoxTitleLastModifiedExpenses=Latest %s modified expense reports BoxGlobalActivity=Global activity (invoices, proposals, orders) BoxGoodCustomers=Good customers BoxTitleGoodCustomers=%s Good customers -FailedToRefreshDataInfoNotUpToDate=Failed to refresh RSS flux. Latest successfull refresh date: %s +FailedToRefreshDataInfoNotUpToDate=Failed to refresh RSS flux. Latest successful refresh date: %s LastRefreshDate=Latest refresh date NoRecordedBookmarks=No bookmarks defined. ClickToAdd=Click here to add. diff --git a/htdocs/langs/en_US/cashdesk.lang b/htdocs/langs/en_US/cashdesk.lang index 1f51f375e89dd..e5cf5beaf881e 100644 --- a/htdocs/langs/en_US/cashdesk.lang +++ b/htdocs/langs/en_US/cashdesk.lang @@ -30,5 +30,5 @@ ShowCompany=Show company ShowStock=Show warehouse DeleteArticle=Click to remove this article FilterRefOrLabelOrBC=Search (Ref/Label) -UserNeedPermissionToEditStockToUsePos=You ask to decrease stock on invoice creation, so user that use POS need to have permission to edit stock. +UserNeedPermissionToEditStockToUsePos=You ask to decrease stock on invoice creation, so user that uses POS needs to have permission to edit stock. DolibarrReceiptPrinter=Dolibarr Receipt Printer diff --git a/htdocs/langs/en_US/commercial.lang b/htdocs/langs/en_US/commercial.lang index 9f2e16857de84..97b8c68fd9b02 100644 --- a/htdocs/langs/en_US/commercial.lang +++ b/htdocs/langs/en_US/commercial.lang @@ -72,8 +72,8 @@ StatusProsp=Prospect status DraftPropals=Draft commercial proposals NoLimit=No limit ToOfferALinkForOnlineSignature=Link for online signature -WelcomeOnOnlineSignaturePage=Welcome on the page to accept commerical proposals from %s +WelcomeOnOnlineSignaturePage=Welcome on the page to accept commercial proposals from %s ThisScreenAllowsYouToSignDocFrom=This screen allow you to accept and sign, or refuse, a quote/commercial proposal ThisIsInformationOnDocumentToSign=This is information on document to accept or refuse -SignatureProposalRef=Signature of quote/commerical proposal %s +SignatureProposalRef=Signature of quote/commercial proposal %s FeatureOnlineSignDisabled=Feature for online signing disabled or document generated before the feature was enabled \ No newline at end of file diff --git a/htdocs/langs/en_US/companies.lang b/htdocs/langs/en_US/companies.lang index b3e1e7b6c86e7..87412f5f35010 100644 --- a/htdocs/langs/en_US/companies.lang +++ b/htdocs/langs/en_US/companies.lang @@ -27,11 +27,11 @@ CompanyName=Company name AliasNames=Alias name (commercial, trademark, ...) AliasNameShort=Alias name Companies=Companies -CountryIsInEEC=Country is inside European Economic Community +CountryIsInEEC=Country is inside the European Economic Community ThirdPartyName=Third party name ThirdPartyEmail=Third party email ThirdParty=Third party -ThirdParties=Third parties +ThirdParties=Third Parties ThirdPartyProspects=Prospects ThirdPartyProspectsStats=Prospects ThirdPartyCustomers=Customers @@ -40,7 +40,7 @@ ThirdPartyCustomersWithIdProf12=Customers with %s or %s ThirdPartySuppliers=Vendors ThirdPartyType=Third party type Individual=Private individual -ToCreateContactWithSameName=Will create automatically a contact/address with same information than third party under the third party. In most cases, even if your third party is a physical people, creating a third party alone is enough. +ToCreateContactWithSameName=Will create automatically a contact/address with same information as the third party under the third party. In most cases, even if your third party is a physical person, creating a third party alone is enough. ParentCompany=Parent company Subsidiaries=Subsidiaries ReportByMonth=Report by month @@ -77,10 +77,10 @@ Web=Web Poste= Position DefaultLang=Language by default VATIsUsed=Sales tax is used -VATIsUsedWhenSelling=This define if this third party includes a sale tax or not when it makes an invoice to its own customers +VATIsUsedWhenSelling=This defines if this third party includes a sale tax or not when it makes an invoice to its own customers VATIsNotUsed=Sales tax is not used CopyAddressFromSoc=Fill address with third party address -ThirdpartyNotCustomerNotSupplierSoNoRef=Third party neither customer nor vendor, no available refering objects +ThirdpartyNotCustomerNotSupplierSoNoRef=Third party neither customer nor vendor, no available referring objects ThirdpartyIsNeitherCustomerNorClientSoCannotHaveDiscounts=Third party neither customer nor supplier, discounts are not available PaymentBankAccount=Payment bank account OverAllProposals=Proposals @@ -258,7 +258,7 @@ ProfId1DZ=RC ProfId2DZ=Art. ProfId3DZ=NIF ProfId4DZ=NIS -VATIntra=Sales tax ID +VATIntra=Sales Tax/VAT ID VATIntraShort=Tax ID VATIntraSyntaxIsValid=Syntax is valid VATReturn=VAT return @@ -311,12 +311,12 @@ CustomerCodeDesc=Customer code, unique for all customers SupplierCodeDesc=Vendor code, unique for all vendors RequiredIfCustomer=Required if third party is a customer or prospect RequiredIfSupplier=Required if third party is a vendor -ValidityControledByModule=Validity controled by module +ValidityControledByModule=Validity controlled by module ThisIsModuleRules=This is rules for this module ProspectToContact=Prospect to contact CompanyDeleted=Company "%s" deleted from database. ListOfContacts=List of contacts/addresses -ListOfContactsAddresses=List of contacts/adresses +ListOfContactsAddresses=List of contacts/addresses ListOfThirdParties=List of third parties ShowCompany=Show third party ShowContact=Show contact @@ -340,13 +340,13 @@ CapitalOf=Capital of %s EditCompany=Edit company ThisUserIsNot=This user is not a prospect, customer nor vendor VATIntraCheck=Check -VATIntraCheckDesc=The link %s allows to ask the european VAT checker service. An external internet access from server is required for this service to work. +VATIntraCheckDesc=The link %s uses the European VAT checker service (VIES). An external internet access from server is required for this service to work. VATIntraCheckURL=http://ec.europa.eu/taxation_customs/vies/vieshome.do -VATIntraCheckableOnEUSite=Check Intracomunnautary VAT on European commision site -VATIntraManualCheck=You can also check manually from european web site %s +VATIntraCheckableOnEUSite=Check intra-Community VAT on the European Commission website +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=Nor prospect, nor customer -JuridicalStatus=Legal form +JuridicalStatus=Legal Entity Type Staff=Staff ProspectLevelShort=Potential ProspectLevel=Prospect potential @@ -402,9 +402,9 @@ DeleteFile=Delete file ConfirmDeleteFile=Are you sure you want to delete this file? AllocateCommercial=Assigned to sales representative Organization=Organization -FiscalYearInformation=Information on the fiscal year +FiscalYearInformation=Fiscal Year FiscalMonthStart=Starting month of the fiscal year -YouMustAssignUserMailFirst=You must create email for this user first to be able to add emails notifications for him. +YouMustAssignUserMailFirst=You must create an email for this user prior to being able to add an email notification. YouMustCreateContactFirst=To be able to add email notifications, you must first define contacts with valid emails for the third party ListSuppliersShort=List of vendors ListProspectsShort=List of prospects @@ -420,12 +420,12 @@ CurrentOutstandingBill=Current outstanding bill OutstandingBill=Max. for outstanding bill OutstandingBillReached=Max. for outstanding bill reached OrderMinAmount=Minimum amount for order -MonkeyNumRefModelDesc=Return numero with format %syymm-nnnn for customer code and %syymm-nnnn for vendor code where yy is year, mm is month and nnnn is a sequence with no break and no return to 0. +MonkeyNumRefModelDesc=Return a number with the format %syymm-nnnn for the customer code and %syymm-nnnn for the vendor code where yy is year, mm is month and nnnn is a sequence with no break and no return to 0. LeopardNumRefModelDesc=The code is free. This code can be modified at any time. ManagingDirectors=Manager(s) name (CEO, director, president...) MergeOriginThirdparty=Duplicate third party (third party you want to delete) MergeThirdparties=Merge third parties -ConfirmMergeThirdparties=Are you sure you want to merge this third party into the current one? All linked objects (invoices, orders, ...) will be moved to current third party, then the thirdparty will be deleted. +ConfirmMergeThirdparties=Are you sure you want to merge this third party into the current one? All linked objects (invoices, orders, ...) will be moved to current third party, then the third party will be deleted. ThirdpartiesMergeSuccess=Third parties have been merged SaleRepresentativeLogin=Login of sales representative SaleRepresentativeFirstname=First name of sales representative diff --git a/htdocs/langs/en_US/compta.lang b/htdocs/langs/en_US/compta.lang index 1b1748f90a196..81c8aadf7c82c 100644 --- a/htdocs/langs/en_US/compta.lang +++ b/htdocs/langs/en_US/compta.lang @@ -229,9 +229,9 @@ ACCOUNTING_VAT_SOLD_ACCOUNT=Accounting account by default for VAT on sales (used ACCOUNTING_VAT_BUY_ACCOUNT=Accounting account by default for VAT on purchases (used if not defined on VAT dictionary setup) ACCOUNTING_VAT_PAY_ACCOUNT=Accounting account by default for paying VAT 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 accouting only. This one will be used for General Ledger and as default value of Subledger accounting if dedicated customer accouting account on third party is not defined. +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 accouting only. This one will be used for General Ledger and as default value of Subledger accounting if dedicated supplier accouting account on third party is not defined. +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 supplier accounting account on third party is not defined. CloneTax=Clone a social/fiscal tax ConfirmCloneTax=Confirm the clone of a social/fiscal tax payment CloneTaxForNextMonth=Clone it for next month @@ -248,7 +248,7 @@ ErrorBankAccountNotFound=Error: Bank account not found FiscalPeriod=Accounting period ListSocialContributionAssociatedProject=List of social contributions associated with the project DeleteFromCat=Remove from accounting group -AccountingAffectation=Accounting assignement +AccountingAffectation=Accounting assignment LastDayTaxIsRelatedTo=Last day of period the tax is related to VATDue=Sale tax claimed ClaimedForThisPeriod=Claimed for the period diff --git a/htdocs/langs/en_US/contracts.lang b/htdocs/langs/en_US/contracts.lang index 3768cfb9ff141..017e02d855e15 100644 --- a/htdocs/langs/en_US/contracts.lang +++ b/htdocs/langs/en_US/contracts.lang @@ -67,7 +67,7 @@ CloseService=Close service BoardRunningServices=Expired running services ServiceStatus=Status of service DraftContracts=Drafts contracts -CloseRefusedBecauseOneServiceActive=Contract can't be closed as ther is at least one open service on it +CloseRefusedBecauseOneServiceActive=Contract can't be closed as there is at least one open service on it ActivateAllContracts=Activate all contract lines CloseAllContracts=Close all contract lines DeleteContractLine=Delete a contract line diff --git a/htdocs/langs/en_US/cron.lang b/htdocs/langs/en_US/cron.lang index 243d089a2b15b..43fe8aecc3644 100644 --- a/htdocs/langs/en_US/cron.lang +++ b/htdocs/langs/en_US/cron.lang @@ -12,7 +12,7 @@ OrToLaunchASpecificJob=Or to check and launch a specific job 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 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 @@ -61,11 +61,11 @@ 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 diff --git a/htdocs/langs/en_US/dict.lang b/htdocs/langs/en_US/dict.lang index 81f6246989628..9a8ee71106bf5 100644 --- a/htdocs/langs/en_US/dict.lang +++ b/htdocs/langs/en_US/dict.lang @@ -116,7 +116,7 @@ CountryHM=Heard Island and McDonald CountryVA=Holy See (Vatican City State) CountryHN=Honduras CountryHK=Hong Kong -CountryIS=Icelande +CountryIS=Iceland CountryIN=India CountryID=Indonesia CountryIR=Iran @@ -131,7 +131,7 @@ CountryKI=Kiribati CountryKP=North Korea CountryKR=South Korea CountryKW=Kuwait -CountryKG=Kyrghyztan +CountryKG=Kyrgyzstan CountryLA=Lao CountryLV=Latvia CountryLB=Lebanon @@ -160,7 +160,7 @@ CountryMD=Moldova CountryMN=Mongolia CountryMS=Monserrat CountryMZ=Mozambique -CountryMM=Birmania (Myanmar) +CountryMM=Myanmar (Burma) CountryNA=Namibia CountryNR=Nauru CountryNP=Nepal @@ -223,7 +223,7 @@ CountryTO=Tonga CountryTT=Trinidad and Tobago CountryTR=Turkey CountryTM=Turkmenistan -CountryTC=Turks and Cailos Islands +CountryTC=Turks and Caicos Islands CountryTV=Tuvalu CountryUG=Uganda CountryUA=Ukraine @@ -277,7 +277,7 @@ CurrencySingMGA=Ariary CurrencyMUR=Mauritius rupees CurrencySingMUR=Mauritius rupee CurrencyNOK=Norwegian krones -CurrencySingNOK=Norwegian krone +CurrencySingNOK=Norwegian kronas CurrencyTND=Tunisian dinars CurrencySingTND=Tunisian dinar CurrencyUSD=US Dollars diff --git a/htdocs/langs/en_US/errors.lang b/htdocs/langs/en_US/errors.lang index 646414c2fc5be..37d9980c8060a 100644 --- a/htdocs/langs/en_US/errors.lang +++ b/htdocs/langs/en_US/errors.lang @@ -42,7 +42,7 @@ 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. May be it is associated to Dolibarr entities. +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). @@ -71,15 +71,15 @@ 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 "statut not started" if field "done by" is also filled. +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 childs. +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 other object. +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 en provide the error code %s in your message, or even better by adding a screen copy of this page. +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=Wrong value for field number %s (value '%s' does not match regex rule %s) ErrorFieldValueNotIn=Wrong value for field number %s (value '%s' is not a value available into field %s of table %s) ErrorFieldRefNotIn=Wrong value for field number %s (value '%s' is not a %s existing ref) @@ -95,7 +95,7 @@ ErrorBadMaskBadRazMonth=Error, bad reset value ErrorMaxNumberReachForThisMask=Max number reach 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 transation that is conciliated +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. @@ -147,7 +147,7 @@ ErrorPriceExpression5=Unexpected '%s' ErrorPriceExpression6=Wrong number of arguments (%s given, %s expected) ErrorPriceExpression8=Unexpected operator '%s' ErrorPriceExpression9=An unexpected error occured -ErrorPriceExpression10=Iperator '%s' lacks operand +ErrorPriceExpression10=Operator '%s' lacks operand ErrorPriceExpression11=Expecting '%s' ErrorPriceExpression14=Division by zero ErrorPriceExpression17=Undefined variable '%s' @@ -174,7 +174,7 @@ ErrorMandatoryParametersNotProvided=Mandatory parameter(s) not provided ErrorOppStatusRequiredIfAmount=You set an estimated amount for this opportunity/lead. So you must also enter its 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 ocurred when saving the changes +ErrorSavingChanges=An error has occurred when saving the changes ErrorWarehouseRequiredIntoShipmentLine=Warehouse is required on the line to ship ErrorFileMustHaveFormat=File must have format %s ErrorSupplierCountryIsNotDefined=Country for this vendor is not defined. Correct this first. @@ -201,7 +201,7 @@ 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. +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. @@ -217,9 +217,9 @@ WarningBookmarkAlreadyExists=A bookmark with this title or this target (URL) alr 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 choosed by default until you check your module setup. +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 install/migrate tools by adding a file install.lock into directory %s. Missing this file is a security hole. -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). +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). @@ -229,5 +229,5 @@ WarningTooManyDataPleaseUseMoreFilters=Too many data (more than %s lines). Pleas 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 bulk actions on lists +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 \ No newline at end of file diff --git a/htdocs/langs/en_US/exports.lang b/htdocs/langs/en_US/exports.lang index 4a1152e658127..0642b64dd7ffd 100644 --- a/htdocs/langs/en_US/exports.lang +++ b/htdocs/langs/en_US/exports.lang @@ -7,33 +7,33 @@ ExportableDatas=Exportable dataset ImportableDatas=Importable dataset SelectExportDataSet=Choose dataset you want to export... SelectImportDataSet=Choose dataset you want to import... -SelectExportFields=Choose fields you want to export, or select a predefined export profile -SelectImportFields=Choose source file fields you want to import and their target field in database by moving them up and down with anchor %s, or select a predefined import profile: +SelectExportFields=Choose the fields you want to export, or select a predefined export profile +SelectImportFields=Choose the source file fields you want to import and their target field in database by moving them up and down with anchor %s, or select a predefined import profile: NotImportedFields=Fields of source file not imported -SaveExportModel=Save this export profile if you plan to reuse it later... -SaveImportModel=Save this import profile if you plan to reuse it later... +SaveExportModel=Save this export profile (for reuse) ... +SaveImportModel=Save this import profile (for reuse) ... ExportModelName=Export profile name -ExportModelSaved=Export profile saved under name %s. +ExportModelSaved=Export profile saved as %s. ExportableFields=Exportable fields ExportedFields=Exported fields ImportModelName=Import profile name -ImportModelSaved=Import profile saved under name %s. +ImportModelSaved=Import profile saved as %s. DatasetToExport=Dataset to export DatasetToImport=Import file into dataset ChooseFieldsOrdersAndTitle=Choose fields order... FieldsTitle=Fields title FieldTitle=Field title -NowClickToGenerateToBuildExportFile=Now, select file format in combo box and click on "Generate" to build export file... +NowClickToGenerateToBuildExportFile=Now, select the file format in the combo box and click on "Generate" to build the export file... AvailableFormats=Available formats LibraryShort=Library Step=Step FormatedImport=Import assistant -FormatedImportDesc1=This area allows to import personalized data, using an assistant to help you in process without technical knowledge. -FormatedImportDesc2=First step is to choose a king of data you want to load, then file to load, then to choose which fields you want to load. +FormatedImportDesc1=This area allows the import of personalized data using an assistant, to help you in the process without technical knowledge. +FormatedImportDesc2=First step is to choose the kind of data you want to import, then the format of the source file, then the fields you want to import. FormatedExport=Export assistant -FormatedExportDesc1=This area allows to export personalized data, using an assistant to help you in process without technical knowledge. -FormatedExportDesc2=First step is to choose a predefined dataset, then to choose which fields you want in your result files, and which order. -FormatedExportDesc3=When data to export are selected, you can define output file format you want to export your data to. +FormatedExportDesc1=These tools allow the export of personalized data using an assistant, to help you in the process without requiring technical knowledge. +FormatedExportDesc2=First step is to choose a predefined dataset, then which fields you want to export, and in which order. +FormatedExportDesc3=When data to export are selected, you can choose the format of the output file. Sheet=Sheet NoImportableData=No importable data (no module with definitions to allow data imports) FileSuccessfullyBuilt=File generated @@ -50,10 +50,10 @@ LineTotalVAT=Amount of VAT for line TypeOfLineServiceOrProduct=Type of line (0=product, 1=service) FileWithDataToImport=File with data to import FileToImport=Source file to import -FileMustHaveOneOfFollowingFormat=File to import must have one of following format +FileMustHaveOneOfFollowingFormat=File to import must have one of following formats DownloadEmptyExample=Download example of empty source file -ChooseFormatOfFileToImport=Choose file format to use as import file format by clicking on picto %s to select it... -ChooseFileToImport=Upload file then click on picto %s to select file as source import file... +ChooseFormatOfFileToImport=Choose the file format to use as import file format by clicking on the %s icon to select it... +ChooseFileToImport=Upload file then click on the %s icon to select file as source import file... SourceFileFormat=Source file format FieldsInSourceFile=Fields in source file FieldsInTargetDatabase=Target fields in Dolibarr database (bold=mandatory) @@ -68,7 +68,7 @@ FieldsTarget=Targeted fields FieldTarget=Targeted field FieldSource=Source field NbOfSourceLines=Number of lines in source file -NowClickToTestTheImport=Check import parameters you have defined. If they are correct, click on button "%s" to launch a simulation of import process (no data will be changed in your database, it's only a simulation for the moment)... +NowClickToTestTheImport=Check the import parameters you have defined. If they are correct, click on button "%s" to launch a simulation of the import process (no data will be changed in your database, it's only a simulation)... RunSimulateImportFile=Launch the import simulation FieldNeedSource=This field requires data from the source file SomeMandatoryFieldHaveNoSource=Some mandatory fields have no source from data file @@ -77,36 +77,36 @@ InformationOnTargetTables=Information on target fields SelectAtLeastOneField=Switch at least one source field in the column of fields to export SelectFormat=Choose this import file format RunImportFile=Launch import file -NowClickToRunTheImport=Check result of import simulation. If everything is ok, launch the definitive import. +NowClickToRunTheImport=Check result of import simulation. If everything is ok, launch the real import process. DataLoadedWithId=All data will be loaded with the following import id: %s -ErrorMissingMandatoryValue=Mandatory data is empty in source file for field %s. -TooMuchErrors=There is still %s other source lines with errors but output has been limited. -TooMuchWarnings=There is still %s other source lines with warnings but output has been limited. +ErrorMissingMandatoryValue=Mandatory data is empty in the source file for field %s. +TooMuchErrors=There are still %s other source lines with errors but output has been limited. +TooMuchWarnings=There are still %s other source lines with warnings but output has been limited. EmptyLine=Empty line (will be discarded) -CorrectErrorBeforeRunningImport=You must first correct all errors before running definitive import. +CorrectErrorBeforeRunningImport=You must correct all errors before running the definitive import. FileWasImported=File was imported with number %s. -YouCanUseImportIdToFindRecord=You can find all imported record in your database by filtering on field import_key='%s'. +YouCanUseImportIdToFindRecord=You can find all the imported records in your database by filtering on field import_key='%s'. NbOfLinesOK=Number of lines with no errors and no warnings: %s. NbOfLinesImported=Number of lines successfully imported: %s. DataComeFromNoWhere=Value to insert comes from nowhere in source file. DataComeFromFileFieldNb=Value to insert comes from field number %s in source file. -DataComeFromIdFoundFromRef=Value that comes from field number %s of source file will be used to find id of parent object to use (So the objet %s that has the ref. from source file must exists into Dolibarr). -DataComeFromIdFoundFromCodeId=Code that comes from field number %s of source file will be used to find id of parent object to use (So the code from source file must exists into dictionary %s). Note that if you know id, you can also use it into source file instead of code. Import should work in both cases. +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 found using the data in 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: SourceRequired=Data value is mandatory SourceExample=Example of possible data value ExampleAnyRefFoundIntoElement=Any ref found for element %s ExampleAnyCodeOrIdFoundIntoDictionary=Any code (or id) found into dictionary %s -CSVFormatDesc=Comma Separated Value file format (.csv).
This is a text file format where fields are separated by separator [ %s ]. If separator is found inside a field content, field is rounded by round character [ %s ]. Escape character to escape round character is [ %s ]. -Excel95FormatDesc=Excel file format (.xls)
This is native Excel 95 format (BIFF5). -Excel2007FormatDesc=Excel file format (.xlsx)
This is native Excel 2007 format (SpreadsheetML). +CSVFormatDesc=Comma Separated Value file format (.csv).
This is a text file format where fields are separated by a separator [ %s ]. If separator is found inside a field content, field is rounded by round character [ %s ]. Escape character to escape round character is [ %s ]. +Excel95FormatDesc=Excel file format (.xls)
This is the native Excel 95 format (BIFF5). +Excel2007FormatDesc=Excel file format (.xlsx)
This is the native Excel 2007 format (SpreadsheetML). TsvFormatDesc=Tab Separated Value file format (.tsv)
This is a text file format where fields are separated by a tabulator [tab]. ExportFieldAutomaticallyAdded=Field %s was automatically added. It will avoid you to have similar lines to be treated as duplicate record (with this field added, all lines will own their own id and will differ). CsvOptions=Csv Options Separator=Separator -Enclosure=Enclosure +Enclosure=Delimiter SpecialCode=Special code ExportStringFilter=%% allows replacing one or more characters in the text ExportDateFilter=YYYY, YYYYMM, YYYYMMDD : filters by one year/month/day
YYYY+YYYY, YYYYMM+YYYYMM, YYYYMMDD+YYYYMMDD : filters over a range of years/months/days
> YYYY, > YYYYMM, > YYYYMMDD : filters on all following years/months/days
< YYYY, < YYYYMM, < YYYYMMDD : filters on all previous years/months/days diff --git a/htdocs/langs/en_US/holiday.lang b/htdocs/langs/en_US/holiday.lang index eca2bbdfe46dc..5c9c9e04200de 100644 --- a/htdocs/langs/en_US/holiday.lang +++ b/htdocs/langs/en_US/holiday.lang @@ -19,8 +19,8 @@ ListeCP=List of leaves LeaveId=Leave ID ReviewedByCP=Will be approved by UserForApprovalID=User for approval ID -UserForApprovalFirstname=Firstname of approval user -UserForApprovalLastname=Lastname of approval user +UserForApprovalFirstname=First name of approval user +UserForApprovalLastname=Last name of approval user UserForApprovalLogin=Login of approval user DescCP=Description SendRequestCP=Create leave request @@ -112,7 +112,7 @@ NoticePeriod=Notice period HolidaysToValidate=Validate leave requests HolidaysToValidateBody=Below is a leave request to validate HolidaysToValidateDelay=This leave request will take place within a period of less than %s days. -HolidaysToValidateAlertSolde=The user who made this leave reques do not have enough available days. +HolidaysToValidateAlertSolde=The user who made this leave request does have enough available days. HolidaysValidated=Validated leave requests HolidaysValidatedBody=Your leave request for %s to %s has been validated. HolidaysRefused=Request denied diff --git a/htdocs/langs/en_US/hrm.lang b/htdocs/langs/en_US/hrm.lang index 3889c73dbbb65..12bb1592cbcea 100644 --- a/htdocs/langs/en_US/hrm.lang +++ b/htdocs/langs/en_US/hrm.lang @@ -5,7 +5,7 @@ Establishments=Establishments Establishment=Establishment NewEstablishment=New establishment DeleteEstablishment=Delete establishment -ConfirmDeleteEstablishment=Are-you sure to delete this establishment? +ConfirmDeleteEstablishment=Are you sure you wish to delete this establishment? OpenEtablishment=Open establishment CloseEtablishment=Close establishment # Dictionary diff --git a/htdocs/langs/en_US/mails.lang b/htdocs/langs/en_US/mails.lang index bab16304d831b..21dc5ec4db5dd 100644 --- a/htdocs/langs/en_US/mails.lang +++ b/htdocs/langs/en_US/mails.lang @@ -33,7 +33,7 @@ ValidMailing=Valid emailing MailingStatusDraft=Draft MailingStatusValidated=Validated MailingStatusSent=Sent -MailingStatusSentPartialy=Sent partialy +MailingStatusSentPartialy=Sent partially MailingStatusSentCompletely=Sent completely MailingStatusError=Error MailingStatusNotSent=Not sent @@ -45,8 +45,8 @@ MailingStatusReadAndUnsubscribe=Read and unsubscribe ErrorMailRecipientIsEmpty=Email recipient is empty WarningNoEMailsAdded=No new Email to add to recipient's list. ConfirmValidMailing=Are you sure you want to validate this emailing? -ConfirmResetMailing=Warning, by reinitializing emailing %s, you allow to make a mass sending of this email another time. Are you sure you this is what you want to do? -ConfirmDeleteMailing=Are you sure you want to delete this emailling? +ConfirmResetMailing=Warning, by reinitializing emailing %s, you will allow resending this email in a mass mailing. Are you sure you this is what you want to do? +ConfirmDeleteMailing=Are you sure you want to delete this emailing? NbOfUniqueEMails=Nb of unique emails NbOfEMails=Nb of EMails TotalNbOfDistinctRecipients=Number of distinct recipients @@ -66,12 +66,12 @@ DateLastSend=Date of latest sending DateSending=Date sending SentTo=Sent to %s MailingStatusRead=Read -YourMailUnsubcribeOK=The email %s is correctly unsubcribe from mailing list -ActivateCheckReadKey=Key used to encrypt URL used for "Read Receipt" and "Unsubcribe" feature +YourMailUnsubcribeOK=The email %s is correctly unsubscribe from mailing list +ActivateCheckReadKey=Key used to encrypt URL used for "Read Receipt" and "Unsubscribe" feature EMailSentToNRecipients=EMail sent to %s recipients. EMailSentForNElements=EMail sent for %s elements. XTargetsAdded=%s recipients added into target list -OnlyPDFattachmentSupported=If the PDF documents were already generated for the objects to send, they will be attached to email. If not, no email will be sent (also, note that only pdf documents are supported as attachment in mass sending in this version). +OnlyPDFattachmentSupported=If the PDF documents were already generated for the objects to send, they will be attached to email. If not, no email will be sent (also, note that only pdf documents are supported as attachments in mass sending in this version). AllRecipientSelected=The recipients of the %s record selected (if their email is known). GroupEmails=Group emails OneEmailPerRecipient=One email per recipient (by default, one email per record selected) @@ -139,7 +139,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 magic caracters. For exemple 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 exemple jean;joe;jim%%;!jimo;!jima% will target all jean, joe, start with jim but not jimo and not everythnig taht start by 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 @@ -153,7 +153,7 @@ AddAll=Add all RemoveAll=Remove all ItemsCount=Item(s) AdvTgtNameTemplate=Filter name -AdvTgtAddContact=Add emails according to criterias +AdvTgtAddContact=Add emails according to criteria AdvTgtLoadFilter=Load filter AdvTgtDeleteFilter=Delete filter AdvTgtSaveFilter=Save filter @@ -166,4 +166,4 @@ InGoingEmailSetup=Incoming email setup OutGoingEmailSetupForEmailing=Outgoing email setup (for mass emailing) DefaultOutgoingEmailSetup=Default outgoing email setup Information=Information -ContactsWithThirdpartyFilter=Contacts avec filtre client +ContactsWithThirdpartyFilter=Contacts with third party filter diff --git a/htdocs/langs/en_US/main.lang b/htdocs/langs/en_US/main.lang index da140b602f26a..51514b981604c 100644 --- a/htdocs/langs/en_US/main.lang +++ b/htdocs/langs/en_US/main.lang @@ -822,7 +822,7 @@ TooManyRecordForMassAction=Too many records selected for mass action. The action NoRecordSelected=No record selected MassFilesArea=Area for files built by mass actions ShowTempMassFilesArea=Show area of files built by mass actions -ConfirmMassDeletion=Bulk delete confirmation +ConfirmMassDeletion=Mass delete confirmation ConfirmMassDeletionQuestion=Are you sure you want to delete the %s selected record? RelatedObjects=Related Objects ClassifyBilled=Classify billed @@ -945,6 +945,6 @@ LocalAndRemote=Local and Remote KeyboardShortcut=Keyboard shortcut AssignedTo=Assigned to Deletedraft=Delete draft -ConfirmMassDraftDeletion=Draft Bulk delete confirmation +ConfirmMassDraftDeletion=Draft mass delete confirmation FileSharedViaALink=File shared via a link diff --git a/htdocs/langs/en_US/margins.lang b/htdocs/langs/en_US/margins.lang index b9d52dcfdc684..167e316703c5d 100644 --- a/htdocs/langs/en_US/margins.lang +++ b/htdocs/langs/en_US/margins.lang @@ -41,4 +41,4 @@ rateMustBeNumeric=Rate must be a numeric value markRateShouldBeLesserThan100=Mark rate should be lower than 100 ShowMarginInfos=Show margin infos CheckMargins=Margins detail -MarginPerSaleRepresentativeWarning=The report of margin per user use the link between third parties and sale representatives to calculate the margin of each sale representative. Because some thirdparties may not have any ddiated sale representative and some thirdparties may be linked to several, some amounts may not be included into this report (if there is no sale representative) and some may appear on different lines (for each sale representative). +MarginPerSaleRepresentativeWarning=The report of margin per user use the link between third parties and sale representatives to calculate the margin of each sale representative. Because some thirdparties may not have any dedicated sale representative and some third parties may be linked to several, some amounts may not be included into this report (if there is no sale representative) and some may appear on different lines (for each sale representative). diff --git a/htdocs/langs/en_US/members.lang b/htdocs/langs/en_US/members.lang index 98e42b45e96e8..9eac3a0c54291 100644 --- a/htdocs/langs/en_US/members.lang +++ b/htdocs/langs/en_US/members.lang @@ -88,7 +88,7 @@ ConfirmDeleteSubscription=Are you sure you want to delete this subscription? Filehtpasswd=htpasswd file ValidateMember=Validate a member ConfirmValidateMember=Are you sure you want to validate this member? -FollowingLinksArePublic=The following links are open pages not protected by any Dolibarr permission. They are not formated pages, provided as example to show how to list members database. +FollowingLinksArePublic=The following links are open pages not protected by any Dolibarr permission. They are not formatted pages, provided as example to show how to list members database. PublicMemberList=Public member list BlankSubscriptionForm=Public self-subscription form BlankSubscriptionFormDesc=Dolibarr can provide you a public URL/website to allow external visitors to ask to subscribe to the foundation. If an online payment module is enabled, a payment form may also be automatically provided. diff --git a/htdocs/langs/en_US/modulebuilder.lang b/htdocs/langs/en_US/modulebuilder.lang index 460cdce63c2c5..bd506bd84a54a 100644 --- a/htdocs/langs/en_US/modulebuilder.lang +++ b/htdocs/langs/en_US/modulebuilder.lang @@ -1,5 +1,5 @@ # Dolibarr language file - Source file is en_US - loan -ModuleBuilderDesc=This tools must be used by experienced users or developers. It gives you utilities to build or edit your own module (Documentation for alternative manual development is here). +ModuleBuilderDesc=This tool must be used by only by experienced users or developers. It gives you utilities to build or edit your own module.
Documentation for alternative manual development is here. EnterNameOfModuleDesc=Enter name of the module/application to create with no spaces. Use uppercase to separate words (For example: MyModule, EcommerceForShop, SyncWithMySystem...) EnterNameOfObjectDesc=Enter name of the object to create with no spaces. Use uppercase to separate words (For example: MyObject, Student, Teacher...). The CRUD class file, but also API file, pages to list/add/edit/delete object and SQL files will be generated. ModuleBuilderDesc2=Path where modules are generated/edited (first alternative directory defined into %s): %s @@ -13,7 +13,7 @@ ModuleInitialized=Module initialized FilesForObjectInitialized=Files for new object '%s' initialized FilesForObjectUpdated=Files for object '%s' updated (.sql files and .class.php file) ModuleBuilderDescdescription=Enter here all general information that describe your module. -ModuleBuilderDescspecifications=You can enter here a long text to describe the specifications of your module that is not already structured into other tabs. So you have within easy reach all the rules to develop. Also this text content will be included into the generated documentation (see last tab). You can use Markdown format, but it is recommanded to use Asciidoc format (Comparison between .md and .asciidoc: http://asciidoctor.org/docs/user-manual/#compared-to-markdown) +ModuleBuilderDescspecifications=You can enter here a detailed description of the specifications of your module that is not already structured into other tabs. So you have within easy reach all the rules to develop. Also this text content will be included into the generated documentation (see last tab). You can use Markdown format, but it is recommended to use Asciidoc format (comparison between .md and .asciidoc: http://asciidoctor.org/docs/user-manual/#compared-to-markdown). ModuleBuilderDescobjects=Define here the objects you want to manage with your module. A CRUD DAO class, SQL files, page to list record of objects, to create/edit/view a record and an API will be generated. ModuleBuilderDescmenus=This tab is dedicated to define menu entries provided by your module. ModuleBuilderDescpermissions=This tab is dedicated to define the new permissions you want to provide with your module. @@ -21,12 +21,12 @@ ModuleBuilderDesctriggers=This is the view of triggers provided by your module. ModuleBuilderDeschooks=This tab is dedicated to hooks. ModuleBuilderDescwidgets=This tab is dedicated to manage/build widgets. ModuleBuilderDescbuildpackage=You can generate here a "ready to distribute" package file (a normalized .zip file) of your module and a "ready to distribute" documentation file. Just click on button to build the package or documentation file. -EnterNameOfModuleToDeleteDesc=You can delete your module. WARNING: All files of module but also structured data and documentation will be definitly lost ! -EnterNameOfObjectToDeleteDesc=You can delete an object. WARNING: All files related to object will be definitly lost ! +EnterNameOfModuleToDeleteDesc=You can delete your module. WARNING: ALL files of module AND structured data and documentation will be deleted! +EnterNameOfObjectToDeleteDesc=You can delete an object. WARNING: All files related to object will be deleted! DangerZone=Danger zone BuildPackage=Build package/documentation BuildDocumentation=Build documentation -ModuleIsNotActive=This module was not activated yet. Go into %s to make it live or click here: +ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here: ModuleIsLive=This module has been activated. Any change on it may break a current active feature. DescriptionLong=Long description EditorName=Name of editor @@ -47,7 +47,7 @@ RegenerateClassAndSql=Erase and regenerate class and sql files RegenerateMissingFiles=Generate missing files SpecificationFile=File with business rules LanguageFile=File for language -ConfirmDeleteProperty=Are you sure you want to delete the property %s ? This will change code in PHP class but also remove column from table definition of object. +ConfirmDeleteProperty=Are you sure you want to delete the property %s? This will change code in PHP class but also remove column from table definition of object. NotNull=Not NULL NotNullDesc=1=Set database to NOT NULL. -1=Allow null values and force value to NULL if empty ('' or 0). SearchAll=Used for 'search all' @@ -66,7 +66,7 @@ PageForLib=File for PHP libraries SqlFileExtraFields=Sql file for complementary attributes SqlFileKey=Sql file for keys AnObjectAlreadyExistWithThisNameAndDiffCase=An object already exists with this name and a different case -UseAsciiDocFormat=You can use Markdown format, but it is recommanded to use Asciidoc format (Comparison between .md and .asciidoc: http://asciidoctor.org/docs/user-manual/#compared-to-markdown) +UseAsciiDocFormat=You can use Markdown format, but it is recommended to use Asciidoc format (omparison between .md and .asciidoc: http://asciidoctor.org/docs/user-manual/#compared-to-markdown) IsAMeasure=Is a measure DirScanned=Directory scanned NoTrigger=No trigger @@ -77,8 +77,8 @@ ListOfPermissionsDefined=List of defined permissions SeeExamples=See examples here EnabledDesc=Condition to have this field active (Examples: 1 or $conf->global->MYMODULE_MYOPTION) VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only. Using a negative value means field is not shown by default on list but can be selected for viewing) -IsAMeasureDesc=Can the value of field be cumulated to get a total into list ? (Examples: 1 or 0) -SearchAllDesc=Is the field used to make a search from the quick search tool ? (Examples: 1 or 0) +IsAMeasureDesc=Can the value of field be cumulated to get a total into list? (Examples: 1 or 0) +SearchAllDesc=Is the field used to make a search from the quick search tool? (Examples: 1 or 0) SpecDefDesc=Enter here all documentation you want to provide with your module that is not already defined by other tabs. You can use .md or better, the rich .asciidoc syntax. LanguageDefDesc=Enter in this files, all the key and the translation for each language file. MenusDefDesc=Define here the menus provided by your module (once defined, they are visible into the menu editor %s) @@ -88,7 +88,7 @@ TriggerDefDesc=Define in the trigger file the code you want to execute for each SeeIDsInUse=See IDs in use in your installation SeeReservedIDsRangeHere=See range of reserved IDs ToolkitForDevelopers=Toolkit for Dolibarr developers -TryToUseTheModuleBuilder=If you have knowledge in SQL and PHP, you can try to use the native module builder wizard. Just enable the module and use the wizard by clicking the on the top right menu. Warning: This is a developer feature, bad use may breaks your application. +TryToUseTheModuleBuilder=If you have knowledge of SQL and PHP, you may use the native module builder wizard.
Enable the module (Setup->Other Setup->MAIN_FEATURES_LEVEL = 2) and use the wizard by clicking the on the top right menu.
Warning: This is an advanced developer feature, do not experiment on your production site! 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") diff --git a/htdocs/langs/en_US/multicurrency.lang b/htdocs/langs/en_US/multicurrency.lang index 0da2ee58b6087..048e672131034 100644 --- a/htdocs/langs/en_US/multicurrency.lang +++ b/htdocs/langs/en_US/multicurrency.lang @@ -3,18 +3,18 @@ MultiCurrency=Multi currency ErrorAddRateFail=Error in added rate ErrorAddCurrencyFail=Error in added currency ErrorDeleteCurrencyFail=Error delete fail -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) +multicurrency_syncronize_error=Synchronization error: %s +MULTICURRENCY_USE_RATE_ON_DOCUMENT_DATE=Use the date of the document to find the currency rate, instead of using the latest known rate +multicurrency_useOriginTx=When an object is created from another, keep the original rate from the source object (otherwise use the latest known rate) CurrencyLayerAccount=CurrencyLayer API -CurrencyLayerAccount_help_to_synchronize=You sould create an account on their website to use this functionnality
Get your API key
If you use a free account you can't change the currency source (USD by default)
But if your main currency isn't USD you can use the alternate currency source to force you main currency

You are limited at 1000 synchronizations per month +CurrencyLayerAccount_help_to_synchronize=You must create an account on their website to use this functionality.
Get your API key.
If you use a free account you can't change the currency source (USD by default).
If your main currency is not USD you can use the alternate currency source to force your main currency.

You are limited to 1000 synchronizations per month. multicurrency_appId=API key multicurrency_appCurrencySource=Currency source multicurrency_alternateCurrencySource=Alternate currency source CurrenciesUsed=Currencies used -CurrenciesUsed_help_to_add=Add the differents currencies and rates you need to use on you proposals, orders, etc. +CurrenciesUsed_help_to_add=Add the different currencies and rates you need to use on your proposals, orders etc. rate=rate MulticurrencyReceived=Received, original currency -MulticurrencyRemainderToTake=Remaining amout, original currency +MulticurrencyRemainderToTake=Remaining amount, original currency MulticurrencyPaymentAmount=Payment amount, original currency AmountToOthercurrency=Amount To (in currency of receiving account) \ No newline at end of file diff --git a/htdocs/langs/en_US/opensurvey.lang b/htdocs/langs/en_US/opensurvey.lang index 41f91cf8bef41..0dff05cbfc03a 100644 --- a/htdocs/langs/en_US/opensurvey.lang +++ b/htdocs/langs/en_US/opensurvey.lang @@ -11,7 +11,7 @@ PollTitle=Poll title ToReceiveEMailForEachVote=Receive an email for each vote TypeDate=Type date TypeClassic=Type standard -OpenSurveyStep2=Select your dates amoung the free days (grey). The selected days are green. You can unselect a day previously selected by clicking again on it +OpenSurveyStep2=Select your dates among the free days (grey). The selected days are green. You can unselect a day previously selected by clicking again on it RemoveAllDays=Remove all days CopyHoursOfFirstDay=Copy hours of first day RemoveAllHours=Remove all hours diff --git a/htdocs/langs/en_US/orders.lang b/htdocs/langs/en_US/orders.lang index 06191d9f7b7cd..ac4ff87b8e16b 100644 --- a/htdocs/langs/en_US/orders.lang +++ b/htdocs/langs/en_US/orders.lang @@ -88,7 +88,7 @@ NumberOfOrdersByMonth=Number of orders by month AmountOfOrdersByMonthHT=Amount of orders by month (net of tax) ListOfOrders=List of orders CloseOrder=Close order -ConfirmCloseOrder=Are you sure you want to set this order to deliverd? Once an order is delivered, it can be set to billed. +ConfirmCloseOrder=Are you sure you want to set this order to delivered? Once an order is delivered, it can be set to billed. ConfirmDeleteOrder=Are you sure you want to delete this order? ConfirmValidateOrder=Are you sure you want to validate this order under name %s? ConfirmUnvalidateOrder=Are you sure you want to restore order %s to draft status? @@ -116,7 +116,7 @@ DispatchSupplierOrder=Receiving supplier order %s FirstApprovalAlreadyDone=First approval already done SecondApprovalAlreadyDone=Second approval already done SupplierOrderReceivedInDolibarr=Purchase Order %s received %s -SupplierOrderSubmitedInDolibarr=Purchase Order %s submited +SupplierOrderSubmitedInDolibarr=Purchase Order %s submitted SupplierOrderClassifiedBilled=Purchase Order %s set billed OtherOrders=Other orders ##### Types de contacts ##### diff --git a/htdocs/langs/en_US/other.lang b/htdocs/langs/en_US/other.lang index 8ef8cc30090b4..c5535cd8eb023 100644 --- a/htdocs/langs/en_US/other.lang +++ b/htdocs/langs/en_US/other.lang @@ -23,7 +23,7 @@ MessageForm=Message on online payment form MessageOK=Message on validated payment return page MessageKO=Message on canceled payment return page ContentOfDirectoryIsNotEmpty=Content of this directory is not empty. -DeleteAlsoContentRecursively=Check to delete all content recursiveley +DeleteAlsoContentRecursively=Check to delete all content recursively YearOfInvoice=Year of invoice date PreviousYearOfInvoice=Previous year of invoice date @@ -41,8 +41,8 @@ Notify_ORDER_SUPPLIER_VALIDATE=Supplier order recorded Notify_ORDER_SUPPLIER_APPROVE=Supplier order approved Notify_ORDER_SUPPLIER_REFUSE=Supplier order refused Notify_PROPAL_VALIDATE=Customer proposal validated -Notify_PROPAL_CLOSE_SIGNED=Customer propal closed signed -Notify_PROPAL_CLOSE_REFUSED=Customer propal closed refused +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 @@ -185,7 +185,7 @@ NumberOfUnitsCustomerInvoices=Number of units on customer invoices NumberOfUnitsSupplierProposals=Number of units on supplier proposals NumberOfUnitsSupplierOrders=Number of units on supplier orders NumberOfUnitsSupplierInvoices=Number of units on supplier invoices -EMailTextInterventionAddedContact=A newintervention %s has been assigned to you. +EMailTextInterventionAddedContact=A new intervention %s has been assigned to you. EMailTextInterventionValidated=The intervention %s has been validated. EMailTextInvoiceValidated=The invoice %s has been validated. EMailTextProposalValidated=The proposal %s has been validated. @@ -204,7 +204,7 @@ 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 informations on current edited image +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: diff --git a/htdocs/langs/en_US/paybox.lang b/htdocs/langs/en_US/paybox.lang index 522243ab89973..c7e7bd38bdc30 100644 --- a/htdocs/langs/en_US/paybox.lang +++ b/htdocs/langs/en_US/paybox.lang @@ -21,9 +21,9 @@ ToOfferALinkForOnlinePaymentOnContractLine=URL to offer a %s online payment user ToOfferALinkForOnlinePaymentOnFreeAmount=URL to offer a %s online payment user interface for a free amount ToOfferALinkForOnlinePaymentOnMemberSubscription=URL to offer a %s online payment user interface for a member subscription YouCanAddTagOnUrl=You can also add url parameter &tag=value to any of those URL (required only for free payment) to add your own payment comment tag. -SetupPayBoxToHavePaymentCreatedAutomatically=Setup your PayBox with url %s to have payment created automatically when validated by paybox. +SetupPayBoxToHavePaymentCreatedAutomatically=Setup your Paybox with url %s to have payment created automatically when validated by Paybox. YourPaymentHasBeenRecorded=This page confirms that your payment has been recorded. Thank you. -YourPaymentHasNotBeenRecorded=You payment has NOT been recorded and transaction has been canceled. Thank you. +YourPaymentHasNotBeenRecorded=Your payment has NOT been recorded and the transaction has been canceled. Thank you. AccountParameter=Account parameters UsageParameter=Usage parameters InformationToFindParameters=Help to find your %s account information diff --git a/htdocs/langs/en_US/paypal.lang b/htdocs/langs/en_US/paypal.lang index 547b188b4a5ab..bc5e828e903d2 100644 --- a/htdocs/langs/en_US/paypal.lang +++ b/htdocs/langs/en_US/paypal.lang @@ -1,19 +1,19 @@ # Dolibarr language file - Source file is en_US - paypal PaypalSetup=PayPal module setup -PaypalDesc=This module offer pages to allow payment on PayPal by customers. This can be used for a free payment or for a payment on a particular Dolibarr object (invoice, order, ...) -PaypalOrCBDoPayment=Pay with Paypal (Credit Card or Paypal) -PaypalDoPayment=Pay with Paypal +PaypalDesc=This module allows payment on PayPal by customers. This can be used for a free payment or for a payment on a particular Dolibarr object (invoice, order, ...) +PaypalOrCBDoPayment=Pay with PayPal (Credit 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 payment "integral" (Credit card+Paypal) or "Paypal" only +PAYPAL_API_INTEGRAL_OR_PAYPALONLY=Offer payment "integral" (Credit card+PayPal) or "PayPal" only PaypalModeIntegral=Integral PaypalModeOnlyPaypal=PayPal only -ONLINE_PAYMENT_CSS_URL=Optionnal URL of CSS style sheet on online payment page +ONLINE_PAYMENT_CSS_URL=Optional URL of CSS stylesheet on online payment page ThisIsTransactionId=This is id of transaction: %s -PAYPAL_ADD_PAYMENT_URL=Add the url of Paypal payment when you send a document by mail +PAYPAL_ADD_PAYMENT_URL=Add the url of PayPal payment when you send a document by mail YouAreCurrentlyInSandboxMode=You are currently in the %s "sandbox" mode NewOnlinePaymentReceived=New online payment received NewOnlinePaymentFailed=New online payment tried but failed @@ -28,7 +28,7 @@ ShortErrorMessage=Short Error Message ErrorCode=Error Code ErrorSeverityCode=Error Severity Code OnlinePaymentSystem=Online payment system -PaypalLiveEnabled=Paypal live enabled (otherwise test/sandbox mode) -PaypalImportPayment=Import Paypal payments +PaypalLiveEnabled=PayPal live 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. \ No newline at end of file diff --git a/htdocs/langs/en_US/printing.lang b/htdocs/langs/en_US/printing.lang index e8349453247d8..d2399823e3795 100644 --- a/htdocs/langs/en_US/printing.lang +++ b/htdocs/langs/en_US/printing.lang @@ -2,7 +2,7 @@ Module64000Name=Direct Printing Module64000Desc=Enable Direct Printing System PrintingSetup=Setup of Direct Printing System -PrintingDesc=This module adds a Print button to send documents directly to a printer (without opening document into an application) with various module. +PrintingDesc=This module adds a Print button to various modules to allow documents to be printed directly to a printer without needing to open the document in another application. MenuDirectPrinting=Direct Printing jobs DirectPrint=Direct print PrintingDriverDesc=Configuration variables for printing driver. @@ -19,7 +19,7 @@ UserConf=Setup per user PRINTGCP_INFO=Google OAuth API setup PRINTGCP_AUTHLINK=Authentication PRINTGCP_TOKEN_ACCESS=Google Cloud Print OAuth Token -PrintGCPDesc=This driver allow to send documents directly to a printer with Google Cloud Print. +PrintGCPDesc=This driver allows sending documents directly to a printer using Google Cloud Print. GCP_Name=Name GCP_displayName=Display Name GCP_Id=Printer Id @@ -27,7 +27,7 @@ GCP_OwnerName=Owner Name GCP_State=Printer State GCP_connectionStatus=Online State GCP_Type=Printer Type -PrintIPPDesc=This driver allow to send documents directly to a printer. It requires a Linux system with CUPS installed. +PrintIPPDesc=This driver allows sending of documents directly to a printer. It requires a Linux system with CUPS installed. PRINTIPP_HOST=Print server PRINTIPP_PORT=Port PRINTIPP_USER=Login diff --git a/htdocs/langs/en_US/products.lang b/htdocs/langs/en_US/products.lang index 21c2e1dc62c58..e5da8738d960a 100644 --- a/htdocs/langs/en_US/products.lang +++ b/htdocs/langs/en_US/products.lang @@ -17,12 +17,12 @@ Reference=Reference NewProduct=New product NewService=New service ProductVatMassChange=Mass VAT change -ProductVatMassChangeDesc=This page can be used to modify a VAT rate defined on products or services from a value to another. Warning, this change is done on all database. +ProductVatMassChangeDesc=This page can be used to modify a VAT rate defined on products or services from one value to another. Warning, this change is global/done on all database. 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. ProductAccountancyBuyCode=Accounting code (purchase) ProductAccountancySellCode=Accounting code (sale) -ProductAccountancySellIntraCode=Accounting code (sale intra-community) +ProductAccountancySellIntraCode=Accounting code (sale intra-Community) ProductAccountancySellExportCode=Accounting code (sale export) ProductOrService=Product or Service ProductsAndServices=Products and Services @@ -97,7 +97,7 @@ NoteNotVisibleOnBill=Note (not visible on invoices, proposals...) ServiceLimitedDuration=If product is a service with limited duration: MultiPricesAbility=Several segment of prices per product/service (each customer is in one segment) MultiPricesNumPrices=Number of prices -AssociatedProductsAbility=Activate the feature to manage virtual products +AssociatedProductsAbility=Activate virtual products (kits) AssociatedProducts=Virtual product AssociatedProductsNumber=Number of products composing this virtual product ParentProductsNumber=Number of parent packaging product @@ -134,7 +134,7 @@ PredefinedServicesToSell=Predefined services to sell PredefinedProductsAndServicesToSell=Predefined products/services to sell PredefinedProductsToPurchase=Predefined product to purchase PredefinedServicesToPurchase=Predefined services to purchase -PredefinedProductsAndServicesToPurchase=Predefined products/services to puchase +PredefinedProductsAndServicesToPurchase=Predefined products/services to purchase NotPredefinedProducts=Not predefined products/services GenerateThumb=Generate thumb ServiceNb=Service #%s @@ -145,7 +145,7 @@ Finished=Manufactured product RowMaterial=Raw Material CloneProduct=Clone product or service ConfirmCloneProduct=Are you sure you want to clone product or service %s? -CloneContentProduct=Clone all main informations of product/service +CloneContentProduct=Clone all main information of product/service ClonePricesProduct=Clone prices CloneCompositionProduct=Clone packaged product/service CloneCombinationsProduct=Clone product variants @@ -202,7 +202,7 @@ PriceByQuantity=Different prices by quantity DisablePriceByQty=Disable prices by quantity PriceByQuantityRange=Quantity range MultipriceRules=Price segment rules -UseMultipriceRules=Use price segment rules (defined into product module setup) to autocalculate prices of all other segment according to first 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 KeepEmptyForAutoCalculation=Keep empty to have this calculated automatically from weight or volume of products @@ -233,7 +233,7 @@ BarCodeDataForThirdparty=Barcode information of third party %s : ResetBarcodeForAllRecords=Define barcode value for all record (this will also reset barcode value already defined with new values) PriceByCustomer=Different prices for each customer PriceCatalogue=A single sell price per product/service -PricingRule=Rules for sell prices +PricingRule=Rules for selling prices AddCustomerPrice=Add price by customer ForceUpdateChildPriceSoc=Set same price on customer subsidiaries PriceByCustomerLog=Log of previous customer prices @@ -254,7 +254,7 @@ ComposedProduct=Sub-product MinSupplierPrice=Minimum buying price MinCustomerPrice=Minimum selling price DynamicPriceConfiguration=Dynamic price configuration -DynamicPriceDesc=On product card, with this module enabled, you should be able to set mathematic functions to calculate Customer or Supplier prices. Such function can use all mathematic operators, some constants and variables. You can set here the variables you want to be able to use and if the variable need an automatic update, the external URL to use to ask Dolibarr to update automaticaly the value. +DynamicPriceDesc=On product card, with this module enabled, you should be able to set mathematic functions to calculate Customer or Supplier prices. Such function can use all mathematic operators, some constants and variables. You can set here the variables you want to be able to use and if the variable need an automatic update, the external URL to use to ask Dolibarr to update the value automatically. AddVariable=Add Variable AddUpdater=Add Updater GlobalVariables=Global variables diff --git a/htdocs/langs/en_US/propal.lang b/htdocs/langs/en_US/propal.lang index 5a7169ac925c6..2d2f1bb2ff0a7 100644 --- a/htdocs/langs/en_US/propal.lang +++ b/htdocs/langs/en_US/propal.lang @@ -53,7 +53,7 @@ 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 proposals vierge or from list of products/services +CreateEmptyPropal=Create empty commercial proposal or from list of products/services DefaultProposalDurationValidity=Default commercial proposal validity duration (in days) UseCustomerContactAsPropalRecipientIfExist=Use customer contact address if defined instead of third party address as proposal recipient address ClonePropal=Clone commercial proposal diff --git a/htdocs/langs/en_US/salaries.lang b/htdocs/langs/en_US/salaries.lang index 432ab894040ab..1efb877673d56 100644 --- a/htdocs/langs/en_US/salaries.lang +++ b/htdocs/langs/en_US/salaries.lang @@ -1,6 +1,6 @@ # Dolibarr language file - Source file is en_US - salaries SALARIES_ACCOUNTING_ACCOUNT_PAYMENT=Accounting account used for user third parties -SALARIES_ACCOUNTING_ACCOUNT_PAYMENT_Desc=The dedicated accounting account defined on user card will be used for Subledger accouting only. This one will be used for General Ledger and as default value of Subledger accounting if dedicated user accouting account on user is not defined. +SALARIES_ACCOUNTING_ACCOUNT_PAYMENT_Desc=The dedicated accounting account defined on user 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 user accounting account on user is not defined. SALARIES_ACCOUNTING_ACCOUNT_CHARGE=Accounting account by default for wage payments Salary=Salary Salaries=Salaries @@ -15,4 +15,4 @@ THMDescription=This value may be used to calculate cost of time consumed on a pr TJMDescription=This value is currently as information only and is not used for any calculation LastSalaries=Latest %s salary payments AllSalaries=All salary payments -SalariesStatistics=Statistiques salaires \ No newline at end of file +SalariesStatistics=Salary statistics \ No newline at end of file diff --git a/htdocs/langs/en_US/sms.lang b/htdocs/langs/en_US/sms.lang index 05b521aae3612..1520034149071 100644 --- a/htdocs/langs/en_US/sms.lang +++ b/htdocs/langs/en_US/sms.lang @@ -1,9 +1,9 @@ # Dolibarr language file - Source file is en_US - sms Sms=Sms -SmsSetup=Sms setup -SmsDesc=This page allows you to define globals options on SMS features +SmsSetup=SMS setup +SmsDesc=This page allows you to define global options on SMS features SmsCard=SMS Card -AllSms=All SMS campains +AllSms=All SMS campaigns SmsTargets=Targets SmsRecipients=Targets SmsRecipient=Target @@ -13,20 +13,20 @@ SmsTo=Target SmsTopic=Topic of SMS SmsText=Message SmsMessage=SMS Message -ShowSms=Show Sms -ListOfSms=List SMS campains -NewSms=New SMS campain -EditSms=Edit Sms +ShowSms=Show SMS +ListOfSms=List SMS campaigns +NewSms=New SMS campaign +EditSms=Edit SMS ResetSms=New sending -DeleteSms=Delete Sms campain -DeleteASms=Remove a Sms campain -PreviewSms=Previuw Sms -PrepareSms=Prepare Sms -CreateSms=Create Sms -SmsResult=Result of Sms sending -TestSms=Test Sms -ValidSms=Validate Sms -ApproveSms=Approve Sms +DeleteSms=Delete SMS campaign +DeleteASms=Remove a SMS campaign +PreviewSms=Previuw SMS +PrepareSms=Prepare SMS +CreateSms=Create SMS +SmsResult=Result of SMS sending +TestSms=Test SMS +ValidSms=Validate SMS +ApproveSms=Approve SMS SmsStatusDraft=Draft SmsStatusValidated=Validated SmsStatusApproved=Approved @@ -35,10 +35,10 @@ SmsStatusSentPartialy=Sent partially SmsStatusSentCompletely=Sent completely SmsStatusError=Error SmsStatusNotSent=Not sent -SmsSuccessfulySent=Sms correctly sent (from %s to %s) +SmsSuccessfulySent=SMS correctly sent (from %s to %s) ErrorSmsRecipientIsEmpty=Number of target is empty WarningNoSmsAdded=No new phone number to add to target list -ConfirmValidSms=Do you confirm validation of this campain? +ConfirmValidSms=Do you confirm validation of this campaign? NbOfUniqueSms=Nb dof unique phone numbers NbOfSms=Nbre of phon numbers ThisIsATestMessage=This is a test message diff --git a/htdocs/langs/en_US/stocks.lang b/htdocs/langs/en_US/stocks.lang index 0d22a3b3c7597..951178b81835c 100644 --- a/htdocs/langs/en_US/stocks.lang +++ b/htdocs/langs/en_US/stocks.lang @@ -55,20 +55,20 @@ PMPValueShort=WAP EnhancedValueOfWarehouses=Warehouses value UserWarehouseAutoCreate=Create a user warehouse automatically when creating a user AllowAddLimitStockByWarehouse=Allow to add limit and desired stock per couple (product, warehouse) instead of per product -IndependantSubProductStock=Product stock and subproduct stock are independant +IndependantSubProductStock=Product stock and subproduct stock are independent QtyDispatched=Quantity dispatched QtyDispatchedShort=Qty dispatched QtyToDispatchShort=Qty to dispatch OrderDispatch=Item receipts -RuleForStockManagementDecrease=Rule for automatic stock management decrease (manual decrease is always possible, even if an automatic decrease rule is activated) -RuleForStockManagementIncrease=Rule for automatic stock management increase (manual increase is always possible, even if an automatic increase rule is activated) -DeStockOnBill=Decrease real stocks on customers invoices/credit notes validation -DeStockOnValidateOrder=Decrease real stocks on customers orders validation +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 customer order DeStockOnShipment=Decrease real stocks on shipping validation DeStockOnShipmentOnClosing=Decrease real stocks on shipping classification closed -ReStockOnBill=Increase real stocks on suppliers invoices/credit notes validation -ReStockOnValidateOrder=Increase real stocks on purchase orders approbation -ReStockOnDispatchOrder=Increase real stocks on manual dispatching into warehouses, after supplier order receipt of goods +ReStockOnBill=Increase real stocks on validation of supplier invoice/credit note +ReStockOnValidateOrder=Increase real stocks on purchase order approval +ReStockOnDispatchOrder=Increase real stocks on manual dispatching into warehouse, after supplier order receipt of goods 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. @@ -130,9 +130,9 @@ 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 is 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 is 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 is rule for automatic stock change) +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 DateMovement=Date of movement InventoryCode=Movement or inventory code @@ -172,7 +172,7 @@ inventoryDraft=Running inventorySelectWarehouse=Warehouse choice inventoryConfirmCreate=Create inventoryOfWarehouse=Inventory for warehouse : %s -inventoryErrorQtyAdd=Error : one quantity is leaser than zero +inventoryErrorQtyAdd=Error : one quantity is less than zero inventoryMvtStock=By inventory inventoryWarningProductAlreadyExists=This product is already into list SelectCategory=Category filter @@ -195,12 +195,12 @@ AddInventoryProduct=Add product to inventory AddProduct=Add ApplyPMP=Apply PMP FlushInventory=Flush inventory -ConfirmFlushInventory=Do you confirm this action ? +ConfirmFlushInventory=Do you confirm this action? InventoryFlushed=Inventory flushed ExitEditMode=Exit edition inventoryDeleteLine=Delete line RegulateStock=Regulate Stock ListInventory=List -StockSupportServices=Stock management support services +StockSupportServices=Stock management supports Services StockSupportServicesDesc=By default, you can stock only product with type "product". If on, and if module service is on, you can also stock a product with type "service" ReceiveProducts=Receive items \ No newline at end of file diff --git a/htdocs/langs/en_US/website.lang b/htdocs/langs/en_US/website.lang index 21935b5dae016..6286f19b8dc0c 100644 --- a/htdocs/langs/en_US/website.lang +++ b/htdocs/langs/en_US/website.lang @@ -1,8 +1,8 @@ # Dolibarr language file - Source file is en_US - website Shortname=Code -WebsiteSetupDesc=Create here as much entry as number of different websites you need. Then go into menu Websites to edit them. +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. +ConfirmDeleteWebsite=Are you sure you want to delete this web site? All its pages and content will also be removed. WEBSITE_TYPE_CONTAINER=Type of page/container WEBSITE_PAGE_EXAMPLE=Web page to use as example WEBSITE_PAGENAME=Page name/alias @@ -74,7 +74,7 @@ AnotherContainer=Another container 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 / thirdparty YouMustDefineTheHomePage=You must first define the default Home page -OnlyEditionOfSourceForGrabbedContentFuture=Note: only edition of HTML source will be possible when a page content is initiliazed by grabbing it from an external page (WYSIWYG editor will not be available) +OnlyEditionOfSourceForGrabbedContentFuture=Note: only edition of HTML source will be possible when a page content is initialized by grabbing it from an external page (WYSIWYG editor will not be available) 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 diff --git a/htdocs/langs/en_US/withdrawals.lang b/htdocs/langs/en_US/withdrawals.lang index 5a25a9e96e2a8..aadc12802a0e0 100644 --- a/htdocs/langs/en_US/withdrawals.lang +++ b/htdocs/langs/en_US/withdrawals.lang @@ -26,7 +26,7 @@ LastWithdrawalReceipt=Latest %s direct debit receipts MakeWithdrawRequest=Make a direct debit payment request WithdrawRequestsDone=%s direct debit payment requests recorded ThirdPartyBankCode=Third party bank code -NoInvoiceCouldBeWithdrawed=No invoice withdrawed with success. Check that invoices are on companies with a valid default BAN and that BAN has a RUM with mode %s. +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 diff --git a/htdocs/langs/en_US/workflow.lang b/htdocs/langs/en_US/workflow.lang index ed19a531c0716..3dab69667c486 100644 --- a/htdocs/langs/en_US/workflow.lang +++ b/htdocs/langs/en_US/workflow.lang @@ -1,20 +1,20 @@ # Dolibarr language file - Source file is en_US - workflow WorkflowSetup=Workflow module setup -WorkflowDesc=This module is designed to modify the behaviour of automatic actions into application. By default, workflow is open (you can do things in the order you want). You can activate the automatic actions you are interested in. +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. # Autocreate -descWORKFLOW_PROPAL_AUTOCREATE_ORDER=Automatically create a customer order after a commercial proposal is signed (new order will have same amount than proposal) -descWORKFLOW_PROPAL_AUTOCREATE_INVOICE=Automatically create a customer invoice after a commercial proposal is signed (new invoice will have same amount than proposal) +descWORKFLOW_PROPAL_AUTOCREATE_ORDER=Automatically create a customer 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 customer order is closed (new invoice will have same amount than order) +descWORKFLOW_ORDER_AUTOCREATE_INVOICE=Automatically create a customer invoice after a customer order is closed (the new invoice will have same amount as the order) # Autoclassify customer proposal or order -descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Classify linked source proposal(s) to billed when customer order is set to billed (and if amount of the order is same than total amount of signed linked proposals) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Classify linked source proposal(s) to billed when customer invoice is validated (and if amount of the invoice is same than total amount of signed linked proposals) -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Classify linked source customer order(s) to billed when customer invoice is validated (and if amount of the invoice is same than total amount of linked orders) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Classify linked source customer order(s) to billed when customer invoice is set to paid (and if amount of the invoice is same than total amount of linked orders) -descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Classify linked source customer order to shipped when a shipment is validated (and if quantity shipped by all shipments is the same as in the order to update) +descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Classify linked source proposal as billed when customer 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 customer 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 customer 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 customer 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) # Autoclassify supplier order -descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Classify linked source vendor proposal(s) to billed when vendor invoice is validated (and if amount of the invoice is same than total amount of linked proposals) -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Classify linked source purchase order(s) to billed when vendor invoice is validated (and if amount of the invoice is same than total amount of linked orders) +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) AutomaticCreation=Automatic creation AutomaticClassification=Automatic classification \ No newline at end of file From df1bead49bcaece84f9da2a669c671cc327b4cff Mon Sep 17 00:00:00 2001 From: Philippe GRAND Date: Mon, 9 Jul 2018 19:04:50 +0200 Subject: [PATCH 54/62] Docs : update and complete comments --- htdocs/core/modules/modModuleBuilder.class.php | 2 +- htdocs/core/modules/modMultiCurrency.class.php | 2 +- htdocs/core/modules/modNotification.class.php | 7 +++++-- htdocs/core/modules/modOauth.class.php | 8 +++++--- htdocs/core/modules/modOpenSurvey.class.php | 8 +++++--- htdocs/core/modules/modPaybox.class.php | 8 +++++--- htdocs/core/modules/modPaypal.class.php | 8 +++++--- htdocs/core/modules/modPrelevement.class.php | 9 ++++++--- 8 files changed, 33 insertions(+), 19 deletions(-) diff --git a/htdocs/core/modules/modModuleBuilder.class.php b/htdocs/core/modules/modModuleBuilder.class.php index 875820c9b6b6c..60afb99afc5fe 100644 --- a/htdocs/core/modules/modModuleBuilder.class.php +++ b/htdocs/core/modules/modModuleBuilder.class.php @@ -62,7 +62,7 @@ function __construct($db) //------------- $this->config_page_url = array('setup@modulebuilder'); - // Dependancies + // Dependencies //------------- $this->hidden = false; // A condition to disable module $this->depends = array(); // List of modules id that must be enabled if this module is enabled diff --git a/htdocs/core/modules/modMultiCurrency.class.php b/htdocs/core/modules/modMultiCurrency.class.php index 2d443c2e7bb22..b19c018b0d98a 100644 --- a/htdocs/core/modules/modMultiCurrency.class.php +++ b/htdocs/core/modules/modMultiCurrency.class.php @@ -88,7 +88,7 @@ public function __construct($db) $this->depends = array(); // List of modules id that must be enabled if this module is enabled $this->requiredby = array(); // List of modules id to disable if this one is disabled $this->conflictwith = array(); // List of modules id this module is in conflict with - $this->phpmin = array(5, 0); // Minimum version of PHP required by module + $this->phpmin = array(5, 4); // Minimum version of PHP required by module $this->need_dolibarr_version = array(3, 0); // Minimum version of Dolibarr required by module $this->langfiles = array("multicurrency"); diff --git a/htdocs/core/modules/modNotification.class.php b/htdocs/core/modules/modNotification.class.php index cc016d294b590..9dbd77fae8696 100644 --- a/htdocs/core/modules/modNotification.class.php +++ b/htdocs/core/modules/modNotification.class.php @@ -55,8 +55,11 @@ function __construct($db) $this->dirs = array(); // Dependencies - $this->depends = array(); - $this->requiredby = array(); + $this->hidden = false; // A condition to hide module + $this->depends = array(); // List of module class names as string that must be enabled if this module is enabled + $this->requiredby = array(); // List of module ids to disable if this one is disabled + $this->conflictwith = array(); // List of module class names as string this module is in conflict with + $this->phpmin = array(5,4); // Minimum version of PHP required by module $this->langfiles = array("mails"); // Config pages diff --git a/htdocs/core/modules/modOauth.class.php b/htdocs/core/modules/modOauth.class.php index 3177e41e7876f..3f2ecc0ac726c 100644 --- a/htdocs/core/modules/modOauth.class.php +++ b/htdocs/core/modules/modOauth.class.php @@ -67,9 +67,11 @@ function __construct($db) $this->config_page_url = array("oauth.php"); // Dependencies - $this->depends = array(); - $this->requiredby = array(); - $this->phpmin = array(5,1); // Minimum version of PHP required by module + $this->hidden = false; // A condition to hide module + $this->depends = array(); // List of module class names as string that must be enabled if this module is enabled + $this->requiredby = array(); // List of module ids to disable if this one is disabled + $this->conflictwith = array(); // List of module class names as string this module is in conflict with + $this->phpmin = array(5,4); // Minimum version of PHP required by module // Minimum version of PHP required by module $this->need_dolibarr_version = array(3,7,-2); // Minimum version of Dolibarr required by module $this->conflictwith = array(); $this->langfiles = array("oauth"); diff --git a/htdocs/core/modules/modOpenSurvey.class.php b/htdocs/core/modules/modOpenSurvey.class.php index fcee9f585aa90..23c1b2680b8b8 100644 --- a/htdocs/core/modules/modOpenSurvey.class.php +++ b/htdocs/core/modules/modOpenSurvey.class.php @@ -72,9 +72,11 @@ function __construct($db) //$this->dirs[1] = DOL_DATA_ROOT.'/mymodule/temp; // Dependencies - $this->depends = array(); // List of modules id that must be enabled if this module is enabled - $this->requiredby = array(); // List of modules id to disable if this one is disabled - $this->phpmin = array(4,1); // Minimum version of PHP required by module + $this->hidden = false; // A condition to hide module + $this->depends = array(); // List of module class names as string that must be enabled if this module is enabled + $this->requiredby = array(); // List of module ids to disable if this one is disabled + $this->conflictwith = array(); // List of module class names as string this module is in conflict with + $this->phpmin = array(5,4); // Minimum version of PHP required by module $this->need_dolibarr_version = array(3,4,0); // Minimum version of Dolibarr required by module // Constants diff --git a/htdocs/core/modules/modPaybox.class.php b/htdocs/core/modules/modPaybox.class.php index 727e6723ce2f7..ba7851aad4ab7 100644 --- a/htdocs/core/modules/modPaybox.class.php +++ b/htdocs/core/modules/modPaybox.class.php @@ -69,9 +69,11 @@ function __construct($db) $this->config_page_url = array("paybox.php@paybox"); // Dependencies - $this->depends = array(); // List of modules id that must be enabled if this module is enabled - $this->requiredby = array(); // List of modules id to disable if this one is disabled - $this->phpmin = array(4,1); // Minimum version of PHP required by module + $this->hidden = false; // A condition to hide module + $this->depends = array(); // List of module class names as string that must be enabled if this module is enabled + $this->requiredby = array(); // List of module ids to disable if this one is disabled + $this->conflictwith = array(); // List of module class names as string this module is in conflict with + $this->phpmin = array(5,4); // Minimum version of PHP required by module $this->need_dolibarr_version = array(2,6); // Minimum version of Dolibarr required by module $this->langfiles = array("paybox"); diff --git a/htdocs/core/modules/modPaypal.class.php b/htdocs/core/modules/modPaypal.class.php index e713685691ca3..a11fa41b7a615 100644 --- a/htdocs/core/modules/modPaypal.class.php +++ b/htdocs/core/modules/modPaypal.class.php @@ -70,9 +70,11 @@ function __construct($db) $this->config_page_url = array("paypal.php@paypal"); // Dependencies - $this->depends = array(); // List of modules id that must be enabled if this module is enabled - $this->requiredby = array('modPaypalPlus'); // List of modules id to disable if this one is disabled - $this->phpmin = array(5,2); // Minimum version of PHP required by module + $this->hidden = false; // A condition to hide module + $this->depends = array(); // List of module class names as string that must be enabled if this module is enabled + $this->requiredby = array('modPaypalPlus'); // List of module ids to disable if this one is disabled + $this->conflictwith = array(); // List of module class names as string this module is in conflict with + $this->phpmin = array(5,4); // Minimum version of PHP required by module $this->need_dolibarr_version = array(3,0); // Minimum version of Dolibarr required by module $this->langfiles = array("paypal"); diff --git a/htdocs/core/modules/modPrelevement.class.php b/htdocs/core/modules/modPrelevement.class.php index 4d91c937d99c3..cc74273d29c00 100644 --- a/htdocs/core/modules/modPrelevement.class.php +++ b/htdocs/core/modules/modPrelevement.class.php @@ -63,9 +63,12 @@ function __construct($db) // Data directories to create when module is enabled $this->dirs = array("/prelevement/temp","/prelevement/receipts"); - // Dependancies - $this->depends = array("modFacture","modBanque"); - $this->requiredby = array(); + // Dependencies + $this->hidden = false; // A condition to hide module + $this->depends = array("modFacture","modBanque"); // List of module class names as string that must be enabled if this module is enabled + $this->requiredby = array(); // List of module ids to disable if this one is disabled + $this->conflictwith = array(); // List of module class names as string this module is in conflict with + $this->phpmin = array(5,4); // Minimum version of PHP required by module // Config pages $this->config_page_url = array("prelevement.php"); From bd1e430a289cead47bc73b802fa494c6a404cb74 Mon Sep 17 00:00:00 2001 From: Laurent Destailleur Date: Mon, 9 Jul 2018 20:15:14 +0200 Subject: [PATCH 55/62] Synch transifex --- htdocs/langs/ar_SA/accountancy.lang | 2 + htdocs/langs/ar_SA/admin.lang | 14 +- htdocs/langs/ar_SA/banks.lang | 246 ++--- htdocs/langs/ar_SA/bills.lang | 6 +- htdocs/langs/ar_SA/compta.lang | 28 +- htdocs/langs/ar_SA/install.lang | 4 + htdocs/langs/ar_SA/main.lang | 3 + htdocs/langs/ar_SA/modulebuilder.lang | 4 + htdocs/langs/ar_SA/other.lang | 7 +- htdocs/langs/ar_SA/paypal.lang | 1 - htdocs/langs/ar_SA/products.lang | 4 +- htdocs/langs/ar_SA/propal.lang | 1 + htdocs/langs/ar_SA/sendings.lang | 4 +- htdocs/langs/ar_SA/stocks.lang | 4 +- htdocs/langs/ar_SA/users.lang | 2 +- htdocs/langs/bg_BG/accountancy.lang | 2 + htdocs/langs/bg_BG/admin.lang | 14 +- htdocs/langs/bg_BG/banks.lang | 6 +- htdocs/langs/bg_BG/bills.lang | 6 +- htdocs/langs/bg_BG/compta.lang | 28 +- htdocs/langs/bg_BG/install.lang | 4 + htdocs/langs/bg_BG/main.lang | 3 + htdocs/langs/bg_BG/modulebuilder.lang | 4 + htdocs/langs/bg_BG/other.lang | 7 +- htdocs/langs/bg_BG/paypal.lang | 1 - htdocs/langs/bg_BG/products.lang | 4 +- htdocs/langs/bg_BG/propal.lang | 1 + htdocs/langs/bg_BG/sendings.lang | 4 +- htdocs/langs/bg_BG/stocks.lang | 4 +- htdocs/langs/bg_BG/users.lang | 2 +- htdocs/langs/bn_BD/accountancy.lang | 2 + htdocs/langs/bn_BD/admin.lang | 14 +- htdocs/langs/bn_BD/banks.lang | 6 +- htdocs/langs/bn_BD/bills.lang | 6 +- htdocs/langs/bn_BD/compta.lang | 28 +- htdocs/langs/bn_BD/install.lang | 4 + htdocs/langs/bn_BD/main.lang | 3 + htdocs/langs/bn_BD/modulebuilder.lang | 4 + htdocs/langs/bn_BD/other.lang | 7 +- htdocs/langs/bn_BD/paypal.lang | 1 - htdocs/langs/bn_BD/products.lang | 4 +- htdocs/langs/bn_BD/propal.lang | 1 + htdocs/langs/bn_BD/sendings.lang | 4 +- htdocs/langs/bn_BD/stocks.lang | 4 +- htdocs/langs/bn_BD/users.lang | 2 +- htdocs/langs/bs_BA/accountancy.lang | 2 + htdocs/langs/bs_BA/admin.lang | 14 +- htdocs/langs/bs_BA/banks.lang | 5 +- htdocs/langs/bs_BA/bills.lang | 6 +- htdocs/langs/bs_BA/compta.lang | 28 +- htdocs/langs/bs_BA/install.lang | 4 + htdocs/langs/bs_BA/main.lang | 3 + htdocs/langs/bs_BA/modulebuilder.lang | 4 + htdocs/langs/bs_BA/other.lang | 7 +- htdocs/langs/bs_BA/paypal.lang | 1 - htdocs/langs/bs_BA/products.lang | 4 +- htdocs/langs/bs_BA/propal.lang | 1 + htdocs/langs/bs_BA/sendings.lang | 4 +- htdocs/langs/bs_BA/stocks.lang | 4 +- htdocs/langs/bs_BA/users.lang | 2 +- htdocs/langs/ca_ES/accountancy.lang | 34 +- htdocs/langs/ca_ES/admin.lang | 88 +- htdocs/langs/ca_ES/banks.lang | 6 +- htdocs/langs/ca_ES/bills.lang | 10 +- htdocs/langs/ca_ES/categories.lang | 4 +- htdocs/langs/ca_ES/commercial.lang | 4 +- htdocs/langs/ca_ES/companies.lang | 36 +- htdocs/langs/ca_ES/compta.lang | 52 +- htdocs/langs/ca_ES/errors.lang | 6 +- htdocs/langs/ca_ES/install.lang | 8 +- htdocs/langs/ca_ES/ldap.lang | 2 +- htdocs/langs/ca_ES/loan.lang | 2 +- htdocs/langs/ca_ES/mails.lang | 4 +- htdocs/langs/ca_ES/main.lang | 25 +- htdocs/langs/ca_ES/margins.lang | 2 +- htdocs/langs/ca_ES/modulebuilder.lang | 6 +- htdocs/langs/ca_ES/opensurvey.lang | 2 +- htdocs/langs/ca_ES/orders.lang | 22 +- htdocs/langs/ca_ES/other.lang | 9 +- htdocs/langs/ca_ES/paypal.lang | 1 - htdocs/langs/ca_ES/productbatch.lang | 2 +- htdocs/langs/ca_ES/products.lang | 6 +- htdocs/langs/ca_ES/projects.lang | 2 +- htdocs/langs/ca_ES/propal.lang | 1 + htdocs/langs/ca_ES/sendings.lang | 4 +- htdocs/langs/ca_ES/stocks.lang | 4 +- htdocs/langs/ca_ES/stripe.lang | 6 +- htdocs/langs/ca_ES/supplier_proposal.lang | 24 +- htdocs/langs/ca_ES/suppliers.lang | 40 +- htdocs/langs/ca_ES/users.lang | 2 +- htdocs/langs/cs_CZ/accountancy.lang | 2 + htdocs/langs/cs_CZ/admin.lang | 14 +- htdocs/langs/cs_CZ/banks.lang | 6 +- htdocs/langs/cs_CZ/bills.lang | 6 +- htdocs/langs/cs_CZ/compta.lang | 28 +- htdocs/langs/cs_CZ/install.lang | 4 + htdocs/langs/cs_CZ/main.lang | 3 + htdocs/langs/cs_CZ/modulebuilder.lang | 4 + htdocs/langs/cs_CZ/other.lang | 7 +- htdocs/langs/cs_CZ/paypal.lang | 1 - htdocs/langs/cs_CZ/products.lang | 4 +- htdocs/langs/cs_CZ/propal.lang | 1 + htdocs/langs/cs_CZ/sendings.lang | 4 +- htdocs/langs/cs_CZ/stocks.lang | 4 +- htdocs/langs/cs_CZ/users.lang | 2 +- htdocs/langs/da_DK/accountancy.lang | 84 +- htdocs/langs/da_DK/admin.lang | 164 ++-- htdocs/langs/da_DK/banks.lang | 258 +++--- htdocs/langs/da_DK/bills.lang | 6 +- htdocs/langs/da_DK/companies.lang | 86 +- htdocs/langs/da_DK/compta.lang | 28 +- htdocs/langs/da_DK/install.lang | 4 + htdocs/langs/da_DK/main.lang | 9 +- htdocs/langs/da_DK/margins.lang | 78 +- htdocs/langs/da_DK/modulebuilder.lang | 4 + htdocs/langs/da_DK/orders.lang | 2 +- htdocs/langs/da_DK/other.lang | 7 +- htdocs/langs/da_DK/paypal.lang | 1 - htdocs/langs/da_DK/productbatch.lang | 2 +- htdocs/langs/da_DK/products.lang | 4 +- htdocs/langs/da_DK/propal.lang | 1 + htdocs/langs/da_DK/sendings.lang | 66 +- htdocs/langs/da_DK/stocks.lang | 4 +- htdocs/langs/da_DK/suppliers.lang | 6 +- htdocs/langs/da_DK/users.lang | 2 +- htdocs/langs/de_AT/admin.lang | 1 + htdocs/langs/de_AT/banks.lang | 1 - htdocs/langs/de_CH/admin.lang | 2 +- htdocs/langs/de_CH/banks.lang | 6 +- htdocs/langs/de_CH/compta.lang | 1 - htdocs/langs/de_CH/products.lang | 1 - htdocs/langs/de_CH/sendings.lang | 1 + htdocs/langs/de_CH/users.lang | 1 - htdocs/langs/de_DE/accountancy.lang | 4 +- htdocs/langs/de_DE/admin.lang | 20 +- htdocs/langs/de_DE/banks.lang | 22 +- htdocs/langs/de_DE/bills.lang | 6 +- htdocs/langs/de_DE/compta.lang | 44 +- htdocs/langs/de_DE/errors.lang | 2 +- htdocs/langs/de_DE/install.lang | 12 +- htdocs/langs/de_DE/main.lang | 7 +- htdocs/langs/de_DE/modulebuilder.lang | 4 + htdocs/langs/de_DE/other.lang | 7 +- htdocs/langs/de_DE/paybox.lang | 4 +- htdocs/langs/de_DE/paypal.lang | 3 +- htdocs/langs/de_DE/products.lang | 10 +- htdocs/langs/de_DE/propal.lang | 1 + htdocs/langs/de_DE/sendings.lang | 6 +- htdocs/langs/de_DE/stocks.lang | 4 +- htdocs/langs/de_DE/stripe.lang | 4 +- htdocs/langs/de_DE/supplier_proposal.lang | 6 +- htdocs/langs/de_DE/suppliers.lang | 44 +- htdocs/langs/de_DE/users.lang | 2 +- htdocs/langs/el_GR/accountancy.lang | 2 + htdocs/langs/el_GR/admin.lang | 14 +- htdocs/langs/el_GR/banks.lang | 6 +- htdocs/langs/el_GR/bills.lang | 6 +- htdocs/langs/el_GR/compta.lang | 28 +- htdocs/langs/el_GR/install.lang | 4 + htdocs/langs/el_GR/main.lang | 3 + htdocs/langs/el_GR/modulebuilder.lang | 4 + htdocs/langs/el_GR/other.lang | 7 +- htdocs/langs/el_GR/paypal.lang | 1 - htdocs/langs/el_GR/products.lang | 4 +- htdocs/langs/el_GR/propal.lang | 1 + htdocs/langs/el_GR/sendings.lang | 4 +- htdocs/langs/el_GR/stocks.lang | 4 +- htdocs/langs/el_GR/users.lang | 2 +- htdocs/langs/en_AU/admin.lang | 1 + htdocs/langs/en_AU/compta.lang | 2 + htdocs/langs/en_CA/admin.lang | 1 + htdocs/langs/en_GB/admin.lang | 1 + htdocs/langs/en_GB/compta.lang | 2 + htdocs/langs/en_GB/stocks.lang | 1 - htdocs/langs/en_IN/admin.lang | 1 + htdocs/langs/en_IN/compta.lang | 2 + htdocs/langs/es_AR/admin.lang | 1 + htdocs/langs/es_BO/admin.lang | 1 + htdocs/langs/es_CL/accountancy.lang | 1 - htdocs/langs/es_CL/admin.lang | 17 - htdocs/langs/es_CL/banks.lang | 2 - htdocs/langs/es_CL/bills.lang | 8 - htdocs/langs/es_CL/compta.lang | 12 - htdocs/langs/es_CL/main.lang | 2 - htdocs/langs/es_CL/other.lang | 4 - htdocs/langs/es_CL/products.lang | 2 - htdocs/langs/es_CL/stocks.lang | 2 - htdocs/langs/es_CO/admin.lang | 1 + htdocs/langs/es_DO/admin.lang | 1 + htdocs/langs/es_EC/admin.lang | 18 - htdocs/langs/es_EC/main.lang | 2 - htdocs/langs/es_ES/accountancy.lang | 26 +- htdocs/langs/es_ES/admin.lang | 106 +-- htdocs/langs/es_ES/banks.lang | 5 +- htdocs/langs/es_ES/bills.lang | 36 +- htdocs/langs/es_ES/compta.lang | 56 +- htdocs/langs/es_ES/install.lang | 12 +- htdocs/langs/es_ES/main.lang | 25 +- htdocs/langs/es_ES/modulebuilder.lang | 4 + htdocs/langs/es_ES/other.lang | 11 +- htdocs/langs/es_ES/paypal.lang | 1 - htdocs/langs/es_ES/products.lang | 8 +- htdocs/langs/es_ES/propal.lang | 1 + htdocs/langs/es_ES/sendings.lang | 4 +- htdocs/langs/es_ES/stocks.lang | 4 +- htdocs/langs/es_ES/users.lang | 2 +- htdocs/langs/es_MX/admin.lang | 1 + htdocs/langs/es_MX/banks.lang | 1 - htdocs/langs/es_PA/admin.lang | 1 + htdocs/langs/es_PE/accountancy.lang | 2 + htdocs/langs/es_PE/admin.lang | 1 + htdocs/langs/es_PE/companies.lang | 2 + htdocs/langs/es_PE/main.lang | 2 + htdocs/langs/es_PY/admin.lang | 1 + htdocs/langs/es_VE/admin.lang | 1 + htdocs/langs/et_EE/accountancy.lang | 2 + htdocs/langs/et_EE/admin.lang | 14 +- htdocs/langs/et_EE/banks.lang | 6 +- htdocs/langs/et_EE/bills.lang | 6 +- htdocs/langs/et_EE/compta.lang | 28 +- htdocs/langs/et_EE/install.lang | 4 + htdocs/langs/et_EE/main.lang | 3 + htdocs/langs/et_EE/modulebuilder.lang | 4 + htdocs/langs/et_EE/other.lang | 7 +- htdocs/langs/et_EE/paypal.lang | 1 - htdocs/langs/et_EE/products.lang | 4 +- htdocs/langs/et_EE/propal.lang | 1 + htdocs/langs/et_EE/sendings.lang | 4 +- htdocs/langs/et_EE/stocks.lang | 4 +- htdocs/langs/et_EE/users.lang | 2 +- htdocs/langs/eu_ES/accountancy.lang | 2 + htdocs/langs/eu_ES/admin.lang | 14 +- htdocs/langs/eu_ES/banks.lang | 6 +- htdocs/langs/eu_ES/bills.lang | 6 +- htdocs/langs/eu_ES/compta.lang | 28 +- htdocs/langs/eu_ES/install.lang | 4 + htdocs/langs/eu_ES/main.lang | 3 + htdocs/langs/eu_ES/modulebuilder.lang | 4 + htdocs/langs/eu_ES/other.lang | 7 +- htdocs/langs/eu_ES/paypal.lang | 1 - htdocs/langs/eu_ES/products.lang | 4 +- htdocs/langs/eu_ES/propal.lang | 1 + htdocs/langs/eu_ES/sendings.lang | 4 +- htdocs/langs/eu_ES/stocks.lang | 4 +- htdocs/langs/eu_ES/users.lang | 2 +- htdocs/langs/fa_IR/accountancy.lang | 2 + htdocs/langs/fa_IR/admin.lang | 14 +- htdocs/langs/fa_IR/banks.lang | 6 +- htdocs/langs/fa_IR/bills.lang | 6 +- htdocs/langs/fa_IR/compta.lang | 28 +- htdocs/langs/fa_IR/install.lang | 4 + htdocs/langs/fa_IR/main.lang | 3 + htdocs/langs/fa_IR/modulebuilder.lang | 4 + htdocs/langs/fa_IR/other.lang | 7 +- htdocs/langs/fa_IR/paypal.lang | 1 - htdocs/langs/fa_IR/products.lang | 4 +- htdocs/langs/fa_IR/propal.lang | 1 + htdocs/langs/fa_IR/sendings.lang | 4 +- htdocs/langs/fa_IR/stocks.lang | 4 +- htdocs/langs/fa_IR/users.lang | 2 +- htdocs/langs/fi_FI/accountancy.lang | 2 + htdocs/langs/fi_FI/admin.lang | 14 +- htdocs/langs/fi_FI/banks.lang | 26 +- htdocs/langs/fi_FI/bills.lang | 6 +- htdocs/langs/fi_FI/compta.lang | 28 +- htdocs/langs/fi_FI/install.lang | 4 + htdocs/langs/fi_FI/main.lang | 3 + htdocs/langs/fi_FI/modulebuilder.lang | 4 + htdocs/langs/fi_FI/other.lang | 7 +- htdocs/langs/fi_FI/paypal.lang | 1 - htdocs/langs/fi_FI/products.lang | 4 +- htdocs/langs/fi_FI/propal.lang | 1 + htdocs/langs/fi_FI/sendings.lang | 4 +- htdocs/langs/fi_FI/stocks.lang | 4 +- htdocs/langs/fi_FI/users.lang | 2 +- htdocs/langs/fr_BE/admin.lang | 1 + htdocs/langs/fr_BE/compta.lang | 3 +- htdocs/langs/fr_CA/admin.lang | 25 +- htdocs/langs/fr_CA/bills.lang | 1 - htdocs/langs/fr_CA/compta.lang | 2 + htdocs/langs/fr_CA/paypal.lang | 1 - htdocs/langs/fr_CA/products.lang | 3 +- htdocs/langs/fr_CA/sendings.lang | 2 - htdocs/langs/fr_CA/stocks.lang | 1 - htdocs/langs/fr_CA/users.lang | 1 - htdocs/langs/fr_CH/admin.lang | 1 + htdocs/langs/fr_FR/accountancy.lang | 10 +- htdocs/langs/fr_FR/admin.lang | 40 +- htdocs/langs/fr_FR/agenda.lang | 2 +- htdocs/langs/fr_FR/banks.lang | 3 +- htdocs/langs/fr_FR/bills.lang | 17 +- htdocs/langs/fr_FR/companies.lang | 10 +- htdocs/langs/fr_FR/compta.lang | 28 +- htdocs/langs/fr_FR/ecm.lang | 3 +- htdocs/langs/fr_FR/install.lang | 4 + htdocs/langs/fr_FR/main.lang | 3 + htdocs/langs/fr_FR/members.lang | 4 +- htdocs/langs/fr_FR/modulebuilder.lang | 14 +- htdocs/langs/fr_FR/orders.lang | 2 +- htdocs/langs/fr_FR/other.lang | 7 +- htdocs/langs/fr_FR/paybox.lang | 2 +- htdocs/langs/fr_FR/paypal.lang | 1 - htdocs/langs/fr_FR/products.lang | 4 +- htdocs/langs/fr_FR/propal.lang | 1 + htdocs/langs/fr_FR/ticket.lang | 183 ++-- htdocs/langs/fr_FR/website.lang | 2 + htdocs/langs/he_IL/accountancy.lang | 2 + htdocs/langs/he_IL/admin.lang | 14 +- htdocs/langs/he_IL/banks.lang | 6 +- htdocs/langs/he_IL/bills.lang | 6 +- htdocs/langs/he_IL/compta.lang | 28 +- htdocs/langs/he_IL/install.lang | 4 + htdocs/langs/he_IL/main.lang | 3 + htdocs/langs/he_IL/modulebuilder.lang | 4 + htdocs/langs/he_IL/other.lang | 7 +- htdocs/langs/he_IL/paypal.lang | 1 - htdocs/langs/he_IL/products.lang | 4 +- htdocs/langs/he_IL/propal.lang | 1 + htdocs/langs/he_IL/sendings.lang | 4 +- htdocs/langs/he_IL/stocks.lang | 4 +- htdocs/langs/he_IL/users.lang | 2 +- htdocs/langs/hr_HR/accountancy.lang | 2 + htdocs/langs/hr_HR/admin.lang | 14 +- htdocs/langs/hr_HR/banks.lang | 6 +- htdocs/langs/hr_HR/bills.lang | 6 +- htdocs/langs/hr_HR/compta.lang | 28 +- htdocs/langs/hr_HR/install.lang | 4 + htdocs/langs/hr_HR/main.lang | 3 + htdocs/langs/hr_HR/modulebuilder.lang | 4 + htdocs/langs/hr_HR/other.lang | 7 +- htdocs/langs/hr_HR/paypal.lang | 1 - htdocs/langs/hr_HR/products.lang | 4 +- htdocs/langs/hr_HR/propal.lang | 1 + htdocs/langs/hr_HR/sendings.lang | 4 +- htdocs/langs/hr_HR/stocks.lang | 4 +- htdocs/langs/hr_HR/users.lang | 2 +- htdocs/langs/hu_HU/accountancy.lang | 2 + htdocs/langs/hu_HU/admin.lang | 14 +- htdocs/langs/hu_HU/banks.lang | 6 +- htdocs/langs/hu_HU/bills.lang | 6 +- htdocs/langs/hu_HU/compta.lang | 28 +- htdocs/langs/hu_HU/install.lang | 4 + htdocs/langs/hu_HU/main.lang | 3 + htdocs/langs/hu_HU/modulebuilder.lang | 4 + htdocs/langs/hu_HU/other.lang | 7 +- htdocs/langs/hu_HU/paypal.lang | 1 - htdocs/langs/hu_HU/products.lang | 4 +- htdocs/langs/hu_HU/propal.lang | 1 + htdocs/langs/hu_HU/sendings.lang | 4 +- htdocs/langs/hu_HU/stocks.lang | 4 +- htdocs/langs/hu_HU/users.lang | 2 +- htdocs/langs/id_ID/accountancy.lang | 2 + htdocs/langs/id_ID/admin.lang | 14 +- htdocs/langs/id_ID/banks.lang | 6 +- htdocs/langs/id_ID/bills.lang | 6 +- htdocs/langs/id_ID/compta.lang | 28 +- htdocs/langs/id_ID/install.lang | 4 + htdocs/langs/id_ID/main.lang | 3 + htdocs/langs/id_ID/modulebuilder.lang | 4 + htdocs/langs/id_ID/other.lang | 7 +- htdocs/langs/id_ID/paypal.lang | 1 - htdocs/langs/id_ID/products.lang | 4 +- htdocs/langs/id_ID/propal.lang | 1 + htdocs/langs/id_ID/sendings.lang | 4 +- htdocs/langs/id_ID/stocks.lang | 4 +- htdocs/langs/id_ID/users.lang | 2 +- htdocs/langs/is_IS/accountancy.lang | 2 + htdocs/langs/is_IS/admin.lang | 14 +- htdocs/langs/is_IS/banks.lang | 6 +- htdocs/langs/is_IS/bills.lang | 6 +- htdocs/langs/is_IS/compta.lang | 28 +- htdocs/langs/is_IS/install.lang | 4 + htdocs/langs/is_IS/main.lang | 3 + htdocs/langs/is_IS/modulebuilder.lang | 4 + htdocs/langs/is_IS/other.lang | 7 +- htdocs/langs/is_IS/paypal.lang | 1 - htdocs/langs/is_IS/products.lang | 4 +- htdocs/langs/is_IS/propal.lang | 1 + htdocs/langs/is_IS/sendings.lang | 4 +- htdocs/langs/is_IS/stocks.lang | 4 +- htdocs/langs/is_IS/users.lang | 2 +- htdocs/langs/it_IT/accountancy.lang | 2 + htdocs/langs/it_IT/admin.lang | 94 +- htdocs/langs/it_IT/banks.lang | 6 +- htdocs/langs/it_IT/bills.lang | 6 +- htdocs/langs/it_IT/commercial.lang | 4 +- htdocs/langs/it_IT/companies.lang | 44 +- htdocs/langs/it_IT/compta.lang | 30 +- htdocs/langs/it_IT/ecm.lang | 7 +- htdocs/langs/it_IT/install.lang | 4 + htdocs/langs/it_IT/main.lang | 7 +- htdocs/langs/it_IT/modulebuilder.lang | 4 + htdocs/langs/it_IT/orders.lang | 2 +- htdocs/langs/it_IT/other.lang | 7 +- htdocs/langs/it_IT/paypal.lang | 1 - htdocs/langs/it_IT/products.lang | 4 +- htdocs/langs/it_IT/propal.lang | 1 + htdocs/langs/it_IT/sendings.lang | 4 +- htdocs/langs/it_IT/stocks.lang | 4 +- htdocs/langs/it_IT/suppliers.lang | 6 +- htdocs/langs/it_IT/users.lang | 8 +- htdocs/langs/ja_JP/accountancy.lang | 2 + htdocs/langs/ja_JP/admin.lang | 14 +- htdocs/langs/ja_JP/banks.lang | 6 +- htdocs/langs/ja_JP/bills.lang | 6 +- htdocs/langs/ja_JP/compta.lang | 28 +- htdocs/langs/ja_JP/install.lang | 4 + htdocs/langs/ja_JP/main.lang | 3 + htdocs/langs/ja_JP/modulebuilder.lang | 4 + htdocs/langs/ja_JP/other.lang | 7 +- htdocs/langs/ja_JP/paypal.lang | 1 - htdocs/langs/ja_JP/products.lang | 4 +- htdocs/langs/ja_JP/propal.lang | 1 + htdocs/langs/ja_JP/sendings.lang | 4 +- htdocs/langs/ja_JP/stocks.lang | 4 +- htdocs/langs/ja_JP/users.lang | 2 +- htdocs/langs/ka_GE/accountancy.lang | 2 + htdocs/langs/ka_GE/admin.lang | 14 +- htdocs/langs/ka_GE/banks.lang | 6 +- htdocs/langs/ka_GE/bills.lang | 6 +- htdocs/langs/ka_GE/compta.lang | 28 +- htdocs/langs/ka_GE/install.lang | 4 + htdocs/langs/ka_GE/main.lang | 3 + htdocs/langs/ka_GE/modulebuilder.lang | 4 + htdocs/langs/ka_GE/other.lang | 7 +- htdocs/langs/ka_GE/paypal.lang | 1 - htdocs/langs/ka_GE/products.lang | 4 +- htdocs/langs/ka_GE/propal.lang | 1 + htdocs/langs/ka_GE/sendings.lang | 4 +- htdocs/langs/ka_GE/stocks.lang | 4 +- htdocs/langs/ka_GE/users.lang | 2 +- htdocs/langs/km_KH/main.lang | 3 + htdocs/langs/kn_IN/accountancy.lang | 2 + htdocs/langs/kn_IN/admin.lang | 14 +- htdocs/langs/kn_IN/banks.lang | 6 +- htdocs/langs/kn_IN/bills.lang | 6 +- htdocs/langs/kn_IN/compta.lang | 28 +- htdocs/langs/kn_IN/install.lang | 4 + htdocs/langs/kn_IN/main.lang | 3 + htdocs/langs/kn_IN/modulebuilder.lang | 4 + htdocs/langs/kn_IN/other.lang | 7 +- htdocs/langs/kn_IN/paypal.lang | 1 - htdocs/langs/kn_IN/products.lang | 4 +- htdocs/langs/kn_IN/propal.lang | 1 + htdocs/langs/kn_IN/sendings.lang | 4 +- htdocs/langs/kn_IN/stocks.lang | 4 +- htdocs/langs/kn_IN/users.lang | 2 +- htdocs/langs/ko_KR/accountancy.lang | 2 + htdocs/langs/ko_KR/admin.lang | 14 +- htdocs/langs/ko_KR/banks.lang | 6 +- htdocs/langs/ko_KR/bills.lang | 6 +- htdocs/langs/ko_KR/compta.lang | 28 +- htdocs/langs/ko_KR/install.lang | 4 + htdocs/langs/ko_KR/main.lang | 3 + htdocs/langs/ko_KR/modulebuilder.lang | 4 + htdocs/langs/ko_KR/other.lang | 7 +- htdocs/langs/ko_KR/paypal.lang | 1 - htdocs/langs/ko_KR/products.lang | 4 +- htdocs/langs/ko_KR/propal.lang | 1 + htdocs/langs/ko_KR/sendings.lang | 4 +- htdocs/langs/ko_KR/stocks.lang | 4 +- htdocs/langs/ko_KR/users.lang | 2 +- htdocs/langs/lo_LA/accountancy.lang | 2 + htdocs/langs/lo_LA/admin.lang | 14 +- htdocs/langs/lo_LA/banks.lang | 6 +- htdocs/langs/lo_LA/bills.lang | 6 +- htdocs/langs/lo_LA/compta.lang | 28 +- htdocs/langs/lo_LA/install.lang | 4 + htdocs/langs/lo_LA/main.lang | 3 + htdocs/langs/lo_LA/modulebuilder.lang | 4 + htdocs/langs/lo_LA/other.lang | 7 +- htdocs/langs/lo_LA/paypal.lang | 1 - htdocs/langs/lo_LA/products.lang | 4 +- htdocs/langs/lo_LA/propal.lang | 1 + htdocs/langs/lo_LA/sendings.lang | 4 +- htdocs/langs/lo_LA/stocks.lang | 4 +- htdocs/langs/lo_LA/users.lang | 2 +- htdocs/langs/lt_LT/accountancy.lang | 212 ++--- htdocs/langs/lt_LT/admin.lang | 16 +- htdocs/langs/lt_LT/banks.lang | 6 +- htdocs/langs/lt_LT/bills.lang | 6 +- htdocs/langs/lt_LT/bookmarks.lang | 8 +- htdocs/langs/lt_LT/compta.lang | 28 +- htdocs/langs/lt_LT/install.lang | 4 + htdocs/langs/lt_LT/main.lang | 3 + htdocs/langs/lt_LT/modulebuilder.lang | 4 + htdocs/langs/lt_LT/other.lang | 7 +- htdocs/langs/lt_LT/paypal.lang | 1 - htdocs/langs/lt_LT/productbatch.lang | 32 +- htdocs/langs/lt_LT/products.lang | 4 +- htdocs/langs/lt_LT/propal.lang | 1 + htdocs/langs/lt_LT/sendings.lang | 4 +- htdocs/langs/lt_LT/stocks.lang | 4 +- htdocs/langs/lt_LT/users.lang | 2 +- htdocs/langs/lv_LV/accountancy.lang | 390 ++++---- htdocs/langs/lv_LV/admin.lang | 602 ++++++------ htdocs/langs/lv_LV/agenda.lang | 82 +- htdocs/langs/lv_LV/banks.lang | 66 +- htdocs/langs/lv_LV/bills.lang | 200 ++-- htdocs/langs/lv_LV/boxes.lang | 86 +- htdocs/langs/lv_LV/commercial.lang | 32 +- htdocs/langs/lv_LV/compta.lang | 196 ++-- htdocs/langs/lv_LV/contracts.lang | 28 +- htdocs/langs/lv_LV/cron.lang | 64 +- htdocs/langs/lv_LV/ecm.lang | 33 +- htdocs/langs/lv_LV/errors.lang | 112 +-- htdocs/langs/lv_LV/holiday.lang | 78 +- htdocs/langs/lv_LV/install.lang | 46 +- htdocs/langs/lv_LV/languages.lang | 12 +- htdocs/langs/lv_LV/ldap.lang | 14 +- htdocs/langs/lv_LV/loan.lang | 42 +- htdocs/langs/lv_LV/mailmanspip.lang | 2 +- htdocs/langs/lv_LV/mails.lang | 96 +- htdocs/langs/lv_LV/main.lang | 245 ++--- htdocs/langs/lv_LV/margins.lang | 18 +- htdocs/langs/lv_LV/members.lang | 126 +-- htdocs/langs/lv_LV/modulebuilder.lang | 148 +-- htdocs/langs/lv_LV/orders.lang | 68 +- htdocs/langs/lv_LV/other.lang | 103 +-- htdocs/langs/lv_LV/paybox.lang | 6 +- htdocs/langs/lv_LV/paypal.lang | 21 +- htdocs/langs/lv_LV/printing.lang | 34 +- htdocs/langs/lv_LV/products.lang | 148 +-- htdocs/langs/lv_LV/projects.lang | 158 ++-- htdocs/langs/lv_LV/propal.lang | 27 +- htdocs/langs/lv_LV/receiptprinter.lang | 22 +- htdocs/langs/lv_LV/sendings.lang | 30 +- htdocs/langs/lv_LV/stocks.lang | 102 +-- htdocs/langs/lv_LV/stripe.lang | 82 +- htdocs/langs/lv_LV/supplier_proposal.lang | 44 +- htdocs/langs/lv_LV/trips.lang | 198 ++-- htdocs/langs/lv_LV/users.lang | 28 +- htdocs/langs/lv_LV/website.lang | 110 +-- htdocs/langs/lv_LV/withdrawals.lang | 96 +- htdocs/langs/mk_MK/accountancy.lang | 2 + htdocs/langs/mk_MK/admin.lang | 14 +- htdocs/langs/mk_MK/banks.lang | 6 +- htdocs/langs/mk_MK/bills.lang | 6 +- htdocs/langs/mk_MK/compta.lang | 28 +- htdocs/langs/mk_MK/install.lang | 4 + htdocs/langs/mk_MK/main.lang | 3 + htdocs/langs/mk_MK/modulebuilder.lang | 4 + htdocs/langs/mk_MK/other.lang | 7 +- htdocs/langs/mk_MK/paypal.lang | 1 - htdocs/langs/mk_MK/products.lang | 4 +- htdocs/langs/mk_MK/propal.lang | 1 + htdocs/langs/mk_MK/sendings.lang | 4 +- htdocs/langs/mk_MK/stocks.lang | 4 +- htdocs/langs/mk_MK/users.lang | 2 +- htdocs/langs/mn_MN/accountancy.lang | 2 + htdocs/langs/mn_MN/admin.lang | 14 +- htdocs/langs/mn_MN/banks.lang | 6 +- htdocs/langs/mn_MN/bills.lang | 6 +- htdocs/langs/mn_MN/compta.lang | 28 +- htdocs/langs/mn_MN/install.lang | 4 + htdocs/langs/mn_MN/main.lang | 3 + htdocs/langs/mn_MN/modulebuilder.lang | 4 + htdocs/langs/mn_MN/other.lang | 7 +- htdocs/langs/mn_MN/paypal.lang | 1 - htdocs/langs/mn_MN/products.lang | 4 +- htdocs/langs/mn_MN/propal.lang | 1 + htdocs/langs/mn_MN/sendings.lang | 4 +- htdocs/langs/mn_MN/stocks.lang | 4 +- htdocs/langs/mn_MN/users.lang | 2 +- htdocs/langs/nb_NO/accountancy.lang | 28 +- htdocs/langs/nb_NO/admin.lang | 134 +-- htdocs/langs/nb_NO/banks.lang | 5 +- htdocs/langs/nb_NO/bills.lang | 48 +- htdocs/langs/nb_NO/categories.lang | 2 +- htdocs/langs/nb_NO/compta.lang | 96 +- htdocs/langs/nb_NO/install.lang | 12 +- htdocs/langs/nb_NO/main.lang | 31 +- htdocs/langs/nb_NO/margins.lang | 6 +- htdocs/langs/nb_NO/members.lang | 48 +- htdocs/langs/nb_NO/modulebuilder.lang | 4 + htdocs/langs/nb_NO/orders.lang | 36 +- htdocs/langs/nb_NO/other.lang | 13 +- htdocs/langs/nb_NO/paypal.lang | 1 - htdocs/langs/nb_NO/products.lang | 8 +- htdocs/langs/nb_NO/propal.lang | 1 + htdocs/langs/nb_NO/sendings.lang | 4 +- htdocs/langs/nb_NO/stocks.lang | 10 +- htdocs/langs/nb_NO/stripe.lang | 42 +- htdocs/langs/nb_NO/supplier_proposal.lang | 24 +- htdocs/langs/nb_NO/suppliers.lang | 44 +- htdocs/langs/nb_NO/users.lang | 2 +- htdocs/langs/nb_NO/workflow.lang | 4 +- htdocs/langs/nl_BE/admin.lang | 1 + htdocs/langs/nl_BE/banks.lang | 1 + htdocs/langs/nl_BE/compta.lang | 1 - htdocs/langs/nl_BE/sendings.lang | 2 - htdocs/langs/nl_BE/users.lang | 1 - htdocs/langs/nl_NL/accountancy.lang | 4 +- htdocs/langs/nl_NL/admin.lang | 20 +- htdocs/langs/nl_NL/banks.lang | 5 +- htdocs/langs/nl_NL/bills.lang | 6 +- htdocs/langs/nl_NL/companies.lang | 2 +- htdocs/langs/nl_NL/compta.lang | 28 +- htdocs/langs/nl_NL/cron.lang | 4 +- htdocs/langs/nl_NL/install.lang | 4 + htdocs/langs/nl_NL/main.lang | 5 +- htdocs/langs/nl_NL/members.lang | 6 +- htdocs/langs/nl_NL/modulebuilder.lang | 4 + htdocs/langs/nl_NL/orders.lang | 4 +- htdocs/langs/nl_NL/other.lang | 7 +- htdocs/langs/nl_NL/paypal.lang | 3 +- htdocs/langs/nl_NL/printing.lang | 2 +- htdocs/langs/nl_NL/products.lang | 8 +- htdocs/langs/nl_NL/projects.lang | 6 +- htdocs/langs/nl_NL/propal.lang | 1 + htdocs/langs/nl_NL/sendings.lang | 4 +- htdocs/langs/nl_NL/stocks.lang | 14 +- htdocs/langs/nl_NL/stripe.lang | 4 +- htdocs/langs/nl_NL/supplier_proposal.lang | 14 +- htdocs/langs/nl_NL/suppliers.lang | 2 +- htdocs/langs/nl_NL/users.lang | 4 +- htdocs/langs/nl_NL/website.lang | 4 +- htdocs/langs/nl_NL/withdrawals.lang | 2 +- htdocs/langs/pl_PL/accountancy.lang | 2 + htdocs/langs/pl_PL/admin.lang | 20 +- htdocs/langs/pl_PL/banks.lang | 26 +- htdocs/langs/pl_PL/bills.lang | 14 +- htdocs/langs/pl_PL/compta.lang | 36 +- htdocs/langs/pl_PL/install.lang | 4 + htdocs/langs/pl_PL/main.lang | 3 + htdocs/langs/pl_PL/modulebuilder.lang | 4 + htdocs/langs/pl_PL/other.lang | 7 +- htdocs/langs/pl_PL/paypal.lang | 1 - htdocs/langs/pl_PL/products.lang | 4 +- htdocs/langs/pl_PL/propal.lang | 1 + htdocs/langs/pl_PL/sendings.lang | 4 +- htdocs/langs/pl_PL/stocks.lang | 4 +- htdocs/langs/pl_PL/users.lang | 2 +- htdocs/langs/pt_BR/admin.lang | 5 - htdocs/langs/pt_BR/banks.lang | 2 - htdocs/langs/pt_BR/bills.lang | 3 - htdocs/langs/pt_BR/compta.lang | 6 - htdocs/langs/pt_BR/ecm.lang | 1 - htdocs/langs/pt_BR/paypal.lang | 3 +- htdocs/langs/pt_BR/products.lang | 3 +- htdocs/langs/pt_BR/propal.lang | 14 + htdocs/langs/pt_BR/sendings.lang | 2 + htdocs/langs/pt_BR/stocks.lang | 1 - htdocs/langs/pt_BR/users.lang | 1 - htdocs/langs/pt_PT/accountancy.lang | 4 +- htdocs/langs/pt_PT/admin.lang | 96 +- htdocs/langs/pt_PT/banks.lang | 7 +- htdocs/langs/pt_PT/bills.lang | 18 +- htdocs/langs/pt_PT/companies.lang | 16 +- htdocs/langs/pt_PT/compta.lang | 28 +- htdocs/langs/pt_PT/install.lang | 8 +- htdocs/langs/pt_PT/main.lang | 13 +- htdocs/langs/pt_PT/modulebuilder.lang | 4 + htdocs/langs/pt_PT/orders.lang | 28 +- htdocs/langs/pt_PT/other.lang | 17 +- htdocs/langs/pt_PT/paypal.lang | 1 - htdocs/langs/pt_PT/productbatch.lang | 2 +- htdocs/langs/pt_PT/products.lang | 12 +- htdocs/langs/pt_PT/projects.lang | 6 +- htdocs/langs/pt_PT/propal.lang | 67 +- htdocs/langs/pt_PT/sendings.lang | 40 +- htdocs/langs/pt_PT/stocks.lang | 4 +- htdocs/langs/pt_PT/supplier_proposal.lang | 42 +- htdocs/langs/pt_PT/suppliers.lang | 4 +- htdocs/langs/pt_PT/users.lang | 2 +- htdocs/langs/ro_RO/accountancy.lang | 10 +- htdocs/langs/ro_RO/admin.lang | 14 +- htdocs/langs/ro_RO/banks.lang | 6 +- htdocs/langs/ro_RO/bills.lang | 6 +- htdocs/langs/ro_RO/compta.lang | 28 +- htdocs/langs/ro_RO/install.lang | 4 + htdocs/langs/ro_RO/main.lang | 3 + htdocs/langs/ro_RO/modulebuilder.lang | 4 + htdocs/langs/ro_RO/other.lang | 7 +- htdocs/langs/ro_RO/paypal.lang | 1 - htdocs/langs/ro_RO/products.lang | 4 +- htdocs/langs/ro_RO/propal.lang | 1 + htdocs/langs/ro_RO/sendings.lang | 4 +- htdocs/langs/ro_RO/stocks.lang | 4 +- htdocs/langs/ro_RO/users.lang | 2 +- htdocs/langs/ru_RU/accountancy.lang | 6 +- htdocs/langs/ru_RU/admin.lang | 1020 ++++++++++----------- htdocs/langs/ru_RU/agenda.lang | 56 +- htdocs/langs/ru_RU/banks.lang | 128 +-- htdocs/langs/ru_RU/bills.lang | 8 +- htdocs/langs/ru_RU/boxes.lang | 2 +- htdocs/langs/ru_RU/companies.lang | 98 +- htdocs/langs/ru_RU/compta.lang | 32 +- htdocs/langs/ru_RU/exports.lang | 2 +- htdocs/langs/ru_RU/externalsite.lang | 2 +- htdocs/langs/ru_RU/ftp.lang | 4 +- htdocs/langs/ru_RU/holiday.lang | 22 +- htdocs/langs/ru_RU/install.lang | 56 +- htdocs/langs/ru_RU/main.lang | 177 ++-- htdocs/langs/ru_RU/modulebuilder.lang | 4 + htdocs/langs/ru_RU/orders.lang | 2 +- htdocs/langs/ru_RU/other.lang | 11 +- htdocs/langs/ru_RU/paypal.lang | 1 - htdocs/langs/ru_RU/productbatch.lang | 14 +- htdocs/langs/ru_RU/products.lang | 332 +++---- htdocs/langs/ru_RU/projects.lang | 2 +- htdocs/langs/ru_RU/propal.lang | 1 + htdocs/langs/ru_RU/resource.lang | 8 +- htdocs/langs/ru_RU/sendings.lang | 4 +- htdocs/langs/ru_RU/stocks.lang | 4 +- htdocs/langs/ru_RU/supplier_proposal.lang | 4 +- htdocs/langs/ru_RU/suppliers.lang | 14 +- htdocs/langs/ru_RU/users.lang | 2 +- htdocs/langs/ru_RU/website.lang | 4 +- htdocs/langs/ru_RU/withdrawals.lang | 2 +- htdocs/langs/ru_UA/compta.lang | 1 - htdocs/langs/sk_SK/accountancy.lang | 2 + htdocs/langs/sk_SK/admin.lang | 14 +- htdocs/langs/sk_SK/banks.lang | 6 +- htdocs/langs/sk_SK/bills.lang | 6 +- htdocs/langs/sk_SK/compta.lang | 28 +- htdocs/langs/sk_SK/install.lang | 4 + htdocs/langs/sk_SK/main.lang | 3 + htdocs/langs/sk_SK/modulebuilder.lang | 4 + htdocs/langs/sk_SK/other.lang | 7 +- htdocs/langs/sk_SK/paypal.lang | 1 - htdocs/langs/sk_SK/products.lang | 4 +- htdocs/langs/sk_SK/propal.lang | 1 + htdocs/langs/sk_SK/sendings.lang | 4 +- htdocs/langs/sk_SK/stocks.lang | 4 +- htdocs/langs/sk_SK/users.lang | 2 +- htdocs/langs/sl_SI/accountancy.lang | 2 + htdocs/langs/sl_SI/admin.lang | 14 +- htdocs/langs/sl_SI/banks.lang | 6 +- htdocs/langs/sl_SI/bills.lang | 6 +- htdocs/langs/sl_SI/compta.lang | 28 +- htdocs/langs/sl_SI/install.lang | 4 + htdocs/langs/sl_SI/main.lang | 3 + htdocs/langs/sl_SI/modulebuilder.lang | 4 + htdocs/langs/sl_SI/other.lang | 7 +- htdocs/langs/sl_SI/paypal.lang | 1 - htdocs/langs/sl_SI/products.lang | 4 +- htdocs/langs/sl_SI/propal.lang | 1 + htdocs/langs/sl_SI/sendings.lang | 4 +- htdocs/langs/sl_SI/stocks.lang | 4 +- htdocs/langs/sl_SI/users.lang | 2 +- htdocs/langs/sq_AL/accountancy.lang | 2 + htdocs/langs/sq_AL/admin.lang | 14 +- htdocs/langs/sq_AL/banks.lang | 6 +- htdocs/langs/sq_AL/bills.lang | 6 +- htdocs/langs/sq_AL/compta.lang | 28 +- htdocs/langs/sq_AL/install.lang | 4 + htdocs/langs/sq_AL/main.lang | 3 + htdocs/langs/sq_AL/modulebuilder.lang | 4 + htdocs/langs/sq_AL/other.lang | 7 +- htdocs/langs/sq_AL/paypal.lang | 1 - htdocs/langs/sq_AL/products.lang | 4 +- htdocs/langs/sq_AL/propal.lang | 1 + htdocs/langs/sq_AL/sendings.lang | 4 +- htdocs/langs/sq_AL/stocks.lang | 4 +- htdocs/langs/sq_AL/users.lang | 2 +- htdocs/langs/sr_RS/accountancy.lang | 2 + htdocs/langs/sr_RS/admin.lang | 14 +- htdocs/langs/sr_RS/banks.lang | 6 +- htdocs/langs/sr_RS/bills.lang | 6 +- htdocs/langs/sr_RS/compta.lang | 28 +- htdocs/langs/sr_RS/install.lang | 4 + htdocs/langs/sr_RS/main.lang | 3 + htdocs/langs/sr_RS/other.lang | 7 +- htdocs/langs/sr_RS/paypal.lang | 1 - htdocs/langs/sr_RS/products.lang | 4 +- htdocs/langs/sr_RS/propal.lang | 1 + htdocs/langs/sr_RS/sendings.lang | 4 +- htdocs/langs/sr_RS/stocks.lang | 4 +- htdocs/langs/sr_RS/users.lang | 2 +- htdocs/langs/sv_SE/accountancy.lang | 2 + htdocs/langs/sv_SE/admin.lang | 14 +- htdocs/langs/sv_SE/banks.lang | 6 +- htdocs/langs/sv_SE/bills.lang | 6 +- htdocs/langs/sv_SE/compta.lang | 28 +- htdocs/langs/sv_SE/install.lang | 4 + htdocs/langs/sv_SE/main.lang | 3 + htdocs/langs/sv_SE/modulebuilder.lang | 4 + htdocs/langs/sv_SE/other.lang | 7 +- htdocs/langs/sv_SE/paypal.lang | 1 - htdocs/langs/sv_SE/products.lang | 4 +- htdocs/langs/sv_SE/propal.lang | 1 + htdocs/langs/sv_SE/sendings.lang | 4 +- htdocs/langs/sv_SE/stocks.lang | 4 +- htdocs/langs/sv_SE/users.lang | 2 +- htdocs/langs/sw_SW/accountancy.lang | 2 + htdocs/langs/sw_SW/admin.lang | 14 +- htdocs/langs/sw_SW/banks.lang | 6 +- htdocs/langs/sw_SW/bills.lang | 6 +- htdocs/langs/sw_SW/compta.lang | 28 +- htdocs/langs/sw_SW/install.lang | 4 + htdocs/langs/sw_SW/main.lang | 3 + htdocs/langs/sw_SW/other.lang | 7 +- htdocs/langs/sw_SW/paypal.lang | 1 - htdocs/langs/sw_SW/products.lang | 4 +- htdocs/langs/sw_SW/propal.lang | 1 + htdocs/langs/sw_SW/sendings.lang | 4 +- htdocs/langs/sw_SW/stocks.lang | 4 +- htdocs/langs/sw_SW/users.lang | 2 +- htdocs/langs/th_TH/accountancy.lang | 2 + htdocs/langs/th_TH/admin.lang | 14 +- htdocs/langs/th_TH/banks.lang | 6 +- htdocs/langs/th_TH/bills.lang | 6 +- htdocs/langs/th_TH/compta.lang | 28 +- htdocs/langs/th_TH/install.lang | 4 + htdocs/langs/th_TH/main.lang | 3 + htdocs/langs/th_TH/modulebuilder.lang | 4 + htdocs/langs/th_TH/other.lang | 7 +- htdocs/langs/th_TH/paypal.lang | 1 - htdocs/langs/th_TH/products.lang | 4 +- htdocs/langs/th_TH/propal.lang | 1 + htdocs/langs/th_TH/sendings.lang | 4 +- htdocs/langs/th_TH/stocks.lang | 4 +- htdocs/langs/th_TH/users.lang | 2 +- htdocs/langs/tr_TR/accountancy.lang | 2 + htdocs/langs/tr_TR/admin.lang | 14 +- htdocs/langs/tr_TR/banks.lang | 5 +- htdocs/langs/tr_TR/bills.lang | 6 +- htdocs/langs/tr_TR/compta.lang | 28 +- htdocs/langs/tr_TR/install.lang | 4 + htdocs/langs/tr_TR/main.lang | 3 + htdocs/langs/tr_TR/modulebuilder.lang | 4 + htdocs/langs/tr_TR/other.lang | 7 +- htdocs/langs/tr_TR/paypal.lang | 1 - htdocs/langs/tr_TR/products.lang | 4 +- htdocs/langs/tr_TR/propal.lang | 1 + htdocs/langs/tr_TR/sendings.lang | 6 +- htdocs/langs/tr_TR/stocks.lang | 4 +- htdocs/langs/tr_TR/users.lang | 2 +- htdocs/langs/uk_UA/accountancy.lang | 2 + htdocs/langs/uk_UA/admin.lang | 14 +- htdocs/langs/uk_UA/banks.lang | 6 +- htdocs/langs/uk_UA/bills.lang | 6 +- htdocs/langs/uk_UA/compta.lang | 28 +- htdocs/langs/uk_UA/install.lang | 4 + htdocs/langs/uk_UA/main.lang | 3 + htdocs/langs/uk_UA/modulebuilder.lang | 4 + htdocs/langs/uk_UA/other.lang | 7 +- htdocs/langs/uk_UA/paypal.lang | 1 - htdocs/langs/uk_UA/products.lang | 4 +- htdocs/langs/uk_UA/propal.lang | 1 + htdocs/langs/uk_UA/sendings.lang | 4 +- htdocs/langs/uk_UA/stocks.lang | 4 +- htdocs/langs/uk_UA/users.lang | 2 +- htdocs/langs/uz_UZ/accountancy.lang | 2 + htdocs/langs/uz_UZ/admin.lang | 14 +- htdocs/langs/uz_UZ/banks.lang | 6 +- htdocs/langs/uz_UZ/bills.lang | 6 +- htdocs/langs/uz_UZ/compta.lang | 28 +- htdocs/langs/uz_UZ/install.lang | 4 + htdocs/langs/uz_UZ/main.lang | 3 + htdocs/langs/uz_UZ/other.lang | 7 +- htdocs/langs/uz_UZ/paypal.lang | 1 - htdocs/langs/uz_UZ/products.lang | 4 +- htdocs/langs/uz_UZ/propal.lang | 1 + htdocs/langs/uz_UZ/sendings.lang | 4 +- htdocs/langs/uz_UZ/stocks.lang | 4 +- htdocs/langs/uz_UZ/users.lang | 2 +- htdocs/langs/vi_VN/accountancy.lang | 2 + htdocs/langs/vi_VN/admin.lang | 14 +- htdocs/langs/vi_VN/banks.lang | 6 +- htdocs/langs/vi_VN/bills.lang | 8 +- htdocs/langs/vi_VN/compta.lang | 28 +- htdocs/langs/vi_VN/install.lang | 4 + htdocs/langs/vi_VN/main.lang | 3 + htdocs/langs/vi_VN/modulebuilder.lang | 4 + htdocs/langs/vi_VN/other.lang | 7 +- htdocs/langs/vi_VN/paypal.lang | 1 - htdocs/langs/vi_VN/products.lang | 4 +- htdocs/langs/vi_VN/propal.lang | 1 + htdocs/langs/vi_VN/sendings.lang | 4 +- htdocs/langs/vi_VN/stocks.lang | 4 +- htdocs/langs/vi_VN/users.lang | 20 +- htdocs/langs/zh_CN/accountancy.lang | 2 + htdocs/langs/zh_CN/admin.lang | 14 +- htdocs/langs/zh_CN/banks.lang | 6 +- htdocs/langs/zh_CN/bills.lang | 6 +- htdocs/langs/zh_CN/compta.lang | 28 +- htdocs/langs/zh_CN/install.lang | 4 + htdocs/langs/zh_CN/main.lang | 3 + htdocs/langs/zh_CN/modulebuilder.lang | 4 + htdocs/langs/zh_CN/other.lang | 7 +- htdocs/langs/zh_CN/paypal.lang | 1 - htdocs/langs/zh_CN/products.lang | 4 +- htdocs/langs/zh_CN/propal.lang | 1 + htdocs/langs/zh_CN/sendings.lang | 4 +- htdocs/langs/zh_CN/stocks.lang | 4 +- htdocs/langs/zh_CN/users.lang | 2 +- htdocs/langs/zh_TW/accountancy.lang | 4 +- htdocs/langs/zh_TW/admin.lang | 146 +-- htdocs/langs/zh_TW/agenda.lang | 12 +- htdocs/langs/zh_TW/banks.lang | 5 +- htdocs/langs/zh_TW/bills.lang | 8 +- htdocs/langs/zh_TW/boxes.lang | 12 +- htdocs/langs/zh_TW/commercial.lang | 6 +- htdocs/langs/zh_TW/companies.lang | 268 +++--- htdocs/langs/zh_TW/compta.lang | 32 +- htdocs/langs/zh_TW/cron.lang | 2 +- htdocs/langs/zh_TW/ecm.lang | 5 +- htdocs/langs/zh_TW/errors.lang | 2 +- htdocs/langs/zh_TW/holiday.lang | 2 +- htdocs/langs/zh_TW/install.lang | 6 +- htdocs/langs/zh_TW/main.lang | 625 ++++++------- htdocs/langs/zh_TW/modulebuilder.lang | 4 + htdocs/langs/zh_TW/other.lang | 23 +- htdocs/langs/zh_TW/paypal.lang | 1 - htdocs/langs/zh_TW/products.lang | 8 +- htdocs/langs/zh_TW/projects.lang | 6 +- htdocs/langs/zh_TW/propal.lang | 97 +- htdocs/langs/zh_TW/sendings.lang | 4 +- htdocs/langs/zh_TW/stocks.lang | 4 +- htdocs/langs/zh_TW/supplier_proposal.lang | 22 +- htdocs/langs/zh_TW/suppliers.lang | 6 +- htdocs/langs/zh_TW/users.lang | 64 +- htdocs/langs/zh_TW/workflow.lang | 22 +- 915 files changed, 8043 insertions(+), 6990 deletions(-) diff --git a/htdocs/langs/ar_SA/accountancy.lang b/htdocs/langs/ar_SA/accountancy.lang index 67d21d731f3af..a97dc05d79a38 100644 --- a/htdocs/langs/ar_SA/accountancy.lang +++ b/htdocs/langs/ar_SA/accountancy.lang @@ -55,6 +55,7 @@ AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from m AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s AccountancyAreaDescVat=STEP %s: Define accounting accounts for each VAT Rates. For this, use the menu entry %s. +AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. AccountancyAreaDescExpenseReport=STEP %s: Define default accounting accounts for each type of expense report. For this, use the menu entry %s. AccountancyAreaDescSal=STEP %s: Define default accounting accounts for payment of salaries. For this, use the menu entry %s. AccountancyAreaDescContrib=STEP %s: Define default accounting accounts for special expences (miscellaneous taxes). For this, use the menu entry %s. @@ -131,6 +132,7 @@ ACCOUNTING_LENGTH_GACCOUNT=Length of the general accounting accounts (If you set 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 zero at the end of an accounting account. Needed by some countries (like switzerland). If keep to off (default), you can set the 2 following parameters to ask application to add virtual zero. BANK_DISABLE_DIRECT_INPUT=Disable direct recording of transaction in bank account +ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Enable draft export on journal ACCOUNTING_SELL_JOURNAL=دفتر البيع اليومي ACCOUNTING_PURCHASE_JOURNAL=دفتر الشراء اليومي diff --git a/htdocs/langs/ar_SA/admin.lang b/htdocs/langs/ar_SA/admin.lang index a82997744080c..81ed07f3b3cdd 100644 --- a/htdocs/langs/ar_SA/admin.lang +++ b/htdocs/langs/ar_SA/admin.lang @@ -454,7 +454,7 @@ ModuleCompanyCodeDigitaria=Accounting code depends on third party code. The code Use3StepsApproval=By default, Purchase Orders need to be created and approved by 2 different users (one step/user to create and one step/user to approve. Note that if user has both permission to create and approve, one step/user will be enough). You can ask with this option to introduce a third step/user approval, if amount is higher than a dedicated value (so 3 steps will be necessary: 1=validation, 2=first approval and 3=second approval if amount is enough).
Set this to empty if one approval (2 steps) is enough, set it to a very low value (0.1) if a second approval (3 steps) is always required. UseDoubleApproval=Use a 3 steps approval when amount (without tax) is higher than... WarningPHPMail=WARNING: It is often better to setup outgoing emails to use the email server of your provider instead of the default setup. Some email providers (like Yahoo) does not allow you to send an email from another server than their own server. Your current setup use 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 a server of them, so few of your sent Emails may not be accepted (be carefull also to your email provider sending quota).
If your Email provider (like Yahoo) has this restriction, you must change Email setup to choose the other method "SMTP server" and enter the SMTP server and credentials provided by your Email provider (ask your EMail provider to get SMTP credentials for your account). -WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of your ERP CRM application: %s. +WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of the mail user agent (MUA) for your ERP CRM application: %s. ClickToShowDescription=Click to show description DependsOn=This module need the module(s) RequiredBy=This module is required by module(s) @@ -497,7 +497,7 @@ Module25Desc=طلبات الزبائن إدارة Module30Name=فواتير Module30Desc=ويلاحظ اعتماد الفواتير وإدارة العملاء. فواتير إدارة الموردين Module40Name=الموردين -Module40Desc=الموردين وإدارة وشراء (الأوامر والفواتير) +Module40Desc=Suppliers and purchase management (purchase orders and billing) Module42Name=Debug Logs Module42Desc=Logging facilities (file, syslog, ...). Such logs are for technical/debug purposes. Module49Name=المحررين @@ -605,7 +605,7 @@ Module4000Desc=Human resources management (management of department, employee co Module5000Name=شركة متعددة Module5000Desc=يسمح لك لإدارة الشركات المتعددة Module6000Name=سير العمل -Module6000Desc=إدارة سير العمل +Module6000Desc=Workflow management (automatic creation of object and/or automatic status change) Module10000Name=Websites Module10000Desc=Create public websites with a WYSIWG editor. Just setup your web server (Apache, Nginx, ...) to point to the dedicated Dolibarr directory to have it online on the Internet with your own domain name. Module20000Name=ترك إدارة الطلبات @@ -891,7 +891,7 @@ DictionaryCivility=Personal and professional titles DictionaryActions=Types of agenda events DictionarySocialContributions=الضرائب الاجتماعية أو المالية أنواع DictionaryVAT=أسعار الضريبة على القيمة المضافة أو ضريبة المبيعات الاسعار -DictionaryRevenueStamp=كمية من طوابع الواردات +DictionaryRevenueStamp=Amount of tax stamps DictionaryPaymentConditions=شروط الدفع DictionaryPaymentModes=وسائل الدفع DictionaryTypeContact=الاتصال / أنواع العناوين @@ -919,7 +919,7 @@ SetupSaved=الإعداد المحفوظة SetupNotSaved=Setup not saved BackToModuleList=العودة إلى قائمة الوحدات BackToDictionaryList=العودة إلى قائمة القواميس -TypeOfRevenueStamp=Type of revenue stamp +TypeOfRevenueStamp=Type of tax stamp VATManagement=إدارة الضريبة على القيمة المضافة VATIsUsedDesc=By default when creating prospects, invoices, orders etc the VAT rate follows the active standard rule:
If the seller is not subjected to VAT, then VAT defaults to 0. End of rule.
If the (selling country= buying country), then the VAT by default equals the VAT of the product in the selling country. End of rule.
If seller and buyer are both in the European Community and goods are transport products (car, ship, plane), the default VAT is 0 ( The VAT should be paid by the buyer to the customoffice of his country and not to the seller). End of rule.
If seller and buyer are both in the European Community and the buyer is not a company, then the VAT by defaults to the VAT of the product sold. End of rule.
If seller and buyer are both in the European Community and the buyer is a company, then the VAT is 0 by default . End of rule.
In any othe case the proposed default is VAT=0. End of rule. VATIsNotUsedDesc=افتراضي المقترحة 0 ضريبة القيمة المضافة هو الذي يمكن أن يستخدم في حالات مثل الجمعيات والأفراد والشركات الصغيرة où. @@ -1027,7 +1027,7 @@ Delays_MAIN_DELAY_ACTIONS_TODO=Delay tolerance (in days) before alert on planned Delays_MAIN_DELAY_PROJECT_TO_CLOSE=Delay tolerance (in days) before alert on project not closed in time Delays_MAIN_DELAY_TASKS_TODO=Delay tolerance (in days) before alert on planned tasks (project tasks) not completed yet Delays_MAIN_DELAY_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on orders not processed yet -Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on suppliers orders not processed yet +Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on purchase orders not processed yet Delays_MAIN_DELAY_PROPALS_TO_CLOSE=التسامح التأخير (في يوم) في حالة تأهب على المقترحات المعروضة ليقفل Delays_MAIN_DELAY_PROPALS_TO_BILL=تأخير التسامح (أيام) قبل تنبيه بشأن المقترحات لا توصف Delays_MAIN_DELAY_NOT_ACTIVATED_SERVICES=تأخير التسامح (في يوم) في حالة تأهب قبل يوم والخدمات لتفعيل @@ -1458,7 +1458,7 @@ SyslogFilename=اسم الملف ومسار YouCanUseDOL_DATA_ROOT=يمكنك استخدام DOL_DATA_ROOT / dolibarr.log لملف الدخول في Dolibarr "وثائق" دليل. يمكنك أن تحدد مسارا مختلفا لتخزين هذا الملف. ErrorUnknownSyslogConstant=ثابت %s ليس ثابت سيسلوغ معروفة OnlyWindowsLOG_USER=نوافذ يعتمد فقط LOG_USER -CompressSyslogs=Syslog files compression and backup +CompressSyslogs=Compression and backup of debug log files (generated by module Log for debug) SyslogFileNumberOfSaves=Log backups ConfigureCleaningCronjobToSetFrequencyOfSaves=Configure cleaning scheduled job to set log backup frequency ##### Donations ##### diff --git a/htdocs/langs/ar_SA/banks.lang b/htdocs/langs/ar_SA/banks.lang index 16dc3a1fd1c7b..f4941b1e2f90b 100644 --- a/htdocs/langs/ar_SA/banks.lang +++ b/htdocs/langs/ar_SA/banks.lang @@ -1,163 +1,165 @@ # Dolibarr language file - Source file is en_US - banks Bank=البنك -MenuBankCash=البنك / النقدية -MenuVariousPayment=Miscellaneous payments -MenuNewVariousPayment=New Miscellaneous payment +MenuBankCash=Bank | Cash +MenuVariousPayment=مدفوعات متنوعة +MenuNewVariousPayment=مدفوعات متنوعة جديدة BankName=اسم المصرف -FinancialAccount=حساب +FinancialAccount=الحساب BankAccount=الحساب المصرفي BankAccounts=الحسابات المصرفية -ShowAccount=مشاهدة الحساب -AccountRef=الحساب المالي المرجع -AccountLabel=الحساب المالي العلامة +BankAccountsAndGateways=Bank accounts | Gateways +ShowAccount=عرض الحساب +AccountRef=مرجع الحساب المالي +AccountLabel=بطاقة الحساب المالي CashAccount=الحساب النقدي CashAccounts=حسابات نقدية CurrentAccounts=الحسابات الجارية SavingAccounts=حسابات التوفير -ErrorBankLabelAlreadyExists=الحساب المالي الملصق موجود بالفعل +ErrorBankLabelAlreadyExists=بطاقة الحساب المالي موجوده بالفعل BankBalance=التوازن -BankBalanceBefore=التوازن قبل -BankBalanceAfter=التوازن بعد -BalanceMinimalAllowed=الحد الأدنى المسموح التوازن -BalanceMinimalDesired=الحد الأدنى من التوازن المطلوب +BankBalanceBefore=الرصيد قبل +BankBalanceAfter=الرصيد بعد +BalanceMinimalAllowed=الحد الأدنى المسموح من الرصيد +BalanceMinimalDesired=الحد الأدنى المطلوب من الرصيد InitialBankBalance=الرصيد الأولي -EndBankBalance=رصيد نهاية +EndBankBalance=الرصيد النهائي CurrentBalance=الرصيد الحالي FutureBalance=التوازن في المستقبل -ShowAllTimeBalance=يظهر من البداية على التوازن +ShowAllTimeBalance=عرض الرصيد من البداية AllTime=من البداية -Reconciliation=المصالحة +Reconciliation=التسوية RIB=رقم الحساب المصرفي IBAN=عدد إيبان BIC=بيك / سويفت عدد -SwiftValid=BIC/SWIFT valid -SwiftVNotalid=BIC/SWIFT not valid -IbanValid=BAN valid -IbanNotValid=BAN not valid -StandingOrders=Direct Debit orders -StandingOrder=Direct debit order -AccountStatement=كشف حساب +SwiftValid=بيك / سويفت صالحة +SwiftVNotalid=بيك / سويفت غير صالح +IbanValid=بان صالحة +IbanNotValid=بان غير صالح +StandingOrders=أوامر الخصم المباشر +StandingOrder=أمر الخصم المباشر +AccountStatement=كشف الحساب AccountStatementShort=بيان -AccountStatements=بيانات الحساب -LastAccountStatements=كشوفات الحساب الأخير +AccountStatements=كشوفات الحساب +LastAccountStatements=كشوفات الحساب الأخيرة IOMonthlyReporting=تقارير شهرية -BankAccountDomiciliation=معالجة حساب -BankAccountCountry=حساب البلاد +BankAccountDomiciliation=عنوان الحساب +BankAccountCountry=بلد حساب BankAccountOwner=اسم صاحب الحساب -BankAccountOwnerAddress=معالجة حساب المالك -RIBControlError=التحقق من تكامل القيم يفشل. وهذا يعني حصول على معلومات عن هذا رقم الحساب ليست كاملة أو خاطئة (ارجع البلد والأرقام وIBAN). +BankAccountOwnerAddress=عنوان مالك الحساب +RIBControlError=فشل التحقق من سلامة القيم. وهذا يعني أن المعلومات الخاصة برقم الحساب هذا غير كاملة أو خاطئة (راجع البلد والأرقام و إيبان). CreateAccount=إنشاء حساب NewBankAccount=حساب جديد -NewFinancialAccount=الحساب المالي الجديد -MenuNewFinancialAccount=الحساب المالي الجديد -EditFinancialAccount=تحرير الحساب -LabelBankCashAccount=بطاقة مصرفية أو نقدا +NewFinancialAccount=حساب مالي جديد +MenuNewFinancialAccount=حساب مالي جديد +EditFinancialAccount=تعديل الحساب +LabelBankCashAccount=بطاقة مصرفية أو نقدية AccountType=نوع الحساب BankType0=حساب توفير -BankType1=الحساب الجاري +BankType1=الحساب الجاري او حساب بطاقة الائتمان BankType2=الحساب النقدي -AccountsArea=حسابات المنطقة -AccountCard=حساب بطاقة -DeleteAccount=حذف حساب -ConfirmDeleteAccount=Are you sure you want to delete this account? +AccountsArea=منطقة الحسابات +AccountCard=بطاقة الحساب +DeleteAccount=حذف الحساب +ConfirmDeleteAccount=هل أنت متأكد أنك تريد حذف هذا الحساب؟ Account=حساب -BankTransactionByCategories=Bank entries by categories -BankTransactionForCategory=Bank entries for category %s +BankTransactionByCategories=القيود البنكية حسب الفئات +BankTransactionForCategory=القيود البنكية للفئة %s RemoveFromRubrique=إزالة الارتباط مع هذه الفئة -RemoveFromRubriqueConfirm=Are you sure you want to remove link between the entry and the category? -ListBankTransactions=List of bank entries -IdTransaction=رقم المعاملات -BankTransactions=Bank entries -BankTransaction=Bank entry -ListTransactions=List entries -ListTransactionsByCategory=List entries/category -TransactionsToConciliate=Entries to reconcile -Conciliable=Conciliable -Conciliate=التوفيق -Conciliation=توفيق -ReconciliationLate=Reconciliation late +RemoveFromRubriqueConfirm=هل انت متأكد أنك تريد إزالة الربط بين القيد والفئة؟ +ListBankTransactions=قائمة القيود البنكية +IdTransaction=معرف المعاملة +BankTransactions=القيود البنكية +BankTransaction=قيد بنكي +ListTransactions=قائمة القيود +ListTransactionsByCategory=قائمةالقيود/الفئات +TransactionsToConciliate=قيود للتسويات +Conciliable=يمكن أن يتم تسويتة +Conciliate=التسوية +Conciliation=تسوية +ReconciliationLate=التسوية في وقت متأخر IncludeClosedAccount=وتشمل حسابات مغلقة -OnlyOpenedAccount=إلا فتح حسابات -AccountToCredit=الحساب على الائتمان -AccountToDebit=لحساب الخصم -DisableConciliation=تعطيل ميزة التوفيق لهذا الحساب -ConciliationDisabled=توفيق سمة المعوقين -LinkedToAConciliatedTransaction=Linked to a conciliated entry -StatusAccountOpened=Opened -StatusAccountClosed=مغلقة -AccountIdShort=عدد -LineRecord=المعاملات -AddBankRecord=Add entry -AddBankRecordLong=Add entry manually -Conciliated=Reconciled -ConciliatedBy=طريق التصالح -DateConciliating=التوفيق التاريخ -BankLineConciliated=Entry reconciled -Reconciled=Reconciled -NotReconciled=Not reconciled -CustomerInvoicePayment=عملاء الدفع -SupplierInvoicePayment=المورد الدفع +OnlyOpenedAccount=الحسابات المفتوحة فقط +AccountToCredit=تقييد مبلغ دائن بالحساب +AccountToDebit=تقييد مبلغ مدين بالحساب +DisableConciliation=تعطيل خاصية التسوية لهذا الحساب +ConciliationDisabled=خاصية التسوية معطلة +LinkedToAConciliatedTransaction=مرتبط بقيد تمت تسويتة +StatusAccountOpened=مفتوح +StatusAccountClosed=مغلق +AccountIdShort=رقم +LineRecord=المعاملة +AddBankRecord=إضافة قيد +AddBankRecordLong=إضافة قيد يدوي +Conciliated=تمت تسويتة +ConciliatedBy=تمت التسوية بواسطة +DateConciliating=تاريخ التسوية +BankLineConciliated=تم تسوية القيد +Reconciled=تمت تسويتة +NotReconciled=لم يتم تسويتة +CustomerInvoicePayment=مدفوعات العميل +SupplierInvoicePayment=دفع المورد SubscriptionPayment=دفع الاشتراك -WithdrawalPayment=انسحاب الدفع -SocialContributionPayment=اجتماعي / دفع الضرائب المالية +WithdrawalPayment=سحب المدفوعات +SocialContributionPayment=مدفوعات الضرائب الاجتماعية / المالية BankTransfer=حوالة مصرفية -BankTransfers=التحويلات المصرفية -MenuBankInternalTransfer=Internal transfer -TransferDesc=Transfer from one account to another one, Dolibarr will write two record (a debit in source account and a credit in target account. The same amount (except sign), label and date will be used for this transaction) +BankTransfers=حوالات المصرفية +MenuBankInternalTransfer=حوالة داخلية +TransferDesc=التحويل من حساب إلى آخر، سوف يقوم دوليبار بكتابة سجلين (مدين في حساب المصدر و دائن في حساب الهدف، نفس المبلغ (باستثناء العلامة)، سيتم استخدام البطاقة و التاريخ لهذه المعاملة) TransferFrom=من TransferTo=إلى -TransferFromToDone=ونقل من هناك إلى ٪ %s ق %s ٪ وقد سجلت ق. -CheckTransmitter=الإرسال -ValidateCheckReceipt=Validate this check receipt? -ConfirmValidateCheckReceipt=Are you sure you want to validate this check receipt, no change will be possible once this is done? -DeleteCheckReceipt=Delete this check receipt? -ConfirmDeleteCheckReceipt=Are you sure you want to delete this check receipt? +TransferFromToDone=التحويل من %sإلى %sمن %s%s قد تم تسجيلة. +CheckTransmitter=المرسل +ValidateCheckReceipt=تأكيد صحة الشيك المستلم؟ +ConfirmValidateCheckReceipt=هل تريد تأكيد هذا الشيك ، لن يكون من الممكن إجراء أي تغيير بعد الانتهاء من ذلك؟ +DeleteCheckReceipt=حذف هذا الشيك ؟ +ConfirmDeleteCheckReceipt=هل انت متأكد أنك تريد حذف هذا الشيك؟ BankChecks=الشيكات المصرفية -BankChecksToReceipt=Checks awaiting deposit -ShowCheckReceipt=الاختيار إظهار تلقي الودائع -NumberOfCheques=ملاحظة : للشيكات -DeleteTransaction=Delete entry -ConfirmDeleteTransaction=Are you sure you want to delete this entry? -ThisWillAlsoDeleteBankRecord=This will also delete generated bank entry +BankChecksToReceipt=شيكات في انتظار الإيداع +ShowCheckReceipt=عرض إيصال إيداع شيكات +NumberOfCheques=عدد الشيكات +DeleteTransaction=حذف المعاملة +ConfirmDeleteTransaction=هل تريد بالتأكيد حذف هذه المعاملة؟ +ThisWillAlsoDeleteBankRecord=سيؤدي هذا أيضا إلى حذف القيد البنكي الذي تم إنشاؤه BankMovements=حركات -PlannedTransactions=Planned entries +PlannedTransactions=المعاملات المخططة Graph=الرسومات -ExportDataset_banque_1=Bank entries and account statement -ExportDataset_banque_2=إيداع زلة -TransactionOnTheOtherAccount=صفقة على حساب الآخرين -PaymentNumberUpdateSucceeded=Payment number updated successfully -PaymentNumberUpdateFailed=دفع عددا لا يمكن تحديث -PaymentDateUpdateSucceeded=Payment date updated successfully -PaymentDateUpdateFailed=دفع حتى الآن لا يمكن تحديث +ExportDataset_banque_1=القيود البنكية وكشف الحساب +ExportDataset_banque_2=قسيمة الإيداع +TransactionOnTheOtherAccount=معاملة على الحساب الآخر +PaymentNumberUpdateSucceeded=تم تحديث رقم الدفع بنجاح +PaymentNumberUpdateFailed=تعذر تحديث رقم الدفعة +PaymentDateUpdateSucceeded=تم تحديث تاريخ الدفع بنجاح +PaymentDateUpdateFailed=تعذر تحديث تاريخ الدفع Transactions=المعاملات -BankTransactionLine=Bank entry -AllAccounts=جميع المصرفية / حسابات نقدية -BackToAccount=إلى حساب -ShowAllAccounts=وتبين للجميع الحسابات -FutureTransaction=الصفقة في أجل المستقبل. أي وسيلة للتوفيق. -SelectChequeTransactionAndGenerate=حدد / تصفية الشيكات لتشمل في الاختيار استلام الودائع وانقر على "إنشاء". -InputReceiptNumber=اختيار كشف حساب مصرفي ذات الصلة مع التوفيق. استخدام قيمة رقمية للفرز: YYYYMM أو YYYYMMDD +BankTransactionLine=قيد البنك +AllAccounts=All bank and cash accounts +BackToAccount=عودة إلى الحساب +ShowAllAccounts=عرض لجميع الحسابات +FutureTransaction=المعاملة أجلة. لا يوجد فرصة للتسوية. +SelectChequeTransactionAndGenerate=تحديد / تصفية الشيكات ليتم تضمينها في ايصال ايداع الشيكات وانقر على "إنشاء". +InputReceiptNumber=اختيار كشف الحساب البنكي ذات الصلة مع التسوية. استخدام قيمة رقمية للفرز: شهر سنة أو يوم شهر سنة EventualyAddCategory=في نهاية المطاف، حدد الفئة التي لتصنيف السجلات -ToConciliate=To reconcile? -ThenCheckLinesAndConciliate=ثم، والتحقق من خطوط الحالية في بيان البنك وانقر +ToConciliate=للتسوية؟ +ThenCheckLinesAndConciliate=ثم، تحقق من السطور الحالية في كشف الحساب البنكي وانقر DefaultRIB=BAN الافتراضي AllRIB=جميع BAN -LabelRIB=BAN تسمية +LabelRIB=بطاقة BAN NoBANRecord=لا يوجد سجل BAN DeleteARib=حذف سجل BAN -ConfirmDeleteRib=Are you sure you want to delete this BAN record? -RejectCheck=تحقق عاد -ConfirmRejectCheck=Are you sure you want to mark this check as rejected? -RejectCheckDate=تاريخ أعيد الاختيار -CheckRejected=تحقق عاد -CheckRejectedAndInvoicesReopened=تحقق عاد والفواتير فتح -BankAccountModelModule=Document templates for bank accounts -DocumentModelSepaMandate=Template of SEPA mandate. Usefull for european countries in EEC only. -DocumentModelBan=Template to print a page with BAN information. -NewVariousPayment=New miscellaneous payments -VariousPayment=Miscellaneous payments -VariousPayments=Miscellaneous payments -ShowVariousPayment=Show miscellaneous payments -AddVariousPayment=Add miscellaneous payments -YourSEPAMandate=Your SEPA mandate -FindYourSEPAMandate=This is your SEPA mandate to authorize our company to make direct debit order to your bank. Thanks to return it signed (scan of the signed document) or sent it by mail to +ConfirmDeleteRib=هل أنت متأكد أنك تريد حذف سجل BAN هذا ؟ +RejectCheck=تم إرجاع الشيك +ConfirmRejectCheck=هل انت متأكد انك تريد وضع علامة على هذا الشيك على أنه مرفوض؟ +RejectCheckDate=تاريخ إرجاع الشيك +CheckRejected=تم إرجاع الشيك +CheckRejectedAndInvoicesReopened=تم ارجاع الشيك وإعادة فتح الفواتير +BankAccountModelModule=نماذج مستندات للحسابات البنكية +DocumentModelSepaMandate=نموذج تفويض سيبا. مفيدة للبلدان الأوروبية في السوق الأوروبية المشتركة فقط. +DocumentModelBan=نموذج لطباعة صفحة تحتوي على معلومات BAN . +NewVariousPayment=مدفوعات متنوعة جديدة +VariousPayment=مدفوعات متنوعة +VariousPayments=مدفوعات متنوعة +ShowVariousPayment=عرض الدفعات المتنوعة +AddVariousPayment=إضافة دفعات متنوعة +SEPAMandate=SEPA mandate +YourSEPAMandate=تفويض سيبا الخاص بك +FindYourSEPAMandate=هذا هو تفويض سيبا الخاصة بك لتخويل شركتنا لتقديم أمر الخصم المباشر إلى البنك الذي تتعامل معه. شكرا للعودة وقعت (فحص الوثيقة الموقعة) أو إرسالها عن طريق البريد إلى diff --git a/htdocs/langs/ar_SA/bills.lang b/htdocs/langs/ar_SA/bills.lang index f0bcf78d2202c..ad6cde1924560 100644 --- a/htdocs/langs/ar_SA/bills.lang +++ b/htdocs/langs/ar_SA/bills.lang @@ -110,8 +110,8 @@ SendRemindByMail=إرسال تذكرة عن طريق البريد الإلكتر DoPayment=Enter payment DoPaymentBack=Enter refund ConvertToReduc=Mark as credit available -ConvertExcessReceivedToReduc=Convert excess received into future discount -ConvertExcessPaidToReduc=Convert excess paid into future discount +ConvertExcessReceivedToReduc=Convert excess received into available credit +ConvertExcessPaidToReduc=Convert excess paid into available discount EnterPaymentReceivedFromCustomer=دخول الدفع الواردة من العملاء EnterPaymentDueToCustomer=من المقرر أن يسدد العميل DisabledBecauseRemainderToPayIsZero=تعطيل بسبب المتبقية غير المدفوعة صفر @@ -282,6 +282,7 @@ RelativeDiscount=الخصم النسبي GlobalDiscount=خصم العالمية CreditNote=علما الائتمان CreditNotes=ويلاحظ الائتمان +CreditNotesOrExcessReceived=Credit notes or excess received Deposit=Down payment Deposits=Down payments DiscountFromCreditNote=خصم من دائن %s @@ -393,6 +394,7 @@ PaymentConditionShort14DENDMONTH=14 days of month-end PaymentCondition14DENDMONTH=Within 14 days following the end of the month FixAmount=كمية الإصلاح VarAmount=مقدار متغير (٪٪ TOT). +VarAmountOneLine=Variable amount (%% tot.) - 1 line with label '%s' # PaymentType PaymentTypeVIR=حوالة مصرفية PaymentTypeShortVIR=حوالة مصرفية diff --git a/htdocs/langs/ar_SA/compta.lang b/htdocs/langs/ar_SA/compta.lang index 532638e9fb739..9947f65855170 100644 --- a/htdocs/langs/ar_SA/compta.lang +++ b/htdocs/langs/ar_SA/compta.lang @@ -19,7 +19,8 @@ Income=الدخل Outcome=نتائج MenuReportInOut=دخل / نتائج ReportInOut=Balance of income and expenses -ReportTurnover=دوران +ReportTurnover=Turnover invoiced +ReportTurnoverCollected=Turnover collected PaymentsNotLinkedToInvoice=المدفوعات ليست مرتبطة بأي الفاتورة ، وذلك ليس مرتبطا بأي طرف ثالث PaymentsNotLinkedToUser=المدفوعات ليست مرتبطة بأي مستخدم Profit=الأرباح @@ -77,7 +78,7 @@ MenuNewSocialContribution=الضريبة الاجتماعية / مالية جد NewSocialContribution=الضريبة الاجتماعية / مالية جديدة AddSocialContribution=Add social/fiscal tax ContributionsToPay=الضرائب الاجتماعية / المالية لدفع -AccountancyTreasuryArea=المحاسبة / الخزانة المنطقة +AccountancyTreasuryArea=Billing and payment area NewPayment=دفع جديدة Payments=المدفوعات PaymentCustomerInvoice=الزبون تسديد الفاتورة @@ -105,6 +106,7 @@ VATPayment=Sales tax payment VATPayments=Sales tax payments VATRefund=Sales tax refund NewVATPayment=New sales tax payment +NewLocalTaxPayment=New tax %s payment Refund=رد SocialContributionsPayments=الاجتماعية المدفوعات / الضرائب المالية ShowVatPayment=وتظهر دفع ضريبة القيمة المضافة @@ -116,8 +118,9 @@ CustomerAccountancyCodeShort=الزبون. حساب. رمز SupplierAccountancyCodeShort=سوب. حساب. رمز AccountNumber=رقم الحساب NewAccountingAccount=حساب جديد -SalesTurnover=مبيعات -SalesTurnoverMinimum=الحد الأدنى حجم مبيعات +Turnover=Turnover invoiced +TurnoverCollected=Turnover collected +SalesTurnoverMinimum=Minimum turnover ByExpenseIncome=By expenses & incomes ByThirdParties=بو أطراف ثالثة ByUserAuthorOfInvoice=فاتورة من قبل المؤلف @@ -137,8 +140,8 @@ ConfirmDeleteSocialContribution=هل أنت متأكد أنك تريد حذف / ExportDataset_tax_1=الضرائب والمدفوعات الاجتماعية والمالية CalcModeVATDebt=الوضع٪ SVAT بشأن المحاسبة الالتزام٪ الصورة. CalcModeVATEngagement=وضع SVAT٪ على مداخيل مصاريف٪ الصورة. -CalcModeDebt=وقال٪ وضع sClaims-الديون٪ الصورة المحاسبة الالتزام. -CalcModeEngagement=وقال واسطة٪ sIncomes-المصروفات٪ الصورة المحاسبة النقدية +CalcModeDebt=Analysis of known recorded invoices 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= الوضع٪ زارة العلاقات الخارجية على فواتير العملاء - فواتير الموردين٪ الصورة CalcModeLT1Debt=الوضع٪ زارة العلاقات الخارجية على فواتير العملاء٪ الصورة @@ -151,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=انظر التقرير sIncomes ٪ بين المصروفات ٪ ق قال المحاسبة النقدية لحساب المدفوعات الفعلية -SeeReportInDueDebtMode=انظر التقرير sClaims ٪ بين ديونها ٪ ق الالتزام والمحاسبة وقال لحساب فواتير -SeeReportInBookkeepingMode=See report %sBookeeping%s for a calculation on bookkeeping table analysis +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 RulesAmountWithTaxIncluded=- المبالغ المبينة لمع جميع الضرائب المدرجة RulesResultDue=- وتتضمن الفواتير غير المسددة، والنفقات، ضريبة القيمة المضافة، والتبرعات سواء كانت بأجر أو لا. هو أيضا يتضمن الرواتب المدفوعة.
- وهو يستند إلى تاريخ المصادقة على الفواتير وضريبة القيمة المضافة وعلى الموعد المحدد للنفقات. لرواتب محددة مع وحدة الراتب، يتم استخدام قيمة تاريخ الدفع. RulesResultInOut=- ويشمل المدفوعات الحقيقية المحرز في الفواتير والمصاريف والضريبة على القيمة المضافة والرواتب.
- لأنه يقوم على مواعيد دفع الفواتير والمصاريف والضريبة على القيمة المضافة والرواتب. تاريخ التبرع للتبرع. @@ -218,8 +221,8 @@ Mode1=طريقة 1 Mode2=طريقة 2 CalculationRuleDesc=لحساب مجموع الضريبة على القيمة المضافة، هناك طريقتين:
طريقة 1 والتقريب ضريبة القيمة المضافة في كل سطر، ثم ملخصا لها.
طريقة 2 يتم تلخيص كل ضريبة القيمة المضافة في كل سطر، ثم التقريب النتيجة.
النتيجة النهائية قد تختلف من بضعة سنتات. الوضع الافتراضي هو وضع الصورة٪. CalculationRuleDescSupplier=وفقا لالمورد، واختيار الطريقة المناسبة لتطبيق الحكم حساب نفسها والحصول على نفس النتيجة المتوقعة من المورد الخاص بك. -TurnoverPerProductInCommitmentAccountingNotRelevant=The Turnover report per product, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). -TurnoverPerSaleTaxRateInCommitmentAccountingNotRelevant=The Turnover report per sale tax rate, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). +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. CalculationMode=وضع الحساب AccountancyJournal=Accounting code journal ACCOUNTING_VAT_SOLD_ACCOUNT=Accounting account by default for VAT on sales (used if not defined on VAT dictionary setup) @@ -251,5 +254,6 @@ VATDue=Sale tax claimed ClaimedForThisPeriod=Claimed for the period PaidDuringThisPeriod=Paid during this period ByVatRate=By sale tax rate -TurnoverbyVatrate=Turnover by sale tax rate +TurnoverbyVatrate=Turnover invoiced by sale tax rate +TurnoverCollectedbyVatrate=Turnover collected by sale tax rate PurchasebyVatrate=Purchase by sale tax rate diff --git a/htdocs/langs/ar_SA/install.lang b/htdocs/langs/ar_SA/install.lang index fa315b1a21cde..e5c63dd9490ba 100644 --- a/htdocs/langs/ar_SA/install.lang +++ b/htdocs/langs/ar_SA/install.lang @@ -204,3 +204,7 @@ MigrationResetBlockedLog=Reset module BlockedLog for v7 algorithm ShowNotAvailableOptions=عرض خيارات غير متوفرة HideNotAvailableOptions=إخفاء خيارات غير متوفرة ErrorFoundDuringMigration=Error were reported during migration process so next step is not available. To ignore errors, you can click here, but application or some features may not work correctly until fixed. +YouTryInstallDisabledByDirLock=The application try to sefl upgrade, but install/upgrade pages have been disabled for security reason (directory renamed with .lock suffix).
+YouTryInstallDisabledByFileLock=The application try to sefl upgrade, but install/upgrade pages pages have been disabled for security reason (by lock file install.lock into dolibarr documents directory).
+ClickHereToGoToApp=Click here to go to your application +ClickOnLinkOrRemoveManualy=Click on following link and if you always reach this page, you must remove the file install.lock into documents directory manually diff --git a/htdocs/langs/ar_SA/main.lang b/htdocs/langs/ar_SA/main.lang index 9132bfe01c88e..145c38c5039d5 100644 --- a/htdocs/langs/ar_SA/main.lang +++ b/htdocs/langs/ar_SA/main.lang @@ -507,6 +507,7 @@ NoneF=لا شيء NoneOrSeveral=None or several Late=متأخر LateDesc=Delay to define if a record is late or not depends on your setup. Ask your admin to change delay from menu Home - Setup - Alerts. +NoItemLate=No late item Photo=صورة Photos=الصور AddPhoto=إضافة الصورة @@ -945,3 +946,5 @@ KeyboardShortcut=Keyboard shortcut AssignedTo=مخصص ل Deletedraft=Delete draft ConfirmMassDraftDeletion=Draft Bulk delete confirmation +FileSharedViaALink=File shared via a link + diff --git a/htdocs/langs/ar_SA/modulebuilder.lang b/htdocs/langs/ar_SA/modulebuilder.lang index a3fee23cb53b5..9d6661eda41d6 100644 --- a/htdocs/langs/ar_SA/modulebuilder.lang +++ b/htdocs/langs/ar_SA/modulebuilder.lang @@ -74,6 +74,7 @@ NoWidget=No widget GoToApiExplorer=Go to API explorer ListOfMenusEntries=List of menu entries ListOfPermissionsDefined=List of defined permissions +SeeExamples=See examples here EnabledDesc=Condition to have this field active (Examples: 1 or $conf->global->MYMODULE_MYOPTION) VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only. Using a negative value means field is not shown by default on list but can be selected for viewing) IsAMeasureDesc=Can the value of field be cumulated to get a total into list ? (Examples: 1 or 0) @@ -95,3 +96,6 @@ DropTableIfEmpty=(Delete table if empty) TableDoesNotExists=The table %s does not exists TableDropped=Table %s deleted InitStructureFromExistingTable=Build the structure array string of an existing table +UseAboutPage=Disallow the about page +UseDocFolder=Disallow the documentation folder +UseSpecificReadme=Use a specific ReadMe diff --git a/htdocs/langs/ar_SA/other.lang b/htdocs/langs/ar_SA/other.lang index 07748e6e4c940..87a00c0025229 100644 --- a/htdocs/langs/ar_SA/other.lang +++ b/htdocs/langs/ar_SA/other.lang @@ -80,8 +80,8 @@ LinkedObject=ربط وجوه NbOfActiveNotifications=عدد الإخطارات (ملحوظة من رسائل البريد الإلكتروني المستلم) PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe two lines are separated by a carriage return.\n\n__USER_SIGNATURE__ PredefinedMailTestHtml=__(Hello)__\nThis is a test mail (the word test must be in bold).
The two lines are separated by a carriage return.

__USER_SIGNATURE__ -PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\nThis is the link to make your online payment if this invoice is not already payed:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\nThis is the link to make your online payment:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendProposal=__(Hello)__\n\nYou will find here the commercial proposal __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendSupplierProposal=__(Hello)__\n\nYou will find here the price request __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendOrder=__(Hello)__\n\nYou will find here the order __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ @@ -91,6 +91,7 @@ PredefinedMailContentSendShipping=__(Hello)__\n\nYou will find here the shipping PredefinedMailContentSendFichInter=__(Hello)__\n\nYou will find here the intervention __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentThirdparty=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentUser=__(Hello)__\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 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) @@ -218,7 +219,7 @@ FileIsTooBig=ملفات كبيرة جدا PleaseBePatient=يرجى التحلي بالصبر... NewPassword=New password ResetPassword=Reset password -RequestToResetPasswordReceived=A request to change your password has been received +RequestToResetPasswordReceived=A request to change your password has been received. NewKeyIs=هذا هو مفاتيح جديدة لتسجيل الدخول NewKeyWillBe=والمفتاح الجديد الخاص بك للدخول إلى برنامج يكون ClickHereToGoTo=انقر هنا للذهاب إلى٪ s diff --git a/htdocs/langs/ar_SA/paypal.lang b/htdocs/langs/ar_SA/paypal.lang index 3aabb4a93e7cd..6ffd7e627c6d8 100644 --- a/htdocs/langs/ar_SA/paypal.lang +++ b/htdocs/langs/ar_SA/paypal.lang @@ -14,7 +14,6 @@ PaypalModeOnlyPaypal=باي بال فقط ONLINE_PAYMENT_CSS_URL=Optionnal URL of CSS style sheet on online payment page ThisIsTransactionId=هذا هو معرف من الصفقة: %s PAYPAL_ADD_PAYMENT_URL=إضافة رابط الدفع باي بال عند إرسال مستند عبر البريد -PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.

%s

YouAreCurrentlyInSandboxMode=You are currently in the %s "sandbox" mode NewOnlinePaymentReceived=New online payment received NewOnlinePaymentFailed=New online payment tried but failed diff --git a/htdocs/langs/ar_SA/products.lang b/htdocs/langs/ar_SA/products.lang index 3e68079c04ec7..11b0ad38a048b 100644 --- a/htdocs/langs/ar_SA/products.lang +++ b/htdocs/langs/ar_SA/products.lang @@ -251,8 +251,8 @@ PriceNumeric=عدد DefaultPrice=سعر افتراضي ComposedProductIncDecStock=زيادة / نقصان الأسهم على التغيير الأم ComposedProduct=المنتج الفرعي -MinSupplierPrice=الحد الأدنى لسعر المورد -MinCustomerPrice=Minimum customer price +MinSupplierPrice=الحد الأدنى من سعر الشراء +MinCustomerPrice=Minimum selling price DynamicPriceConfiguration=التكوين سعر ديناميكي DynamicPriceDesc=On product card, with this module enabled, you should be able to set mathematic functions to calculate Customer or Supplier prices. Such function can use all mathematic operators, some constants and variables. You can set here the variables you want to be able to use and if the variable need an automatic update, the external URL to use to ask Dolibarr to update automaticaly the value. AddVariable=Add Variable diff --git a/htdocs/langs/ar_SA/propal.lang b/htdocs/langs/ar_SA/propal.lang index ae9dd34a4a305..a8f888980225b 100644 --- a/htdocs/langs/ar_SA/propal.lang +++ b/htdocs/langs/ar_SA/propal.lang @@ -75,6 +75,7 @@ AvailabilityTypeAV_1M=1 شهر TypeContact_propal_internal_SALESREPFOLL=اقتراح ممثل متابعة TypeContact_propal_external_BILLING=الزبون فاتورة الاتصال TypeContact_propal_external_CUSTOMER=اتصل العملاء اقتراح متابعة +TypeContact_propal_external_SHIPPING=Customer contact for delivery # Document models DocModelAzurDescription=اقتراح نموذج كامل (logo...) DefaultModelPropalCreate=إنشاء نموذج افتراضي diff --git a/htdocs/langs/ar_SA/sendings.lang b/htdocs/langs/ar_SA/sendings.lang index 8dac378c6a08e..2cda3a264db31 100644 --- a/htdocs/langs/ar_SA/sendings.lang +++ b/htdocs/langs/ar_SA/sendings.lang @@ -52,8 +52,8 @@ ActionsOnShipping=الأحداث على شحنة LinkToTrackYourPackage=رابط لتتبع الحزمة الخاصة بك ShipmentCreationIsDoneFromOrder=لحظة، ويتم إنشاء لشحنة جديدة من أجل بطاقة. ShipmentLine=خط الشحن -ProductQtyInCustomersOrdersRunning=Product quantity into open customers orders -ProductQtyInSuppliersOrdersRunning=Product quantity into open suppliers orders +ProductQtyInCustomersOrdersRunning=Product quantity into open customer orders +ProductQtyInSuppliersOrdersRunning=Product quantity into open purchase orders ProductQtyInShipmentAlreadySent=Product quantity from open customer order already sent ProductQtyInSuppliersShipmentAlreadyRecevied=Product quantity from open supplier order already received NoProductToShipFoundIntoStock=لا يوجد منتج للسفينة وجدت في مستودع٪ الصورة. الأسهم الصحيح أو العودة إلى اختيار مستودع آخر. diff --git a/htdocs/langs/ar_SA/stocks.lang b/htdocs/langs/ar_SA/stocks.lang index ba30a0bb16798..d5cc7856dbdab 100644 --- a/htdocs/langs/ar_SA/stocks.lang +++ b/htdocs/langs/ar_SA/stocks.lang @@ -67,7 +67,7 @@ DeStockOnValidateOrder=خفض مخزونات حقيقية على التحقق م DeStockOnShipment=انخفاض أسهم حقيقي على التحقق من صحة الشحن DeStockOnShipmentOnClosing=Decrease real stocks on shipping classification closed ReStockOnBill=زيادة المخزون الحقيقي في فواتير الموردين / الائتمان التحقق من صحة الملاحظات -ReStockOnValidateOrder=زيادة مخزونات حقيقية على استحسان أوامر الموردين +ReStockOnValidateOrder=Increase real stocks on purchase orders approbation ReStockOnDispatchOrder=Increase real stocks on manual dispatching into warehouses, after supplier order receipt of goods OrderStatusNotReadyToDispatch=أمر لم يتم بعد أو لا أكثر من ذلك الوضع الذي يسمح بإرسال من المنتجات في مخازن المخزون. StockDiffPhysicTeoric=Explanation for difference between physical and virtual stock @@ -203,4 +203,4 @@ RegulateStock=Regulate Stock ListInventory=قائمة StockSupportServices=Stock management support services StockSupportServicesDesc=By default, you can stock only product with type "product". If on, and if module service is on, you can also stock a product with type "service" -ReceiveProducts=Receive products +ReceiveProducts=Receive items diff --git a/htdocs/langs/ar_SA/users.lang b/htdocs/langs/ar_SA/users.lang index efc3cebfa8bd8..05bcba57762ee 100644 --- a/htdocs/langs/ar_SA/users.lang +++ b/htdocs/langs/ar_SA/users.lang @@ -48,7 +48,7 @@ PasswordChangeRequest=Request to change password for %s PasswordChangeRequestSent=طلب تغيير كلمة السر لإرسالها إلى ٪ ق ٪ ق. ConfirmPasswordReset=Confirm password reset MenuUsersAndGroups=مجموعات المستخدمين -LastGroupsCreated=Latest %s created groups +LastGroupsCreated=Latest %s groups created LastUsersCreated=Latest %s users created ShowGroup=وتبين لفريق ShowUser=وتظهر للمستخدم diff --git a/htdocs/langs/bg_BG/accountancy.lang b/htdocs/langs/bg_BG/accountancy.lang index 5788216eae0f7..9e958e4a9a212 100644 --- a/htdocs/langs/bg_BG/accountancy.lang +++ b/htdocs/langs/bg_BG/accountancy.lang @@ -55,6 +55,7 @@ AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from m AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s AccountancyAreaDescVat=STEP %s: Define accounting accounts for each VAT Rates. For this, use the menu entry %s. +AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. AccountancyAreaDescExpenseReport=STEP %s: Define default accounting accounts for each type of expense report. For this, use the menu entry %s. AccountancyAreaDescSal=STEP %s: Define default accounting accounts for payment of salaries. For this, use the menu entry %s. AccountancyAreaDescContrib=STEP %s: Define default accounting accounts for special expences (miscellaneous taxes). For this, use the menu entry %s. @@ -131,6 +132,7 @@ ACCOUNTING_LENGTH_GACCOUNT=Length of the general accounting accounts (If you set 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 zero at the end of an accounting account. Needed by some countries (like switzerland). If keep to off (default), you can set the 2 following parameters to ask application to add virtual zero. BANK_DISABLE_DIRECT_INPUT=Disable direct recording of transaction in bank account +ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Enable draft export on journal ACCOUNTING_SELL_JOURNAL=Sell journal ACCOUNTING_PURCHASE_JOURNAL=Purchase journal diff --git a/htdocs/langs/bg_BG/admin.lang b/htdocs/langs/bg_BG/admin.lang index 4921e23d3e81c..9c97645f0a21e 100644 --- a/htdocs/langs/bg_BG/admin.lang +++ b/htdocs/langs/bg_BG/admin.lang @@ -454,7 +454,7 @@ ModuleCompanyCodeDigitaria=Accounting code depends on third party code. The code Use3StepsApproval=By default, Purchase Orders need to be created and approved by 2 different users (one step/user to create and one step/user to approve. Note that if user has both permission to create and approve, one step/user will be enough). You can ask with this option to introduce a third step/user approval, if amount is higher than a dedicated value (so 3 steps will be necessary: 1=validation, 2=first approval and 3=second approval if amount is enough).
Set this to empty if one approval (2 steps) is enough, set it to a very low value (0.1) if a second approval (3 steps) is always required. UseDoubleApproval=Use a 3 steps approval when amount (without tax) is higher than... WarningPHPMail=WARNING: It is often better to setup outgoing emails to use the email server of your provider instead of the default setup. Some email providers (like Yahoo) does not allow you to send an email from another server than their own server. Your current setup use 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 a server of them, so few of your sent Emails may not be accepted (be carefull also to your email provider sending quota).
If your Email provider (like Yahoo) has this restriction, you must change Email setup to choose the other method "SMTP server" and enter the SMTP server and credentials provided by your Email provider (ask your EMail provider to get SMTP credentials for your account). -WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of your ERP CRM application: %s. +WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of the mail user agent (MUA) for your ERP CRM application: %s. ClickToShowDescription=Click to show description DependsOn=This module need the module(s) RequiredBy=This module is required by module(s) @@ -497,7 +497,7 @@ Module25Desc=Управление на поръчка на клиента Module30Name=Фактури Module30Desc=Фактура и управление на кредитно известие за клиентите. Фактура за управление на доставчици Module40Name=Доставчици -Module40Desc=Управление и изкупуване на доставчика (нареждания и фактури) +Module40Desc=Suppliers and purchase management (purchase orders and billing) Module42Name=Debug Logs Module42Desc=Logging facilities (file, syslog, ...). Such logs are for technical/debug purposes. Module49Name=Редактори @@ -605,7 +605,7 @@ Module4000Desc=Human resources management (management of department, employee co Module5000Name=Няколко фирми Module5000Desc=Позволява ви да управлявате няколко фирми Module6000Name=Workflow -Module6000Desc=Workflow management +Module6000Desc=Workflow management (automatic creation of object and/or automatic status change) Module10000Name=Websites Module10000Desc=Create public websites with a WYSIWG editor. Just setup your web server (Apache, Nginx, ...) to point to the dedicated Dolibarr directory to have it online on the Internet with your own domain name. Module20000Name=Leave Requests management @@ -891,7 +891,7 @@ DictionaryCivility=Personal and professional titles DictionaryActions=Types of agenda events DictionarySocialContributions=Social or fiscal taxes types DictionaryVAT=VAT Rates or Sales Tax Rates -DictionaryRevenueStamp=Amount of revenue stamps +DictionaryRevenueStamp=Amount of tax stamps DictionaryPaymentConditions=Payment terms DictionaryPaymentModes=Payment modes DictionaryTypeContact=Contact/Address types @@ -919,7 +919,7 @@ SetupSaved=Setup спаси SetupNotSaved=Setup not saved BackToModuleList=Обратно към списъка с модули BackToDictionaryList=Back to dictionaries list -TypeOfRevenueStamp=Type of revenue stamp +TypeOfRevenueStamp=Type of tax stamp VATManagement=Управление на ДДС VATIsUsedDesc=By default when creating prospects, invoices, orders etc the VAT rate follows the active standard rule:
If the seller is not subjected to VAT, then VAT defaults to 0. End of rule.
If the (selling country= buying country), then the VAT by default equals the VAT of the product in the selling country. End of rule.
If seller and buyer are both in the European Community and goods are transport products (car, ship, plane), the default VAT is 0 ( The VAT should be paid by the buyer to the customoffice of his country and not to the seller). End of rule.
If seller and buyer are both in the European Community and the buyer is not a company, then the VAT by defaults to the VAT of the product sold. End of rule.
If seller and buyer are both in the European Community and the buyer is a company, then the VAT is 0 by default . End of rule.
In any othe case the proposed default is VAT=0. End of rule. VATIsNotUsedDesc=По подразбиране предложената ДДС е 0, които могат да бъдат използвани за подобни случаи сдружения, лицата ОУ малките фирми. @@ -1027,7 +1027,7 @@ Delays_MAIN_DELAY_ACTIONS_TODO=Delay tolerance (in days) before alert on planned Delays_MAIN_DELAY_PROJECT_TO_CLOSE=Delay tolerance (in days) before alert on project not closed in time Delays_MAIN_DELAY_TASKS_TODO=Delay tolerance (in days) before alert on planned tasks (project tasks) not completed yet Delays_MAIN_DELAY_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on orders not processed yet -Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on suppliers orders not processed yet +Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on purchase orders not processed yet Delays_MAIN_DELAY_PROPALS_TO_CLOSE=Толеранс на изчакване (в дни), преди сигнал за предложения, за да затворите Delays_MAIN_DELAY_PROPALS_TO_BILL=Толеранс на изчакване (в дни) преди сигнал за предложения не таксувани Delays_MAIN_DELAY_NOT_ACTIVATED_SERVICES=Толерантност закъснение (в дни), преди сигнал за услуги, за да активирате @@ -1458,7 +1458,7 @@ SyslogFilename=Име на файла и пътя YouCanUseDOL_DATA_ROOT=Можете да използвате DOL_DATA_ROOT / dolibarr.log за лог файл в Dolibarr директория "документи". Можете да зададете различен път, за да се съхранява този файл. ErrorUnknownSyslogConstant=Постоянни %s не е известен Syslog постоянно OnlyWindowsLOG_USER=Windows поддържа само LOG_USER -CompressSyslogs=Syslog files compression and backup +CompressSyslogs=Compression and backup of debug log files (generated by module Log for debug) SyslogFileNumberOfSaves=Log backups ConfigureCleaningCronjobToSetFrequencyOfSaves=Configure cleaning scheduled job to set log backup frequency ##### Donations ##### diff --git a/htdocs/langs/bg_BG/banks.lang b/htdocs/langs/bg_BG/banks.lang index 7bdcc6e9c22b9..fb39f172269ce 100644 --- a/htdocs/langs/bg_BG/banks.lang +++ b/htdocs/langs/bg_BG/banks.lang @@ -1,12 +1,13 @@ # Dolibarr language file - Source file is en_US - banks Bank=Банка -MenuBankCash=Банка/Каса +MenuBankCash=Bank | Cash MenuVariousPayment=Miscellaneous payments MenuNewVariousPayment=New Miscellaneous payment BankName=Име на банката FinancialAccount=Сметка BankAccount=Банкова сметка BankAccounts=Банкови сметки +BankAccountsAndGateways=Bank accounts | Gateways ShowAccount=Показване на сметка AccountRef=Финансова сметка реф. AccountLabel=Финансова сметка етикет @@ -131,7 +132,7 @@ PaymentDateUpdateSucceeded=Payment date updated successfully PaymentDateUpdateFailed=Дата на плащане не може да бъде актуализиран Transactions=Сделки BankTransactionLine=Bank entry -AllAccounts=Всички банкови / пари в брой +AllAccounts=All bank and cash accounts BackToAccount=Обратно към сметка ShowAllAccounts=Покажи за всички сметки FutureTransaction=Транзакция в FUTUR. Няма начин за помирение. @@ -159,5 +160,6 @@ VariousPayment=Miscellaneous payments VariousPayments=Miscellaneous payments ShowVariousPayment=Show miscellaneous payments AddVariousPayment=Add miscellaneous payments +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. Thanks to return it signed (scan of the signed document) or sent it by mail to diff --git a/htdocs/langs/bg_BG/bills.lang b/htdocs/langs/bg_BG/bills.lang index e27546b1ff51c..bb6f545a66429 100644 --- a/htdocs/langs/bg_BG/bills.lang +++ b/htdocs/langs/bg_BG/bills.lang @@ -110,8 +110,8 @@ SendRemindByMail=Изпращане на напомняне по имейл DoPayment=Enter payment DoPaymentBack=Enter refund ConvertToReduc=Mark as credit available -ConvertExcessReceivedToReduc=Convert excess received into future discount -ConvertExcessPaidToReduc=Convert excess paid into future discount +ConvertExcessReceivedToReduc=Convert excess received into available credit +ConvertExcessPaidToReduc=Convert excess paid into available discount EnterPaymentReceivedFromCustomer=Въведете плащане получено от клиент EnterPaymentDueToCustomer=Дължимото плащане на клиента DisabledBecauseRemainderToPayIsZero=Деактивирано понеже остатъка за плащане е нула @@ -282,6 +282,7 @@ RelativeDiscount=Относителна отстъпка GlobalDiscount=Глобална отстъпка CreditNote=Кредитно известие CreditNotes=Кредитни известия +CreditNotesOrExcessReceived=Credit notes or excess received Deposit=Down payment Deposits=Down payments DiscountFromCreditNote=Отстъпка от кредитно известие %s @@ -393,6 +394,7 @@ PaymentConditionShort14DENDMONTH=14 days of month-end PaymentCondition14DENDMONTH=Within 14 days following the end of the month FixAmount=Фиксирана сума VarAmount=Променлива сума (%% общ.) +VarAmountOneLine=Variable amount (%% tot.) - 1 line with label '%s' # PaymentType PaymentTypeVIR=Банков превод PaymentTypeShortVIR=Банков превод diff --git a/htdocs/langs/bg_BG/compta.lang b/htdocs/langs/bg_BG/compta.lang index 8a6c0373d23c3..098c50deef218 100644 --- a/htdocs/langs/bg_BG/compta.lang +++ b/htdocs/langs/bg_BG/compta.lang @@ -19,7 +19,8 @@ Income=Доход Outcome=Разход MenuReportInOut=Приходи/разходи ReportInOut=Balance of income and expenses -ReportTurnover=Оборот +ReportTurnover=Turnover invoiced +ReportTurnoverCollected=Turnover collected PaymentsNotLinkedToInvoice=Плащания, които не са свързани с никоя фактура, така че не свързани с никой контрагент PaymentsNotLinkedToUser=Плащанията, които не са свързани с никой потребител Profit=Печалба @@ -77,7 +78,7 @@ MenuNewSocialContribution=New social/fiscal tax NewSocialContribution=New social/fiscal tax AddSocialContribution=Add social/fiscal tax ContributionsToPay=Social/fiscal taxes to pay -AccountancyTreasuryArea=Секция Счетоводство/ценности +AccountancyTreasuryArea=Billing and payment area NewPayment=Ново плащане Payments=Плащания PaymentCustomerInvoice=Плащане на продажна фактура @@ -105,6 +106,7 @@ VATPayment=Sales tax payment VATPayments=Sales tax payments VATRefund=Sales tax refund NewVATPayment=New sales tax payment +NewLocalTaxPayment=New tax %s payment Refund=Refund SocialContributionsPayments=Social/fiscal taxes payments ShowVatPayment=Покажи плащане на ДДС @@ -116,8 +118,9 @@ CustomerAccountancyCodeShort=Cust. account. code SupplierAccountancyCodeShort=Sup. account. code AccountNumber=Номер на сметка NewAccountingAccount=Нова сметка -SalesTurnover=Продажби оборот -SalesTurnoverMinimum=Minimum sales turnover +Turnover=Turnover invoiced +TurnoverCollected=Turnover collected +SalesTurnoverMinimum=Minimum turnover ByExpenseIncome=By expenses & incomes ByThirdParties=По контрагенти ByUserAuthorOfInvoice=С фактура автор @@ -137,8 +140,8 @@ 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=Mode %sClaims-Debts%s said Commitment accounting. -CalcModeEngagement=Mode %sIncomes-Expenses%s said cash accounting +CalcModeDebt=Analysis of known recorded invoices 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 CalcModeLT1Debt=Mode %sRE on customer invoices%s @@ -151,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=Виж доклада %sIncomes-Expense%sS каза за отчитане на касова основа за изчисляване на действителните плащания -SeeReportInDueDebtMode=Виж доклада %sClaims-Debt%sS ангажимент счетоводство за изчисляване на издадените фактури -SeeReportInBookkeepingMode=See report %sBookeeping%s for a calculation on bookkeeping table analysis +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 RulesAmountWithTaxIncluded=- Amounts shown are with all taxes included RulesResultDue=- Показани Сумите са с включени всички такси
- Тя включва неплатените фактури, разходи и ДДС, независимо дали са платени или не.
- Тя се основава на датата на утвърждаване на фактури и ДДС и на датата на падежа за разходи. RulesResultInOut=- It includes the real payments made on invoices, expenses and VAT.
- It is based on the payment dates of the invoices, expenses and VAT. @@ -218,8 +221,8 @@ 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 supplier, choose appropriate method to apply same calculation rule and get same result expected by your supplier. -TurnoverPerProductInCommitmentAccountingNotRelevant=The Turnover report per product, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). -TurnoverPerSaleTaxRateInCommitmentAccountingNotRelevant=The Turnover report per sale tax rate, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). +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. CalculationMode=Calculation mode AccountancyJournal=Accounting code journal ACCOUNTING_VAT_SOLD_ACCOUNT=Accounting account by default for VAT on sales (used if not defined on VAT dictionary setup) @@ -251,5 +254,6 @@ VATDue=Sale tax claimed ClaimedForThisPeriod=Claimed for the period PaidDuringThisPeriod=Paid during this period ByVatRate=By sale tax rate -TurnoverbyVatrate=Turnover by sale tax rate +TurnoverbyVatrate=Turnover invoiced by sale tax rate +TurnoverCollectedbyVatrate=Turnover collected by sale tax rate PurchasebyVatrate=Purchase by sale tax rate diff --git a/htdocs/langs/bg_BG/install.lang b/htdocs/langs/bg_BG/install.lang index e4ad15fe34ab8..3489238388eed 100644 --- a/htdocs/langs/bg_BG/install.lang +++ b/htdocs/langs/bg_BG/install.lang @@ -204,3 +204,7 @@ MigrationResetBlockedLog=Reset module BlockedLog for v7 algorithm ShowNotAvailableOptions=Показване на недостъпните опции HideNotAvailableOptions=Скриване на недостъпните опции ErrorFoundDuringMigration=Error were reported during migration process so next step is not available. To ignore errors, you can click here, but application or some features may not work correctly until fixed. +YouTryInstallDisabledByDirLock=The application try to sefl upgrade, but install/upgrade pages have been disabled for security reason (directory renamed with .lock suffix).
+YouTryInstallDisabledByFileLock=The application try to sefl upgrade, but install/upgrade pages pages have been disabled for security reason (by lock file install.lock into dolibarr documents directory).
+ClickHereToGoToApp=Click here to go to your application +ClickOnLinkOrRemoveManualy=Click on following link and if you always reach this page, you must remove the file install.lock into documents directory manually diff --git a/htdocs/langs/bg_BG/main.lang b/htdocs/langs/bg_BG/main.lang index 8dca6ff8c6d0a..e5fc395ca5161 100644 --- a/htdocs/langs/bg_BG/main.lang +++ b/htdocs/langs/bg_BG/main.lang @@ -507,6 +507,7 @@ NoneF=Няма NoneOrSeveral=None or several Late=Закъснели LateDesc=Delay to define if a record is late or not depends on your setup. Ask your admin to change delay from menu Home - Setup - Alerts. +NoItemLate=No late item Photo=Снимка Photos=Снимки AddPhoto=Добавяне на снимка @@ -945,3 +946,5 @@ KeyboardShortcut=Keyboard shortcut AssignedTo=Възложено на Deletedraft=Delete draft ConfirmMassDraftDeletion=Draft Bulk delete confirmation +FileSharedViaALink=File shared via a link + diff --git a/htdocs/langs/bg_BG/modulebuilder.lang b/htdocs/langs/bg_BG/modulebuilder.lang index a3fee23cb53b5..9d6661eda41d6 100644 --- a/htdocs/langs/bg_BG/modulebuilder.lang +++ b/htdocs/langs/bg_BG/modulebuilder.lang @@ -74,6 +74,7 @@ NoWidget=No widget GoToApiExplorer=Go to API explorer ListOfMenusEntries=List of menu entries ListOfPermissionsDefined=List of defined permissions +SeeExamples=See examples here EnabledDesc=Condition to have this field active (Examples: 1 or $conf->global->MYMODULE_MYOPTION) VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only. Using a negative value means field is not shown by default on list but can be selected for viewing) IsAMeasureDesc=Can the value of field be cumulated to get a total into list ? (Examples: 1 or 0) @@ -95,3 +96,6 @@ DropTableIfEmpty=(Delete table if empty) TableDoesNotExists=The table %s does not exists TableDropped=Table %s deleted InitStructureFromExistingTable=Build the structure array string of an existing table +UseAboutPage=Disallow the about page +UseDocFolder=Disallow the documentation folder +UseSpecificReadme=Use a specific ReadMe diff --git a/htdocs/langs/bg_BG/other.lang b/htdocs/langs/bg_BG/other.lang index eaa3d68553dd8..de2d12ca46055 100644 --- a/htdocs/langs/bg_BG/other.lang +++ b/htdocs/langs/bg_BG/other.lang @@ -80,8 +80,8 @@ LinkedObject=Свързан обект NbOfActiveNotifications=Брой уведомления (брой имейли на получатели) PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe two lines are separated by a carriage return.\n\n__USER_SIGNATURE__ PredefinedMailTestHtml=__(Hello)__\nThis is a test mail (the word test must be in bold).
The two lines are separated by a carriage return.

__USER_SIGNATURE__ -PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\nThis is the link to make your online payment if this invoice is not already payed:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\nThis is the link to make your online payment:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendProposal=__(Hello)__\n\nYou will find here the commercial proposal __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendSupplierProposal=__(Hello)__\n\nYou will find here the price request __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendOrder=__(Hello)__\n\nYou will find here the order __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ @@ -91,6 +91,7 @@ PredefinedMailContentSendShipping=__(Hello)__\n\nYou will find here the shipping PredefinedMailContentSendFichInter=__(Hello)__\n\nYou will find here the intervention __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentThirdparty=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentUser=__(Hello)__\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 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) @@ -218,7 +219,7 @@ FileIsTooBig=Файлът е твърде голям PleaseBePatient=Моля, бъдете търпеливи... NewPassword=New password ResetPassword=Reset password -RequestToResetPasswordReceived=A request to change your password has been received +RequestToResetPasswordReceived=A request to change your password has been received. NewKeyIs=Това е вашият нов ключ за влизане NewKeyWillBe=Вашият нов ключ за влизане в софтуера ще бъде ClickHereToGoTo=Кликнете тук, за да отидете на %s diff --git a/htdocs/langs/bg_BG/paypal.lang b/htdocs/langs/bg_BG/paypal.lang index 1614593d1d479..cfea12bcd8b4a 100644 --- a/htdocs/langs/bg_BG/paypal.lang +++ b/htdocs/langs/bg_BG/paypal.lang @@ -14,7 +14,6 @@ PaypalModeOnlyPaypal=Paypal само ONLINE_PAYMENT_CSS_URL=Optionnal URL of CSS style sheet on online payment page ThisIsTransactionId=Това е номер на сделката: %s PAYPAL_ADD_PAYMENT_URL=Добавяне на URL адреса на Paypal плащане, когато ви изпрати документа по пощата -PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.

%s

YouAreCurrentlyInSandboxMode=You are currently in the %s "sandbox" mode NewOnlinePaymentReceived=New online payment received NewOnlinePaymentFailed=New online payment tried but failed diff --git a/htdocs/langs/bg_BG/products.lang b/htdocs/langs/bg_BG/products.lang index 06ba0644129f7..68843eda69835 100644 --- a/htdocs/langs/bg_BG/products.lang +++ b/htdocs/langs/bg_BG/products.lang @@ -251,8 +251,8 @@ PriceNumeric=Число DefaultPrice=Цена по подразбиране ComposedProductIncDecStock=Увеличаване/Намаляване на наличността при промяна на родителя ComposedProduct=Под-продукт -MinSupplierPrice=Минимална цена на доставчика -MinCustomerPrice=Minimum customer price +MinSupplierPrice=Минимална покупната цена +MinCustomerPrice=Minimum selling price DynamicPriceConfiguration=Конфигурация на динамична цена DynamicPriceDesc=On product card, with this module enabled, you should be able to set mathematic functions to calculate Customer or Supplier prices. Such function can use all mathematic operators, some constants and variables. You can set here the variables you want to be able to use and if the variable need an automatic update, the external URL to use to ask Dolibarr to update automaticaly the value. AddVariable=Add Variable diff --git a/htdocs/langs/bg_BG/propal.lang b/htdocs/langs/bg_BG/propal.lang index 9a52937b32969..38d32d9cad72b 100644 --- a/htdocs/langs/bg_BG/propal.lang +++ b/htdocs/langs/bg_BG/propal.lang @@ -75,6 +75,7 @@ AvailabilityTypeAV_1M=1 месец TypeContact_propal_internal_SALESREPFOLL=Представител следното предложение TypeContact_propal_external_BILLING=Контакта с клиентите фактура TypeContact_propal_external_CUSTOMER=Контакт с клиентите следното предложение +TypeContact_propal_external_SHIPPING=Customer contact for delivery # Document models DocModelAzurDescription=Цялостен модел за предложение (logo. ..) DefaultModelPropalCreate=Създаване на модел по подразбиране diff --git a/htdocs/langs/bg_BG/sendings.lang b/htdocs/langs/bg_BG/sendings.lang index ce1e11f48a43a..a89ef5905e92c 100644 --- a/htdocs/langs/bg_BG/sendings.lang +++ b/htdocs/langs/bg_BG/sendings.lang @@ -52,8 +52,8 @@ ActionsOnShipping=Събития на пратка LinkToTrackYourPackage=Линк за проследяване на вашия пакет ShipmentCreationIsDoneFromOrder=За момента се извършва от картата с цел създаване на нова пратка. ShipmentLine=Линия на пратка -ProductQtyInCustomersOrdersRunning=Product quantity into open customers orders -ProductQtyInSuppliersOrdersRunning=Product quantity into open suppliers orders +ProductQtyInCustomersOrdersRunning=Product quantity into open customer orders +ProductQtyInSuppliersOrdersRunning=Product quantity into open purchase orders ProductQtyInShipmentAlreadySent=Product quantity from open customer order already sent ProductQtyInSuppliersShipmentAlreadyRecevied=Product quantity from open supplier order already received NoProductToShipFoundIntoStock=Няма намерен продукт за изпращане в склад %s. Поправете стоковата и се върнете обратно, за да изберете друг склад. diff --git a/htdocs/langs/bg_BG/stocks.lang b/htdocs/langs/bg_BG/stocks.lang index 35e49ba56f0d2..0be43e7d226e0 100644 --- a/htdocs/langs/bg_BG/stocks.lang +++ b/htdocs/langs/bg_BG/stocks.lang @@ -67,7 +67,7 @@ DeStockOnValidateOrder=Намаляване реалните запаси на DeStockOnShipment=Decrease real stocks on shipping validation DeStockOnShipmentOnClosing=Decrease real stocks on shipping classification closed ReStockOnBill=Увеличаване на реалните запаси на доставчици фактури / кредитни известия за валидиране -ReStockOnValidateOrder=Увеличаване на реалните запаси на доставчиците поръчки апробиране +ReStockOnValidateOrder=Increase real stocks on purchase orders approbation ReStockOnDispatchOrder=Increase real stocks on manual dispatching into warehouses, after supplier order receipt of goods OrderStatusNotReadyToDispatch=Поръчка все още не е или не повече статут, който позволява изпращането на продукти на склад складове. StockDiffPhysicTeoric=Explanation for difference between physical and virtual stock @@ -203,4 +203,4 @@ RegulateStock=Regulate Stock ListInventory=Списък StockSupportServices=Stock management support services StockSupportServicesDesc=By default, you can stock only product with type "product". If on, and if module service is on, you can also stock a product with type "service" -ReceiveProducts=Receive products +ReceiveProducts=Receive items diff --git a/htdocs/langs/bg_BG/users.lang b/htdocs/langs/bg_BG/users.lang index e5a04c65d3e6e..5693ff6d719f8 100644 --- a/htdocs/langs/bg_BG/users.lang +++ b/htdocs/langs/bg_BG/users.lang @@ -48,7 +48,7 @@ PasswordChangeRequest=Request to change password for %s PasswordChangeRequestSent=Заявка за промяна на паролата на %s е изпратена на %s. ConfirmPasswordReset=Confirm password reset MenuUsersAndGroups=Потребители и групи -LastGroupsCreated=Latest %s created groups +LastGroupsCreated=Latest %s groups created LastUsersCreated=Latest %s users created ShowGroup=Покажи групата ShowUser=Покажи потребителя diff --git a/htdocs/langs/bn_BD/accountancy.lang b/htdocs/langs/bn_BD/accountancy.lang index daa159280969a..04bbaa447e791 100644 --- a/htdocs/langs/bn_BD/accountancy.lang +++ b/htdocs/langs/bn_BD/accountancy.lang @@ -55,6 +55,7 @@ AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from m AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s AccountancyAreaDescVat=STEP %s: Define accounting accounts for each VAT Rates. For this, use the menu entry %s. +AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. AccountancyAreaDescExpenseReport=STEP %s: Define default accounting accounts for each type of expense report. For this, use the menu entry %s. AccountancyAreaDescSal=STEP %s: Define default accounting accounts for payment of salaries. For this, use the menu entry %s. AccountancyAreaDescContrib=STEP %s: Define default accounting accounts for special expences (miscellaneous taxes). For this, use the menu entry %s. @@ -131,6 +132,7 @@ ACCOUNTING_LENGTH_GACCOUNT=Length of the general accounting accounts (If you set 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 zero at the end of an accounting account. Needed by some countries (like switzerland). If keep to off (default), you can set the 2 following parameters to ask application to add virtual zero. BANK_DISABLE_DIRECT_INPUT=Disable direct recording of transaction in bank account +ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Enable draft export on journal ACCOUNTING_SELL_JOURNAL=Sell journal ACCOUNTING_PURCHASE_JOURNAL=Purchase journal diff --git a/htdocs/langs/bn_BD/admin.lang b/htdocs/langs/bn_BD/admin.lang index 28eb076c540e9..d7042e784dcb6 100644 --- a/htdocs/langs/bn_BD/admin.lang +++ b/htdocs/langs/bn_BD/admin.lang @@ -454,7 +454,7 @@ ModuleCompanyCodeDigitaria=Accounting code depends on third party code. The code Use3StepsApproval=By default, Purchase Orders need to be created and approved by 2 different users (one step/user to create and one step/user to approve. Note that if user has both permission to create and approve, one step/user will be enough). You can ask with this option to introduce a third step/user approval, if amount is higher than a dedicated value (so 3 steps will be necessary: 1=validation, 2=first approval and 3=second approval if amount is enough).
Set this to empty if one approval (2 steps) is enough, set it to a very low value (0.1) if a second approval (3 steps) is always required. UseDoubleApproval=Use a 3 steps approval when amount (without tax) is higher than... WarningPHPMail=WARNING: It is often better to setup outgoing emails to use the email server of your provider instead of the default setup. Some email providers (like Yahoo) does not allow you to send an email from another server than their own server. Your current setup use 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 a server of them, so few of your sent Emails may not be accepted (be carefull also to your email provider sending quota).
If your Email provider (like Yahoo) has this restriction, you must change Email setup to choose the other method "SMTP server" and enter the SMTP server and credentials provided by your Email provider (ask your EMail provider to get SMTP credentials for your account). -WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of your ERP CRM application: %s. +WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of the mail user agent (MUA) for your ERP CRM application: %s. ClickToShowDescription=Click to show description DependsOn=This module need the module(s) RequiredBy=This module is required by module(s) @@ -497,7 +497,7 @@ Module25Desc=Customer order management Module30Name=Invoices Module30Desc=Invoice and credit note management for customers. Invoice management for suppliers Module40Name=Suppliers -Module40Desc=Supplier management and buying (orders and invoices) +Module40Desc=Suppliers and purchase management (purchase orders and billing) Module42Name=Debug Logs Module42Desc=Logging facilities (file, syslog, ...). Such logs are for technical/debug purposes. Module49Name=Editors @@ -605,7 +605,7 @@ Module4000Desc=Human resources management (management of department, employee co Module5000Name=Multi-company Module5000Desc=Allows you to manage multiple companies Module6000Name=Workflow -Module6000Desc=Workflow management +Module6000Desc=Workflow management (automatic creation of object and/or automatic status change) Module10000Name=Websites Module10000Desc=Create public websites with a WYSIWG editor. Just setup your web server (Apache, Nginx, ...) to point to the dedicated Dolibarr directory to have it online on the Internet with your own domain name. Module20000Name=Leave Requests management @@ -891,7 +891,7 @@ DictionaryCivility=Personal and professional titles DictionaryActions=Types of agenda events DictionarySocialContributions=Social or fiscal taxes types DictionaryVAT=VAT Rates or Sales Tax Rates -DictionaryRevenueStamp=Amount of revenue stamps +DictionaryRevenueStamp=Amount of tax stamps DictionaryPaymentConditions=Payment terms DictionaryPaymentModes=Payment modes DictionaryTypeContact=Contact/Address types @@ -919,7 +919,7 @@ SetupSaved=Setup saved SetupNotSaved=Setup not saved BackToModuleList=Back to modules list BackToDictionaryList=Back to dictionaries list -TypeOfRevenueStamp=Type of revenue stamp +TypeOfRevenueStamp=Type of tax stamp VATManagement=VAT Management VATIsUsedDesc=By default when creating prospects, invoices, orders etc the VAT rate follows the active standard rule:
If the seller is not subjected to VAT, then VAT defaults to 0. End of rule.
If the (selling country= buying country), then the VAT by default equals the VAT of the product in the selling country. End of rule.
If seller and buyer are both in the European Community and goods are transport products (car, ship, plane), the default VAT is 0 ( The VAT should be paid by the buyer to the customoffice of his country and not to the seller). End of rule.
If seller and buyer are both in the European Community and the buyer is not a company, then the VAT by defaults to the VAT of the product sold. End of rule.
If seller and buyer are both in the European Community and the buyer is a company, then the VAT is 0 by default . End of rule.
In any othe case the proposed default is VAT=0. End of rule. VATIsNotUsedDesc=By default the proposed VAT is 0 which can be used for cases like associations, individuals ou small companies. @@ -1027,7 +1027,7 @@ Delays_MAIN_DELAY_ACTIONS_TODO=Delay tolerance (in days) before alert on planned Delays_MAIN_DELAY_PROJECT_TO_CLOSE=Delay tolerance (in days) before alert on project not closed in time Delays_MAIN_DELAY_TASKS_TODO=Delay tolerance (in days) before alert on planned tasks (project tasks) not completed yet Delays_MAIN_DELAY_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on orders not processed yet -Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on suppliers orders not processed yet +Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on purchase orders not processed yet Delays_MAIN_DELAY_PROPALS_TO_CLOSE=Delay tolerance (in days) before alert on proposals to close Delays_MAIN_DELAY_PROPALS_TO_BILL=Delay tolerance (in days) before alert on proposals not billed Delays_MAIN_DELAY_NOT_ACTIVATED_SERVICES=Tolerance delay (in days) before alert on services to activate @@ -1458,7 +1458,7 @@ SyslogFilename=File name and path YouCanUseDOL_DATA_ROOT=You can use DOL_DATA_ROOT/dolibarr.log for a log file in Dolibarr "documents" directory. You can set a different path to store this file. ErrorUnknownSyslogConstant=Constant %s is not a known Syslog constant OnlyWindowsLOG_USER=Windows only supports LOG_USER -CompressSyslogs=Syslog files compression and backup +CompressSyslogs=Compression and backup of debug log files (generated by module Log for debug) SyslogFileNumberOfSaves=Log backups ConfigureCleaningCronjobToSetFrequencyOfSaves=Configure cleaning scheduled job to set log backup frequency ##### Donations ##### diff --git a/htdocs/langs/bn_BD/banks.lang b/htdocs/langs/bn_BD/banks.lang index 404dbbd0a69ab..f83b748598b48 100644 --- a/htdocs/langs/bn_BD/banks.lang +++ b/htdocs/langs/bn_BD/banks.lang @@ -1,12 +1,13 @@ # Dolibarr language file - Source file is en_US - banks Bank=Bank -MenuBankCash=Bank/Cash +MenuBankCash=Bank | Cash MenuVariousPayment=Miscellaneous payments MenuNewVariousPayment=New Miscellaneous payment BankName=Bank name FinancialAccount=Account BankAccount=Bank account BankAccounts=Bank accounts +BankAccountsAndGateways=Bank accounts | Gateways ShowAccount=Show Account AccountRef=Financial account ref AccountLabel=Financial account label @@ -131,7 +132,7 @@ PaymentDateUpdateSucceeded=Payment date updated successfully PaymentDateUpdateFailed=Payment date could not be updated Transactions=Transactions BankTransactionLine=Bank entry -AllAccounts=All bank/cash accounts +AllAccounts=All bank and cash accounts BackToAccount=Back to account ShowAllAccounts=Show for all accounts FutureTransaction=Transaction in futur. No way to conciliate. @@ -159,5 +160,6 @@ VariousPayment=Miscellaneous payments VariousPayments=Miscellaneous payments ShowVariousPayment=Show miscellaneous payments AddVariousPayment=Add miscellaneous payments +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. Thanks to return it signed (scan of the signed document) or sent it by mail to diff --git a/htdocs/langs/bn_BD/bills.lang b/htdocs/langs/bn_BD/bills.lang index 0984ddaf7ffad..0e8ade2cae56f 100644 --- a/htdocs/langs/bn_BD/bills.lang +++ b/htdocs/langs/bn_BD/bills.lang @@ -110,8 +110,8 @@ SendRemindByMail=Send reminder by EMail DoPayment=Enter payment DoPaymentBack=Enter refund ConvertToReduc=Mark as credit available -ConvertExcessReceivedToReduc=Convert excess received into future discount -ConvertExcessPaidToReduc=Convert excess paid into future discount +ConvertExcessReceivedToReduc=Convert excess received into available credit +ConvertExcessPaidToReduc=Convert excess paid into available discount EnterPaymentReceivedFromCustomer=Enter payment received from customer EnterPaymentDueToCustomer=Make payment due to customer DisabledBecauseRemainderToPayIsZero=Disabled because remaining unpaid is zero @@ -282,6 +282,7 @@ RelativeDiscount=Relative discount GlobalDiscount=Global discount CreditNote=Credit note CreditNotes=Credit notes +CreditNotesOrExcessReceived=Credit notes or excess received Deposit=Deposit Deposits=Deposits DiscountFromCreditNote=Discount from credit note %s @@ -393,6 +394,7 @@ PaymentConditionShort14DENDMONTH=14 days of month-end PaymentCondition14DENDMONTH=Within 14 days following the end of the month FixAmount=Fix amount VarAmount=Variable amount (%% tot.) +VarAmountOneLine=Variable amount (%% tot.) - 1 line with label '%s' # PaymentType PaymentTypeVIR=Bank transfer PaymentTypeShortVIR=Bank transfer diff --git a/htdocs/langs/bn_BD/compta.lang b/htdocs/langs/bn_BD/compta.lang index d2cfb71490033..c0f5920ea92ff 100644 --- a/htdocs/langs/bn_BD/compta.lang +++ b/htdocs/langs/bn_BD/compta.lang @@ -19,7 +19,8 @@ Income=Income Outcome=Expense MenuReportInOut=Income / Expense ReportInOut=Balance of income and expenses -ReportTurnover=Turnover +ReportTurnover=Turnover invoiced +ReportTurnoverCollected=Turnover collected PaymentsNotLinkedToInvoice=Payments not linked to any invoice, so not linked to any third party PaymentsNotLinkedToUser=Payments not linked to any user Profit=Profit @@ -77,7 +78,7 @@ MenuNewSocialContribution=New social/fiscal tax NewSocialContribution=New social/fiscal tax AddSocialContribution=Add social/fiscal tax ContributionsToPay=Social/fiscal taxes to pay -AccountancyTreasuryArea=Accountancy/Treasury area +AccountancyTreasuryArea=Billing and payment area NewPayment=New payment Payments=Payments PaymentCustomerInvoice=Customer invoice payment @@ -105,6 +106,7 @@ VATPayment=Sales tax payment VATPayments=Sales tax payments VATRefund=Sales tax refund NewVATPayment=New sales tax payment +NewLocalTaxPayment=New tax %s payment Refund=Refund SocialContributionsPayments=Social/fiscal taxes payments ShowVatPayment=Show VAT payment @@ -116,8 +118,9 @@ CustomerAccountancyCodeShort=Cust. account. code SupplierAccountancyCodeShort=Sup. account. code AccountNumber=Account number NewAccountingAccount=New account -SalesTurnover=Sales turnover -SalesTurnoverMinimum=Minimum sales turnover +Turnover=Turnover invoiced +TurnoverCollected=Turnover collected +SalesTurnoverMinimum=Minimum turnover ByExpenseIncome=By expenses & incomes ByThirdParties=By third parties ByUserAuthorOfInvoice=By invoice author @@ -137,8 +140,8 @@ 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=Mode %sClaims-Debts%s said Commitment accounting. -CalcModeEngagement=Mode %sIncomes-Expenses%s said cash accounting +CalcModeDebt=Analysis of known recorded invoices 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 CalcModeLT1Debt=Mode %sRE on customer invoices%s @@ -151,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 report %sIncomes-Expenses%s said cash accounting for a calculation on actual payments made -SeeReportInDueDebtMode=See report %sClaims-Debts%s said commitment accounting for a calculation on issued invoices -SeeReportInBookkeepingMode=See report %sBookeeping%s for a calculation on bookkeeping table analysis +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 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 validation date of invoices and VAT and on the due date for expenses. 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. @@ -218,8 +221,8 @@ 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 supplier, choose appropriate method to apply same calculation rule and get same result expected by your supplier. -TurnoverPerProductInCommitmentAccountingNotRelevant=The Turnover report per product, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). -TurnoverPerSaleTaxRateInCommitmentAccountingNotRelevant=The Turnover report per sale tax rate, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). +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. CalculationMode=Calculation mode AccountancyJournal=Accounting code journal ACCOUNTING_VAT_SOLD_ACCOUNT=Accounting account by default for VAT on sales (used if not defined on VAT dictionary setup) @@ -251,5 +254,6 @@ VATDue=Sale tax claimed ClaimedForThisPeriod=Claimed for the period PaidDuringThisPeriod=Paid during this period ByVatRate=By sale tax rate -TurnoverbyVatrate=Turnover by sale tax rate +TurnoverbyVatrate=Turnover invoiced by sale tax rate +TurnoverCollectedbyVatrate=Turnover collected by sale tax rate PurchasebyVatrate=Purchase by sale tax rate diff --git a/htdocs/langs/bn_BD/install.lang b/htdocs/langs/bn_BD/install.lang index 587d4f83da6c6..fb521c0c08565 100644 --- a/htdocs/langs/bn_BD/install.lang +++ b/htdocs/langs/bn_BD/install.lang @@ -204,3 +204,7 @@ MigrationResetBlockedLog=Reset module BlockedLog for v7 algorithm ShowNotAvailableOptions=Show not available options HideNotAvailableOptions=Hide not available options ErrorFoundDuringMigration=Error were reported during migration process so next step is not available. To ignore errors, you can click here, but application or some features may not work correctly until fixed. +YouTryInstallDisabledByDirLock=The application try to sefl upgrade, but install/upgrade pages have been disabled for security reason (directory renamed with .lock suffix).
+YouTryInstallDisabledByFileLock=The application try to sefl upgrade, but install/upgrade pages pages have been disabled for security reason (by lock file install.lock into dolibarr documents directory).
+ClickHereToGoToApp=Click here to go to your application +ClickOnLinkOrRemoveManualy=Click on following link and if you always reach this page, you must remove the file install.lock into documents directory manually diff --git a/htdocs/langs/bn_BD/main.lang b/htdocs/langs/bn_BD/main.lang index 54ba8f3387c15..620790c252fd4 100644 --- a/htdocs/langs/bn_BD/main.lang +++ b/htdocs/langs/bn_BD/main.lang @@ -507,6 +507,7 @@ NoneF=None NoneOrSeveral=None or several Late=Late LateDesc=Delay to define if a record is late or not depends on your setup. Ask your admin to change delay from menu Home - Setup - Alerts. +NoItemLate=No late item Photo=Picture Photos=Pictures AddPhoto=Add picture @@ -945,3 +946,5 @@ KeyboardShortcut=Keyboard shortcut AssignedTo=Assigned to Deletedraft=Delete draft ConfirmMassDraftDeletion=Draft Bulk delete confirmation +FileSharedViaALink=File shared via a link + diff --git a/htdocs/langs/bn_BD/modulebuilder.lang b/htdocs/langs/bn_BD/modulebuilder.lang index a3fee23cb53b5..9d6661eda41d6 100644 --- a/htdocs/langs/bn_BD/modulebuilder.lang +++ b/htdocs/langs/bn_BD/modulebuilder.lang @@ -74,6 +74,7 @@ NoWidget=No widget GoToApiExplorer=Go to API explorer ListOfMenusEntries=List of menu entries ListOfPermissionsDefined=List of defined permissions +SeeExamples=See examples here EnabledDesc=Condition to have this field active (Examples: 1 or $conf->global->MYMODULE_MYOPTION) VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only. Using a negative value means field is not shown by default on list but can be selected for viewing) IsAMeasureDesc=Can the value of field be cumulated to get a total into list ? (Examples: 1 or 0) @@ -95,3 +96,6 @@ DropTableIfEmpty=(Delete table if empty) TableDoesNotExists=The table %s does not exists TableDropped=Table %s deleted InitStructureFromExistingTable=Build the structure array string of an existing table +UseAboutPage=Disallow the about page +UseDocFolder=Disallow the documentation folder +UseSpecificReadme=Use a specific ReadMe diff --git a/htdocs/langs/bn_BD/other.lang b/htdocs/langs/bn_BD/other.lang index 13907ca380e17..8ef8cc30090b4 100644 --- a/htdocs/langs/bn_BD/other.lang +++ b/htdocs/langs/bn_BD/other.lang @@ -80,8 +80,8 @@ LinkedObject=Linked object NbOfActiveNotifications=Number of notifications (nb of recipient emails) PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe two lines are separated by a carriage return.\n\n__USER_SIGNATURE__ PredefinedMailTestHtml=__(Hello)__\nThis is a test mail (the word test must be in bold).
The two lines are separated by a carriage return.

__USER_SIGNATURE__ -PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\nThis is the link to make your online payment if this invoice is not already payed:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\nThis is the link to make your online payment:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendProposal=__(Hello)__\n\nYou will find here the commercial proposal __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendSupplierProposal=__(Hello)__\n\nYou will find here the price request __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendOrder=__(Hello)__\n\nYou will find here the order __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ @@ -91,6 +91,7 @@ PredefinedMailContentSendShipping=__(Hello)__\n\nYou will find here the shipping PredefinedMailContentSendFichInter=__(Hello)__\n\nYou will find here the intervention __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentThirdparty=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentUser=__(Hello)__\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 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) @@ -218,7 +219,7 @@ 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 +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 diff --git a/htdocs/langs/bn_BD/paypal.lang b/htdocs/langs/bn_BD/paypal.lang index 600245dc658a1..68c5b0aefa1b8 100644 --- a/htdocs/langs/bn_BD/paypal.lang +++ b/htdocs/langs/bn_BD/paypal.lang @@ -14,7 +14,6 @@ PaypalModeOnlyPaypal=PayPal only ONLINE_PAYMENT_CSS_URL=Optionnal URL of CSS style sheet on online payment page ThisIsTransactionId=This is id of transaction: %s PAYPAL_ADD_PAYMENT_URL=Add the url of Paypal payment when you send a document by mail -PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.

%s

YouAreCurrentlyInSandboxMode=You are currently in the %s "sandbox" mode NewOnlinePaymentReceived=New online payment received NewOnlinePaymentFailed=New online payment tried but failed diff --git a/htdocs/langs/bn_BD/products.lang b/htdocs/langs/bn_BD/products.lang index 72e717367fc20..06558c90d81fc 100644 --- a/htdocs/langs/bn_BD/products.lang +++ b/htdocs/langs/bn_BD/products.lang @@ -251,8 +251,8 @@ PriceNumeric=Number DefaultPrice=Default price ComposedProductIncDecStock=Increase/Decrease stock on parent change ComposedProduct=Sub-product -MinSupplierPrice=Minimum supplier price -MinCustomerPrice=Minimum customer price +MinSupplierPrice=Minimum buying price +MinCustomerPrice=Minimum selling price DynamicPriceConfiguration=Dynamic price configuration DynamicPriceDesc=On product card, with this module enabled, you should be able to set mathematic functions to calculate Customer or Supplier prices. Such function can use all mathematic operators, some constants and variables. You can set here the variables you want to be able to use and if the variable need an automatic update, the external URL to use to ask Dolibarr to update automaticaly the value. AddVariable=Add Variable diff --git a/htdocs/langs/bn_BD/propal.lang b/htdocs/langs/bn_BD/propal.lang index 914f287fd4b2a..2a22384d1c5b0 100644 --- a/htdocs/langs/bn_BD/propal.lang +++ b/htdocs/langs/bn_BD/propal.lang @@ -75,6 +75,7 @@ AvailabilityTypeAV_1M=1 month TypeContact_propal_internal_SALESREPFOLL=Representative following-up proposal TypeContact_propal_external_BILLING=Customer invoice contact TypeContact_propal_external_CUSTOMER=Customer contact following-up proposal +TypeContact_propal_external_SHIPPING=Customer contact for delivery # Document models DocModelAzurDescription=A complete proposal model (logo...) DefaultModelPropalCreate=Default model creation diff --git a/htdocs/langs/bn_BD/sendings.lang b/htdocs/langs/bn_BD/sendings.lang index 5091bfe950dcd..3b3850e44edab 100644 --- a/htdocs/langs/bn_BD/sendings.lang +++ b/htdocs/langs/bn_BD/sendings.lang @@ -52,8 +52,8 @@ ActionsOnShipping=Events on shipment LinkToTrackYourPackage=Link to track your package ShipmentCreationIsDoneFromOrder=For the moment, creation of a new shipment is done from the order card. ShipmentLine=Shipment line -ProductQtyInCustomersOrdersRunning=Product quantity into open customers orders -ProductQtyInSuppliersOrdersRunning=Product quantity into open suppliers orders +ProductQtyInCustomersOrdersRunning=Product quantity into open customer orders +ProductQtyInSuppliersOrdersRunning=Product quantity into open purchase orders ProductQtyInShipmentAlreadySent=Product quantity from open customer order already sent ProductQtyInSuppliersShipmentAlreadyRecevied=Product quantity from open supplier order already received NoProductToShipFoundIntoStock=No product to ship found into warehouse %s. Correct stock or go back to choose another warehouse. diff --git a/htdocs/langs/bn_BD/stocks.lang b/htdocs/langs/bn_BD/stocks.lang index aaa7e21fc0d7c..8178a8918b71a 100644 --- a/htdocs/langs/bn_BD/stocks.lang +++ b/htdocs/langs/bn_BD/stocks.lang @@ -67,7 +67,7 @@ DeStockOnValidateOrder=Decrease real stocks on customers orders validation DeStockOnShipment=Decrease real stocks on shipping validation DeStockOnShipmentOnClosing=Decrease real stocks on shipping classification closed ReStockOnBill=Increase real stocks on suppliers invoices/credit notes validation -ReStockOnValidateOrder=Increase real stocks on suppliers orders approbation +ReStockOnValidateOrder=Increase real stocks on purchase orders approbation ReStockOnDispatchOrder=Increase real stocks on manual dispatching into warehouses, after supplier order receipt of goods 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 @@ -203,4 +203,4 @@ RegulateStock=Regulate Stock ListInventory=List StockSupportServices=Stock management support services StockSupportServicesDesc=By default, you can stock only product with type "product". If on, and if module service is on, you can also stock a product with type "service" -ReceiveProducts=Receive products +ReceiveProducts=Receive items diff --git a/htdocs/langs/bn_BD/users.lang b/htdocs/langs/bn_BD/users.lang index 8aa5d3749fcdb..26f22923a9a08 100644 --- a/htdocs/langs/bn_BD/users.lang +++ b/htdocs/langs/bn_BD/users.lang @@ -48,7 +48,7 @@ PasswordChangeRequest=Request to change password for %s PasswordChangeRequestSent=Request to change password for %s sent to %s. ConfirmPasswordReset=Confirm password reset MenuUsersAndGroups=Users & Groups -LastGroupsCreated=Latest %s created groups +LastGroupsCreated=Latest %s groups created LastUsersCreated=Latest %s users created ShowGroup=Show group ShowUser=Show user diff --git a/htdocs/langs/bs_BA/accountancy.lang b/htdocs/langs/bs_BA/accountancy.lang index 4c9fe24c27596..a0cbc9f772e2c 100644 --- a/htdocs/langs/bs_BA/accountancy.lang +++ b/htdocs/langs/bs_BA/accountancy.lang @@ -55,6 +55,7 @@ AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from m AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s AccountancyAreaDescVat=STEP %s: Define accounting accounts for each VAT Rates. For this, use the menu entry %s. +AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. AccountancyAreaDescExpenseReport=STEP %s: Define default accounting accounts for each type of expense report. For this, use the menu entry %s. AccountancyAreaDescSal=STEP %s: Define default accounting accounts for payment of salaries. For this, use the menu entry %s. AccountancyAreaDescContrib=STEP %s: Define default accounting accounts for special expences (miscellaneous taxes). For this, use the menu entry %s. @@ -131,6 +132,7 @@ ACCOUNTING_LENGTH_GACCOUNT=Length of the general accounting accounts (If you set 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 zero at the end of an accounting account. Needed by some countries (like switzerland). If keep to off (default), you can set the 2 following parameters to ask application to add virtual zero. BANK_DISABLE_DIRECT_INPUT=Disable direct recording of transaction in bank account +ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Enable draft export on journal ACCOUNTING_SELL_JOURNAL=Dnevnik prodaje ACCOUNTING_PURCHASE_JOURNAL=Dnevnik nabavki diff --git a/htdocs/langs/bs_BA/admin.lang b/htdocs/langs/bs_BA/admin.lang index 4109859ed1a27..744c60fdf7d96 100644 --- a/htdocs/langs/bs_BA/admin.lang +++ b/htdocs/langs/bs_BA/admin.lang @@ -454,7 +454,7 @@ ModuleCompanyCodeDigitaria=Accounting code depends on third party code. The code Use3StepsApproval=By default, Purchase Orders need to be created and approved by 2 different users (one step/user to create and one step/user to approve. Note that if user has both permission to create and approve, one step/user will be enough). You can ask with this option to introduce a third step/user approval, if amount is higher than a dedicated value (so 3 steps will be necessary: 1=validation, 2=first approval and 3=second approval if amount is enough).
Set this to empty if one approval (2 steps) is enough, set it to a very low value (0.1) if a second approval (3 steps) is always required. UseDoubleApproval=Use a 3 steps approval when amount (without tax) is higher than... WarningPHPMail=WARNING: It is often better to setup outgoing emails to use the email server of your provider instead of the default setup. Some email providers (like Yahoo) does not allow you to send an email from another server than their own server. Your current setup use 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 a server of them, so few of your sent Emails may not be accepted (be carefull also to your email provider sending quota).
If your Email provider (like Yahoo) has this restriction, you must change Email setup to choose the other method "SMTP server" and enter the SMTP server and credentials provided by your Email provider (ask your EMail provider to get SMTP credentials for your account). -WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of your ERP CRM application: %s. +WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of the mail user agent (MUA) for your ERP CRM application: %s. ClickToShowDescription=Click to show description DependsOn=This module need the module(s) RequiredBy=This module is required by module(s) @@ -497,7 +497,7 @@ Module25Desc=Customer order management Module30Name=Fakture Module30Desc=Invoice and credit note management for customers. Invoice management for suppliers Module40Name=Dobavljači -Module40Desc=Supplier management and buying (orders and invoices) +Module40Desc=Suppliers and purchase management (purchase orders and billing) Module42Name=Debug Logs Module42Desc=Logging facilities (file, syslog, ...). Such logs are for technical/debug purposes. Module49Name=Editors @@ -605,7 +605,7 @@ Module4000Desc=Human resources management (management of department, employee co Module5000Name=Multi-company Module5000Desc=Allows you to manage multiple companies Module6000Name=Workflow - Tok rada -Module6000Desc=Upravljanje workflow-om - tokom rada +Module6000Desc=Workflow management (automatic creation of object and/or automatic status change) Module10000Name=Websites Module10000Desc=Create public websites with a WYSIWG editor. Just setup your web server (Apache, Nginx, ...) to point to the dedicated Dolibarr directory to have it online on the Internet with your own domain name. Module20000Name=Leave Requests management @@ -891,7 +891,7 @@ DictionaryCivility=Personal and professional titles DictionaryActions=Types of agenda events DictionarySocialContributions=Social or fiscal taxes types DictionaryVAT=VAT Rates or Sales Tax Rates -DictionaryRevenueStamp=Amount of revenue stamps +DictionaryRevenueStamp=Amount of tax stamps DictionaryPaymentConditions=Uslovi plaćanja DictionaryPaymentModes=Payment modes DictionaryTypeContact=Contact/Address types @@ -919,7 +919,7 @@ SetupSaved=Postavke snimljene SetupNotSaved=Setup not saved BackToModuleList=Back to modules list BackToDictionaryList=Back to dictionaries list -TypeOfRevenueStamp=Type of revenue stamp +TypeOfRevenueStamp=Type of tax stamp VATManagement=VAT Management VATIsUsedDesc=By default when creating prospects, invoices, orders etc the VAT rate follows the active standard rule:
If the seller is not subjected to VAT, then VAT defaults to 0. End of rule.
If the (selling country= buying country), then the VAT by default equals the VAT of the product in the selling country. End of rule.
If seller and buyer are both in the European Community and goods are transport products (car, ship, plane), the default VAT is 0 ( The VAT should be paid by the buyer to the customoffice of his country and not to the seller). End of rule.
If seller and buyer are both in the European Community and the buyer is not a company, then the VAT by defaults to the VAT of the product sold. End of rule.
If seller and buyer are both in the European Community and the buyer is a company, then the VAT is 0 by default . End of rule.
In any othe case the proposed default is VAT=0. End of rule. VATIsNotUsedDesc=By default the proposed VAT is 0 which can be used for cases like associations, individuals ou small companies. @@ -1027,7 +1027,7 @@ Delays_MAIN_DELAY_ACTIONS_TODO=Delay tolerance (in days) before alert on planned Delays_MAIN_DELAY_PROJECT_TO_CLOSE=Delay tolerance (in days) before alert on project not closed in time Delays_MAIN_DELAY_TASKS_TODO=Delay tolerance (in days) before alert on planned tasks (project tasks) not completed yet Delays_MAIN_DELAY_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on orders not processed yet -Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on suppliers orders not processed yet +Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on purchase orders not processed yet Delays_MAIN_DELAY_PROPALS_TO_CLOSE=Delay tolerance (in days) before alert on proposals to close Delays_MAIN_DELAY_PROPALS_TO_BILL=Delay tolerance (in days) before alert on proposals not billed Delays_MAIN_DELAY_NOT_ACTIVATED_SERVICES=Tolerance delay (in days) before alert on services to activate @@ -1458,7 +1458,7 @@ SyslogFilename=File name and path YouCanUseDOL_DATA_ROOT=You can use DOL_DATA_ROOT/dolibarr.log for a log file in Dolibarr "documents" directory. You can set a different path to store this file. ErrorUnknownSyslogConstant=Constant %s is not a known Syslog constant OnlyWindowsLOG_USER=Windows only supports LOG_USER -CompressSyslogs=Syslog files compression and backup +CompressSyslogs=Compression and backup of debug log files (generated by module Log for debug) SyslogFileNumberOfSaves=Log backups ConfigureCleaningCronjobToSetFrequencyOfSaves=Configure cleaning scheduled job to set log backup frequency ##### Donations ##### diff --git a/htdocs/langs/bs_BA/banks.lang b/htdocs/langs/bs_BA/banks.lang index 21815f586ee55..f15fe0c444aa6 100644 --- a/htdocs/langs/bs_BA/banks.lang +++ b/htdocs/langs/bs_BA/banks.lang @@ -1,6 +1,6 @@ # Dolibarr language file - Source file is en_US - banks Bank=Banka -MenuBankCash=Banka/Novac +MenuBankCash=Bank | Cash MenuVariousPayment=Razna plaćanja MenuNewVariousPayment=Novo ostalo plaćanje BankName=Naziv banke @@ -132,7 +132,7 @@ PaymentDateUpdateSucceeded=Datum uplate uspješno ažuriran PaymentDateUpdateFailed=Datum uplate nije ažuriran Transactions=Transakcije BankTransactionLine=Bankovna transakcija -AllAccounts=Svi bankovni/novčani računi +AllAccounts=All bank and cash accounts BackToAccount=Nazad na račun ShowAllAccounts=Pokaži za sve račune FutureTransaction=Transakcija u budućnosti. Ne može se izmiriti. @@ -160,5 +160,6 @@ VariousPayment=Razna plaćanja VariousPayments=Razna plaćanja ShowVariousPayment=Pokaži ostala plaćanja AddVariousPayment=Dodaj ostala plaćanja +SEPAMandate=SEPA mandate YourSEPAMandate=Vaš SEPA mandat FindYourSEPAMandate=Ovo je vaš SEPA mandat za potvrđivanje vaše kompanije za izradu zahtjeva za direktno plaćanje vašoj banci. Vratite banci potpisan (skeniran potpisan dokument) ili ga pošaljite poštom diff --git a/htdocs/langs/bs_BA/bills.lang b/htdocs/langs/bs_BA/bills.lang index d1625d9c06511..e81b65d16eea0 100644 --- a/htdocs/langs/bs_BA/bills.lang +++ b/htdocs/langs/bs_BA/bills.lang @@ -110,8 +110,8 @@ SendRemindByMail=Pošalji opomenu na E-Mail DoPayment=Unesi uplatu DoPaymentBack=Unesi refundaciju ConvertToReduc=Mark as credit available -ConvertExcessReceivedToReduc=Convert excess received into future discount -ConvertExcessPaidToReduc=Convert excess paid into future discount +ConvertExcessReceivedToReduc=Convert excess received into available credit +ConvertExcessPaidToReduc=Convert excess paid into available discount EnterPaymentReceivedFromCustomer=Unesi uplate primljene od kupca EnterPaymentDueToCustomer=Unesi rok plaćanja za kupca DisabledBecauseRemainderToPayIsZero=Onemogućeno jer je ostatak duga nula @@ -282,6 +282,7 @@ RelativeDiscount=Relativni popust GlobalDiscount=Globalni popust CreditNote=Dobropis CreditNotes=Dobropisi +CreditNotesOrExcessReceived=Credit notes or excess received Deposit=Akontacija Deposits=Akontacije DiscountFromCreditNote=Popust z dobropisa %s @@ -393,6 +394,7 @@ PaymentConditionShort14DENDMONTH=14 days of month-end PaymentCondition14DENDMONTH=Within 14 days following the end of the month FixAmount=Fiksni iznos VarAmount=Varijabilni iznos (%% tot.) +VarAmountOneLine=Variable amount (%% tot.) - 1 line with label '%s' # PaymentType PaymentTypeVIR=Bankovna transakcija PaymentTypeShortVIR=Bankovna transakcija diff --git a/htdocs/langs/bs_BA/compta.lang b/htdocs/langs/bs_BA/compta.lang index 47fd5ac54708c..7b4eb824144c0 100644 --- a/htdocs/langs/bs_BA/compta.lang +++ b/htdocs/langs/bs_BA/compta.lang @@ -19,7 +19,8 @@ Income=Prihod Outcome=Rashod MenuReportInOut=Prihodi / Rashodi ReportInOut=Balance of income and expenses -ReportTurnover=Promet +ReportTurnover=Turnover invoiced +ReportTurnoverCollected=Turnover collected PaymentsNotLinkedToInvoice=Plaćanja nisu povezana ni sa jednom fakturom, niti su povezana sa nekim subjektom PaymentsNotLinkedToUser=Plaćanja nisu povezana ni sa jednim korisnikom Profit=Dobit @@ -77,7 +78,7 @@ MenuNewSocialContribution=New social/fiscal tax NewSocialContribution=New social/fiscal tax AddSocialContribution=Add social/fiscal tax ContributionsToPay=Social/fiscal taxes to pay -AccountancyTreasuryArea=Accountancy/Treasury area +AccountancyTreasuryArea=Billing and payment area NewPayment=Novo plaćanje Payments=Uplate PaymentCustomerInvoice=Plaćanje računa kupca @@ -105,6 +106,7 @@ VATPayment=Sales tax payment VATPayments=Sales tax payments VATRefund=Sales tax refund NewVATPayment=New sales tax payment +NewLocalTaxPayment=New tax %s payment Refund=Refund SocialContributionsPayments=Social/fiscal taxes payments ShowVatPayment=Show VAT payment @@ -116,8 +118,9 @@ CustomerAccountancyCodeShort=Cust. account. code SupplierAccountancyCodeShort=Sup. account. code AccountNumber=Kod računa NewAccountingAccount=Novi račun -SalesTurnover=Sales turnover -SalesTurnoverMinimum=Minimum sales turnover +Turnover=Turnover invoiced +TurnoverCollected=Turnover collected +SalesTurnoverMinimum=Minimum turnover ByExpenseIncome=By expenses & incomes ByThirdParties=Po subjektu ByUserAuthorOfInvoice=By invoice author @@ -137,8 +140,8 @@ 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=Mode %sClaims-Debts%s said Commitment accounting. -CalcModeEngagement=Mode %sIncomes-Expenses%s said cash accounting +CalcModeDebt=Analysis of known recorded invoices 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 CalcModeLT1Debt=Mode %sRE on customer invoices%s @@ -151,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 report %sIncomes-Expenses%s said cash accounting for a calculation on actual payments made -SeeReportInDueDebtMode=See report %sClaims-Debts%s said commitment accounting for a calculation on issued invoices -SeeReportInBookkeepingMode=See report %sBookeeping%s for a calculation on bookkeeping table analysis +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 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 validation date of invoices and VAT and on the due date for expenses. 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. @@ -218,8 +221,8 @@ 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 supplier, choose appropriate method to apply same calculation rule and get same result expected by your supplier. -TurnoverPerProductInCommitmentAccountingNotRelevant=The Turnover report per product, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). -TurnoverPerSaleTaxRateInCommitmentAccountingNotRelevant=The Turnover report per sale tax rate, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). +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. CalculationMode=Calculation mode AccountancyJournal=Accounting code journal ACCOUNTING_VAT_SOLD_ACCOUNT=Accounting account by default for VAT on sales (used if not defined on VAT dictionary setup) @@ -251,5 +254,6 @@ VATDue=Sale tax claimed ClaimedForThisPeriod=Claimed for the period PaidDuringThisPeriod=Paid during this period ByVatRate=By sale tax rate -TurnoverbyVatrate=Turnover by sale tax rate +TurnoverbyVatrate=Turnover invoiced by sale tax rate +TurnoverCollectedbyVatrate=Turnover collected by sale tax rate PurchasebyVatrate=Purchase by sale tax rate diff --git a/htdocs/langs/bs_BA/install.lang b/htdocs/langs/bs_BA/install.lang index 60eb5651043f2..0671dc322e821 100644 --- a/htdocs/langs/bs_BA/install.lang +++ b/htdocs/langs/bs_BA/install.lang @@ -204,3 +204,7 @@ MigrationResetBlockedLog=Reset module BlockedLog for v7 algorithm ShowNotAvailableOptions=Show not available options HideNotAvailableOptions=Hide not available options ErrorFoundDuringMigration=Error were reported during migration process so next step is not available. To ignore errors, you can click here, but application or some features may not work correctly until fixed. +YouTryInstallDisabledByDirLock=The application try to sefl upgrade, but install/upgrade pages have been disabled for security reason (directory renamed with .lock suffix).
+YouTryInstallDisabledByFileLock=The application try to sefl upgrade, but install/upgrade pages pages have been disabled for security reason (by lock file install.lock into dolibarr documents directory).
+ClickHereToGoToApp=Click here to go to your application +ClickOnLinkOrRemoveManualy=Click on following link and if you always reach this page, you must remove the file install.lock into documents directory manually diff --git a/htdocs/langs/bs_BA/main.lang b/htdocs/langs/bs_BA/main.lang index 042fac7514488..5b56fdd4a056a 100644 --- a/htdocs/langs/bs_BA/main.lang +++ b/htdocs/langs/bs_BA/main.lang @@ -507,6 +507,7 @@ NoneF=Ništa NoneOrSeveral=Nijedan ili više Late=Kasno LateDesc=Kašnjenje za definiranje ako je zapis zakasnio ili nije zavisan u vašem podešenju. Pitajte administratora za promjenu kašnjenja u meniju Početan - Postavke - Upozorenja. +NoItemLate=No late item Photo=Slika Photos=Slike AddPhoto=Dodaj sliku @@ -945,3 +946,5 @@ KeyboardShortcut=Prečica na tastaturi AssignedTo=Dodijeljeno korisniku Deletedraft=Delete draft ConfirmMassDraftDeletion=Draft Bulk delete confirmation +FileSharedViaALink=File shared via a link + diff --git a/htdocs/langs/bs_BA/modulebuilder.lang b/htdocs/langs/bs_BA/modulebuilder.lang index 6801a401f2ae2..464b1ddc47dd1 100644 --- a/htdocs/langs/bs_BA/modulebuilder.lang +++ b/htdocs/langs/bs_BA/modulebuilder.lang @@ -74,6 +74,7 @@ NoWidget=No widget GoToApiExplorer=Go to API explorer ListOfMenusEntries=List of menu entries ListOfPermissionsDefined=List of defined permissions +SeeExamples=See examples here EnabledDesc=Condition to have this field active (Examples: 1 or $conf->global->MYMODULE_MYOPTION) VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only. Using a negative value means field is not shown by default on list but can be selected for viewing) IsAMeasureDesc=Can the value of field be cumulated to get a total into list ? (Examples: 1 or 0) @@ -95,3 +96,6 @@ DropTableIfEmpty=(Delete table if empty) TableDoesNotExists=The table %s does not exists TableDropped=Table %s deleted InitStructureFromExistingTable=Build the structure array string of an existing table +UseAboutPage=Disallow the about page +UseDocFolder=Disallow the documentation folder +UseSpecificReadme=Use a specific ReadMe diff --git a/htdocs/langs/bs_BA/other.lang b/htdocs/langs/bs_BA/other.lang index 16661c1b72e19..f211e34b1ec3d 100644 --- a/htdocs/langs/bs_BA/other.lang +++ b/htdocs/langs/bs_BA/other.lang @@ -80,8 +80,8 @@ LinkedObject=Linked object NbOfActiveNotifications=Number of notifications (nb of recipient emails) PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe two lines are separated by a carriage return.\n\n__USER_SIGNATURE__ PredefinedMailTestHtml=__(Hello)__\nThis is a test mail (the word test must be in bold).
The two lines are separated by a carriage return.

__USER_SIGNATURE__ -PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\nThis is the link to make your online payment if this invoice is not already payed:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\nThis is the link to make your online payment:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendProposal=__(Hello)__\n\nYou will find here the commercial proposal __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendSupplierProposal=__(Hello)__\n\nYou will find here the price request __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendOrder=__(Hello)__\n\nYou will find here the order __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ @@ -91,6 +91,7 @@ PredefinedMailContentSendShipping=__(Hello)__\n\nYou will find here the shipping PredefinedMailContentSendFichInter=__(Hello)__\n\nYou will find here the intervention __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentThirdparty=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentUser=__(Hello)__\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 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) @@ -218,7 +219,7 @@ 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 +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 diff --git a/htdocs/langs/bs_BA/paypal.lang b/htdocs/langs/bs_BA/paypal.lang index 600245dc658a1..68c5b0aefa1b8 100644 --- a/htdocs/langs/bs_BA/paypal.lang +++ b/htdocs/langs/bs_BA/paypal.lang @@ -14,7 +14,6 @@ PaypalModeOnlyPaypal=PayPal only ONLINE_PAYMENT_CSS_URL=Optionnal URL of CSS style sheet on online payment page ThisIsTransactionId=This is id of transaction: %s PAYPAL_ADD_PAYMENT_URL=Add the url of Paypal payment when you send a document by mail -PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.

%s

YouAreCurrentlyInSandboxMode=You are currently in the %s "sandbox" mode NewOnlinePaymentReceived=New online payment received NewOnlinePaymentFailed=New online payment tried but failed diff --git a/htdocs/langs/bs_BA/products.lang b/htdocs/langs/bs_BA/products.lang index 3b273415404ac..4142d853e5eca 100644 --- a/htdocs/langs/bs_BA/products.lang +++ b/htdocs/langs/bs_BA/products.lang @@ -251,8 +251,8 @@ PriceNumeric=Broj DefaultPrice=Default price ComposedProductIncDecStock=Increase/Decrease stock on parent change ComposedProduct=Sub-product -MinSupplierPrice=Minimum supplier price -MinCustomerPrice=Minimum customer price +MinSupplierPrice=Minimalna kupovna cijena +MinCustomerPrice=Minimum selling price DynamicPriceConfiguration=Dynamic price configuration DynamicPriceDesc=On product card, with this module enabled, you should be able to set mathematic functions to calculate Customer or Supplier prices. Such function can use all mathematic operators, some constants and variables. You can set here the variables you want to be able to use and if the variable need an automatic update, the external URL to use to ask Dolibarr to update automaticaly the value. AddVariable=Add Variable diff --git a/htdocs/langs/bs_BA/propal.lang b/htdocs/langs/bs_BA/propal.lang index 2b46f88d57159..9e2afa6e4ffda 100644 --- a/htdocs/langs/bs_BA/propal.lang +++ b/htdocs/langs/bs_BA/propal.lang @@ -75,6 +75,7 @@ AvailabilityTypeAV_1M=1 month TypeContact_propal_internal_SALESREPFOLL=Representative following-up proposal TypeContact_propal_external_BILLING=Kontakt za fakturu kupca TypeContact_propal_external_CUSTOMER=Customer contact following-up proposal +TypeContact_propal_external_SHIPPING=Customer contact for delivery # Document models DocModelAzurDescription=A complete proposal model (logo...) DefaultModelPropalCreate=Default model creation diff --git a/htdocs/langs/bs_BA/sendings.lang b/htdocs/langs/bs_BA/sendings.lang index 9a66967c80138..5e8866fd0c574 100644 --- a/htdocs/langs/bs_BA/sendings.lang +++ b/htdocs/langs/bs_BA/sendings.lang @@ -52,8 +52,8 @@ ActionsOnShipping=Događaji na pošiljki LinkToTrackYourPackage=Link za praćenje paketa ShipmentCreationIsDoneFromOrder=U ovom trenutku, nova pošiljka se kreira sa kartice narudžbe ShipmentLine=Tekst pošiljke -ProductQtyInCustomersOrdersRunning=Product quantity into open customers orders -ProductQtyInSuppliersOrdersRunning=Product quantity into open suppliers orders +ProductQtyInCustomersOrdersRunning=Product quantity into open customer orders +ProductQtyInSuppliersOrdersRunning=Product quantity into open purchase orders ProductQtyInShipmentAlreadySent=Product quantity from open customer order already sent ProductQtyInSuppliersShipmentAlreadyRecevied=Product quantity from open supplier order already received NoProductToShipFoundIntoStock=No product to ship found into warehouse %s. Correct stock or go back to choose another warehouse. diff --git a/htdocs/langs/bs_BA/stocks.lang b/htdocs/langs/bs_BA/stocks.lang index e19025507ed76..d91246de8e5e0 100644 --- a/htdocs/langs/bs_BA/stocks.lang +++ b/htdocs/langs/bs_BA/stocks.lang @@ -67,7 +67,7 @@ DeStockOnValidateOrder=Smanji stvarne zalihe nakon potvrđivanja narudžbe kupca DeStockOnShipment=Decrease real stocks on shipping validation DeStockOnShipmentOnClosing=Decrease real stocks on shipping classification closed ReStockOnBill=Increase real stocks on suppliers invoices/credit notes validation -ReStockOnValidateOrder=Povećaj stvarne zalihe na odobrenju narudžbe dobavljaču +ReStockOnValidateOrder=Increase real stocks on purchase orders approbation ReStockOnDispatchOrder=Increase real stocks on manual dispatching into warehouses, after supplier order receipt of goods OrderStatusNotReadyToDispatch=Narudžna jos uvijek nema ili nema više status koji dozvoljava otpremanje proizvoda u zalihu skladišta StockDiffPhysicTeoric=Explanation for difference between physical and virtual stock @@ -203,4 +203,4 @@ RegulateStock=Regulate Stock ListInventory=Spisak StockSupportServices=Stock management support services StockSupportServicesDesc=By default, you can stock only product with type "product". If on, and if module service is on, you can also stock a product with type "service" -ReceiveProducts=Receive products +ReceiveProducts=Receive items diff --git a/htdocs/langs/bs_BA/users.lang b/htdocs/langs/bs_BA/users.lang index 680735abf1b0f..1dd40de2028b1 100644 --- a/htdocs/langs/bs_BA/users.lang +++ b/htdocs/langs/bs_BA/users.lang @@ -48,7 +48,7 @@ PasswordChangeRequest=Request to change password for %s PasswordChangeRequestSent=Zahtjev za promjenu šifre za %s poslana na %s. ConfirmPasswordReset=Confirm password reset MenuUsersAndGroups=Korisnici i grupe -LastGroupsCreated=Posljednjih %s napravljenih grupa +LastGroupsCreated=Latest %s groups created LastUsersCreated=Posljednjih %s napravljenih korisnika ShowGroup=Prikaži grupu ShowUser=Prikaži korisnika diff --git a/htdocs/langs/ca_ES/accountancy.lang b/htdocs/langs/ca_ES/accountancy.lang index 73248baedfaa4..33480ff64d836 100644 --- a/htdocs/langs/ca_ES/accountancy.lang +++ b/htdocs/langs/ca_ES/accountancy.lang @@ -44,7 +44,7 @@ MainAccountForSuppliersNotDefined=Main accounting account for vendors not define MainAccountForUsersNotDefined=Compte comptable per a usuaris no de definit en la configuració MainAccountForVatPaymentNotDefined=Compte comptable per a IVA no definida en la configuració -AccountancyArea=Accounting area +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 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 el Llibre Major) @@ -55,17 +55,18 @@ AccountancyAreaDescChartModel=PAS %s: Crear un model de pla de comptes des del m AccountancyAreaDescChart=PAS %s: Crear o comprovar el contingut del seu pla de comptes des del menú %s AccountancyAreaDescVat=PAS %s: Defineix comptes comptables per cada tipus d'IVA. Per això, utilitzeu l'entrada del menú %s. +AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. AccountancyAreaDescExpenseReport=PAS %s: Defineix els comptes comptables per defecte per a cada tipus d'informe de despeses. Per això, utilitzeu l'entrada del menú %s. AccountancyAreaDescSal=PAS %s: Defineix comptes comptables per defecte per al pagament de salaris. Per això, utilitzeu l'entrada del menú %s. AccountancyAreaDescContrib=PAS %s: Defineix comptes comptables per defecte per despeses especials (impostos diversos). Per això, utilitzeu l'entrada del menú %s. AccountancyAreaDescDonation=PAS %s: Defineix comptes comptables per defecte per a les donacions. Per això, utilitzeu l'entrada del menú %s. -AccountancyAreaDescMisc=PAS %s: Defineix el compte comptable obligatori per defecte i els comptes comptables per defecte per a transaccions diverses. Per això, utilitzeu l'entrada del menú %s. +AccountancyAreaDescMisc=PAS %s: Defineix el compte comptable obligatori per defecte i els comptes comptables per defecte pels assentaments diversos. Per això, utilitzeu l'entrada del menú %s. AccountancyAreaDescLoan=PAS %s: Defineix comptes comptables per defecte per als préstecs. Per això, utilitzeu l'entrada del menú %s. AccountancyAreaDescBank=PAS %s: definiu comptes comptables i codis diaris per a cada compte bancari i financer. Per això, utilitzeu l'entrada del menú %s. AccountancyAreaDescProd=PAS %s: Defineix comptes comptables als vostres productes/serveis. Per això, utilitzeu l'entrada del menú %s. -AccountancyAreaDescBind=PAS %s: Comproveu que els enllaços entre les línies %s existents i els comptes comptables és correcta, de manera que l'aplicació podrà registrar les transaccions al Llibre Major amb un sol clic. Completa les unions que falten. Per això, utilitzeu l'entrada del menú %s. -AccountancyAreaDescWriteRecords=PAS %s: Escriu les transaccions al Llibre Major. Per això, aneu al menú %s, i feu clic al botó %s. +AccountancyAreaDescBind=PAS %s: Comproveu que els enllaços entre les línies %s existents i els comptes comptables és correcta, de manera que l'aplicació podrà registrar els assentaments al Llibre Major en un sol clic. Completa les unions que falten. Per això, utilitzeu l'entrada del menú %s. +AccountancyAreaDescWriteRecords=PAS %s: Escriu els assentaments al Llibre Major. Per això, aneu al menú %s, i feu clic al botó %s. AccountancyAreaDescAnalyze=PAS %s: Afegir o editar transaccions existents i generar informes i exportacions. AccountancyAreaDescClosePeriod=PAS %s: Tancar el període de forma que no pot fer modificacions en un futur. @@ -90,11 +91,11 @@ MenuProductsAccounts=Comptes comptables de producte ProductsBinding=Comptes de producte Ventilation=Comptabilitzar en comptes CustomersVentilation=Comptabilització de factura de client -SuppliersVentilation=Vendor invoice binding +SuppliersVentilation=Comptabilització de la factura del proveïdor ExpenseReportsVentilation=Comptabilització d'informes de despeses CreateMvts=Crea una nova transacció UpdateMvts=Modificació d'una transacció -ValidTransaction=Valida la transacció +ValidTransaction=Valida l'assentament WriteBookKeeping=Registrar moviments al Llibre Major Bookkeeping=Llibre major AccountBalance=Compte saldo @@ -131,13 +132,14 @@ ACCOUNTING_LENGTH_GACCOUNT=Longitud dels comptes generals (Si s'estableix el val 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_ENABLE_EXPORT_DRAFT_JOURNAL=Habilita l'exportació d'esborrany en el diari ACCOUNTING_SELL_JOURNAL=Diari de venda ACCOUNTING_PURCHASE_JOURNAL=Diari de compra ACCOUNTING_MISCELLANEOUS_JOURNAL=Diari varis ACCOUNTING_EXPENSEREPORT_JOURNAL=Diari de l'informe de despeses ACCOUNTING_SOCIAL_JOURNAL=Diari social -ACCOUNTING_HAS_NEW_JOURNAL=Has new Journal +ACCOUNTING_HAS_NEW_JOURNAL=Té un nou Diari ACCOUNTING_ACCOUNT_TRANSFER_CASH=Compte comptable de transferència ACCOUNTING_ACCOUNT_SUSPENSE=Compte comptable d'espera @@ -165,11 +167,11 @@ ByPredefinedAccountGroups=Per grups predefinits ByPersonalizedAccountGroups=Per grups personalitzats ByYear=Per any NotMatch=No definit -DeleteMvt=Elimina línies del llibre major +DeleteMvt=Elimina línies del Llibre Major DelYear=Any a eliminar DelJournal=Diari per esborrar ConfirmDeleteMvt=Això eliminarà totes les línies del Llibre Major de l'any i/o d'un diari específic. Es requereix com a mínim un criteri. -ConfirmDeleteMvtPartial=Això eliminarà la transacció del Ledger (se suprimiran totes les línies relacionades amb la mateixa transacció) +ConfirmDeleteMvtPartial=Això eliminarà l'assentament del Llibre Major (se suprimiran totes les línies relacionades amb el mateix assentament) FinanceJournal=Finance journal ExpenseReportsJournal=Informe-diari de despeses DescFinanceJournal=Finance journal including all the types of payments by bank account @@ -192,7 +194,7 @@ ListAccounts=Llistat dels comptes comptables UnknownAccountForThirdparty=Compte comptable de tercer desconeguda, utilitzarem %s UnknownAccountForThirdpartyBlocking=Compte comptable de tercer desconegut. Error de bloqueig UnknownAccountForThirdpartyAndWaitingAccountNotDefinedBlocking=Compte de tercers desconegut i compte d'espera no definit. Error de bloqueig -PaymentsNotLinkedToProduct=Payment not linked to any product / service +PaymentsNotLinkedToProduct=Pagament no vinculat a cap producte / servei Pcgtype=Grup de compte Pcgsubtype=Subgrup de compte @@ -218,10 +220,10 @@ ValidateHistory=Comptabilitza automàticament AutomaticBindingDone=Comptabilització automàtica realitzada ErrorAccountancyCodeIsAlreadyUse=Error, no pots eliminar aquest compte comptable perquè està en ús -MvtNotCorrectlyBalanced=Movement not correctly balanced. Debit = %s | Credit = %s +MvtNotCorrectlyBalanced=Assentament comptabilitzat incorrectament. Deure = %s | Haver = %s FicheVentilation=Fitxa de comptabilització -GeneralLedgerIsWritten=Les transaccions s'han escrit al llibre major -GeneralLedgerSomeRecordWasNotRecorded=Algunes de les transaccions no van poder ser registrats al diari. Si no hi ha cap altre missatge d'error, probablement és perquè ja es van publicar. +GeneralLedgerIsWritten=Els assentaments s'han escrit al Llibre Major +GeneralLedgerSomeRecordWasNotRecorded=Alguns dels assentaments no van poder ser registrats al diari. Si no hi ha cap altre missatge d'error, probablement és perquè ja es van registrar al diari. NoNewRecordSaved=No hi ha més registres pel diari ListOfProductsWithoutAccountingAccount=Llista de productes no comptabilitzats en cap compte comptable ChangeBinding=Canvia la comptabilització @@ -299,6 +301,6 @@ UseMenuToSetBindindManualy=No es possible auto-detectar, utilitzeu el menú 1%s
) -MAIN_MAIL_ERRORS_TO=Eemail used for error returns emails (fields 'Errors-To' in emails sent) +MAIN_MAIL_ERRORS_TO=L'adreça de correu electrònic utilitzada per retornar correus d'error (emprada al camp 'Errors-To' en els correus enviats) MAIN_MAIL_AUTOCOPY_TO= Envia automàticament una còpia oculta de tots els e-mails enviats a MAIN_DISABLE_ALL_MAILS=Deshabilitar l'enviament de tots els correus (per fer proves o en llocs tipus demo) MAIN_MAIL_FORCE_SENDTO=Envieu tots els correus electrònics a (en lloc de destinataris reals, amb finalitats d'assaig) -MAIN_MAIL_ENABLED_USER_DEST_SELECT=Add employees users with email into allowed destinaries list +MAIN_MAIL_ENABLED_USER_DEST_SELECT=Afegir usuaris d'empleats amb correu a la llista de destinataris permesos MAIN_MAIL_SENDMODE=Mètode d'enviament d'e-mails MAIN_MAIL_SMTPS_ID=ID d'autenticació SMTP si es requereix autenticació SMTP MAIN_MAIL_SMTPS_PW=Contrasenya autentificació SMTP si es requereix autenticació SMTP @@ -292,7 +292,7 @@ ModuleSetup=Configuració del mòdul ModulesSetup=Configuració de mòduls/aplicacions ModuleFamilyBase=Sistema ModuleFamilyCrm=Gestió client (CRM) -ModuleFamilySrm=Vendor Relation Management (VRM) +ModuleFamilySrm=Gestor de relació amb venedors (VRM) ModuleFamilyProducts=Gestió de productes (PM) ModuleFamilyHr=Gestió de recursos humans (HR) ModuleFamilyProjects=Projectes/Treball cooperatiu @@ -374,8 +374,8 @@ NoSmsEngine=No hi ha cap gestor d'enviament de SMS. Els gestors d'enviament de S PDF=PDF PDFDesc=Defineix les opcions globals relacionades a la generació de PDF PDFAddressForging=Regles de visualització d'adreces -HideAnyVATInformationOnPDF=Hide all information related to Sales tax / VAT on generated PDF -PDFRulesForSalesTax=Rules for Sales Tax / VAT +HideAnyVATInformationOnPDF=Amagar qualsevol informació relacionada amb l'IVA al PDF que es genera +PDFRulesForSalesTax=Regles per l'IVA PDFLocaltax=Regles per %s HideLocalTaxOnPDF=Amagar la tasa %s a la columna d'impostos de venda del pdf HideDescOnPDF=Amagar descripció dels productes en la generació dels PDF @@ -454,7 +454,7 @@ ModuleCompanyCodeDigitaria=El codi comptable depèn del codi del Tercer. El codi Use3StepsApproval=Per defecte, les comandes de compra necessiten ser creades i aprovades per 2 usuaris diferents (el primer pas/usuari és per a crear i un altre pas/usuari per aprovar. Noteu que si un usuari te permisos tant per crear com per aprovar, un sol pas/usuari serà suficient). Amb aquesta opció, tens la possibilitat d'introduir un tercer pas/usuari per a l'aprovació, si l'import es superior a un determinat valor (d'aquesta manera són necessaris 3 passos: 1=validació, 2=primera aprovació i 3=segona aprovació si l'import és suficient).
Deixa-ho en blanc si només vols un nivell d'aprovació (2 passos); posa un valor encara que sigui molt baix (0,1) si vols una segona aprovació (3 passos). UseDoubleApproval=Utilitza una aprovació en 3 passos quan l'import (sense impostos) sigui més gran que... WarningPHPMail=ADVERTIMENT: sovint és millor configurar correus electrònics de sortida per utilitzar el servidor de correu electrònic del vostre proveïdor en comptes de la configuració predeterminada. Alguns proveïdors de correu electrònic (com Yahoo) no us permeten enviar un correu electrònic des d'un altre servidor que el seu propi servidor. La seva configuració actual utilitza el servidor de l'aplicació per enviar correus electrònics i no el servidor del vostre proveïdor de correu electrònic, de manera que alguns destinataris (el que sigui compatible amb el protocol restrictiu de DMARC), us preguntaran al vostre proveïdor de correu electrònic si poden acceptar el vostre correu electrònic i alguns proveïdors de correu electrònic (com Yahoo) pot respondre "no" perquè el servidor no és un servidor d'ells, així que pocs dels vostres correus electrònics enviats no es poden acceptar (tingueu cura també de la quota d'enviament del vostre proveïdor de correu electrònic). Si el vostre proveïdor de correu electrònic (com Yahoo) té aquesta restricció, heu de canviar la configuració de correu electrònic per triar l'altre mètode "servidor SMTP" i introduir el servidor SMTP i les credencials proporcionades pel vostre proveïdor de correu electrònic (demaneu al proveïdor d'EMail que obtingui credencials SMTP per al vostre compte). -WarningPHPMail2=Si el vostre proveïdor SMTP de correu electrònic necessita restringir el client de correu electrònic a algunes adreces IP (molt poc freqüent), aquesta és l'adreça IP de la vostra aplicació ERP CRM: %s. +WarningPHPMail2=Si el vostre proveïdor SMTP necessita restringir al client de correu a una adreça IP (és raro), aquesta és la IP de l'agent d'usuari de correu (MUA) per la vostra aplicació ERP CRM: %s. ClickToShowDescription=Clica per mostrar la descripció DependsOn=Aquest mòdul necesita el/s mòdul/s RequiredBy=Aquest mòdul és requerit pel/s mòdul/s @@ -474,9 +474,9 @@ AttachMainDocByDefault=Establiu-lo a 1 si voleu adjuntar el document principal a FilesAttachedToEmail=Adjuntar fitxer SendEmailsReminders=Enviar recordatoris d'agenda per correu electrònic davDescription=Afegeix un component per ser un servidor DAV -DAVSetup=Setup of module DAV -DAV_ALLOW_PUBLIC_DIR=Enable the public directory (WebDav directory with no login required) -DAV_ALLOW_PUBLIC_DIRTooltip=The WebDav public directory is a WebDAV directory everybody can access to (in read and write mode), with no need to have/use an existing login/password account. +DAVSetup=Configuració del mòdul DAV +DAV_ALLOW_PUBLIC_DIR=Habilitar el directori públic (un directori WebDav que no requereix accés amb contrasenya) +DAV_ALLOW_PUBLIC_DIRTooltip=El directori públic WebDav és un directori WebDav al qual tothom pot accedir (per llegir i/o escriure), sense necessitat de tenir un compte d'accés amb contrasenya. # Modules Module0Name=Usuaris i grups Module0Desc=Gestió d'usuaris / empleats i grups @@ -485,7 +485,7 @@ Module1Desc=Gestió d'empreses i contactes (clients, clients potencials...) Module2Name=Comercial Module2Desc=Gestió comercial Module10Name=Comptabilitat -Module10Desc=Simple accounting reports (journals, turnover) based onto database content. Does not use any ledger table. +Module10Desc=Informes de compatbilitat senzills (diaris, facturació) basats en el contingut a la base de dades. No empra cap taula de llibre major. Module20Name=Pressupostos Module20Desc=Gestió de pressupostos/propostes comercials Module22Name=E-Mailings @@ -497,7 +497,7 @@ Module25Desc=Gestió de comandes de clients Module30Name=Factures Module30Desc=Gestió de factures i abonaments de clients. Gestió factures de proveïdors Module40Name=Proveïdors -Module40Desc=Gestió de proveïdors +Module40Desc=Gestió de proveïdors i compres (ordres de compra i factures) Module42Name=Registre de depuració Module42Desc=Generació de registres/logs (fitxer, syslog, ...). Aquests registres són per a finalitats tècniques/depuració. Module49Name=Editors @@ -552,8 +552,8 @@ Module400Name=Projectes/Oportunitats/Leads Module400Desc=Gestió de projectes, oportunitats/leads i/o tasques. Pots asignar també qualsevol element (factura, comanda, pressupost, intervenció...) a un projecte i obtindre una vista transversal del projecte. Module410Name=Webcalendar Module410Desc=Interface amb el calendari webcalendar -Module500Name=Taxes and Special expenses -Module500Desc=Management of other expenses (sale taxes, social or fiscal taxes, dividends, ...) +Module500Name=Impostos i despeses especials +Module500Desc=Gestió d'altres despeses (IVA, IRPF, altres impostos, dividends, ...) Module510Name=Pagament de salaris dels empleats Module510Desc=Registre i seguiment del pagament dels salaris dels empleats Module520Name=Préstec @@ -567,14 +567,14 @@ Module700Name=Donacions Module700Desc=Gestió de donacions Module770Name=Informes de despeses Module770Desc=Informes de despeses de gestió i reclamació (transport, menjar, ...) -Module1120Name=Vendor commercial proposal -Module1120Desc=Request vendor commercial proposal and prices +Module1120Name=Pressupost del proveïdor +Module1120Desc=Sol·licitar al venedor cotització i preus Module1200Name=Mantis Module1200Desc=Interface amb el sistema de seguiment d'incidències Mantis Module1520Name=Generar document Module1520Desc=Generació de documents de correu massiu Module1780Name=Etiquetes -Module1780Desc=Create tags/category (products, customers, vendors, contacts or members) +Module1780Desc=Crear etiquetes/categories (productes, clients, venedors, contactes o membres) Module2000Name=Editor WYSIWYG Module2000Desc=Permet editar algunes àrees de text utilitzant un editor avançat (basat en CKEditor) Module2200Name=Multi-preus @@ -605,7 +605,7 @@ Module4000Desc=Gestió de recursos humans (gestionar departaments, empleats, con Module5000Name=Multi-empresa Module5000Desc=Permet gestionar diverses empreses Module6000Name=Workflow -Module6000Desc=Gestió Workflow +Module6000Desc=Workflow management (automatic creation of object and/or automatic status change) Module10000Name=Pàgines web Module10000Desc=Crear un portal web amb un editor WYSIWG. Només heu de configurar el vostre servidor web (Apache, Nginx, ...) per apuntar al directori dedicat de Dolibarr per tenir-ho publicat en línia amb el vostre propi domini. Module20000Name=Dies lliures @@ -619,7 +619,7 @@ Module50100Desc=Mòdul Terminal Punt Venda (TPV) Module50200Name=Paypal Module50200Desc=Mòdul per oferir una pàgina de pagament en línia que accepti pagaments mitjançant PayPal (targeta de crèdit o amb crèdit PayPal). Això es pot utilitzar per permetre als vostres clients fer pagaments lliures o el pagament d'un objecte particular de Dolibarr (factura, comanda, ...) Module50400Name=Comptabilitat (avançat) -Module50400Desc=Accounting management (double entries, support general and auxiliary ledgers). Export the ledger in several other accounting software format. +Module50400Desc=Gestió comptable (entrades dobles, suport general i llibres majors auxiliars). Exporta el llibre major en diversos altres formats de programari de comptabilitat. Module54000Name=PrintIPP Module54000Desc=L'impressió directa (sense obrir els documents) utilitza l'interfície Cups IPP (L'impressora té que ser visible pel servidor i CUPS té que estar instal·lat en el servidor) Module55000Name=Enquesta o votació @@ -891,7 +891,7 @@ DictionaryCivility=Títols personals i professionals DictionaryActions=Tipus d'esdeveniments de l'agenda DictionarySocialContributions=Tipus d'impostos varis DictionaryVAT=Taxa d'IVA o Impost de vendes -DictionaryRevenueStamp=Imports de segells fiscals +DictionaryRevenueStamp=Amount of tax stamps DictionaryPaymentConditions=Condicions de pagament DictionaryPaymentModes=Modes de pagament DictionaryTypeContact=Tipus de contactes/adreces @@ -919,7 +919,7 @@ SetupSaved=Configuració desada SetupNotSaved=Configuració no desada BackToModuleList=Retornar llista de mòduls BackToDictionaryList=Tornar a la llista de diccionaris -TypeOfRevenueStamp=Tipus timbre fiscal +TypeOfRevenueStamp=Type of tax stamp VATManagement=Gestió IVA VATIsUsedDesc=El tipus d'IVA proposat per defecte en les creacions de pressupostos, factures, comandes, etc. respon a la següent regla:
Si el venedor no està subjecte a IVA, asigna IVA per defecte a 0. Final de regla.
Si el país del venedor=país del comprador, asigna per defecte el IVA del producte en el país venut. Final de regla.
Si el venedor i comprador resideixen a la Comunitat Europea i els béns venuts són productes de transport (cotxe, vaixell, avió), asigna IVA per defecte a 0 (l'IVA ha de ser pagat pel comprador a la hisenda pública del seu país i no al venedor). Final de regla
Si venedor i comprador resideixen a la Comunitat Europea i el comprador no és una empresa, asigna per defecte l'IVA del producte venut. Final de regla.
Si el venedor i comprador resideixen a la Comunitat Europea i el comprador és una empresa, asigna per defecte l'IVA 0 Final de regla.
En qualsevol altre cas l'IVA proposat per defecte és 0. Final de regla. VATIsNotUsedDesc=El tipus d'IVA proposat per defecte és 0. Aquest és el cas d'associacions, particulars o algunes petites societats. @@ -1027,7 +1027,7 @@ Delays_MAIN_DELAY_ACTIONS_TODO=Tolerància de retard (en dies) abans de l'alerta Delays_MAIN_DELAY_PROJECT_TO_CLOSE=Tolerància de retard (en dies) abans de l'alerta en projectes no tancats a temps. Delays_MAIN_DELAY_TASKS_TODO=Tolerància de retard (en dies) abans de l'alerta en tasques planificades (tasques de projectes) encara no completades Delays_MAIN_DELAY_ORDERS_TO_PROCESS=Tolerància de retard (en dies) abans de l'alerta en comandes encara no processades -Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Tolerància de retard (en dies) abans de l'alerta en comandes de proveïdors encara no processades +Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on purchase orders not processed yet Delays_MAIN_DELAY_PROPALS_TO_CLOSE=Tolerància de retard abans de l'alerta (en dies) sobre pressupostos a tancar Delays_MAIN_DELAY_PROPALS_TO_BILL=Tolerància de retard abans de l'alerta (en dies) sobre pressupostos no facturats Delays_MAIN_DELAY_NOT_ACTIVATED_SERVICES=Tolerància de retard abans de l'alerta (en dies) sobre serveis a activar @@ -1062,7 +1062,7 @@ SystemInfoDesc=La informació del sistema és informació tècnica accessible no SystemAreaForAdminOnly=Aquesta àrea només és accessible als usuaris de tipus administradors. Cap permís Dolibarr permet estendre el cercle de usuaris autoritzats a aquesta áera. CompanyFundationDesc=Edit on this page all known information of the company or foundation you need to manage (For this, click on "%s" or "%s" button at bottom of page) AccountantDesc=Editeu en aquesta pàgina tota la informació coneguda sobre el vostre comptable -AccountantFileNumber=File number +AccountantFileNumber=Número de fila DisplayDesc=Selecciona els paràmetres relacionats amb l'aparença de Dolibarr AvailableModules=Mòduls/complements disponibles ToActivateModule=Per activar els mòduls, aneu a l'àrea de Configuració (Inici->Configuració->Mòduls). @@ -1199,7 +1199,7 @@ CompanyCodeChecker=Module for third parties code generation and checking (custom AccountCodeManager=Module for accounting code generation (customer or vendor) NotificationsDesc=La funció de les notificacions permet enviar automàticament un e-mail per alguns esdeveniments de Dolibarr. Els destinataris de les notificacions poden definir-se: NotificationsDescUser=* per usuaris, un usuari cada vegada -NotificationsDescContact=* per third parties contacts (customers or vendors), one contact at time. +NotificationsDescContact=* per contactes de tercers (clients o proveïdors), un contacte cada vegada NotificationsDescGlobal=* o definint un destí global de correu electrònic en la pàgina de configuració del mòdul ModelModules=Models de documents DocumentModelOdt=Generació des dels documents amb format OpenDocument (Arxiu .ODT OpenOffice, KOffice, TextEdit,...) @@ -1212,7 +1212,7 @@ MustBeInvoiceMandatory=Obligatori per validar factures? TechnicalServicesProvided=Prestació de serveis tècnics #####DAV ##### WebDAVSetupDesc=This is the links 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 need an existing login account/password to access to. -WebDavServer=Root URL of %s server : %s +WebDavServer=URL d'origen del servidor %s: %s ##### Webcal setup ##### WebCalUrlForVCalExport=Un vincle d'exportació del calendari en format %s estarà disponible a la url: %s ##### Invoices ##### @@ -1239,15 +1239,15 @@ FreeLegalTextOnProposal=Text lliure en pressupostos WatermarkOnDraftProposal=Marca d'aigua en pressupostos esborrany (en cas d'estar buit) BANK_ASK_PAYMENT_BANK_DURING_PROPOSAL=Preguntar compte bancari del pressupost ##### SupplierProposal ##### -SupplierProposalSetup=Price requests vendors module setup -SupplierProposalNumberingModules=Price requests vendors numbering models -SupplierProposalPDFModules=Price requests vendors documents models -FreeLegalTextOnSupplierProposal=Free text on price requests vendors -WatermarkOnDraftSupplierProposal=Watermark on draft price requests vendors (none if empty) +SupplierProposalSetup=Configuració del mòdul Sol·licituds de preus a proveïdors +SupplierProposalNumberingModules=Models de numeració de sol·licituds de preus a proveïdors +SupplierProposalPDFModules=Models de documents de sol·licituds de preus a proveïdors +FreeLegalTextOnSupplierProposal=Text lliure en sol·licituds de preus a proveïdors +WatermarkOnDraftSupplierProposal=Marca d'aigua en l'esborrany de sol·licituds de preus a proveïdors (cap, si està 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 ##### Suppliers Orders ##### -BANK_ASK_PAYMENT_BANK_DURING_SUPPLIER_ORDER=Ask for bank account destination of purchase order +BANK_ASK_PAYMENT_BANK_DURING_SUPPLIER_ORDER=Demana el compte bancari de destí de la comanda de compra ##### Orders ##### OrdersSetup=Configuració del mòdul comandes OrdersNumberingModules=Models de numeració de comandes @@ -1458,7 +1458,7 @@ SyslogFilename=Nom i ruta de l'arxiu YouCanUseDOL_DATA_ROOT=Utilitza DOL_DATA_ROOT/dolibarr.log per un fitxer de registre en la carpeta documents de Dolibarr. Tanmateix, es pot definir una carpeta diferent per guardar aquest fitxer. ErrorUnknownSyslogConstant=La constant %s no és una constant syslog coneguda OnlyWindowsLOG_USER=Windows només suporta LOG_USER -CompressSyslogs=Compressió i còpia de seguretat d'arxius Syslog +CompressSyslogs=Compressió i còpia de seguretat dels fitxers de registre de depuració (generats pel mòdul Log per depurar) SyslogFileNumberOfSaves=Còpies del log ConfigureCleaningCronjobToSetFrequencyOfSaves=Configura la tasca programada de neteja per establir la freqüència de còpia de seguretat del registre ##### Donations ##### @@ -1525,7 +1525,7 @@ OSCommerceTestOk=La connexió al servidor '%s' sobre la base '%s' per l'usuari ' OSCommerceTestKo1=La connexió al servidor '%s' s'ha completat però amb la base de dades '%s' no s'ha pogut assolir. OSCommerceTestKo2=La connexió al servidor '%s' per l'usuari '%s' ha fallat. ##### Stock ##### -StockSetup=Stock module setup +StockSetup=Configuració del mòdul de Estoc IfYouUsePointOfSaleCheckModule=Si utilitza un mòdul de Punt de Venda (mòdul TPV per defecte o un altre mòdul extern), aquesta configuració pot ser ignorada pel seu mòdul de Punt de Venda. La major part de mòduls TPV estan dissenyats per crear immediatament una factura i disminuir l'estoc amb qualsevol d'aquestes opcions. Per tant, si vostè necessita o no disminuir l'estoc en el registre d'una venda del seu punt de venda, controli també la configuració del seu mòdul de TPV. ##### Menu ##### MenuDeleted=Menú eliminat @@ -1637,8 +1637,8 @@ ChequeReceiptsNumberingModule=Mòdul de numeració de rebut de xec MultiCompanySetup=Configuració del mòdul Multi-empresa ##### Suppliers ##### SuppliersSetup=Configuració del mòdul Proveïdors -SuppliersCommandModel=Complete template of prchase order (logo...) -SuppliersInvoiceModel=Complete template of vendor invoice (logo...) +SuppliersCommandModel=Plantilla completa de la comanda de compra (logotip ...) +SuppliersInvoiceModel=Plantilla completa de la factura del proveïdor (logotip ...) SuppliersInvoiceNumberingModel=Models de numeració de factures de proveïdor IfSetToYesDontForgetPermission=Si esta seleccionat, no oblideu de modificar els permisos en els grups o usuaris per permetre la segona aprovació ##### GeoIPMaxmind ##### @@ -1675,7 +1675,7 @@ NoAmbiCaracAutoGeneration=No utilitzar caràcters semblants ("1", "l", "i", "|", SalariesSetup=Configuració dels sous dels mòduls SortOrder=Ordre de classificació Format=Format -TypePaymentDesc=0:Customer payment type, 1:Vendor payment type, 2:Both customers and vendors payment type +TypePaymentDesc=0:Forma de pagament de client, 1:Forma de pagament a proveïdor, 2:Mateixa forma de pagament de clients i proveïdors IncludePath=Incloure ruta (que es defineix a la variable %s) ExpenseReportsSetup=Configuració del mòdul Informe de Despeses TemplatePDFExpenseReports=Mòdels de documentació per generar informes de despeses @@ -1697,7 +1697,7 @@ InstallModuleFromWebHasBeenDisabledByFile=La instal·lació de mòduls externs d 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'; HighlightLinesOnMouseHover=Remarca línies de la taula quan el ratolí passi per sobre HighlightLinesColor=Remarca el color de la línia quan el ratolí hi passa per sobre (deixa-ho buit per a no remarcar) -TextTitleColor=Text color of Page title +TextTitleColor=Color del text del títol de la pàgina LinkColor=Color dels enllaços PressF5AfterChangingThis=Prem CTRL+F5 en el teclat o neteja la memòria cau del navegador després de canviar aquest valor per fer-ho efectiu NotSupportedByAllThemes=Funcionarà amb els temes del nucli, però pot no estar suportat per temes externs @@ -1706,7 +1706,7 @@ TopMenuBackgroundColor=Color de fons pel menú superior TopMenuDisableImages=Oculta les imatges en el menú superior LeftMenuBackgroundColor=Color de fons pel menú de l'esquerra BackgroundTableTitleColor=Color de fons per línies de títol en taules -BackgroundTableTitleTextColor=Text color for Table title line +BackgroundTableTitleTextColor=Color del text per a la línia del títol de la taula BackgroundTableLineOddColor=Color de fons per les línies senars de les taules BackgroundTableLineEvenColor=Color de fons per les línies parells de les taules MinimumNoticePeriod=Període mínim de notificació (La solicitud de dia lliure serà donada abans d'aquest període) @@ -1734,14 +1734,14 @@ MailToSendOrder=Comandes de client MailToSendInvoice=Factures a clients MailToSendShipment=Enviaments MailToSendIntervention=Intervencions -MailToSendSupplierRequestForQuotation=Quotation request -MailToSendSupplierOrder=Purchase orders -MailToSendSupplierInvoice=Vendor invoices +MailToSendSupplierRequestForQuotation=Sol·licitud de cotització +MailToSendSupplierOrder=Comandes de compra +MailToSendSupplierInvoice=Factures del proveïdor MailToSendContract=Contractes MailToThirdparty=Tercers MailToMember=Socis MailToUser=Usuaris -MailToProject=Projects page +MailToProject=Pàgina de projectes ByDefaultInList=Mostra per defecte en la vista del llistat YouUseLastStableVersion=Estàs utilitzant l'última versió estable TitleExampleForMajorRelease=Exemple de missatge que es pot utilitzar per anunciar aquesta actualització de versió (ets lliure d'utilitzar-ho a les teves webs) @@ -1791,9 +1791,9 @@ MAIN_PDF_MARGIN_BOTTOM=Marge inferior al PDF SetToYesIfGroupIsComputationOfOtherGroups=Estableixi a SÍ si aquest grup és un càlcul d'altres grups EnterCalculationRuleIfPreviousFieldIsYes=Introduïu la regla de càlculs si el camp anterior ha estat posat a SÍ (Per exemple 'CODEGRP1 + CODEGRP2') SeveralLangugeVariatFound=S'ha trobat diverses variants d'idiomes -COMPANY_AQUARIUM_REMOVE_SPECIAL=Remove special characters -COMPANY_AQUARIUM_CLEAN_REGEX=Regex filter to clean value (COMPANY_AQUARIUM_CLEAN_REGEX) -GDPRContact=GDPR contact +COMPANY_AQUARIUM_REMOVE_SPECIAL=Elimina els caràcters especials +COMPANY_AQUARIUM_CLEAN_REGEX=Filtre de Regex per netejar el valor (COMPANY_AQUARIUM_CLEAN_REGEX) +GDPRContact=Contacte GDPR GDPRContactDesc=If you store data about European companies/citizen, you can store here the contact who is responsible for the General Data Protection Regulation ##### Resource #### ResourceSetup=Configuració del mòdul Recurs diff --git a/htdocs/langs/ca_ES/banks.lang b/htdocs/langs/ca_ES/banks.lang index 16cff4fdc5640..102d0c90bbb3d 100644 --- a/htdocs/langs/ca_ES/banks.lang +++ b/htdocs/langs/ca_ES/banks.lang @@ -1,12 +1,13 @@ # Dolibarr language file - Source file is en_US - banks Bank=Banc -MenuBankCash=Bancs/Caixes +MenuBankCash=Banc | Efectiu MenuVariousPayment=Pagaments varis MenuNewVariousPayment=Pagament extra nou BankName=Nom del banc FinancialAccount=Compte BankAccount=Compte bancari BankAccounts=Comptes bancaris +BankAccountsAndGateways=Comptes bancaris | Passarel·les ShowAccount=Mostrar el compte AccountRef=Ref. compte financer AccountLabel=Etiqueta compte financer @@ -131,7 +132,7 @@ PaymentDateUpdateSucceeded=Data de pagament actualitzada correctament PaymentDateUpdateFailed=Data de pagament no va poder ser modificada Transactions=Transaccions BankTransactionLine=Registre bancari -AllAccounts=Tots els comptes bancaris/de caixa +AllAccounts=Tots els comptes bancaris i en efectiu BackToAccount=Tornar al compte ShowAllAccounts=Mostra per a tots els comptes FutureTransaction=Transacció futura. No és possible conciliar. @@ -159,5 +160,6 @@ VariousPayment=Pagaments varis VariousPayments=Pagaments varis ShowVariousPayment=Mostra els pagaments varis AddVariousPayment=Afegir pagaments extres +SEPAMandate=Mandat SEPA YourSEPAMandate=La vostra ordre SEPA FindYourSEPAMandate=Aquest és la vostra ordre 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 diff --git a/htdocs/langs/ca_ES/bills.lang b/htdocs/langs/ca_ES/bills.lang index e5bf8f7395d74..c999f9ec35924 100644 --- a/htdocs/langs/ca_ES/bills.lang +++ b/htdocs/langs/ca_ES/bills.lang @@ -109,9 +109,9 @@ CancelBill=Anul·lar una factura SendRemindByMail=Envia recordatori per e-mail DoPayment=Enter payment DoPaymentBack=Enter refund -ConvertToReduc=Mark as credit available -ConvertExcessReceivedToReduc=Convert excess received into future discount -ConvertExcessPaidToReduc=Convertir l'excés pagat en un descompte futur +ConvertToReduc=Marca com a crèdit disponible +ConvertExcessReceivedToReduc=Convert excess received into available credit +ConvertExcessPaidToReduc=Convert excess paid into available discount EnterPaymentReceivedFromCustomer=Afegir cobrament rebut del client EnterPaymentDueToCustomer=Fer pagament del client DisabledBecauseRemainderToPayIsZero=Desactivar ja que la resta a pagar és 0 @@ -282,6 +282,7 @@ RelativeDiscount=Descompte relatiu GlobalDiscount=Descompte fixe CreditNote=Abonament CreditNotes=Abonaments +CreditNotesOrExcessReceived=Credit notes or excess received Deposit=Bestreta Deposits=Bestretes DiscountFromCreditNote=Descompte resultant del abonament %s @@ -299,7 +300,7 @@ DiscountOfferedBy=Acordat per DiscountStillRemaining=Discounts or credits available DiscountAlreadyCounted=Discounts or credits already consumed CustomerDiscounts=Descomptes de clients -SupplierDiscounts=Vendors discounts +SupplierDiscounts=Descomptes dels proveïdors BillAddress=Direcció de facturació HelpEscompte=Un descompte és un descompte acordat sobre una factura donada, a un client que va realitzar el seu pagament molt abans del venciment. HelpAbandonBadCustomer=Aquest import es va abandonar (client jutjat com morós) i es considera com una pèrdua excepcional. @@ -393,6 +394,7 @@ PaymentConditionShort14DENDMONTH=14 dies final de mes PaymentCondition14DENDMONTH=En els 14 dies següents a final de mes FixAmount=Import fixe VarAmount=Import variable (%% total) +VarAmountOneLine=Variable amount (%% tot.) - 1 line with label '%s' # PaymentType PaymentTypeVIR=Transferència bancària PaymentTypeShortVIR=Transferència bancària diff --git a/htdocs/langs/ca_ES/categories.lang b/htdocs/langs/ca_ES/categories.lang index d9b7bae161cb6..c917e4e1a525f 100644 --- a/htdocs/langs/ca_ES/categories.lang +++ b/htdocs/langs/ca_ES/categories.lang @@ -1,7 +1,7 @@ # Dolibarr language file - Source file is en_US - categories Rubrique=Etiqueta Rubriques=Etiquetes -RubriquesTransactions=Etiquetes de transaccions +RubriquesTransactions=Etiquetes d'assentaments categories=etiquetes NoCategoryYet=No s'ha creat cap etiqueta d'aquest tipus In=En @@ -85,4 +85,4 @@ CategorieRecursivHelp=Si esta activat, el producte s'enllaçara a la categoria p AddProductServiceIntoCategory=Afegir el següent producte/servei ShowCategory=Mostra etiqueta ByDefaultInList=Per defecte en el llistat -ChooseCategory=Choose category +ChooseCategory=Tria la categoria diff --git a/htdocs/langs/ca_ES/commercial.lang b/htdocs/langs/ca_ES/commercial.lang index b46f3bbcea0c3..912d7ac4fb7b9 100644 --- a/htdocs/langs/ca_ES/commercial.lang +++ b/htdocs/langs/ca_ES/commercial.lang @@ -60,8 +60,8 @@ ActionAC_CLO=Tancament ActionAC_EMAILING=Envia mailing massiu ActionAC_COM=Envia comanda de client per e-mail ActionAC_SHIP=Envia expedició per e-mail -ActionAC_SUP_ORD=Send purchase order by mail -ActionAC_SUP_INV=Send vendor invoice by mail +ActionAC_SUP_ORD=Envia la comanda de compra per correu +ActionAC_SUP_INV=Envieu la factura del proveïdor per correu ActionAC_OTH=Altres ActionAC_OTH_AUTO=Esdeveniments creats automàticament ActionAC_MANUAL=Esdeveniments creats manualment diff --git a/htdocs/langs/ca_ES/companies.lang b/htdocs/langs/ca_ES/companies.lang index 53c93f0baf720..ba2bbe7ff74a5 100644 --- a/htdocs/langs/ca_ES/companies.lang +++ b/htdocs/langs/ca_ES/companies.lang @@ -8,11 +8,11 @@ ConfirmDeleteContact=Esteu segur de voler eliminar aquest contacte i tota la sev MenuNewThirdParty=Nou tercer MenuNewCustomer=Nou client MenuNewProspect=Nou client potencial -MenuNewSupplier=New vendor +MenuNewSupplier=Nou proveïdor MenuNewPrivateIndividual=Nou particular -NewCompany=New company (prospect, customer, vendor) -NewThirdParty=New third party (prospect, customer, vendor) -CreateDolibarrThirdPartySupplier=Create a third party (vendor) +NewCompany=Nova empresa (client potencial, client, proveïdor) +NewThirdParty=Nou tercer (client potencial, client, proveïdor) +CreateDolibarrThirdPartySupplier=Crea un tercer (proveïdor) CreateThirdPartyOnly=Crea tercer CreateThirdPartyAndContact=Crea un tercer + un contacte fill ProspectionArea=Àrea de pressupostos @@ -37,7 +37,7 @@ ThirdPartyProspectsStats=Clients potencials ThirdPartyCustomers=Clients ThirdPartyCustomersStats=Clients ThirdPartyCustomersWithIdProf12=Clients amb %s o %s -ThirdPartySuppliers=Vendors +ThirdPartySuppliers=Proveïdors ThirdPartyType=Tipus de tercer Individual=Particular ToCreateContactWithSameName=Es crearà un contacte/adreça automàticament amb la mateixa informació que el tercer d'acord amb el propi tercer. En la majoria de casos, fins i tot si el tercer és una persona física, la creació d'un sol tercer ja és suficient. @@ -77,11 +77,11 @@ Web=Web Poste= Càrrec DefaultLang=Idioma per defecte VATIsUsed=IVA està utilitzant-se -VATIsUsedWhenSelling=This define if this third party includes a sale tax or not when it makes an invoice to its own customers +VATIsUsedWhenSelling=Això defineix si aquest tercer inclou un impost de venda o no quan fa una factura als seus propis clients VATIsNotUsed=IVA no està utilitzant-se CopyAddressFromSoc=Omple l'adreça amb l'adreça del tercer -ThirdpartyNotCustomerNotSupplierSoNoRef=Third party neither customer nor vendor, no available refering objects -ThirdpartyIsNeitherCustomerNorClientSoCannotHaveDiscounts=Third party neither customer nor supplier, discounts are not available +ThirdpartyNotCustomerNotSupplierSoNoRef=El tercer no és client ni proveïdor, no hi ha objectes vinculats disponibles +ThirdpartyIsNeitherCustomerNorClientSoCannotHaveDiscounts=El tercer no és client ni proveïdor, els descomptes no estan disponibles PaymentBankAccount=Compte bancari de pagament OverAllProposals=Pressupostos OverAllOrders=Comandes @@ -99,9 +99,9 @@ LocalTax2ES=IRPF TypeLocaltax1ES=Tipus de RE TypeLocaltax2ES=Tipus de IRPF WrongCustomerCode=Codi client incorrecte -WrongSupplierCode=Vendor code invalid +WrongSupplierCode=El codi del proveïdor no és vàlid CustomerCodeModel=Model de codi client -SupplierCodeModel=Vendor code model +SupplierCodeModel=Model de codi de proveïdor Gencod=Codi de barra ##### Professional ID ##### ProfId1Short=CIF/NIF @@ -304,13 +304,13 @@ DeleteACompany=Eliminar una empresa PersonalInformations=Informació personal AccountancyCode=Compte comptable CustomerCode=Codi client -SupplierCode=Vendor code +SupplierCode=Codi del proveïdor CustomerCodeShort=Codi client -SupplierCodeShort=Vendor code +SupplierCodeShort=Codi del proveïdor CustomerCodeDesc=Codi únic client per a cada client -SupplierCodeDesc=Vendor code, unique for all vendors +SupplierCodeDesc=Codi de proveïdor, únic per a tots els proveïdors RequiredIfCustomer=Requerida si el tercer és un client o client potencial -RequiredIfSupplier=Required if third party is a vendor +RequiredIfSupplier=Obligatori si un tercer és proveïdor ValidityControledByModule=Validació controlada pel mòdul ThisIsModuleRules=Aquesta és la regla per aquest mòdul ProspectToContact=Client potencial a contactar @@ -338,7 +338,7 @@ MyContacts=Els meus contactes Capital=Capital CapitalOf=Capital de %s EditCompany=Modificar empresa -ThisUserIsNot=This user is not a prospect, customer nor vendor +ThisUserIsNot=Aquest usuari no és un client potencial, ni un client ni un 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. VATIntraCheckURL=http://ec.europa.eu/taxation_customs/vies/vieshome.do @@ -396,7 +396,7 @@ ImportDataset_company_4=Tercers/Comercials (Assigna usuaris comercials a tercers PriceLevel=Nivell de preus DeliveryAddress=Adreça d'enviament AddAddress=Afegeix adreça -SupplierCategory=Vendor category +SupplierCategory=Categoria del proveïdor JuridicalStatus200=Independent DeleteFile=Elimina el fitxer ConfirmDeleteFile=Esteu segur de voler eliminar aquest fitxer? @@ -406,7 +406,7 @@ FiscalYearInformation=Informació de l'any fiscal FiscalMonthStart=Mes d'inici d'exercici YouMustAssignUserMailFirst=Has de crear un correu electrònic per aquest usuari abans d'afegir notificacions de correu electrònic per ell. YouMustCreateContactFirst=Per poder afegir notificacions de correu electrònic, en primer lloc s'ha de definir contactes amb correu electrònic vàlid pel tercer -ListSuppliersShort=List of vendors +ListSuppliersShort=Llista de proveïdors ListProspectsShort=Llistat de clients potencials ListCustomersShort=Llistat de clients ThirdPartiesArea=Àrea de tercers i contactes @@ -431,4 +431,4 @@ SaleRepresentativeLogin=Nom d'usuari de l'agent comercial SaleRepresentativeFirstname=Nom de l'agent comercial SaleRepresentativeLastname=Cognoms de l'agent comercial ErrorThirdpartiesMerge=S'ha produït un error en suprimir els tercers. Verifiqueu el registre. S'han revertit els canvis. -NewCustomerSupplierCodeProposed=New customer or vendor code suggested on duplicate code +NewCustomerSupplierCodeProposed=Nou codi de client o proveïdor proposat en cas de codi duplicat diff --git a/htdocs/langs/ca_ES/compta.lang b/htdocs/langs/ca_ES/compta.lang index d96663a70ecfe..a6cd5b2aead43 100644 --- a/htdocs/langs/ca_ES/compta.lang +++ b/htdocs/langs/ca_ES/compta.lang @@ -19,7 +19,8 @@ Income=Ingressos Outcome=Despeses MenuReportInOut=Resultat / Exercici ReportInOut=Saldo d'ingressos i despeses -ReportTurnover=Volum de vendes +ReportTurnover=Turnover invoiced +ReportTurnoverCollected=Turnover collected PaymentsNotLinkedToInvoice=Pagaments vinculats a cap factura, per la qual cosa sense tercer PaymentsNotLinkedToUser=Pagaments no vinculats a un usuari Profit=Benefici @@ -34,7 +35,7 @@ AmountHTVATRealPaid=Total pagat VATToPay=IVA vendes VATReceived=Impost rebut VATToCollect=Impost de compres -VATSummary=Tax monthly +VATSummary=Impostos mensuals VATBalance=Saldo tributari VATPaid=Impost pagat LT1Summary=Resum d'impostos 2 @@ -77,16 +78,16 @@ MenuNewSocialContribution=Nou impost varis NewSocialContribution=Nou impost varis AddSocialContribution=Afegeix un impost varis ContributionsToPay=Impostos varis a pagar -AccountancyTreasuryArea=Àrea comptabilitat/tresoreria +AccountancyTreasuryArea=Billing and payment area NewPayment=Nou pagament Payments=Pagaments PaymentCustomerInvoice=Cobrament factura a client -PaymentSupplierInvoice=Vendor invoice payment +PaymentSupplierInvoice=Pagament de la factura del proveïdor PaymentSocialContribution=Pagament d'impost varis PaymentVat=Pagament IVA ListPayment=Llistat de pagaments ListOfCustomerPayments=Llistat de cobraments de clients -ListOfSupplierPayments=List of vendor payments +ListOfSupplierPayments=Llista de pagaments a proveïdors DateStartPeriod=Data d'inici del periode DateEndPeriod=Data final del periode newLT1Payment=Nou pagament de RE @@ -105,19 +106,21 @@ VATPayment=Pagament d'impost de vendes VATPayments=Pagaments d'impost de vendes VATRefund=Devolució IVA NewVATPayment=Nou pagament d'impostos a les vendes +NewLocalTaxPayment=New tax %s payment 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 CustomerAccountancyCode=Codi de comptable del client -SupplierAccountancyCode=Vendor accounting code +SupplierAccountancyCode=Codi comptable del proveïdor CustomerAccountancyCodeShort=Codi compt. cli. SupplierAccountancyCodeShort=Codi compt. prov. AccountNumber=Número de compte NewAccountingAccount=Nou compte -SalesTurnover=Volum de vendes -SalesTurnoverMinimum=Volum de vendes mínim +Turnover=Turnover invoiced +TurnoverCollected=Turnover collected +SalesTurnoverMinimum=Minimum turnover ByExpenseIncome=Per despeses & ingressos ByThirdParties=Per tercer ByUserAuthorOfInvoice=Per autor de la factura @@ -137,9 +140,9 @@ 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=Mode %sReclamacions-Deutes%s anomenada Comptabilitad de compromís. -CalcModeEngagement=Mode %sIngressos-Despeses%s anomenada Comptabilitad de caixa. -CalcModeBookkeeping=Anàlisi de dades publicades a la taula de llibres de comptabilitat +CalcModeDebt=Anàlisi de factures conegudes registrades, fins i tot si encara no estan comptabilitzades en el 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 registrades al diari en la taula de Llibre major de comptabilitat CalcModeLT1= Metode %sRE factures a clients - factures de proveïdors%s CalcModeLT1Debt=Metode %sRE a factures a clients%s CalcModeLT1Rec= Metode %sRE a factures de proveïdors%s @@ -151,18 +154,18 @@ 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 l'informe %sIngressos-Despeses%s anomenat comptabilitat de caixa per a un càlcul sobre les factures pagades -SeeReportInDueDebtMode=Veure l'informe %sCrèdits-Deutes%s anomenada comptabilitat de compromís per a un càlcul de les factures pendents de pagament -SeeReportInBookkeepingMode=Vegeu l'informe %sLlibre%s per a un càlcul a anàlisi de taula de comptes +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 RulesAmountWithTaxIncluded=- Els imports mostrats són amb tots els impostos inclosos. RulesResultDue=- Inclou les factures pendents, despeses, IVA, donacions estiguen o no pagades. També s'inclou salaris pagats.
- Es basa en la data de la validació de les factures i l'IVA i en la data de venciment per a despeses. Per salaris definits amb el mòdul de 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ó. RulesCADue=- Inclou les factures degudes del client estiguen pagades o no.
- Es basa en la data de la validació d'aquestes factures.
RulesCAIn=- Inclou els pagaments efectuats de les factures a clients.
- Es basa en la data de pagament de les mateixes
-RulesCATotalSaleJournal=Inclou totes les línies de crèdit del diari Venda. -RulesAmountOnInOutBookkeepingRecord=Inclou un registre al vostre Llibre amb comptes comptables que tenen el grup "DESPESA" o "INGRÉS" -RulesResultBookkeepingPredefined=Inclou un registre al vostre Llibre amb comptes comptables que tenen el grup "DESPESA" o "INGRÉS" -RulesResultBookkeepingPersonalized=Mostra un registre al vostre Llibre amb comptes comptables agrupats per grups personalitzats +RulesCATotalSaleJournal=Inclou totes les línies de crèdit del Diari de venda. +RulesAmountOnInOutBookkeepingRecord=Inclou un registre al vostre Llibre Major amb comptes comptables que tenen el grup "DESPESA" o "INGRÉS" +RulesResultBookkeepingPredefined=Inclou un registre al vostre Llibre Major amb comptes comptables que tenen el grup "DESPESA" o "INGRÉS" +RulesResultBookkeepingPersonalized=Mostra un registre al vostre Llibre Major amb comptes comptables agrupats per grups personalitzats SeePageForSetup=Veure el menú
%s per configurar-lo DepositsAreNotIncluded=- Les factures de bestreta no estan incloses DepositsAreIncluded=- Les factures de bestreta estan incloses @@ -188,7 +191,7 @@ RulesVATInProducts=- Per a actius materials, l'informe inclou l'IVA rebut o emè RulesVATDueServices=- Per als serveis, l'informe inclou l'IVA de les factures degudes, pagades o no basant-se en la data d'aquestes factures. RulesVATDueProducts=- Pel que fa als béns materials, l'informe inclou les factures de l'IVA, segons la data de facturació. OptionVatInfoModuleComptabilite=Nota: Per als béns materials, caldria utilitzar la data de lliurament per per ser més just. -ThisIsAnEstimatedValue=Aquesta és una vista prèvia, basada en esdeveniments empresarials i no des de la taula de la llista final, de manera que els resultats finals poden diferir d'aquests valors de visualització prèvia +ThisIsAnEstimatedValue=Aquesta és una vista prèvia, basada en esdeveniments empresarials i no des de la taula final del llibre major, de manera que els resultats finals poden diferir d'aquests valors de visualització prèvia PercentOfInvoice=%%/factura NotUsedForGoods=No utilitzat per als béns ProposalStats=Estadístiques de pressupostos @@ -210,7 +213,7 @@ Pcg_version=Models de pla de comptes Pcg_type=Tipus de compte Pcg_subtype=Subtipus de compte InvoiceLinesToDispatch=Línies de factures a desglossar -ByProductsAndServices=By product and service +ByProductsAndServices=Per producte i servei RefExt=Ref. externa ToCreateAPredefinedInvoice=Per crear una plantilla de factura, crea una factura estàndard, i després, sense validar-la, fes clic al botó "%s". LinkedOrder=Enllaçar a una comanda @@ -218,8 +221,8 @@ Mode1=Mètode 1 Mode2=Mètode 2 CalculationRuleDesc=Per calcular la totalitat de l'IVA, hi ha dos mètodes:
Mètode 1 és l'arrodoniment de l'IVA en cada línia, llavors es sumen-
Mètode 2 és la suma de tot l'IVA en cada línia, a continuació, arrodonint el resultat.
.El resultat final pot difereix uns pocs centaus. El mètode per defecte és % s. CalculationRuleDescSupplier=D'acord amb el proveïdor, tria el mètode apropiat per aplicar la mateixa regla de càlcul i aconseguir el mateix resultat esperat pel teu proveïdor. -TurnoverPerProductInCommitmentAccountingNotRelevant=The Turnover report per product, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). -TurnoverPerSaleTaxRateInCommitmentAccountingNotRelevant=The Turnover report per sale tax rate, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). +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. CalculationMode=Mode de càlcul AccountancyJournal=Diari de codi de comptable ACCOUNTING_VAT_SOLD_ACCOUNT=Compte de comptabilitat per defecte per l'IVA en vendes (s'utilitza si no es defineix en la configuració del diccionari d'IVA) @@ -247,9 +250,10 @@ ListSocialContributionAssociatedProject=Llista de contribucions socials associad DeleteFromCat=Elimina del grup comptable AccountingAffectation=Assignació de comptes LastDayTaxIsRelatedTo=Last day of period the tax is related to -VATDue=Sale tax claimed +VATDue=Impost sobre vendes reclamat ClaimedForThisPeriod=Claimed for the period PaidDuringThisPeriod=Paid during this period ByVatRate=By sale tax rate -TurnoverbyVatrate=Turnover by sale tax rate +TurnoverbyVatrate=Turnover invoiced by sale tax rate +TurnoverCollectedbyVatrate=Turnover collected by sale tax rate PurchasebyVatrate=Purchase by sale tax rate diff --git a/htdocs/langs/ca_ES/errors.lang b/htdocs/langs/ca_ES/errors.lang index 3c23600ad91c6..cb7dd9a7e2d1f 100644 --- a/htdocs/langs/ca_ES/errors.lang +++ b/htdocs/langs/ca_ES/errors.lang @@ -32,9 +32,9 @@ ErrorBarCodeRequired=Codi de barres requerit ErrorCustomerCodeAlreadyUsed=Codi de client ja utilitzat ErrorBarCodeAlreadyUsed=El codi de barres ja és utilitzat ErrorPrefixRequired=Prefix obligatori -ErrorBadSupplierCodeSyntax=Bad syntax for vendor code -ErrorSupplierCodeRequired=Vendor code required -ErrorSupplierCodeAlreadyUsed=Vendor code already used +ErrorBadSupplierCodeSyntax=Sintaxi incorrecta per al codi del proveïdor +ErrorSupplierCodeRequired=Es requereix el codi del proveïdor +ErrorSupplierCodeAlreadyUsed=Codi de proveïdor ja utilitzat ErrorBadParameters=Paràmetres incorrectes ErrorBadValueForParameter=Valor incorrecte '%s' del paràmetre '%s' ErrorBadImageFormat=L'arxiu de la imatge no és un format suportat (El seu PHP no suporta les funciones de conversió d'aquest format d'imatge) diff --git a/htdocs/langs/ca_ES/install.lang b/htdocs/langs/ca_ES/install.lang index 7bc3a07cf312e..a1ce071cf2554 100644 --- a/htdocs/langs/ca_ES/install.lang +++ b/htdocs/langs/ca_ES/install.lang @@ -92,8 +92,8 @@ FailedToCreateAdminLogin=No s'ha pogut crear el compte d'administrador de Doliba WarningRemoveInstallDir=Atenció, per raons de seguretat, amb la finalitat de bloquejar un nou ús de les eines d'instal·lació/actualització, és aconsellable crear en el directori arrel de Dolibarr un arxiu anomenat install.lock en només lectura. FunctionNotAvailableInThisPHP=No disponible en aquest PHP ChoosedMigrateScript=Elecció de l'script de migració -DataMigration=Database migration (data) -DatabaseMigration=Database migration (structure + some data) +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" FreshInstall=Nova instal·lació @@ -204,3 +204,7 @@ MigrationResetBlockedLog=Restablir el mòdul BlockedLog per l'algoritme v7 ShowNotAvailableOptions=Mostra opcions no disponibles HideNotAvailableOptions=Amaga opcions no disponibles ErrorFoundDuringMigration=S'ha reportat un error durant el procés de migració, de manera que el proper pas no està disponible. Per ignorar els errors, pots fer clic aqui, però l'aplicació o algunes funcionalitats podrien no funcionar correctament fins que no es corregeixi. +YouTryInstallDisabledByDirLock=The application try to sefl upgrade, but install/upgrade pages have been disabled for security reason (directory renamed with .lock suffix).
+YouTryInstallDisabledByFileLock=The application try to sefl upgrade, but install/upgrade pages pages have been disabled for security reason (by lock file install.lock into dolibarr documents directory).
+ClickHereToGoToApp=Fes clic aquí per anar a la teva aplicació +ClickOnLinkOrRemoveManualy=Click on following link and if you always reach this page, you must remove the file install.lock into documents directory manually diff --git a/htdocs/langs/ca_ES/ldap.lang b/htdocs/langs/ca_ES/ldap.lang index 0edd3aacbd0d0..6c7f154e5976b 100644 --- a/htdocs/langs/ca_ES/ldap.lang +++ b/htdocs/langs/ca_ES/ldap.lang @@ -24,4 +24,4 @@ MemberTypeSynchronized=Tipus de membre sincronitzat ContactSynchronized=Contacte sincronitzat ForceSynchronize=Forçar sincronització Dolibarr -> LDAP ErrorFailedToReadLDAP=Error de la lectura de l'anuari LDAP. Comprovar la configuració del mòdul LDAP i l'accessibilitat de l'anuari. -PasswordOfUserInLDAP=Password of user in LDAP +PasswordOfUserInLDAP=Contrasenya de l'usuari en LDAP diff --git a/htdocs/langs/ca_ES/loan.lang b/htdocs/langs/ca_ES/loan.lang index 1b1a10660a6fe..5f80bd494a367 100644 --- a/htdocs/langs/ca_ES/loan.lang +++ b/htdocs/langs/ca_ES/loan.lang @@ -10,7 +10,7 @@ LoanCapital=Capital Insurance=Assegurança Interest=Interessos Nbterms=Nombre de termes -Term=Term +Term=Termini LoanAccountancyCapitalCode=Compte comptable del capital LoanAccountancyInsuranceCode=Compte comptable de l'assegurança LoanAccountancyInterestCode=Compte comptable per al interès diff --git a/htdocs/langs/ca_ES/mails.lang b/htdocs/langs/ca_ES/mails.lang index 36e097ae97c06..8c2e93f0e8508 100644 --- a/htdocs/langs/ca_ES/mails.lang +++ b/htdocs/langs/ca_ES/mails.lang @@ -11,9 +11,9 @@ MailFrom=Remitent MailErrorsTo=Errors a MailReply=Respondre a MailTo=Destinatari(s) -MailToUsers=To user(s) +MailToUsers=A l'usuari(s) MailCC=Còpia a -MailToCCUsers=Copy to users(s) +MailToCCUsers=Còpia l'usuari(s) MailCCC=Adjuntar còpia a MailTopic=Assumpte de l'e-mail MailText=Missatge diff --git a/htdocs/langs/ca_ES/main.lang b/htdocs/langs/ca_ES/main.lang index c302d62e406a7..fef9a992d406f 100644 --- a/htdocs/langs/ca_ES/main.lang +++ b/htdocs/langs/ca_ES/main.lang @@ -92,7 +92,7 @@ DolibarrInHttpAuthenticationSoPasswordUseless=Dolibarr està configurat en mode Administrator=Administrador Undefined=No definit PasswordForgotten=Heu oblidat la contrasenya? -NoAccount=No account? +NoAccount=Cap compte? SeeAbove=Esmentar anteriorment HomeArea=Àrea inici LastConnexion=Última connexió @@ -403,7 +403,7 @@ DefaultTaxRate=Tipus impositiu per defecte Average=Mitja Sum=Suma Delta=Diferència -RemainToPay=Remain to pay +RemainToPay=Queda per pagar Module=Mòdul/Aplicació Modules=Mòduls/Aplicacions Option=Opció @@ -416,7 +416,7 @@ Favorite=Favorit ShortInfo=Info. Ref=Ref. ExternalRef=Ref. externa -RefSupplier=Ref. vendor +RefSupplier=Ref. proveïdor RefPayment=Ref. pagament CommercialProposalsShort=Pressupostos Comment=Comentari @@ -495,7 +495,7 @@ Received=Rebut Paid=Pagat Topic=Assumpte ByCompanies=Per empresa -ByUsers=By user +ByUsers=Per usuari Links=Links Link=Link Rejects=Devolucions @@ -507,6 +507,7 @@ NoneF=Ninguna NoneOrSeveral=Cap o diversos Late=Retard LateDesc=El retard que defineix si un registre arriba tard o no depèn de la configuració. Pregunti al seu administrador per canviar de retard des del menú Inici - Configuració - Alertes. +NoItemLate=No late item Photo=Foto Photos=Fotos AddPhoto=Afegir foto @@ -621,9 +622,9 @@ BuildDoc=Generar el doc Entity=Entitat Entities=Entitats CustomerPreview=Historial client -SupplierPreview=Vendor preview +SupplierPreview=Vista prèvia del proveïdor ShowCustomerPreview=Veure historial client -ShowSupplierPreview=Show vendor preview +ShowSupplierPreview=Mostra la vista prèvia del proveïdor RefCustomer=Ref. client Currency=Divisa InfoAdmin=Informació per als administradors @@ -917,11 +918,11 @@ SearchIntoProductsOrServices=Productes o serveis SearchIntoProjects=Projectes SearchIntoTasks=Tasques SearchIntoCustomerInvoices=Factures a clients -SearchIntoSupplierInvoices=Vendor invoices +SearchIntoSupplierInvoices=Factures del proveïdor SearchIntoCustomerOrders=Comandes de clients -SearchIntoSupplierOrders=Purchase orders +SearchIntoSupplierOrders=Comandes de compra SearchIntoCustomerProposals=Pressupostos -SearchIntoSupplierProposals=Vendor proposals +SearchIntoSupplierProposals=Pressupostos de proveïdor SearchIntoInterventions=Intervencions SearchIntoContracts=Contractes SearchIntoCustomerShipments=Enviaments de client @@ -943,5 +944,7 @@ Remote=Remot LocalAndRemote=Local i remota KeyboardShortcut=Tecla de drecera AssignedTo=Assignada a -Deletedraft=Delete draft -ConfirmMassDraftDeletion=Draft Bulk delete confirmation +Deletedraft=Suprimeix l'esborrany +ConfirmMassDraftDeletion=Confirmació d'eliminació massiva d'esborranys +FileSharedViaALink=Fitxer compartit a través d'un enllaç + diff --git a/htdocs/langs/ca_ES/margins.lang b/htdocs/langs/ca_ES/margins.lang index 5b42c3ea8443c..cf1ca7b2c1c9a 100644 --- a/htdocs/langs/ca_ES/margins.lang +++ b/htdocs/langs/ca_ES/margins.lang @@ -28,7 +28,7 @@ UseDiscountAsService=Com un servei UseDiscountOnTotal=Sobre el total MARGIN_METHODE_FOR_DISCOUNT_DETAILS=Indica si un descompte global es pren en compte com un producte, servei o només en el total a l'hora de calcular els marges. MARGIN_TYPE=Preu de cost suggerit per defecte pel càlcul de marge -MargeType1=Margin on Best vendor price +MargeType1=Marge en el millor preu de proveïdor MargeType2=Marge en Preu mitjà ponderat (PMP) MargeType3=Marge en preu de cost MarginTypeDesc=* Margin on best buying price = Selling price - Best vendor price defined on product card
* Margin on Weighted Average Price (WAP) = Selling price - Product Weighted Average Price (WAP) or best supplier price if WAP not yet defined
* Margin on Cost price = Selling price - Cost price defined on product card or WAP if cost price not defined, or best supplier price if WAP not yet defined diff --git a/htdocs/langs/ca_ES/modulebuilder.lang b/htdocs/langs/ca_ES/modulebuilder.lang index f5de35f93b38d..a93c239949c8e 100644 --- a/htdocs/langs/ca_ES/modulebuilder.lang +++ b/htdocs/langs/ca_ES/modulebuilder.lang @@ -74,6 +74,7 @@ NoWidget=Sense widget GoToApiExplorer=Ves a l'explorador de l'API ListOfMenusEntries=Llista d'entrades de menú ListOfPermissionsDefined=Llista de permisos definits +SeeExamples=Mira exemples aquí EnabledDesc=Condició per tenir activat aquest camp (Exemples: 1 ó $conf->global->MYMODULE_MYOPTION) VisibleDesc=El camp és visible? (Exemples: 0=Mai visible, 1=Visible en llistes i en formularis de creació/actualització/visualització, 2=Visible només en llistes, 3=Visible només en formularis de creació/actualització/visualització. Si s'assigna un valor negatiu el camp no es mostra per defecte en llistes, però es pot seleccionar per visualitzar. IsAMeasureDesc=Es pot acumular el valor del camp per obtenir una suma total de la llista? (Exemples: 1 ó 0) @@ -94,4 +95,7 @@ YouCanUseTranslationKey=Podeu utilitzar aquí una clau que és la clau de traduc DropTableIfEmpty=(Suprimeix la taula si està buida) TableDoesNotExists=La taula %s no existeix TableDropped=S'ha esborrat la taula %s -InitStructureFromExistingTable=Build the structure array string of an existing table +InitStructureFromExistingTable=Creeu la cadena de la matriu d'estructura d'una taula existent +UseAboutPage=Disallow the about page +UseDocFolder=Disallow the documentation folder +UseSpecificReadme=Use a specific ReadMe diff --git a/htdocs/langs/ca_ES/opensurvey.lang b/htdocs/langs/ca_ES/opensurvey.lang index d4f5ef421e275..9792690147d43 100644 --- a/htdocs/langs/ca_ES/opensurvey.lang +++ b/htdocs/langs/ca_ES/opensurvey.lang @@ -58,4 +58,4 @@ MoreChoices=Introdueixi més opcions pels votants SurveyExpiredInfo=L'enquesta s'ha tancat o el temps de votació s'ha acabat. EmailSomeoneVoted=%s ha emplenat una línia.\nPot trobar la seva enquesta en l'enllaç:\n%s ShowSurvey=Mostra l'enquesta -UserMustBeSameThanUserUsedToVote=You must have voted and use the same user name that the one used to vote, to post a comment +UserMustBeSameThanUserUsedToVote=Per publicar un comentari has d'utilitzar el mateix nom d'usuari que l'utilitzat per votar. diff --git a/htdocs/langs/ca_ES/orders.lang b/htdocs/langs/ca_ES/orders.lang index 0a7cc7afbc704..668b14a52d13c 100644 --- a/htdocs/langs/ca_ES/orders.lang +++ b/htdocs/langs/ca_ES/orders.lang @@ -1,6 +1,6 @@ # Dolibarr language file - Source file is en_US - orders OrdersArea=Àrea comandes de clients -SuppliersOrdersArea=Purchase orders area +SuppliersOrdersArea=Àrea de comandes de compra OrderCard=Fitxa comanda OrderId=Id comanda Order=Comanda @@ -13,9 +13,9 @@ OrderToProcess=Comanda a processar NewOrder=Nova comanda ToOrder=Realitzar comanda MakeOrder=Realitzar comanda -SupplierOrder=Purchase order -SuppliersOrders=Purchase orders -SuppliersOrdersRunning=Current purchase orders +SupplierOrder=Comanda de compra +SuppliersOrders=Comandes de compra +SuppliersOrdersRunning=Comandes de compra actuals CustomerOrder=Compte bloquejat CustomersOrders=Comandes de clients CustomersOrdersRunning=Comandes de clients en curs @@ -24,7 +24,7 @@ OrdersDeliveredToBill=Comandes de client entregades per a facturar OrdersToBill=Comandes de clients entregades OrdersInProcess=Comandes de client en procés OrdersToProcess=Comandes de client a processar -SuppliersOrdersToProcess=Purchase orders to process +SuppliersOrdersToProcess=Comandes de compra a processar StatusOrderCanceledShort=Anul·lada StatusOrderDraftShort=Esborrany StatusOrderValidatedShort=Validada @@ -75,15 +75,15 @@ ShowOrder=Mostrar comanda OrdersOpened=Comandes a processar NoDraftOrders=Sense comandes esborrany NoOrder=Sense comanda -NoSupplierOrder=No purchase order +NoSupplierOrder=Sense comanda de compra LastOrders=Últimes %s comandes de client LastCustomerOrders=Últimes %s comandes de client -LastSupplierOrders=Latest %s purchase orders +LastSupplierOrders=Últimes %s comandes de compra LastModifiedOrders=Últimes %s comandes modificades AllOrders=Totes les comandes NbOfOrders=Nombre de comandes OrdersStatistics=Estadístiques de comandes -OrdersStatisticsSuppliers=Purchase order statistics +OrdersStatisticsSuppliers=Estadístiques de comandes de compra NumberOfOrdersByMonth=Nombre de comandes per mes AmountOfOrdersByMonthHT=Import total de comandes per mes (Sense IVA) ListOfOrders=Llistat de comandes @@ -97,12 +97,12 @@ ConfirmMakeOrder=Vols confirmar la creació d'aquesta comanda a data de %sprova (la paraula prova ha d'estar en negreta).
Les dues línies es separen amb un salt de línia.

__USER_SIGNATURE__ -PredefinedMailContentSendInvoice=__(Hello)__\n\nAquí trobareu la factura __REF__\n\nAquest es l'enllaç per realitzar el pagament en línia en cas de que la factura encara no esitga pagada:\n__ONLINE_PAYMENT_URL__\n\n__ (Sincerely) __\n\n__USER_SIGNATURE__ -PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nEns agradaria advertir-vos que la factura __REF__ sembla que no està pagada. Així que adjuntem de nou la factura en el fitxer adjunt, com a recordatori.\n\n__ONLINE_PAYMENT_URL__\n\n__ (Sincerely) __\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendProposal=__(Hello)__\n\nYou will find here the commercial proposal __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendSupplierProposal=__(Hello)__\n\nTrobareu aquí la sol·licitud de cotització __REF__\n\n\n__ (Sincerely) __\n\n__USER_SIGNATURE__ PredefinedMailContentSendOrder=__(Hello)__\n\nTrobareu aquí la comanda __REF__\n\n\n__ (Sincerely) __\n\n__USER_SIGNATURE__ @@ -91,6 +91,7 @@ PredefinedMailContentSendShipping=__(Hello)__\n\nTrobareu aquí l'enviament __RE PredefinedMailContentSendFichInter=__(Hello)__\n\nTrobareu aquí la intervenció __REF__\n\n\n__ (Sincerely) __\n\n__USER_SIGNATURE__ PredefinedMailContentThirdparty=__(Hello)__\n\n\n__ (Sincerely) __\n\n__USER_SIGNATURE__ PredefinedMailContentUser=__(Hello)__\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 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ó. ChooseYourDemoProfil=Selecciona el perfil de demo que cobreixi millor les teves necessitats... ChooseYourDemoProfilMore=o construeix el teu perfil
(selecció de mòduls manual) @@ -218,7 +219,7 @@ FileIsTooBig=L'arxiu és massa gran PleaseBePatient=Preguem esperi uns instants... NewPassword=Nova contrasenya ResetPassword=Restablir la contrasenya -RequestToResetPasswordReceived=A request to change your password has been received +RequestToResetPasswordReceived=A request to change your password has been received. 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 @@ -233,7 +234,7 @@ PermissionsDelete=Permisos eliminats YourPasswordMustHaveAtLeastXChars=La teva contrasenya ha de tenir almenys %s \ncaràcters YourPasswordHasBeenReset=La teva contrasenya s'ha restablert correctament ApplicantIpAddress=Adreça IP del sol·licitant -SMSSentTo=SMS sent to %s +SMSSentTo=SMS enviat a %s ##### Export ##### ExportsArea=Àrea d'exportacions diff --git a/htdocs/langs/ca_ES/paypal.lang b/htdocs/langs/ca_ES/paypal.lang index 80fc8f7290cd7..83c7c2531e444 100644 --- a/htdocs/langs/ca_ES/paypal.lang +++ b/htdocs/langs/ca_ES/paypal.lang @@ -14,7 +14,6 @@ PaypalModeOnlyPaypal=Només PayPal ONLINE_PAYMENT_CSS_URL=URL opcional del full d'estil CSS a la pàgina de pagament en línia ThisIsTransactionId=Identificador de la transacció: %s PAYPAL_ADD_PAYMENT_URL=Afegir la url del pagament Paypal en enviar un document per e-mail -PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.

%s

YouAreCurrentlyInSandboxMode=Actualment esteu en el mode %s "sandbox" NewOnlinePaymentReceived=Nou pagament online rebut NewOnlinePaymentFailed=S'ha intentat el nou pagament online però ha fallat diff --git a/htdocs/langs/ca_ES/productbatch.lang b/htdocs/langs/ca_ES/productbatch.lang index 25e72af8dfbb8..8ca82527e6c73 100644 --- a/htdocs/langs/ca_ES/productbatch.lang +++ b/htdocs/langs/ca_ES/productbatch.lang @@ -16,7 +16,7 @@ printEatby=Caducitat: %s printSellby=Límit venda: %s printQty=Quant.: %d AddDispatchBatchLine=Afegir una línia per despatx per caducitat -WhenProductBatchModuleOnOptionAreForced=When module Lot/Serial is on, automatic stock decrease is forced to 'Decrease real stocks on shipping validation' and automatic increase mode is forced to 'Increase real stocks on manual dispatching into warehouses' and can't be edited. Other options can be defined as you want. +WhenProductBatchModuleOnOptionAreForced=Quan el mòdul de Lots/Sèries està activat, la disminució d'estoc automàtica està forçada a 'Disminueix els estocs reals en la validació de l'enviament' i el mode d'increment d'estoc automàtic està forçat a 'Augmentar els estocs reals en l'enviament manual als magatzems' i no pot editar-se. Les altres opcions es poden definir com vulgueu. 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 diff --git a/htdocs/langs/ca_ES/products.lang b/htdocs/langs/ca_ES/products.lang index c619a0c642884..5b14fd3967270 100644 --- a/htdocs/langs/ca_ES/products.lang +++ b/htdocs/langs/ca_ES/products.lang @@ -70,7 +70,7 @@ SoldAmount=Import venut PurchasedAmount=Import comprat NewPrice=Nou preu MinPrice=Preu de venda mín. -EditSellingPriceLabel=Edit selling price label +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. ContractStatusClosed=Tancat ErrorProductAlreadyExists=Un producte amb la referència %s ja existeix. @@ -251,8 +251,8 @@ PriceNumeric=Número DefaultPrice=Preu per defecte ComposedProductIncDecStock=Incrementar/Disminueix estoc en canviar el seu pare ComposedProduct=Sub-producte -MinSupplierPrice=Preu mínim de proveïdor -MinCustomerPrice=Preu de client mínim +MinSupplierPrice=Preu mínim de compra +MinCustomerPrice=Minimum selling price DynamicPriceConfiguration=Configuració de preu dinàmic DynamicPriceDesc=A la fitxa de producte, amb aquest mòdul habilitat, haureu de poder establir funcions matemàtiques per calcular els preus dels clients o dels proveïdors. Aquesta funció pot utilitzar tots els operadors matemàtics, algunes constants i variables. Podeu definir aquí les variables que voleu utilitzar i si la variable necessita una actualització automàtica, l'URL externa que s'utilitzarà per demanar a Dolibarr que actualitzi automàticament el valor. AddVariable=Afegeix variable diff --git a/htdocs/langs/ca_ES/projects.lang b/htdocs/langs/ca_ES/projects.lang index 7edf092062cd4..539a14716c492 100644 --- a/htdocs/langs/ca_ES/projects.lang +++ b/htdocs/langs/ca_ES/projects.lang @@ -77,7 +77,7 @@ Time=Temps ListOfTasks=Llistat de tasques GoToListOfTimeConsumed=Ves al llistat de temps consumit GoToListOfTasks=Ves al llistat de tasques -GoToGanttView=Go to Gantt view +GoToGanttView=Vés a la vista de Gantt GanttView=Vista de Gantt ListProposalsAssociatedProject=Llistat de pressupostos associats al projecte ListOrdersAssociatedProject=Llista de comandes de client associades al projecte diff --git a/htdocs/langs/ca_ES/propal.lang b/htdocs/langs/ca_ES/propal.lang index ffecef11247e1..a5e056a6f9ca5 100644 --- a/htdocs/langs/ca_ES/propal.lang +++ b/htdocs/langs/ca_ES/propal.lang @@ -75,6 +75,7 @@ AvailabilityTypeAV_1M=1 mes TypeContact_propal_internal_SALESREPFOLL=Agent comercial del seguiment del pressupost TypeContact_propal_external_BILLING=Contacte client de facturació pressupost TypeContact_propal_external_CUSTOMER=Contacte client seguiment pressupost +TypeContact_propal_external_SHIPPING=Contacte del client pel lliurament # Document models DocModelAzurDescription=Model de pressupost complet (logo...) DefaultModelPropalCreate=Model per defecte diff --git a/htdocs/langs/ca_ES/sendings.lang b/htdocs/langs/ca_ES/sendings.lang index 423aaefb49311..ecf4743ec7ff4 100644 --- a/htdocs/langs/ca_ES/sendings.lang +++ b/htdocs/langs/ca_ES/sendings.lang @@ -52,8 +52,8 @@ ActionsOnShipping=Events sobre l'expedició 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ó -ProductQtyInCustomersOrdersRunning=Quantitat de producte en comandes de clients obertes -ProductQtyInSuppliersOrdersRunning=Quantitat de producte en comandes de proveïdors obertes +ProductQtyInCustomersOrdersRunning=Quantitat de producte en comandes de client obertes +ProductQtyInSuppliersOrdersRunning=Quantitat de producte en comandes de compra obertes ProductQtyInShipmentAlreadySent=Quantitat de producte des de comandes de client obertes ja enviades ProductQtyInSuppliersShipmentAlreadyRecevied=Quantitat de producte des de comandes de proveïdor obertes ja rebudes NoProductToShipFoundIntoStock=No s'ha trobat el producte per enviar en el magatzem %s. Corregeix l'estoc o torna enrera per triar un altre magatzem. diff --git a/htdocs/langs/ca_ES/stocks.lang b/htdocs/langs/ca_ES/stocks.lang index 33747a9f57e9a..1eceeeb080cea 100644 --- a/htdocs/langs/ca_ES/stocks.lang +++ b/htdocs/langs/ca_ES/stocks.lang @@ -67,7 +67,7 @@ DeStockOnValidateOrder=Decrementar els estocs físics sobre les comandes de clie DeStockOnShipment=Disminueix l'estoc real al validar l'enviament DeStockOnShipmentOnClosing=Disminueix els estocs reals en tancar l'expedició ReStockOnBill=Incrementar els estocs físics sobre les factures/abonaments de proveïdors -ReStockOnValidateOrder=Incrementar els estocs físics sobre les comandes a proveïdors +ReStockOnValidateOrder=Augmenta els estocs reals en l'aprovació de les comandes de compra ReStockOnDispatchOrder=Augmenta els estocs reals en l'entrega manual als magatzems, després de la recepció dels productes de la comanda proveïdor OrderStatusNotReadyToDispatch=La comanda encara no està o no té un estat que permeti un desglossament d'estoc. StockDiffPhysicTeoric=Motiu de la diferència entre l'estoc físic i virtual @@ -203,4 +203,4 @@ RegulateStock=Regula l'estoc ListInventory=Llistat StockSupportServices=Serveis de suport a la gestió d'estoc StockSupportServicesDesc=De manera predeterminada, només es pot assignar estoc als productes del tipus "producte". Si està activat i si el mòdul Serveis està activat, també podeu assignar estoc als productes del tipus "servei" -ReceiveProducts=Receive products +ReceiveProducts=Rebre articles diff --git a/htdocs/langs/ca_ES/stripe.lang b/htdocs/langs/ca_ES/stripe.lang index ca8c83725cbf6..78119cd670028 100644 --- a/htdocs/langs/ca_ES/stripe.lang +++ b/htdocs/langs/ca_ES/stripe.lang @@ -23,8 +23,6 @@ ToOfferALinkForOnlinePaymentOnFreeAmount=URL que ofereix una interfície de paga ToOfferALinkForOnlinePaymentOnMemberSubscription=URL que ofereix una interfície de pagament en línia %s per una quota de soci YouCanAddTagOnUrl=També pot afegir el paràmetre url &tag=value per a qualsevol d'aquestes adreces (obligatori només per al pagament lliure) per veure el seu propi codi de comentari de pagament. SetupStripeToHavePaymentCreatedAutomatically=Configureu el vostre Stripe amb l'URL %s per fer que el pagament es creï automàticament quan es valide mitjançant Stripe. -YourPaymentHasBeenRecorded=Aquesta pàgina confirma que el pagament s'ha registrat correctament. Gràcies. -YourPaymentHasNotBeenRecorded=El pagament no ha estat registrat i la transacció ha estat anul·lada. Gràcies. AccountParameter=Paràmetres del compte UsageParameter=Paràmetres d'ús InformationToFindParameters=Informació per trobar la seva configuració de compte %s @@ -58,8 +56,8 @@ NameOnCard=Nom a la targeta CardNumber=Número de targeta ExpiryDate=Data de caducitat CVN=CVN -DeleteACard=Delete Card -ConfirmDeleteCard=Are you sure you want to delete this Credit or Debit card? +DeleteACard=Suprimeix la targeta +ConfirmDeleteCard=Estàs segur que vols eliminar aquesta targeta de crèdit o de dèbit? CreateCustomerOnStripe=Crea un client a Stripe CreateCardOnStripe=Crea una targeta a Stripe ShowInStripe=Mostra a Stripe diff --git a/htdocs/langs/ca_ES/supplier_proposal.lang b/htdocs/langs/ca_ES/supplier_proposal.lang index e6774a2642d49..9232300408e37 100644 --- a/htdocs/langs/ca_ES/supplier_proposal.lang +++ b/htdocs/langs/ca_ES/supplier_proposal.lang @@ -1,22 +1,22 @@ # Dolibarr language file - Source file is en_US - supplier_proposal -SupplierProposal=Vendor commercial proposals -supplier_proposalDESC=Manage price requests to vendors +SupplierProposal=Pressupostos de proveïdor +supplier_proposalDESC=Gestiona les sol·licituds de preus als proveïdors SupplierProposalNew=Nova petició de preu CommRequest=Petició de preu CommRequests=Peticions de preu SearchRequest=Busca una petició DraftRequests=Peticions esborrany -SupplierProposalsDraft=Draft vendor proposals +SupplierProposalsDraft=Pressupost de proveïdor esborrany LastModifiedRequests=Últimes %s peticions de preu modificades RequestsOpened=Obre una petició de preu -SupplierProposalArea=Vendor proposals area -SupplierProposalShort=Vendor proposal -SupplierProposals=Vendor proposals -SupplierProposalsShort=Vendor proposals +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 ShowSupplierProposal=Mostra una petició de preu AddSupplierProposal=Crea una petició de preu -SupplierProposalRefFourn=Vendor ref +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. ConfirmValidateAsk=Estàs segur que vols validar aquest preu de sol·licitud sota el nom %s? @@ -47,9 +47,9 @@ CommercialAsk=Petició de preu DefaultModelSupplierProposalCreate=Model de creació per defecte DefaultModelSupplierProposalToBill=Model per defecte en tancar una petició de preu (acceptada) DefaultModelSupplierProposalClosed=Model per defecte en tancar una petició de preu (rebutjada) -ListOfSupplierProposals=List of vendor proposal requests -ListSupplierProposalsAssociatedProject=List of vendor proposals associated with project -SupplierProposalsToClose=Vendor proposals to close -SupplierProposalsToProcess=Vendor proposals to process +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 +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/suppliers.lang b/htdocs/langs/ca_ES/suppliers.lang index ae2dbc1708e46..c748ed9b7b699 100644 --- a/htdocs/langs/ca_ES/suppliers.lang +++ b/htdocs/langs/ca_ES/suppliers.lang @@ -1,11 +1,11 @@ # Dolibarr language file - Source file is en_US - suppliers -Suppliers=Vendors -SuppliersInvoice=Vendor invoice -ShowSupplierInvoice=Show Vendor Invoice -NewSupplier=New vendor +Suppliers=Proveïdors +SuppliersInvoice=Factura del proveïdor +ShowSupplierInvoice=Mostra la factura del proveïdor +NewSupplier=Nou proveïdor History=Històric -ListOfSuppliers=List of vendors -ShowSupplier=Show vendor +ListOfSuppliers=Llista de proveïdors +ShowSupplier=Mostra el proveïdor OrderDate=Data comanda BuyingPriceMin=El millor preu de compra BuyingPriceMinShort=El millor preu de compra @@ -14,34 +14,34 @@ TotalSellingPriceMinShort=Total dels preus de venda de subproductes SomeSubProductHaveNoPrices=Alguns subproductes no tenen preus definits AddSupplierPrice=Afegeix preu de compra ChangeSupplierPrice=Canvia el preu de compra -SupplierPrices=Vendor prices +SupplierPrices=Preus del proveïdor ReferenceSupplierIsAlreadyAssociatedWithAProduct=Aquesta referència de proveïdor ja està associada a la referència: %s -NoRecordedSuppliers=No vendor recorded -SupplierPayment=Vendor payment -SuppliersArea=Vendor area -RefSupplierShort=Ref. vendor +NoRecordedSuppliers=No s'ha registrat cap proveïdor +SupplierPayment=Pagament al proveïdor +SuppliersArea=Àrea de proveïdors +RefSupplierShort=Ref. proveïdor Availability=Disponibilitat ExportDataset_fournisseur_1=Vendor invoices list and invoice lines ExportDataset_fournisseur_2=Vendor invoices and payments -ExportDataset_fournisseur_3=Purchase orders and order lines +ExportDataset_fournisseur_3=Comandes de compra i línies de comanda ApproveThisOrder=Aprovar aquesta comanda ConfirmApproveThisOrder=Vols aprovar la comanda %s? DenyingThisOrder=Denegar aquesta comanda ConfirmDenyingThisOrder=Vols denegar la comanda %s? ConfirmCancelThisOrder=Vols cancel·lar la comanda %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 +AddSupplierOrder=Crea una comanda de compra +AddSupplierInvoice=Crea una factura de proveïdor +ListOfSupplierProductForSupplier=Llista de productes i preus del proveïdor %s +SentToSuppliers=Enviat als proveïdors +ListOfSupplierOrders=Llista de comandes de compra +MenuOrdersSupplierToBill=Comandes de compra a facturar NbDaysToDelivery=Temps d'entrega en dies DescNbDaysToDelivery=El retard més gran d'entrega dels productes d'aquesta comanda -SupplierReputation=Vendor reputation +SupplierReputation=Reputació del proveïdor DoNotOrderThisProductToThisSupplier=No demanar NotTheGoodQualitySupplier=Qualitat incorrecte ReputationForThisProduct=Reputació BuyerName=Nom del comprador AllProductServicePrices=Tots els preus de producte / servei AllProductReferencesOfSupplier=Totes les referències dels productes/serveis del proveïdor -BuyingPriceNumShort=Vendor prices +BuyingPriceNumShort=Preus del proveïdor diff --git a/htdocs/langs/ca_ES/users.lang b/htdocs/langs/ca_ES/users.lang index 01ff724fc50ee..653167b5de064 100644 --- a/htdocs/langs/ca_ES/users.lang +++ b/htdocs/langs/ca_ES/users.lang @@ -93,7 +93,7 @@ NameToCreate=Nom del tercer a crear YourRole=Els seus rols YourQuotaOfUsersIsReached=Ha arribat a la seva quota d'usuaris actius! NbOfUsers=Nº d'usuaris -NbOfPermissions=Nb of permissions +NbOfPermissions=Nº de permisos DontDowngradeSuperAdmin=Només un superadmin pot degradar un superadmin HierarchicalResponsible=Supervisor HierarchicView=Vista jeràrquica diff --git a/htdocs/langs/cs_CZ/accountancy.lang b/htdocs/langs/cs_CZ/accountancy.lang index 7801c25f32d87..998dd1116f01d 100644 --- a/htdocs/langs/cs_CZ/accountancy.lang +++ b/htdocs/langs/cs_CZ/accountancy.lang @@ -55,6 +55,7 @@ AccountancyAreaDescChartModel=STEP %s: Vytvořte model účtové osnovy z menu % AccountancyAreaDescChart=STEP %s: Vytvořte nebo zkontrolovat obsah grafu účtu z menu %s AccountancyAreaDescVat=STEP %s: Define accounting accounts for each VAT Rates. For this, use the menu entry %s. +AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. AccountancyAreaDescExpenseReport=STEP %s: Define default accounting accounts for each type of expense report. For this, use the menu entry %s. AccountancyAreaDescSal=STEP %s: Define default accounting accounts for payment of salaries. For this, use the menu entry %s. AccountancyAreaDescContrib=STEP %s: Define default accounting accounts for special expences (miscellaneous taxes). For this, use the menu entry %s. @@ -131,6 +132,7 @@ ACCOUNTING_LENGTH_GACCOUNT=Délka znaků obecných účetních účtů (Nastaví ACCOUNTING_LENGTH_AACCOUNT=Délka účtů třetích stran (Nastavíte-li zde hodnotu 6, bude účet ‚401‘ zobrazovat jako ‚401000‘) ACCOUNTING_MANAGE_ZERO=Umožňují řídit jiný počet nulu na konci účetního účtu. Zapotřebí v některých zemích (jako Švýcarsko). -Li se držet off (výchozí), můžete nastavit 2 následující parametry požádat aplikace přidat virtuální nula. BANK_DISABLE_DIRECT_INPUT=Zakázat přímé nahrávání transakce v bankovním účtu +ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Enable draft export on journal ACCOUNTING_SELL_JOURNAL=Prodejní deník ACCOUNTING_PURCHASE_JOURNAL=Nákupní deník diff --git a/htdocs/langs/cs_CZ/admin.lang b/htdocs/langs/cs_CZ/admin.lang index b8c56d8ce2ba1..7e3d67f2e0628 100644 --- a/htdocs/langs/cs_CZ/admin.lang +++ b/htdocs/langs/cs_CZ/admin.lang @@ -454,7 +454,7 @@ ModuleCompanyCodeDigitaria=Accounting code depends on third party code. The code Use3StepsApproval=Ve výchozím nastavení musí být nákupní objednávky vytvořeny a schváleny dvěma různými uživateli (jeden krok / uživatel k vytvoření a jeden krok / uživatel ke schválení. Všimněte si, že pokud má uživatel oprávnění k vytvoření a schválení, stačí jeden krok / uživatel) . Touto volbou můžete požádat o zavedení třetího schvalovacího kroku / schválení uživatele, pokud je částka vyšší než určená hodnota (potřebujete tedy 3 kroky: 1 = ověření, 2 = první schválení a 3 = druhé schválení, pokud je dostatečné množství).
Pokud je zapotřebí jedno schvalování (2 kroky), nastavte jej na velmi malou hodnotu (0,1), pokud je vždy požadováno druhé schválení (3 kroky). UseDoubleApproval=Použijte schválení 3 kroky, kdy částka (bez DPH) je vyšší než ... WarningPHPMail=WARNING: It is often better to setup outgoing emails to use the email server of your provider instead of the default setup. Some email providers (like Yahoo) does not allow you to send an email from another server than their own server. Your current setup use 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 a server of them, so few of your sent Emails may not be accepted (be carefull also to your email provider sending quota).
If your Email provider (like Yahoo) has this restriction, you must change Email setup to choose the other method "SMTP server" and enter the SMTP server and credentials provided by your Email provider (ask your EMail provider to get SMTP credentials for your account). -WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of your ERP CRM application: %s. +WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of the mail user agent (MUA) for your ERP CRM application: %s. ClickToShowDescription=Kliknutím zobrazíte popis DependsOn=Tento modul je třeba modul (y) RequiredBy=Tento modul je vyžadováno modulu (modulů) @@ -497,7 +497,7 @@ Module25Desc=Zákazníka řízení Module30Name=Faktury Module30Desc=Faktura a dobropis řízení pro zákazníky. Faktura řízení pro dodavatele Module40Name=Dodavatelé -Module40Desc=Dodavatel řízení a nákupu (objednávky a faktury) +Module40Desc=Suppliers and purchase management (purchase orders and billing) Module42Name=Debug Logs Module42Desc=Logging facilities (file, syslog, ...). Such logs are for technical/debug purposes. Module49Name=Redakce @@ -605,7 +605,7 @@ Module4000Desc=Human resources management (management of department, employee co Module5000Name=Multi-společnost Module5000Desc=Umožňuje spravovat více společností Module6000Name=Workflow -Module6000Desc=Workflow management +Module6000Desc=Workflow management (automatic creation of object and/or automatic status change) Module10000Name=Webové stránky Module10000Desc=Create public websites with a WYSIWG editor. Just setup your web server (Apache, Nginx, ...) to point to the dedicated Dolibarr directory to have it online on the Internet with your own domain name. Module20000Name=Nechte řízení požadavků @@ -891,7 +891,7 @@ DictionaryCivility=Osobní a profesionální tituly DictionaryActions=Typ agendy událostí DictionarySocialContributions=Typy sociální nebo fiskální daně DictionaryVAT=Sazby DPH nebo daň z prodeje -DictionaryRevenueStamp=Výše příjmů známek +DictionaryRevenueStamp=Amount of tax stamps DictionaryPaymentConditions=Platební podmínky DictionaryPaymentModes=Platební režimy DictionaryTypeContact=Typy kontaktů/adres @@ -919,7 +919,7 @@ SetupSaved=Nastavení uloženo SetupNotSaved=Setup not saved BackToModuleList=Zpět na seznam modulů BackToDictionaryList=Zpět k seznamu slovníků -TypeOfRevenueStamp=Type of revenue stamp +TypeOfRevenueStamp=Type of tax stamp VATManagement=DPH řízení VATIsUsedDesc=Ve výchozím nastavení při vytváření vyhlídky, faktury, objednávky atd sazba DPH se řídí pravidlem aktivní standardní:.
Je-li prodávající nepodléhá dani z přidané hodnoty, pak výchozí DPH na 0. Konec vlády
li (prodejní země = kupovat zemi), pak se DPH standardně rovná DPH výrobku v prodejním zemi. Konec pravidla.
Pokud prodávající a kupující jsou oba v Evropském společenství a zboží přepravní zařízení (auto, loď, letadlo), výchozí DPH je 0 (DPH by měla být hradí kupující na customoffice své země, a nikoli na prodávající). Konec pravidla.
Pokud prodávající a kupující jsou oba v Evropském společenství a kupující není společnost, pak se DPH prodlením k DPH z prodaného produktu. Konec pravidla.
Pokud prodávající a kupující jsou oba v Evropském společenství a kupujícím je společnost, pak je daň 0 ve výchozím nastavení. Konec pravidla.
V každém čiš případě navrhované default je DPH = 0. Konec pravidla. VATIsNotUsedDesc=Ve výchozím nastavení je navrhovaná DPH 0, který lze použít v případech, jako je sdružení jednotlivců ou malých podniků. @@ -1027,7 +1027,7 @@ Delays_MAIN_DELAY_ACTIONS_TODO=Tolerance zpoždění (ve dnech) před záznamem Delays_MAIN_DELAY_PROJECT_TO_CLOSE=Tolerance zpoždění (ve dnech) před záznam o projektu není uzavřeno v čase Delays_MAIN_DELAY_TASKS_TODO=Zpozdit toleranci (ve dnech) před záznamem o plánovaných úkolů (projektové úkoly) dosud nebyly dokončeny Delays_MAIN_DELAY_ORDERS_TO_PROCESS=Tolerance zpoždění (ve dnech) před záznamem na objednávkách dosud nezpracovaných -Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Tolerance zpoždění (ve dnech) před záznamem na dodavatele zakázky dosud nezpracovaných +Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on purchase orders not processed yet Delays_MAIN_DELAY_PROPALS_TO_CLOSE=Zpoždění tolerance (ve dnech) před záznam o návrzích zavřete Delays_MAIN_DELAY_PROPALS_TO_BILL=Zpoždění tolerance (ve dnech) před záznam o návrzích účtovány Delays_MAIN_DELAY_NOT_ACTIVATED_SERVICES=Tolerance zpoždění (ve dnech) před záznam o službách aktivovat @@ -1458,7 +1458,7 @@ SyslogFilename=Název souboru a cesta YouCanUseDOL_DATA_ROOT=Můžete použít DOL_DATA_ROOT / dolibarr.log pro soubor protokolu Dolibarr "Dokumenty" adresáře. Můžete nastavit jinou cestu k uložení tohoto souboru. ErrorUnknownSyslogConstant=Konstantní %s není známo, Syslog konstantní OnlyWindowsLOG_USER=Windows podporuje pouze LOG_USER -CompressSyslogs=Syslog files compression and backup +CompressSyslogs=Compression and backup of debug log files (generated by module Log for debug) SyslogFileNumberOfSaves=Log backups ConfigureCleaningCronjobToSetFrequencyOfSaves=Configure cleaning scheduled job to set log backup frequency ##### Donations ##### diff --git a/htdocs/langs/cs_CZ/banks.lang b/htdocs/langs/cs_CZ/banks.lang index 5a0a3f9f321ff..4137ec59e8773 100644 --- a/htdocs/langs/cs_CZ/banks.lang +++ b/htdocs/langs/cs_CZ/banks.lang @@ -1,12 +1,13 @@ # Dolibarr language file - Source file is en_US - banks Bank=Banka -MenuBankCash=Banka/Peníze +MenuBankCash=Bank | Cash MenuVariousPayment=Miscellaneous payments MenuNewVariousPayment=New Miscellaneous payment BankName=Název banky FinancialAccount=Účet BankAccount=Bankovní účet BankAccounts=Bankovní účty +BankAccountsAndGateways=Bank accounts | Gateways ShowAccount=Ukázat účet AccountRef=Finanční účet ref AccountLabel=Štítek finančního účtu @@ -131,7 +132,7 @@ PaymentDateUpdateSucceeded=Payment date updated successfully PaymentDateUpdateFailed=Datum platby nelze aktualizovat Transactions=Transakce BankTransactionLine=Bank entry -AllAccounts=Všechny bankovní/peněžní účty +AllAccounts=All bank and cash accounts BackToAccount=Zpět na účet ShowAllAccounts=Zobrazit pro všechny účty FutureTransaction=Transakce v budoucnosti. Žádný způsob, jak porovnat. @@ -159,5 +160,6 @@ VariousPayment=Miscellaneous payments VariousPayments=Miscellaneous payments ShowVariousPayment=Show miscellaneous payments AddVariousPayment=Add miscellaneous payments +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. Thanks to return it signed (scan of the signed document) or sent it by mail to diff --git a/htdocs/langs/cs_CZ/bills.lang b/htdocs/langs/cs_CZ/bills.lang index 9c7173061e681..0f36ffaeb7b47 100644 --- a/htdocs/langs/cs_CZ/bills.lang +++ b/htdocs/langs/cs_CZ/bills.lang @@ -110,8 +110,8 @@ SendRemindByMail=Poslat upomínku e-mailem DoPayment=zadat platbu DoPaymentBack=Vraťte platbu ConvertToReduc=Mark as credit available -ConvertExcessReceivedToReduc=Převést přebytek dostal do budoucnosti slevou -ConvertExcessPaidToReduc=Convert excess paid into future discount +ConvertExcessReceivedToReduc=Convert excess received into available credit +ConvertExcessPaidToReduc=Convert excess paid into available discount EnterPaymentReceivedFromCustomer=Zadejte platbu obdrženoou od zákazníka EnterPaymentDueToCustomer=Provést platbu pro zákazníka DisabledBecauseRemainderToPayIsZero=Zakázáno, protože zbývající nezaplacená částka je nula @@ -282,6 +282,7 @@ RelativeDiscount=Relativní sleva GlobalDiscount=Globální sleva CreditNote=Dobropis CreditNotes=Dobropisy +CreditNotesOrExcessReceived=Credit notes or excess received Deposit=Záloha Deposits=Zálohy DiscountFromCreditNote=Sleva z %s dobropisu @@ -393,6 +394,7 @@ PaymentConditionShort14DENDMONTH=14 dní konci měsíce PaymentCondition14DENDMONTH=Do 14 dnů po skončení měsíce, FixAmount=Pevné množství VarAmount=Variabilní částka (%% celk.) +VarAmountOneLine=Variable amount (%% tot.) - 1 line with label '%s' # PaymentType PaymentTypeVIR=Bankovní převod PaymentTypeShortVIR=Bankovní převod diff --git a/htdocs/langs/cs_CZ/compta.lang b/htdocs/langs/cs_CZ/compta.lang index 0088303fe4aa7..7a52fcbf765bb 100644 --- a/htdocs/langs/cs_CZ/compta.lang +++ b/htdocs/langs/cs_CZ/compta.lang @@ -19,7 +19,8 @@ Income=Příjem Outcome=Výdaj MenuReportInOut=Výnosy/náklady ReportInOut=Balance of income and expenses -ReportTurnover=Obrat +ReportTurnover=Turnover invoiced +ReportTurnoverCollected=Turnover collected PaymentsNotLinkedToInvoice=Platby nepropojené s jakoukoli fakturu, takže nejsou spojeny k žádné třetí straně PaymentsNotLinkedToUser=Platby nepropojené s libovolným uživatelem Profit=Zisk @@ -77,7 +78,7 @@ MenuNewSocialContribution=Nová sociální / fiskální daň NewSocialContribution=Nová sociální / fiskální daň AddSocialContribution=Přidejte sociální / fiskální daň ContributionsToPay=Sociální / daně za náhradu -AccountancyTreasuryArea=Oblast Účetnictví/Pokladna +AccountancyTreasuryArea=Billing and payment area NewPayment=Nová platba Payments=Platby PaymentCustomerInvoice=Platba zákaznické faktury @@ -105,6 +106,7 @@ VATPayment=Prodejní daň platba VATPayments=Daň z prodeje platby VATRefund=Vrácení daně z prodeje NewVATPayment=New sales tax payment +NewLocalTaxPayment=New tax %s payment Refund=Vrácení SocialContributionsPayments=Sociální / platby daně za ShowVatPayment=Zobrazit platbu DPH @@ -116,8 +118,9 @@ CustomerAccountancyCodeShort=Cust. účet. kód SupplierAccountancyCodeShort=Sup. účet. kód AccountNumber=Číslo účtu NewAccountingAccount=Nový účet -SalesTurnover=Obrat -SalesTurnoverMinimum=Minimální obrat z prodeje +Turnover=Turnover invoiced +TurnoverCollected=Turnover collected +SalesTurnoverMinimum=Minimum turnover ByExpenseIncome=Podle nákladů & příjmy ByThirdParties=Třetími stranami ByUserAuthorOfInvoice=Fakturu vystavil @@ -137,8 +140,8 @@ 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=Režim %sPohledávky-závazky%s zobrazí Závazky účetnictví. -CalcModeEngagement=Režim %sPříjmy-Výdaje%s zobrazí hotovostní účetnictví +CalcModeDebt=Analysis of known recorded invoices 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 na zákaznické faktury - dodavatelské faktury%s CalcModeLT1Debt=Mod %sRE na zákaznické faktury%s @@ -151,9 +154,9 @@ AnnualSummaryInputOutputMode=Bilance příjmů a výdajů, roční shrnutí 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=Viz zpráva %s Příjmy-Výdaje %s řekl hotovostní účetnictví pro výpočet na skutečných platbách -SeeReportInDueDebtMode=Viz zpráva %s Pohledávky-Závazky %s řekl účtování závazků pro výpočet na vystavených fakturách -SeeReportInBookkeepingMode=See report %sBookeeping%s for a calculation on bookkeeping table analysis +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 RulesAmountWithTaxIncluded=- Uvedené částky jsou se všemi daněmi RulesResultDue=- To zahrnuje neuhrazené faktury, výdaje a DPH, zda byly zaplaceny či nikoliv.
- Je založen na ověřených datech faktur a DPH a ke dni splatnosti pro náklady. Platy definované s plat modulem, použije se datum splatnosti 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í. @@ -218,8 +221,8 @@ Mode1=Metoda 1 Mode2=Metoda 2 CalculationRuleDesc=Chcete-li vypočítat celkovou částku DPH, jsou k dispozici dvě metody:
Metoda 1 je zaokrouhlení DPH na každém řádku, částky se sečtou.
Metoda 2 je součtem všech sum na každém řádku, pak se výsledek zaokrouhlí.
Konečný výsledek může se liší od několika haléřů. Výchozí režim je režim %s. CalculationRuleDescSupplier=podle dodavatele zvolte vhodnou metodu použití stejného pravidla pro výpočet a dostanete stejný výsledek, který očekáváte od svého dodavatele. -TurnoverPerProductInCommitmentAccountingNotRelevant=The Turnover report per product, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). -TurnoverPerSaleTaxRateInCommitmentAccountingNotRelevant=The Turnover report per sale tax rate, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). +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. CalculationMode=Výpočetní režim AccountancyJournal=Accounting code journal ACCOUNTING_VAT_SOLD_ACCOUNT=Accounting account by default for VAT on sales (used if not defined on VAT dictionary setup) @@ -251,5 +254,6 @@ VATDue=Sale tax claimed ClaimedForThisPeriod=Claimed for the period PaidDuringThisPeriod=Paid during this period ByVatRate=By sale tax rate -TurnoverbyVatrate=Turnover by sale tax rate +TurnoverbyVatrate=Turnover invoiced by sale tax rate +TurnoverCollectedbyVatrate=Turnover collected by sale tax rate PurchasebyVatrate=Purchase by sale tax rate diff --git a/htdocs/langs/cs_CZ/install.lang b/htdocs/langs/cs_CZ/install.lang index 4c835c67ad8df..0b57a2b96c9f8 100644 --- a/htdocs/langs/cs_CZ/install.lang +++ b/htdocs/langs/cs_CZ/install.lang @@ -204,3 +204,7 @@ MigrationResetBlockedLog=Reset module BlockedLog for v7 algorithm ShowNotAvailableOptions=Ukázat nedostupné možnosti HideNotAvailableOptions=Skrýt nedostupné možnosti ErrorFoundDuringMigration=Error were reported during migration process so next step is not available. To ignore errors, you can click here, but application or some features may not work correctly until fixed. +YouTryInstallDisabledByDirLock=The application try to sefl upgrade, but install/upgrade pages have been disabled for security reason (directory renamed with .lock suffix).
+YouTryInstallDisabledByFileLock=The application try to sefl upgrade, but install/upgrade pages pages have been disabled for security reason (by lock file install.lock into dolibarr documents directory).
+ClickHereToGoToApp=Click here to go to your application +ClickOnLinkOrRemoveManualy=Click on following link and if you always reach this page, you must remove the file install.lock into documents directory manually diff --git a/htdocs/langs/cs_CZ/main.lang b/htdocs/langs/cs_CZ/main.lang index 878e439f22538..b17c1c9ab8d36 100644 --- a/htdocs/langs/cs_CZ/main.lang +++ b/htdocs/langs/cs_CZ/main.lang @@ -507,6 +507,7 @@ NoneF=Nikdo NoneOrSeveral=Žádný nebo několik Late=Pozdě LateDesc=Zpoždění se definovat, zda záznam je pozdě, nebo ne, závisí na vašem nastavení. Požádejte svého administrátora pro změnu zpoždění z menu Home - nastavení - Výstrahy. +NoItemLate=No late item Photo=Obrázek Photos=Obrázky AddPhoto=Přidat obrázek @@ -945,3 +946,5 @@ KeyboardShortcut=Keyboard shortcut AssignedTo=Přiřazeno Deletedraft=Delete draft ConfirmMassDraftDeletion=Draft Bulk delete confirmation +FileSharedViaALink=File shared via a link + diff --git a/htdocs/langs/cs_CZ/modulebuilder.lang b/htdocs/langs/cs_CZ/modulebuilder.lang index a3fee23cb53b5..9d6661eda41d6 100644 --- a/htdocs/langs/cs_CZ/modulebuilder.lang +++ b/htdocs/langs/cs_CZ/modulebuilder.lang @@ -74,6 +74,7 @@ NoWidget=No widget GoToApiExplorer=Go to API explorer ListOfMenusEntries=List of menu entries ListOfPermissionsDefined=List of defined permissions +SeeExamples=See examples here EnabledDesc=Condition to have this field active (Examples: 1 or $conf->global->MYMODULE_MYOPTION) VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only. Using a negative value means field is not shown by default on list but can be selected for viewing) IsAMeasureDesc=Can the value of field be cumulated to get a total into list ? (Examples: 1 or 0) @@ -95,3 +96,6 @@ DropTableIfEmpty=(Delete table if empty) TableDoesNotExists=The table %s does not exists TableDropped=Table %s deleted InitStructureFromExistingTable=Build the structure array string of an existing table +UseAboutPage=Disallow the about page +UseDocFolder=Disallow the documentation folder +UseSpecificReadme=Use a specific ReadMe diff --git a/htdocs/langs/cs_CZ/other.lang b/htdocs/langs/cs_CZ/other.lang index ed2564d6c8f23..376ae1c207e5f 100644 --- a/htdocs/langs/cs_CZ/other.lang +++ b/htdocs/langs/cs_CZ/other.lang @@ -80,8 +80,8 @@ LinkedObject=Propojený objekt NbOfActiveNotifications=Počet hlášení (několik z příjemců e-mailů) PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe two lines are separated by a carriage return.\n\n__USER_SIGNATURE__ PredefinedMailTestHtml=__(Hello)__\nThis is a test mail (the word test must be in bold).
The two lines are separated by a carriage return.

__USER_SIGNATURE__ -PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\nThis is the link to make your online payment if this invoice is not already payed:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\nThis is the link to make your online payment:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendProposal=__(Hello)__\n\nYou will find here the commercial proposal __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendSupplierProposal=__(Hello)__\n\nYou will find here the price request __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendOrder=__(Hello)__\n\nYou will find here the order __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ @@ -91,6 +91,7 @@ PredefinedMailContentSendShipping=__(Hello)__\n\nYou will find here the shipping PredefinedMailContentSendFichInter=__(Hello)__\n\nYou will find here the intervention __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentThirdparty=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentUser=__(Hello)__\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 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 modul) @@ -218,7 +219,7 @@ FileIsTooBig=Soubor je příliš velký PleaseBePatient=Prosím o chvilku strpení ... dřu jako kůň .... NewPassword=New password ResetPassword=Reset password -RequestToResetPasswordReceived=A request to change your password has been received +RequestToResetPasswordReceived=A request to change your password has been received. NewKeyIs=To je vaše nové heslo k přihlášení NewKeyWillBe=Vaše nové heslo pro přihlášení do softwaru bude ClickHereToGoTo=Klikněte zde pro přechod na %s diff --git a/htdocs/langs/cs_CZ/paypal.lang b/htdocs/langs/cs_CZ/paypal.lang index ae8a2652acb30..a5a590a25902a 100644 --- a/htdocs/langs/cs_CZ/paypal.lang +++ b/htdocs/langs/cs_CZ/paypal.lang @@ -14,7 +14,6 @@ PaypalModeOnlyPaypal=Pouze PayPal ONLINE_PAYMENT_CSS_URL=Optionnal URL of CSS style sheet on online payment page ThisIsTransactionId=Toto je id transakce: %s PAYPAL_ADD_PAYMENT_URL=Přidat URL platby PayPal při odeslání dokumentu e-mailem -PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.

%s

YouAreCurrentlyInSandboxMode=You are currently in the %s "sandbox" mode NewOnlinePaymentReceived=New online payment received NewOnlinePaymentFailed=New online payment tried but failed diff --git a/htdocs/langs/cs_CZ/products.lang b/htdocs/langs/cs_CZ/products.lang index ca054b79b05ff..7d4bdea6df69c 100644 --- a/htdocs/langs/cs_CZ/products.lang +++ b/htdocs/langs/cs_CZ/products.lang @@ -251,8 +251,8 @@ PriceNumeric=Číslo DefaultPrice=Výchozí cena ComposedProductIncDecStock=Zvýšit/snížit zásoby na výchozí změny ComposedProduct=Subprodukt -MinSupplierPrice=Minimální dodavatelská cena -MinCustomerPrice=Minimální zákaznická cena +MinSupplierPrice=Minimální nákupní cena +MinCustomerPrice=Minimum selling price DynamicPriceConfiguration=Dynamická konfigurace cen DynamicPriceDesc=On product card, with this module enabled, you should be able to set mathematic functions to calculate Customer or Supplier prices. Such function can use all mathematic operators, some constants and variables. You can set here the variables you want to be able to use and if the variable need an automatic update, the external URL to use to ask Dolibarr to update automaticaly the value. AddVariable=Přidat proměnnou diff --git a/htdocs/langs/cs_CZ/propal.lang b/htdocs/langs/cs_CZ/propal.lang index 3b71bb95eb194..0160f9b373178 100644 --- a/htdocs/langs/cs_CZ/propal.lang +++ b/htdocs/langs/cs_CZ/propal.lang @@ -75,6 +75,7 @@ AvailabilityTypeAV_1M=1 měsíc TypeContact_propal_internal_SALESREPFOLL=Zástupce následující vypracované nabídky TypeContact_propal_external_BILLING=Fakturační kontakt zákazníka TypeContact_propal_external_CUSTOMER=Kontakt se zákazníkem pro následující vypracované nabídky +TypeContact_propal_external_SHIPPING=Customer contact for delivery # Document models DocModelAzurDescription=Kompletní šablona nabídky (logo. ..) DefaultModelPropalCreate=Tvorba z výchozí šablony diff --git a/htdocs/langs/cs_CZ/sendings.lang b/htdocs/langs/cs_CZ/sendings.lang index 260db859ee94d..3ae42e4b7cad7 100644 --- a/htdocs/langs/cs_CZ/sendings.lang +++ b/htdocs/langs/cs_CZ/sendings.lang @@ -52,8 +52,8 @@ ActionsOnShipping=Události zásilky LinkToTrackYourPackage=Odkaz pro sledování balíku ShipmentCreationIsDoneFromOrder=Pro tuto chvíli, je vytvoření nové zásilky provedeno z objednávkové karty. ShipmentLine=Řádek zásilky -ProductQtyInCustomersOrdersRunning=Product quantity into open customers orders -ProductQtyInSuppliersOrdersRunning=Product quantity into open suppliers orders +ProductQtyInCustomersOrdersRunning=Product quantity into open customer orders +ProductQtyInSuppliersOrdersRunning=Product quantity into open purchase orders ProductQtyInShipmentAlreadySent=Product quantity from open customer order already sent ProductQtyInSuppliersShipmentAlreadyRecevied=Product quantity from open supplier order already received NoProductToShipFoundIntoStock=No product to ship found into warehouse %s. Correct stock or go back to choose another warehouse. diff --git a/htdocs/langs/cs_CZ/stocks.lang b/htdocs/langs/cs_CZ/stocks.lang index 9d49052648f74..00318bab9a949 100644 --- a/htdocs/langs/cs_CZ/stocks.lang +++ b/htdocs/langs/cs_CZ/stocks.lang @@ -67,7 +67,7 @@ DeStockOnValidateOrder=Pokles reálné zásoby na objednávky zákazníků valid DeStockOnShipment=Pokles reálné zásoby na odeslání potvrzení DeStockOnShipmentOnClosing=Snížit skutečné zásoby na klasifikaci doprava zavřeno ReStockOnBill=Zvýšení reálné zásoby na dodavatele faktur/dobropisů validace -ReStockOnValidateOrder=Zvýšení reálné zásoby na dodavatele objednávek schválení +ReStockOnValidateOrder=Increase real stocks on purchase orders approbation ReStockOnDispatchOrder=Zvýšení skutečné zásoby na ručním odesláním do skladu poté, co dodavatel přijetí objednávky zboží OrderStatusNotReadyToDispatch=Objednávka ještě není, nebo nastavení statusu, který umožňuje zasílání výrobků na skladě. StockDiffPhysicTeoric=Vysvětlení rozdílu mezi fyzickým a teoretickým skladem @@ -203,4 +203,4 @@ RegulateStock=Regulate Stock ListInventory=Seznam StockSupportServices=Stock management support services StockSupportServicesDesc=By default, you can stock only product with type "product". If on, and if module service is on, you can also stock a product with type "service" -ReceiveProducts=Receive products +ReceiveProducts=Receive items diff --git a/htdocs/langs/cs_CZ/users.lang b/htdocs/langs/cs_CZ/users.lang index d8058bf0f55b8..9e3f63efba9b5 100644 --- a/htdocs/langs/cs_CZ/users.lang +++ b/htdocs/langs/cs_CZ/users.lang @@ -48,7 +48,7 @@ PasswordChangeRequest=Request to change password for %s PasswordChangeRequestSent=Žádost o změnu hesla %s zaslána na %s. ConfirmPasswordReset=Confirm password reset MenuUsersAndGroups=Uživatelé a skupiny -LastGroupsCreated=Posledních %s vytvořených skupin +LastGroupsCreated=Latest %s groups created LastUsersCreated=Posledních %s vytvořených uživatelů ShowGroup=Zobrazit skupinu ShowUser=Zobrazit uživatele diff --git a/htdocs/langs/da_DK/accountancy.lang b/htdocs/langs/da_DK/accountancy.lang index 48075c0476c9a..f55dca57c2e36 100644 --- a/htdocs/langs/da_DK/accountancy.lang +++ b/htdocs/langs/da_DK/accountancy.lang @@ -40,11 +40,11 @@ AccountWithNonZeroValues=Konti med ikke-nul-værdier ListOfAccounts=Liste over konti MainAccountForCustomersNotDefined=Standardkonto for kunder, der ikke er defineret i opsætningen -MainAccountForSuppliersNotDefined=Main accounting account for vendors not defined in setup +MainAccountForSuppliersNotDefined=Hoved kontokort for leverandører, der ikke er defineret i opsætningen MainAccountForUsersNotDefined=Standardkonto for brugere, der ikke er defineret i opsætningen MainAccountForVatPaymentNotDefined=Standardkonto for momsbetaling ikke defineret i opsætningen -AccountancyArea=Accounting area +AccountancyArea=Bogførings område AccountancyAreaDescIntro=Brugen af regnskabsmodulet sker i følgende trin: AccountancyAreaDescActionOnce=Følgende handlinger udføres normalt kun én gang eller en gang om året ... AccountancyAreaDescActionOnceBis=Næste skridt skal gøres for at spare tid i fremtiden, så den korrekte standardregnskabskonto foreslås, når du bogfører (skrivning i kladder og hovedbog) @@ -55,6 +55,7 @@ AccountancyAreaDescChartModel=Trin %s: Opret en kontoplan fra menu %s AccountancyAreaDescChart=Trin %s: Opret eller tjek indholdet af din kontoplan fra menu %s AccountancyAreaDescVat=Trin %s: Definer regnskabskonto for hver momssats. Til dette skal du bruge menupunktet %s. +AccountancyAreaDescDefault=TRIN %s: Definer standard regnskabskonti. Til dette skal du bruge menupunktet %s. AccountancyAreaDescExpenseReport=Trin %s: Definer standardkonti for hver type udgiftsrapport. Til dette skal du bruge menupunktet %s. AccountancyAreaDescSal=Trin %s: Definer standardkonto for betaling af lønninger. Til dette skal du bruge menupunktet %s. AccountancyAreaDescContrib=Trin %s: Definer standardkonto for særlige udgifter (diverse afgifter). Til dette skal du bruge menupunktet %s. @@ -64,7 +65,7 @@ AccountancyAreaDescLoan=Trin %s: Definer standardkonti for lån. Til dette skal AccountancyAreaDescBank=Trin %s: Definer regnskabskonto og regnskabskode for hver bank og finanskonto. Til dette skal du bruge menupunktet %s. AccountancyAreaDescProd=Trin %s: Definer regnskabskonto for dine varer/ydelser. Til dette skal du bruge menupunktet %s. -AccountancyAreaDescBind=Trin %s: Tjek bindingen mellem eksisterende linjer for %s og regnskabskonto er udført, så systemet kan bogføre transaktionerne med et enkelt klik. Færdiggør manglende bindinger. Dette gøres via menuen %s. +AccountancyAreaDescBind=Trin %s: Tjek Bogføringer mellem eksisterende linjer for %s og regnskabskonto er udført, så systemet kan bogføre transaktionerne med et enkelt klik. Færdiggør manglende bogføringer. Dette gøres via menuen %s. AccountancyAreaDescWriteRecords=Trin %s: Bogfør transaktioner. Dette gøres via menuen %s, ved at klikke på knapen %s. AccountancyAreaDescAnalyze=Trin %s: Tilføj eller rediger eksisterende transaktioner og generer rapporter og eksport af data. @@ -88,10 +89,10 @@ MenuExpenseReportAccounts=Rapporter for udgiftskladder MenuLoanAccounts=Lånekonti MenuProductsAccounts=Varekonti ProductsBinding=Varekonti -Ventilation=Bind til konto -CustomersVentilation=Bind kundefaktura -SuppliersVentilation=Vendor invoice binding -ExpenseReportsVentilation=Bind udgiftsrapport +Ventilation=Bogfør til konti +CustomersVentilation=Bogfør Kundefaktura +SuppliersVentilation=Bogfør Leverandørfaktura +ExpenseReportsVentilation=Bogfør Udgiftsrapport CreateMvts=Opret ny transaktion UpdateMvts=Rediger en transaktion ValidTransaction=Bekræft transaktion @@ -101,14 +102,14 @@ AccountBalance=Kontobalance ObjectsRef=Objektreference CAHTF=Leverandørkøb i alt ekskl. moms TotalExpenseReport=Rapport for samlede udgifter -InvoiceLines=Fakturalinjer, der skal bindes +InvoiceLines=Fakturalinjer, der skal bogføres InvoiceLinesDone=Fakturalinjer, der er bundet -ExpenseReportLines=Udgiftsrapportlinjer, der skal bindes +ExpenseReportLines=Udgiftsrapportlinjer, der skal bogføres ExpenseReportLinesDone=Linjer bundet til udgiftsrapporter -IntoAccount=Bind linje til regnskabskonto +IntoAccount=Bogfør linje i regnskabskonto -Ventilate=Bind +Ventilate=Bogfør LineId=Linje-ID Processing=Behandling EndProcessing=Behandling afsluttet. @@ -116,14 +117,14 @@ SelectedLines=Valgte linjer Lineofinvoice=Fakturalinjer LineOfExpenseReport=Linje for udgiftsrapport NoAccountSelected=Ingen regnskabskonto valgt -VentilatedinAccount=Bundet til regnskabskontoen +VentilatedinAccount=Bogførte regnskabskontoen 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 enheder, der skal bindes, vist på siden (maks. 50 anbefales) -ACCOUNTING_LIST_SORT_VENTILATION_TODO=Vis siden "Ubundne linjer" med de nyeste poster først -ACCOUNTING_LIST_SORT_VENTILATION_DONE=Vis siden "Bundne linjer" med de nyeste poster først +ACCOUNTING_LIMIT_LIST_VENTILATION=Antal enheder, der skal bogføres, vist på siden (maks. 50 anbefales) +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 ACCOUNTING_LENGTH_DESCRIPTION=Begræns beskrivelsen til x tegn for varer og ydelse i lister (bedst = 50) ACCOUNTING_LENGTH_DESCRIPTION_ACCOUNT=Begræns beskrivelsen til x tegn for kontoen varer og ydelse i lister (bedst = 50) @@ -131,13 +132,14 @@ ACCOUNTING_LENGTH_GACCOUNT=Længde af generelle regnskabskonti (hvis du f.eks. a ACCOUNTING_LENGTH_AACCOUNT=Længde af regnskabskonti for tredjepart (hvis du f.eks. angiver 6, vil kontoen "401" blive vist som "401000" på skærmen) ACCOUNTING_MANAGE_ZERO=Håndter efterstillede nuller for regnskabskonti. Dette er et krav i visse lande (f.eks. Schweiz). Når denne indstilling er slået fra, kan du udfylde de to efterfølgende parametre, så systemet automatisk tilføjer nuller. BANK_DISABLE_DIRECT_INPUT=Deaktiver direkte registrering af transaktionen på bankkonto +ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Aktivér udkast til eksport på Journal ACCOUNTING_SELL_JOURNAL=Salgskladde ACCOUNTING_PURCHASE_JOURNAL=Indkøbskladde ACCOUNTING_MISCELLANEOUS_JOURNAL=Diversekladde ACCOUNTING_EXPENSEREPORT_JOURNAL=Udgiftskladde ACCOUNTING_SOCIAL_JOURNAL=Kladde for skat/afgift -ACCOUNTING_HAS_NEW_JOURNAL=Has new Journal +ACCOUNTING_HAS_NEW_JOURNAL=Ny Journal ACCOUNTING_ACCOUNT_TRANSFER_CASH=Regnskabskonto for overførsel ACCOUNTING_ACCOUNT_SUSPENSE=Regnskabskonto for afventning @@ -152,7 +154,7 @@ Doctype=Dokumenttype Docdate=Dato Docref=Reference LabelAccount=Kontonavn -LabelOperation=Label operation +LabelOperation=Bilagstekst Sens=Sens Codejournal=Kladde NumPiece=Partsnummer @@ -180,19 +182,19 @@ ProductAccountNotDefined=Varekonto ikke defineret FeeAccountNotDefined=Konto for gebyr ikke defineret BankAccountNotDefined=Bankkonto ikke defineret CustomerInvoicePayment=Betaling af kundefaktura -ThirdPartyAccount=Third party account +ThirdPartyAccount=Tredjepartskonto NewAccountingMvt=Ny transaktion NumMvts=Antal transaktioner ListeMvts=Liste over bevægelser ErrorDebitCredit=Debet og kredit kan ikke have en værdi på samme tid AddCompteFromBK=Tilføj regnskabskonto til gruppen ReportThirdParty=Liste over tredjepartskonto -DescThirdPartyReport=Consult here the list of the third party customers and vendors and their accounting accounts +DescThirdPartyReport=Se her listen over tredjepartskunder og -leverandører og deres regnskabskonti ListAccounts=Liste over regnskabskonti UnknownAccountForThirdparty=Ukendt tredjepartskonto. Vi vil bruge %s UnknownAccountForThirdpartyBlocking=Ukendt tredjepartskonto. Blokerende fejl UnknownAccountForThirdpartyAndWaitingAccountNotDefinedBlocking=Ukendt tredjepartskonto og ventekonto ikke defineret. Blokeringsfejl -PaymentsNotLinkedToProduct=Payment not linked to any product / service +PaymentsNotLinkedToProduct=Betaling er ikke knyttet til noget produkt / tjeneste Pcgtype=Kontoens gruppe Pcgsubtype=Kontoens undergruppe @@ -202,29 +204,29 @@ TotalVente=Samlet omsætning ekskl. moms TotalMarge=Samlet salgsforskel DescVentilCustomer=Her findes listen over kundefakturalinjer, der er bundet (eller ikke) til en varekonto -DescVentilMore=I de fleste tilfælde, hvis du bruger foruddefinerede varer eller ydelser, og der er tilknyttet et kontonummer til varen/ydelsen, vil systemet kunne foretage hele bindingen mellem dine fakturaer og kontoen fra din kontoplan, med bare et enkelt klik på knappen "%s". Hvis der ikke er tilknyttet en konto til varen/ydelsen, eller hvis du stadig har nogle linjer, der ikke er bundet til en konto, bliver du nødt til at binde manuelt fra menuen "%s". +DescVentilMore=I de fleste tilfælde, hvis du bruger foruddefinerede varer eller ydelser, og der er tilknyttet et kontonummer til varen/ydelsen, vil systemet kunne foretage hele bogføringen mellem dine fakturaer og kontoen fra din kontoplan, med bare et enkelt klik på knappen "%s". Hvis der ikke er tilknyttet en konto til varen/ydelsen, eller hvis du stadig har nogle linjer, der ikke er bundet til en konto, bliver du nødt til at bogføre manuelt fra menuen "%s". DescVentilDoneCustomer=Her findes list over fakturalinjer bundet til kunder og deres varekonti -DescVentilTodoCustomer=Bind fakturaer, der ikke allerede er bundet til en varekonto +DescVentilTodoCustomer=Bogfør fakturaer, der ikke allerede er bogført til en varekonto ChangeAccount=Skift regnskabskonto for vare/ydelse for valgte linjer med følgende regnskabskonto: Vide=- -DescVentilSupplier=Consult here the list of vendor invoice lines bound or not yet bound to a product accounting account -DescVentilDoneSupplier=Consult here the list of the lines of invoices vendors and their accounting account -DescVentilTodoExpenseReport=Bind udgiftsrapportlinjer, der ikke allerede er bundet, til en gebyrkonto +DescVentilSupplier=Se her listen over leverandørfaktura linjer, der er bundet eller endnu ikke bundet til en produkt regnskabskonto +DescVentilDoneSupplier=Se her listen over linjerne for faktura, leverandører og deres regnskabskonto +DescVentilTodoExpenseReport=Bogfør udgiftsrapportlinjer, der ikke allerede er bogført, til en gebyrkonto DescVentilExpenseReport=Her vises listen over udgiftsrapporter linjer bundet (eller ej) til en gebyrkonto -DescVentilExpenseReportMore=Hvis du angiver en regnskabskonto for typen af linjer i udgiftsrapporter, kan systemet udføre bindingen mellem linjerne i din udgiftsrapport og kontoen fra kontoplanen med bare et enkelt klik på knappen "%s". Hvis en linje ikke kunne tilknyttes en konto automatisk, bliver du nødt til at binde manuelt fra menuen "%s". +DescVentilExpenseReportMore=Hvis du angiver en regnskabskonto for typen af linjer i udgiftsrapporter, kan systemet udføre bogføring mellem linjerne i din udgiftsrapport og kontoen fra kontoplanen med bare et enkelt klik på knappen "%s". Hvis en linje ikke kunne tilknyttes en konto automatisk, bliver du nødt til at bogføre manuelt fra menuen "%s". DescVentilDoneExpenseReport=Her vises listen over linjerne for udgiftsrapporter og deres gebyrkonto -ValidateHistory=Bind automatisk -AutomaticBindingDone=Automatisk bundet +ValidateHistory=Automatisk Bogføring +AutomaticBindingDone=Automatisk Bogføring ErrorAccountancyCodeIsAlreadyUse=Fejl. Du kan ikke slette denne regnskabskonto, fordi den er i brug -MvtNotCorrectlyBalanced=Movement not correctly balanced. Debit = %s | Credit = %s -FicheVentilation=Oversigt over bindinger +MvtNotCorrectlyBalanced=Bevægelsen er ikke korrekt afbalanceret. Debet = %s | Kredit = %s +FicheVentilation=Bogførings Oversigt GeneralLedgerIsWritten=Transaktionerne er blevet bogført -GeneralLedgerSomeRecordWasNotRecorded=Some of the transactions could not be journalized. If there is no other error message, this is probably because they were already journalized. +GeneralLedgerSomeRecordWasNotRecorded=Nogle af transaktionerne kunne ikke journaliseres. Hvis der ikke er nogen anden fejlmeddelelse, er det sandsynligvis fordi de allerede var journaliseret. NoNewRecordSaved=Ikke flere post til bogføre ListOfProductsWithoutAccountingAccount=Liste over varer, der ikke er bundet til nogen regnskabskonto -ChangeBinding=Ret binding +ChangeBinding=Ret Bogføring Accounted=Regnskab i hovedbog NotYetAccounted=Endnu ikke indregnet i hovedbog @@ -237,7 +239,7 @@ AccountingJournal=Kontokladde NewAccountingJournal=Ny kontokladde ShowAccoutingJournal=Vis kontokladde Nature=Natur -AccountingJournalType1=Miscellaneous operations +AccountingJournalType1=Diverse operationer AccountingJournalType2=Salg AccountingJournalType3=Køb AccountingJournalType4=Bank @@ -245,7 +247,7 @@ AccountingJournalType5=Udgiftsrapport AccountingJournalType8=Beholdning AccountingJournalType9=Har-nyt ErrorAccountingJournalIsAlreadyUse=Denne kladde er allerede i brug -AccountingAccountForSalesTaxAreDefinedInto=Note: Accounting account for Sales tax are defined into menu %s - %s +AccountingAccountForSalesTaxAreDefinedInto=Bemærk: Regnskabskonto for moms er defineret i menuen %s - %s ## Export ExportDraftJournal=Eksporter udkast til kladde @@ -273,7 +275,7 @@ OptionModeProductBuy=Køb OptionModeProductSellDesc=Vis alle varer med salgskonto. OptionModeProductBuyDesc=Vis alle varer med købskonto. CleanFixHistory=Fjern regnskabskode fra linjer, der ikke eksisterer som posteringer på konto -CleanHistory=Nulstil alle bindinger for det valgte år +CleanHistory=Nulstil alle bogføringer for det valgte år PredefinedGroups=Foruddefinerede grupper WithoutValidAccount=Uden gyldig tildelt konto WithValidAccount=Med gyldig tildelt konto @@ -287,18 +289,18 @@ Formula=Formel ## Error SomeMandatoryStepsOfSetupWereNotDone=Visse obligatoriske trin i opsætningen blev ikke udført. Gør venligst dette ErrorNoAccountingCategoryForThisCountry=Ingen regnskabskontogruppe tilgængelig for land %s (Se Hjem - Opsætning - Ordbøger) -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=Some lines on invoice are not bound to accounting account. +ErrorInvoiceContainsLinesNotYetBounded=Du forsøger at bogføre nogle linjer i fakturaen %s , men nogle andre linjer er endnu ikke forbundet til en regnskabskonto. Bogføring af alle varelinjer for denne faktura nægtes. +ErrorInvoiceContainsLinesNotYetBoundedShort=Nogle linjer på fakturaen er ikke forbundet til en regnskabskonto. ExportNotSupported=Det valgte eksportformat understøttes ikke på denne side BookeppingLineAlreayExists=Linjer findes allerede i bogføringen NoJournalDefined=Ingen kladde defineret Binded=Bundne linjer -ToBind=Ubundne linjer +ToBind=Ikke Bogført UseMenuToSetBindindManualy=Auto detektion ikke muligt, brug menuen %s for at gøre bogføringen manuelt ## Import -ImportAccountingEntries=Accounting entries +ImportAccountingEntries=Regnskabsposter WarningReportNotReliable=Advarsel, denne rapport er ikke baseret på hovedbogen, så den indeholder ikke transaktioner der er ændret manuelt i hovedbogen. Hvis din kladde er opdateret, bliver bogføringsoversigten mere retvisende. -ExpenseReportJournal=Expense Report Journal -InventoryJournal=Inventory Journal +ExpenseReportJournal=Udgifts Journal +InventoryJournal=Opgørelse Journal diff --git a/htdocs/langs/da_DK/admin.lang b/htdocs/langs/da_DK/admin.lang index 3b05ea363c914..f788c0f02c0a3 100644 --- a/htdocs/langs/da_DK/admin.lang +++ b/htdocs/langs/da_DK/admin.lang @@ -269,11 +269,11 @@ MAIN_MAIL_SMTP_SERVER=SMTP Host (Som standard i php.ini: %s) MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=SMTP Port (Ikke defineret i PHP på Unix-lignende systemer) MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP Host (Ikke defineret i PHP på Unix-lignende systemer) MAIN_MAIL_EMAIL_FROM=Afsenders e-mail for automatisk e-mails (Som standard i php.ini: %s) -MAIN_MAIL_ERRORS_TO=Eemail used for error returns emails (fields 'Errors-To' in emails sent) +MAIN_MAIL_ERRORS_TO=E-mail navn, der bruges til at returnere e-mails (felter 'Fejl-til' i sendte e-mails) MAIN_MAIL_AUTOCOPY_TO= Send systematisk en skjult carbon-kopi af alle sendte e-mails til MAIN_DISABLE_ALL_MAILS=Deaktiver alle de e-mails sendings (til testformål eller demoer) MAIN_MAIL_FORCE_SENDTO=Sende alle e-mails til (i stedet for rigtige modtagere, til testformål) -MAIN_MAIL_ENABLED_USER_DEST_SELECT=Add employees users with email into allowed destinaries list +MAIN_MAIL_ENABLED_USER_DEST_SELECT=Tilføj medarbejdere med e-mail til tilladte destinationer liste MAIN_MAIL_SENDMODE=Metode til at bruge til at sende e-mails MAIN_MAIL_SMTPS_ID=SMTP ID hvis påkrævet MAIN_MAIL_SMTPS_PW=SMTP Password hvis påkrævet @@ -292,7 +292,7 @@ ModuleSetup=Modul setup ModulesSetup=Moduler / Applikation sætop ModuleFamilyBase=System ModuleFamilyCrm=Kunderelationsstyring (CRM) -ModuleFamilySrm=Vendor Relation Management (VRM) +ModuleFamilySrm=Vendor Relations Management (VRM) ModuleFamilyProducts=Varestyring (PM) ModuleFamilyHr=Human Resource Management (HR) ModuleFamilyProjects=Projekter / samarbejde @@ -343,7 +343,7 @@ ErrorCantUseRazIfNoYearInMask=Fejl, kan ikke bruge option @ til at nulstille tæ ErrorCantUseRazInStartedYearIfNoYearMonthInMask=Fejl, kan ikke brugeren mulighed @ hvis SEQUENCE (yy) (mm) eller (ÅÅÅÅ) (mm) ikke er i masken. UMask=UMask parameter for nye filer på Unix / Linux / BSD-filsystemet. UMaskExplanation=Denne parameter giver dig mulighed for at definere tilladelser indstillet som standard på filer, der er oprettet ved Dolibarr på serveren (under upload for eksempel).
Det må være oktal værdi (for eksempel 0666 betyder, læse og skrive for alle).
Ce paramtre ne Sert Pas sous un serveur Windows. -SeeWikiForAllTeam=Take a look at the wiki page for full list of all actors and their organization +SeeWikiForAllTeam=Se på wiki-siden for en komplet liste over alle aktører og deres organisation UseACacheDelay= Forsinkelse for caching eksport svar i sekunder (0 eller tomme for ikke cache) DisableLinkToHelpCenter=Skjul linket "Har du brug for hjælp eller støtte" på loginsiden DisableLinkToHelp=Skjul link til online hjælp "%s\\ @@ -374,8 +374,8 @@ NoSmsEngine=Ingen SMS-afsender leder til rådighed. SMS-afsender leder ikke er i PDF=PDF PDFDesc=Du kan indstille hvert globale muligheder i forbindelse med PDF-generation PDFAddressForging=Regler, Forge Adresse kasser -HideAnyVATInformationOnPDF=Hide all information related to Sales tax / VAT on generated PDF -PDFRulesForSalesTax=Rules for Sales Tax / VAT +HideAnyVATInformationOnPDF=Skjul alle oplysninger relateret til Salgs moms på genereret PDF +PDFRulesForSalesTax=Regler for salgs moms PDFLocaltax=Regler for %s HideLocalTaxOnPDF=Skjul %s sats i pdf kolonne skat salg HideDescOnPDF=Skjul varebeskrivelse på genereret PDF @@ -394,7 +394,7 @@ PriceBaseTypeToChange=Rediger priser med basisreferenceværdi defineret på MassConvert=Lanceringen masse konvertere String=String TextLong=Lang tekst -HtmlText=Html text +HtmlText=Html tekst Int=Heltal Float=Float DateAndTime=Dato og tid @@ -414,7 +414,7 @@ ExtrafieldCheckBoxFromList=Afkrydsningsfelter fra bordet ExtrafieldLink=Link til et objekt ComputedFormula=Beregnet felt ComputedFormulaDesc=Du kan indtaste her en formel ved hjælp af andre egenskaber af objekt eller en hvilken som helst PHP-kodning for at få en dynamisk beregningsværdi. Du kan bruge alle PHP-kompatible formler, herunder "?" betingelsesoperatør og følgende globale objekt:
$ db, $ conf, $ langs, $ mysoc, $ bruger, $ objekt . ADVARSEL : Kun nogle egenskaber på $ objekt kan være tilgængeligt. Hvis du har brug for egenskaber, der ikke er indlæst, skal du bare hente objektet i din formel som i andet eksempel.
Ved at bruge et beregnet felt betyder det, at du ikke kan indtaste dig selv nogen værdi fra interface. Hvis der også er en syntaksfejl, kan formlen ikke returnere noget.

Eksempel på formel:
$ objekt-> id <10? runde ($ objekt-> id / 2, 2): ($ objekt-> id + 2 * $ bruger-> id) * (int) substr ($ mysoc-> zip, 1, 2)

Eksempel på genindlæsning af objekt
(($ reloadedobj = ny Societe ($ db)) && ($ reloadedobj-> hent ($ obj-> id? $ Obj-> id: ($ obj-> rowid? $ Obj-> rowid: $ object-> id))> 0))? $ reloadedobj-> array_options ['options_extrafieldkey'] * $ reloadedobj-> kapital / 5: '-1'

Andet eksempel på formel for at tvinge belastning af objekt og dets overordnede objekt:
(($ reloadedobj = ny opgave ($ db)) && ($ reloadedobj-> hent ($ objekt-> id)> 0) && ($ secondloadedobj = nyt projekt ($ db)) && ($ secondloadedobj-> hente ($ reloadedobj-> fk_project )> 0))? $ secondloadedobj-> ref: 'Forældreprojekt ikke fundet' -ExtrafieldParamHelpPassword=Keep this field empty means value will be stored without encryption (field must be only hidden with star on screen).
Set here value 'auto' to use the default encryption rule to save password into database (then value read will be the hash only, no way to retreive original value) +ExtrafieldParamHelpPassword=Hold dette felt tomt, betyder værdien gemmes uden kryptering (feltet skal kun være skjult med stjerne på skærmen).
Angiv her værdien 'auto' for at bruge standard krypteringsregel til at gemme adgangskode til database ( Så aflæses hash værdien kun og det er ikke muligt at genoprette oprindelig værdi) ExtrafieldParamHelpselect=Liste over værdier, der skal være linjer med format nøgle,værdi (hvor nøglen ikke kan være '0')

for eksempel :
1,værdi1
2,værdi2
code3,værdi3
...

for at få listen, afhængigt af anden supplerende attributliste :
1,value1|options_parent_list_code:parent_key
2,value2|options_parent_list_code:parent_key

for at få listen afhængig af en anden liste :
1,værdi1|parent_list_code:parent_key
2,værdi2|parent_list_code:parent_key ExtrafieldParamHelpcheckbox=Liste over værdier, der skal være linjer med format nøgle,værdi (hvor nøglen ikke kan være '0')

for eksempel :
1,værdi1
2,værdi2
3,værdi3
... ExtrafieldParamHelpradio=Liste over værdier, der skal være linjer med format nøgle,værdi (hvor nøglen ikke kan være '0')

for eksempel :
1,værdi1
2,værdi2
3,værdi3
... @@ -447,14 +447,14 @@ DisplayCompanyInfo=Vis firmaadresse DisplayCompanyManagers=Vis administrationsnavne DisplayCompanyInfoAndManagers=Vis firmaadresse og ledelsens navne EnableAndSetupModuleCron=Hvis du vil have denne tilbagevendende faktura, der genereres automatisk, skal modul * %s * være aktiveret og korrekt opsat. Ellers skal generering af fakturaer udføres manuelt fra denne skabelon med knappen * Opret *. Bemærk, at selvom du aktiverede automatisk generation, kan du stadig sikkert starte den manuelle generation. Duplikater generation i samme periode er ikke mulig. -ModuleCompanyCodeCustomerAquarium=%s followed by third party customer code for a customer accounting code -ModuleCompanyCodeSupplierAquarium=%s followed by third party supplier code for a supplier accounting code +ModuleCompanyCodeCustomerAquarium=%s efterfulgt af tredjepartskode for en kunde regnskabskode +ModuleCompanyCodeSupplierAquarium=%s efterfulgt af tredjeparts leverandør kode for en leverandør regnskabskode ModuleCompanyCodePanicum=Returner en tom regnskabskode. ModuleCompanyCodeDigitaria=Regnskabskode afhænger tredjepartskode. Koden er sammensat af tegnet "C" som første tegn efterfulgt af de første 5 bogstaver af tredjepartskoden. Use3StepsApproval=Som standard skal indkøbsordrer oprettes og godkendes af 2 forskellige brugere (et trin / bruger til oprettelse og et trin / bruger at godkende. Bemærk at hvis brugeren har begge tilladelser til at oprette og godkende, er et trin / bruger tilstrækkeligt) . Du kan spørge med denne mulighed for at indføre et tredje trin / brugergodkendelse, hvis mængden er højere end en dedikeret værdi (så 3 trin vil være nødvendige: 1 = validering, 2 = første godkendelse og 3 = anden godkendelse, hvis mængden er tilstrækkelig).
Indstil dette til tomt, hvis en godkendelse (2 trin) er tilstrækkelig, angiv den til en meget lav værdi (0,1), hvis der kræves en anden godkendelse (3 trin). UseDoubleApproval=Brug en 3-trins godkendelse, når beløbet (uden skat) er højere end ... -WarningPHPMail=WARNING: It is often better to setup outgoing emails to use the email server of your provider instead of the default setup. Some email providers (like Yahoo) does not allow you to send an email from another server than their own server. Your current setup use 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 a server of them, so few of your sent Emails may not be accepted (be carefull also to your email provider sending quota).
If your Email provider (like Yahoo) has this restriction, you must change Email setup to choose the other method "SMTP server" and enter the SMTP server and credentials provided by your Email provider (ask your EMail provider to get SMTP credentials for your account). -WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of your ERP CRM application: %s. +WarningPHPMail=ADVARSEL: Det er ofte bedre at opsætte udgående e-mails for at bruge e-mail-serveren hos din udbyder i stedet for standardopsætningen. Nogle email-udbydere (som Yahoo) tillader dig ikke at sende en mail fra en anden server end deres egen server. Din nuværende opsætning bruger serveren til applikationen til at sende e-mail og ikke din e-mail-udbyders server, så nogle modtagere (den, der er kompatibel med den restriktive DMARC-protokol), vil spørge din e-mail-udbyder, hvis de kan acceptere din e-mail og nogle emailudbydere (som Yahoo) kan svare "nej", fordi serveren ikke er en server af dem, så få af dine sendte e-mails muligvis ikke accepteres (vær også opmærksom på din e-mail-udbyder at sende kvote).
Hvis din e-mail-udbyder Yahoo) har denne begrænsning, du skal ændre Email setup for at vælge den anden metode "SMTP server" og indtaste SMTP serveren og legitimationsoplysninger fra din e-mail-udbyder (spørg din e-mail-udbyder for at få SMTP-legitimationsoplysninger til din konto). +WarningPHPMail2=Hvis din e-mail SMTP udbyder skal begrænse e-mail klienten til nogle IP-adresser (meget sjælden), er dette IP-adressen til e-mail bruger agenten (MUA) til din ERP CRM-applikation: %s . ClickToShowDescription=Klik for at vise beskrivelse DependsOn=Dette modul har brug for modulet / modulerne RequiredBy=Dette modul er påkrævet efter modul (er) @@ -473,10 +473,10 @@ WatermarkOnDraftExpenseReports=Vandmærke på udkast til udgiftsrapporter AttachMainDocByDefault=Sæt den til 1 hvis du ønsker at vedhæfte hoveddokumentet til e-mail som standard (hvis relevant) FilesAttachedToEmail=Vedhængt fil SendEmailsReminders=Send dagsorden påmindelser via e-mails -davDescription=Add a component to be a DAV server -DAVSetup=Setup of module DAV -DAV_ALLOW_PUBLIC_DIR=Enable the public directory (WebDav directory with no login required) -DAV_ALLOW_PUBLIC_DIRTooltip=The WebDav public directory is a WebDAV directory everybody can access to (in read and write mode), with no need to have/use an existing login/password account. +davDescription=Tilføj en komponent til at være en DAV-server +DAVSetup=Opstilling af modul DAV +DAV_ALLOW_PUBLIC_DIR=Aktivér det offentlige bibliotek (WebDav bibliotek uden login) +DAV_ALLOW_PUBLIC_DIRTooltip=WebDAV biblioteket er en WebDAV mappe, som alle kan få adgang til (i læse- og skrivefunktion), uden at skulle have / bruge en eksisterende login / adgangskonto. # Modules Module0Name=Brugere og grupper Module0Desc=Brugere / Medarbejdere og Grupper management @@ -485,7 +485,7 @@ Module1Desc=Virksomheder og kontakter "forvaltning Module2Name=Tilbud Module2Desc=Tilbudshåndtering Module10Name=Regnskab -Module10Desc=Simple accounting reports (journals, turnover) based onto database content. Does not use any ledger table. +Module10Desc=Enkelte regnskabsrapporter (Kassekladde, omsætning) baseret på databaseindhold. Bruger ikke nogen kontoplan. Module20Name=Tilbud Module20Desc=Tilbudshåndtering Module22Name=E-mails @@ -497,7 +497,7 @@ Module25Desc=Kundeordrestyring Module30Name=Fakturaer Module30Desc=Fakturaer og kreditnotaer 'forvaltning for kunderne. Faktura 'forvaltning for leverandører Module40Name=Leverandører -Module40Desc=Suppliers' ledelse og opkøb (ordrer og fakturaer) +Module40Desc=Leverandører og indkøbs styring (købsordrer og fakturering) Module42Name=Debug Logs Module42Desc=Logning faciliteter (fil, syslog, ...). Disse logs er for teknisk/debug formål. Module49Name=Redaktion @@ -552,8 +552,8 @@ Module400Name=Projekter/Muligheder/Kundeemner Module400Desc=Ledelse af projekter, muligheder/kundeemner og/eller opgaver. Du kan også tildele et element (faktura, ordre, forslag, intervention, ...) til et projekt og få et tværgående udsigt fra projektet udsigt. Module410Name=Webcalendar Module410Desc=Webcalendar integration -Module500Name=Taxes and Special expenses -Module500Desc=Management of other expenses (sale taxes, social or fiscal taxes, dividends, ...) +Module500Name=Skatter og særlige omkostninger +Module500Desc=Opsætning af andre udgifter (salgsafgifter, sociale eller skattemæssige skatter, udbytte, ...) Module510Name=Betaling af medarbejderløn Module510Desc=Optag og følg betalingen af ​​dine medarbejderlønninger Module520Name=Loan @@ -567,14 +567,14 @@ Module700Name=Donationer Module700Desc=Gaver 'ledelse Module770Name=Udgiftsrapporter Module770Desc=Forvaltning og krav om udgiftsrapporter (transport, måltid, ...) -Module1120Name=Vendor commercial proposal -Module1120Desc=Request vendor commercial proposal and prices +Module1120Name=Forhandler kommercielt forslag +Module1120Desc=Forespørg levenrandør om indkøbsordre og priser Module1200Name=Mantis Module1200Desc=Mantis integration Module1520Name=Dokumentgenerering Module1520Desc=Massemail dokumentgenerering Module1780Name=Tags/Categories -Module1780Desc=Create tags/category (products, customers, vendors, contacts or members) +Module1780Desc=Opret tags/kategori (produkter, kunder, leverandører, kontakter eller medlemmer) Module2000Name=FCKeditor Module2000Desc=Giver mulighed for at redigere nogle tekst-området ved hjælp af en avanceret editor (Baseret på CKEditor) Module2200Name=Dynamiske Priser @@ -582,7 +582,7 @@ Module2200Desc=Aktivér brugen af ​​matematiske udtryk til priser Module2300Name=Scheduled jobs Module2300Desc=Planlagte job management (alias cron eller chrono tabel) Module2400Name=Begivenheder/tidsplan -Module2400Desc=Follow done and upcoming events. Let application logs automatic events for tracking purposes or record manual events or rendez-vous. This is the main important module for a good Customer or Supplier Relationship Management. +Module2400Desc=Følg færdige og kommende begivenheder. Lad applikation logge automatisk begivenheder til sporingsformål eller optage manuelle begivenheder eller rendez-vous. Dette er det vigtigste vigtige modul for en god kunde- eller leverandørrelationsstyring. Module2500Name=DMS / ECM Module2500Desc=Dokument Management System / Esdh. Automatisk organisering af dit genereret eller lagrede dokumenter. Dele dem, når du har brug for. Module2600Name=API/webservices (SOAP-server) @@ -605,7 +605,7 @@ Module4000Desc=Human resources management (forvaltningen af ​​afdelingen, me Module5000Name=Multi-selskab Module5000Desc=Giver dig mulighed for at administrere flere selskaber Module6000Name=Workflow -Module6000Desc=Arbejdsstyring +Module6000Desc=Workflow management (automatisk oprettelse af objekt og/eller automatisk status ændring) Module10000Name=websteder Module10000Desc=Opret offentlige websteder med en WYSIWG editor. Du skal bare konfigurere din webserver (Apache, Nginx, ...) for at pege på den dedikerede Dolibarr-mappe for at få den online på internettet med dit eget domænenavn. Module20000Name=Forespørgselsstyring @@ -619,7 +619,7 @@ Module50100Desc=Kasseapparats modul (POS) Module50200Name=Paypal Module50200Desc=Modul til at tilbyde en online-betalings side til at acceptere betalinger via PayPal (kreditkort-eller PayPal-kredit). Dette kan bruges til at give dine kunder en mulighed for at foretage betalinger eller til betaling på en særlig Dolibarr objekt (faktura, ordre, ...) Module50400Name=Regnskab (avanceret) -Module50400Desc=Accounting management (double entries, support general and auxiliary ledgers). Export the ledger in several other accounting software format. +Module50400Desc=Regnskabs administration (dobbelt posteringer, kontoplan og extra bogføring). Eksporter bogholdriet i andre software formater. Module54000Name=PrintIPP Module54000Desc=Direkte udskrivning (uden at åbne dokumenterne) ved hjælp af IPP-konnektorens kopper (Printeren skal være synlig fra serveren, og CUPS skal installeres på serveren). Module55000Name=Afstemning, Undersøgelse eller Afstemning @@ -844,11 +844,11 @@ Permission1251=Kør massen import af eksterne data i databasen (data belastning) Permission1321=Eksporter kunde fakturaer, attributter og betalinger Permission1322=Genåb en betalt regning Permission1421=Eksporter kundens ordrer og attributter -Permission20001=Read leave requests (your leaves and the one of your subordinates) -Permission20002=Create/modify your leave requests (yours leaves and the one of your subordinates) +Permission20001=Læs anmodninger om orlov (dine blade og din underordnede) +Permission20002=Opret/rediger dine anmodninger om orlov (dine blade og din underordnede) Permission20003=Slet permitteringsforespørgsler -Permission20004=Read all leave requests (even of user not subordinates) -Permission20005=Create/modify leave requests for everybody (even of user not subordinates) +Permission20004=Læs alle orlovs forespørgsler (selv om bruger ikke er underordnede) +Permission20005=Opret / modtag anmodninger om orlov for alle (selv af bruger ikke underordnede) Permission20006=Forladelsesforespørgsler (opsætning og opdateringsbalance) Permission23001=Read Scheduled job Permission23002=Create/update Scheduled job @@ -891,11 +891,11 @@ DictionaryCivility=Personlige og faglige titler DictionaryActions=Begivenhedstyper DictionarySocialContributions=Typer af skatter/afgifter DictionaryVAT=Momssatser -DictionaryRevenueStamp=Mængden af ​​omsætningsstempler +DictionaryRevenueStamp=Skattefrihedsbeløb DictionaryPaymentConditions=Betalingsbetingelser DictionaryPaymentModes=Betalingsformer DictionaryTypeContact=Kontakt/adresse-typer -DictionaryTypeOfContainer=Type of website pages/containers +DictionaryTypeOfContainer=Type af hjemmesider/containere DictionaryEcotaxe=Miljøafgift (WEEE) DictionaryPaperFormat=Papir formater DictionaryFormatCards=Kortformater @@ -919,12 +919,12 @@ SetupSaved=Setup gemt SetupNotSaved=Opsætning er ikke gemt BackToModuleList=Tilbage til moduler liste BackToDictionaryList=Tilbage til liste over ordbøger -TypeOfRevenueStamp=Type afsætningsstempel +TypeOfRevenueStamp=Afgifts type VATManagement=Momshåndtering VATIsUsedDesc=Når der oprettes tilbud, fakturaer, ordrer osv., bruges som standard følgende regler for moms:
• Hvis sælger ikke er momspligtig, benyttes momssatsen 0.
• Hvis afsenderlandet er det samme som modtagerlandet, benyttes momssatsen for varen i afsenderlandet.
• Hvis både sælger og køber befinder sig i EU, og det drejer sig om fysiske varer, benyttes momssatsen 0. (Det forventes at køber betaler momsen i det modtagende land).
• Hvis både sælger og køber befinder sig i EU, og køber er en privatperson, benyttes momssatsen for varen i afsenderlandet.
• Hvis både sælger og køber befinder sig i EU, og køber er et firma, benyttes momssatsen 0.
• I alle andre tilfælde benyttes momssatsen 0. VATIsNotUsedDesc=Som standard benyttes momssatsen 0. Dette anvendes til regnskab for foreninger, enkeltpersoner eller virksomheder med lav omsætning (under 50.000 kr). -VATIsUsedExampleFR=In France, it means companies or organizations having a real fiscal system (Simplified real or normal real). A system in which VAT is declared. -VATIsNotUsedExampleFR=In France, it means associations that are non VAT declared or companies, organizations or liberal professions that have chosen the micro enterprise fiscal system (VAT in franchise) and paid a franchise VAT without any VAT declaration. This choice will display the reference "Non applicable VAT - art-293B of CGI" on invoices. +VATIsUsedExampleFR=I Frankrig betyder det, at virksomheder eller organisationer har et rigtigt finanssystem (forenklet reel eller normal reel). Et system, hvor moms er angivet. +VATIsNotUsedExampleFR=I Frankrig betyder det foreninnger, der ikke er momsregistrerede, eller virksomheder, organisationer eller liberale erhverv, der har valgt mikrovirksomhedens skatteordning (moms i franchise) og betalt en franchise-moms uden momsangivelse. Dette valg vil vise referencen "Ikke gældende moms - art-293B af CGI" på fakturaer. ##### Local Taxes ##### LTRate=Hyppighed LocalTax1IsNotUsed=Brug ikke anden skat @@ -989,7 +989,7 @@ Host=Server DriverType=Driver type SummarySystem=System oplysninger resumé SummaryConst=Liste over alle Dolibarr setup parametre -MenuCompanySetup=Company/Organization +MenuCompanySetup=Virksomhed/Organisation DefaultMenuManager= Standard menuhåndtering DefaultMenuSmartphoneManager=Smartphone menu manager Skin=Hud tema @@ -1005,8 +1005,8 @@ PermanentLeftSearchForm=Faste search form på venstre menu DefaultLanguage=Standard sprog til brug (sprog code) EnableMultilangInterface=Aktiver flersproget grænseflade EnableShowLogo=Vis logo på venstre menu -CompanyInfo=Company/organization information -CompanyIds=Company/organization identities +CompanyInfo=Virksomhed/organisation information +CompanyIds=Virksomhed/organisation identiteter CompanyName=Navn CompanyAddress=Adresse CompanyZip=Postnummer @@ -1027,7 +1027,7 @@ Delays_MAIN_DELAY_ACTIONS_TODO=Tolerance for forsinkelse (i dage) før alarm for Delays_MAIN_DELAY_PROJECT_TO_CLOSE=Forsinkelsestolerance (i dage) før advarsel om projekt ikke lukket i tide Delays_MAIN_DELAY_TASKS_TODO=Forsinkelsestolerance (i dage) før advarsel om planlagte opgaver (projektopgaver) er endnu ikke gennemført Delays_MAIN_DELAY_ORDERS_TO_PROCESS=Forsinkelsestolerance (i dage) før varsel om ordrer, der ikke er behandlet endnu -Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Forsinkelsestolerance (i dage) før varsel på leverandører, der ikke er behandlet endnu +Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Tilladt forsinkelse (i dage) før varsel om købsordrer, der ikke er behandlet endnu Delays_MAIN_DELAY_PROPALS_TO_CLOSE=Delay tolerance (i dage) inden indberetning om forslag til at lukke Delays_MAIN_DELAY_PROPALS_TO_BILL=Delay tolerance (i dage) inden indberetning om forslag ikke faktureret Delays_MAIN_DELAY_NOT_ACTIVATED_SERVICES=Tolerance forsinkelse (i dage) før alarm om tjenesteydelser for at aktivere @@ -1039,9 +1039,9 @@ Delays_MAIN_DELAY_MEMBERS=Tolerance forsinkelse (i dag), inden indberetning om f Delays_MAIN_DELAY_CHEQUES_TO_DEPOSIT=Tolerance forsinkelse (i dage) før alarm for checks depositum til at gøre Delays_MAIN_DELAY_EXPENSEREPORTS=Tolerance forsinkelse (i dage) før advarsel for udgiftsrapporter at godkende SetupDescription1=Opsætningsmenuen bruges, før du går i gang med Dolibarr. -SetupDescription2=The two mandatory setup steps are the following steps (the two first entries in the left setup menu): -SetupDescription3=Settings in menu %s -> %s. This step is required because it defines data used on Dolibarr screens to customize the default behavior of the software (for country-related features for example). -SetupDescription4=Settings in menu %s -> %s. This step is required because Dolibarr ERP/CRM is a collection of several modules/applications, all more or less independent. New features are added to menus for every module you activate. +SetupDescription2=De to obligatoriske opsætningsstrin er følgende trin (de to første indgange i den venstre opsætningsmenu): +SetupDescription3=Indstillinger i menuen %s -> %s . Dette trin er påkrævet, fordi det definerer data, der bruges på Dolibarr-skærmbillederne, for at tilpasse softwareens standardadfærd (for f.eks. Landrelaterede funktioner). +SetupDescription4=Indstillinger i menuen %s -> %s . Dette trin er påkrævet, fordi Dolibarr ERP/CRM er en samling af flere moduler/applikationer, alle mere eller mindre uafhængige. Nye funktioner tilføjes til menuer for hvert modul, du aktiverer. SetupDescription5=Andre menupunkter styrer valgfrie parametre. LogEvents=Sikkerhed revision arrangementer Audit=Audit @@ -1060,9 +1060,9 @@ LogEventDesc=Du kan gøre det muligt at logge for Dolibarr sikkerhed begivenhede AreaForAdminOnly=Opsætningsparametre kan kun indstilles af administratorbrugere . SystemInfoDesc=System oplysninger er diverse tekniske oplysninger du får i read only mode og synlig kun for administratorer. SystemAreaForAdminOnly=Dette område er til rådighed for administratoren brugere. Ingen af de Dolibarr permissions kan reducere denne grænse. -CompanyFundationDesc=Edit on this page all known information of the company or foundation you need to manage (For this, click on "%s" or "%s" button at bottom of page) -AccountantDesc=Edit on this page all known information about your accountant/bookkeeper -AccountantFileNumber=File number +CompanyFundationDesc=Rediger på denne side alle kendte oplysninger om firmaet eller stiftelsen, du skal administrere (For dette, klik på "%s" eller "%s" knappen nederst på siden) +AccountantDesc=Rediger på denne side alle kendte oplysninger om din revisor/bogholder +AccountantFileNumber=Fil nummer DisplayDesc=Du kan vælge hver parameter i forbindelse med Dolibarr udseende og stemning her AvailableModules=Tilgængelige app / moduler ToActivateModule=For at aktivere moduler, skal du gå til Opsætning (Hjem->Opsætning->Moduler). @@ -1195,11 +1195,11 @@ UserMailRequired=EMail forpligtet til at oprette en ny bruger HRMSetup=HRM modul opsætning ##### Company setup ##### CompanySetup=Selskaber modul opsætning -CompanyCodeChecker=Module for third parties code generation and checking (customer or vendor) -AccountCodeManager=Module for accounting code generation (customer or vendor) +CompanyCodeChecker=Modul til tredjeparts kodegenerering og -kontrol (kunde eller leverandør) +AccountCodeManager=Modul til generering af regnskabskode (kunde eller sælger) NotificationsDesc=E-mail-meddelelsesfunktionen giver dig mulighed for lydløst at sende automatisk mail til nogle Dolibarr-arrangementer. Mål for meddelelser kan defineres: NotificationsDescUser=* pr. bruger, en bruger til tiden. -NotificationsDescContact=* per third parties contacts (customers or vendors), one contact at time. +NotificationsDescContact=* pr. tredjeparts kontakter (kunder eller leverandører), en kontakt ad gangen. NotificationsDescGlobal=* eller ved at indstille globale målemails i modulopsætningssiden. ModelModules=Dokumenter skabeloner DocumentModelOdt=Generer dokumenter fra OpenDocuments skabeloner (.ODT eller .ODS filer til OpenOffice, KOffice, TextEdit, ...) @@ -1211,8 +1211,8 @@ MustBeMandatory=Obligatorisk at oprette tredjeparter? MustBeInvoiceMandatory=Obligatorisk at validere fakturaer? TechnicalServicesProvided=Tekniske ydelser #####DAV ##### -WebDAVSetupDesc=This is the links 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 need an existing login account/password to access to. -WebDavServer=Root URL of %s server : %s +WebDAVSetupDesc=Dette er linkene for at få adgang til WebDAV-biblioteket. Den indeholder en "offentlig" dir, der er åben for enhver bruger, der kender webadressen (hvis adgang til offentlig adgang er tilladt) og en "privat" mappe, der har brug for en eksisterende loginkonto / adgangskode for at få adgang til. +WebDavServer=Rod URL af %s server: %s ##### Webcal setup ##### WebCalUrlForVCalExport=En eksportgaranti link til %s format er tilgængelig på følgende link: %s ##### Invoices ##### @@ -1239,15 +1239,15 @@ FreeLegalTextOnProposal=Fri tekst på tilbud WatermarkOnDraftProposal=Vandmærke på udkast til tilbud (intet, hvis tom) BANK_ASK_PAYMENT_BANK_DURING_PROPOSAL=Anmode om en bankkonto destination for forslag ##### SupplierProposal ##### -SupplierProposalSetup=Price requests vendors module setup -SupplierProposalNumberingModules=Price requests vendors numbering models -SupplierProposalPDFModules=Price requests vendors documents models -FreeLegalTextOnSupplierProposal=Free text on price requests vendors -WatermarkOnDraftSupplierProposal=Watermark on draft price requests vendors (none if empty) +SupplierProposalSetup=Prisanmodninger modul opsætning for leverandør +SupplierProposalNumberingModules=Prisanmodninger nummererings modeller for leverandør +SupplierProposalPDFModules=Prisanmodninger dokumenter modeller for leverandør +FreeLegalTextOnSupplierProposal=Fri tekst på forespørgsler fra leverandører +WatermarkOnDraftSupplierProposal=Vandmærke på udkast til prisanmodninger leverandører (ingen hvis tom) BANK_ASK_PAYMENT_BANK_DURING_SUPPLIER_PROPOSAL=Anmod om anmodning om bankkonto for prisanmodning WAREHOUSE_ASK_WAREHOUSE_DURING_ORDER=Anmode om lagerkilde for ordre ##### Suppliers Orders ##### -BANK_ASK_PAYMENT_BANK_DURING_SUPPLIER_ORDER=Ask for bank account destination of purchase order +BANK_ASK_PAYMENT_BANK_DURING_SUPPLIER_ORDER=Anmode om købskonto bestemmelsessted ##### Orders ##### OrdersSetup=Ordrer «forvaltning setup OrdersNumberingModules=Ordrer nummerressourcer moduler @@ -1458,9 +1458,9 @@ SyslogFilename=Filnavn og sti YouCanUseDOL_DATA_ROOT=Du kan bruge DOL_DATA_ROOT / dolibarr.log for en logfil i Dolibarr "dokumenter" mappen. Du kan indstille en anden vej til at gemme denne fil. ErrorUnknownSyslogConstant=Konstant %s er ikke en kendt syslog konstant OnlyWindowsLOG_USER=Windows understøtter kun LOG_USER -CompressSyslogs=Syslog files compression and backup +CompressSyslogs=Komprimering og backup af fejlfindingslogfiler (genereret af modul Log til fejlfinding) SyslogFileNumberOfSaves=Log backups -ConfigureCleaningCronjobToSetFrequencyOfSaves=Configure cleaning scheduled job to set log backup frequency +ConfigureCleaningCronjobToSetFrequencyOfSaves=Konfigurer rengøringsplanlagt job for at indstille log backupfrekvens ##### Donations ##### DonationsSetup=Donation modul opsætning DonationsReceiptModel=Skabelon for donationen modtagelse @@ -1525,7 +1525,7 @@ OSCommerceTestOk=Forbindelse til server ' %s' på database' %s' med brugeren ' % OSCommerceTestKo1=Forbindelse til server ' %s' lykkes men database' %s' kunne ikke være nået. OSCommerceTestKo2=Forbindelse til server ' %s' med brugeren' %s' mislykkedes. ##### Stock ##### -StockSetup=Stock module setup +StockSetup=Opsætning af lagermodul IfYouUsePointOfSaleCheckModule=Hvis du bruger et Point of Sale-modul (POS-modul, der leveres som standard eller et andet eksternt modul), kan denne opsætning ignoreres af dit Point of Sale-modul. Det meste af salgsmodulerne er designet til at skabe øjeblikkelig en faktura og reducere lager som standard, hvad der er muligheder her. Så hvis du har brug for eller ikke har et lagerfald, når du registrerer et salg fra dit Point of Sale, skal du også kontrollere dit POS-modul oprettet. ##### Menu ##### MenuDeleted=Menu slettet @@ -1557,12 +1557,12 @@ FailedToInitializeMenu=Kunne ikke initialisere menuen ##### Tax ##### TaxSetup=Opsætning af modul til skatter/afgifter. OptionVatMode=Mulighed d'exigibilit de TVA -OptionVATDefault=Standard basis +OptionVATDefault=Standardbasis OptionVATDebitOption=Periodiseringsgrundlag OptionVatDefaultDesc=Moms skyldes:
- Om levering / betaling for varer
- Bestemmelser om betalinger for tjenester OptionVatDebitOptionDesc=Moms skyldes:
- Om levering / betaling for varer
- På fakturaen (debet) for tjenesteydelser -OptionPaymentForProductAndServices=Cash basis for products and services -OptionPaymentForProductAndServicesDesc=VAT is due:
- on payment for goods
- on payments for services +OptionPaymentForProductAndServices=Kontantgrundlag for produkter og tjenesteydelser +OptionPaymentForProductAndServicesDesc=Moms skyldes:
- ved betaling for varer
- på betalinger for tjenesteydelser SummaryOfVatExigibilityUsedByDefault=Tid for moms eksigibilitet som standard i henhold til den valgte mulighed: OnDelivery=Om levering OnPayment=Om betaling @@ -1572,7 +1572,7 @@ SupposedToBeInvoiceDate=Faktura, som anvendes dato Buy=Købe Sell=Sælge InvoiceDateUsed=Faktura, som anvendes dato -YourCompanyDoesNotUseVAT=Your company has been defined to not use VAT (Home - Setup - Company/Organization), so there is no VAT options to setup. +YourCompanyDoesNotUseVAT=Dit firma er blevet defineret til ikke at bruge moms (Hjem - Opsætning - Firma / Organisation), så der er ingen momsindstillinger til opsætning. AccountancyCode=Regnskabskode AccountancyCodeSell=Salgskonto. kode AccountancyCodeBuy=Indkøbskonto. kode @@ -1637,8 +1637,8 @@ ChequeReceiptsNumberingModule=Kontroller kvitterings nummereringsmodul MultiCompanySetup=Multi-selskab modul opsætning ##### Suppliers ##### SuppliersSetup=Leverandør modul opsætning -SuppliersCommandModel=Complete template of prchase order (logo...) -SuppliersInvoiceModel=Complete template of vendor invoice (logo...) +SuppliersCommandModel=Komplet skabelon af prchase-ordre (logo ...) +SuppliersInvoiceModel=Fuldstændig skabelon af leverandørfaktura (logo ...) SuppliersInvoiceNumberingModel=Leverandør faktura nummerering modeller IfSetToYesDontForgetPermission=Hvis du er indstillet til ja, glem ikke at give tilladelser til grupper eller brugere tilladt til anden godkendelse ##### GeoIPMaxmind ##### @@ -1675,7 +1675,7 @@ NoAmbiCaracAutoGeneration=Brug ikke tvetydige tegn ("1", "l", "i", "|", "0", "O" SalariesSetup=Opsætning af lønnings modul SortOrder=Sorteringsrækkefølge Format=Format -TypePaymentDesc=0:Customer payment type, 1:Vendor payment type, 2:Both customers and vendors payment type +TypePaymentDesc=0: Kunde betalingstype, 1: Leverandør betalingstype, 2: Begge kunder og leverandører betalingstype IncludePath=Inkluder sti (defineret i variabel %s) ExpenseReportsSetup=Opsætning af modul Expense Reports TemplatePDFExpenseReports=Dokumentskabeloner til at generere regningsrapportdokument @@ -1697,7 +1697,7 @@ InstallModuleFromWebHasBeenDisabledByFile=Installation af eksternt modul fra app ConfFileMustContainCustom=Installation eller opbygning af et eksternt modul fra applikationen skal gemme modulfilerne i mappen %s . Hvis du vil have denne mappe behandlet af Dolibarr, skal du konfigurere din conf / conf.php for at tilføje de to direktelinjer:
$ dolibarr_main_url_root_alt = '/ custom';
$ dolibarr_main_document_root_alt = '%s /custom'; HighlightLinesOnMouseHover=Fremhæv tabel linjer, når musen flytter passerer over HighlightLinesColor=Fremhæv farve på linjen, når musen passerer over (hold tom for ingen fremhævning) -TextTitleColor=Text color of Page title +TextTitleColor=Tekstfarve på sidetitel LinkColor=Farve af links PressF5AfterChangingThis=Tryk på CTRL + F5 på tastaturet eller ryd din browserens cache efter at have ændret denne værdi for at få den effektiv NotSupportedByAllThemes=Vil arbejde med kerne temaer, kan ikke understøttes af eksterne temaer @@ -1706,7 +1706,7 @@ TopMenuBackgroundColor=Baggrundsfarve til topmenuen TopMenuDisableImages=Skjul billeder i topmenuen LeftMenuBackgroundColor=Baggrundsfarve til venstre menu BackgroundTableTitleColor=Baggrundsfarve til tabel titel linje -BackgroundTableTitleTextColor=Text color for Table title line +BackgroundTableTitleTextColor=Tekstfarve til tabel titellinje BackgroundTableLineOddColor=Baggrundsfarve til ulige bord linjer BackgroundTableLineEvenColor=Baggrundsfarve til lige bordlinier MinimumNoticePeriod=Mindste opsigelsesperiode (din anmodning om orlov skal ske inden denne forsinkelse) @@ -1729,19 +1729,19 @@ FillFixTZOnlyIfRequired=Eksempel: +2 (kun udfyld hvis der opstår problem) ExpectedChecksum=Forventet checksum CurrentChecksum=Nuværende checksum ForcedConstants=Påkrævede konstante værdier -MailToSendProposal=Customer proposals +MailToSendProposal=Kundeforslag MailToSendOrder=Kundeordrer MailToSendInvoice=Kundefakturaer MailToSendShipment=Forsendelser MailToSendIntervention=Interventioner -MailToSendSupplierRequestForQuotation=Quotation request -MailToSendSupplierOrder=Purchase orders -MailToSendSupplierInvoice=Vendor invoices +MailToSendSupplierRequestForQuotation=Anmodning om citat +MailToSendSupplierOrder=Indkøbsordre +MailToSendSupplierInvoice=Leverandørfakturaer MailToSendContract=Kontrakter MailToThirdparty=Tredjepart MailToMember=Medlemmer MailToUser=Brugere -MailToProject=Projects page +MailToProject=Projekter side ByDefaultInList=Vis som standard i listevisning YouUseLastStableVersion=Du bruger den seneste stabile version TitleExampleForMajorRelease=Eksempel på besked, du kan bruge til at annoncere denne store udgivelse (brug det gratis at bruge det på dine websteder) @@ -1788,16 +1788,16 @@ MAIN_PDF_MARGIN_LEFT=Venstre margin på PDF MAIN_PDF_MARGIN_RIGHT=Højre margin på PDF MAIN_PDF_MARGIN_TOP=Top margin på PDF MAIN_PDF_MARGIN_BOTTOM=Bundmargen på PDF -SetToYesIfGroupIsComputationOfOtherGroups=Set this to yes if this group is a computation of other groups -EnterCalculationRuleIfPreviousFieldIsYes=Enter calculcation rule if previous field was set to Yes (For example 'CODEGRP1+CODEGRP2') -SeveralLangugeVariatFound=Several language variants found -COMPANY_AQUARIUM_REMOVE_SPECIAL=Remove special characters -COMPANY_AQUARIUM_CLEAN_REGEX=Regex filter to clean value (COMPANY_AQUARIUM_CLEAN_REGEX) -GDPRContact=GDPR contact -GDPRContactDesc=If you store data about European companies/citizen, you can store here the contact who is responsible for the General Data Protection Regulation +SetToYesIfGroupIsComputationOfOtherGroups=Indstil dette til ja, hvis denne gruppe er en beregning af andre grupper +EnterCalculationRuleIfPreviousFieldIsYes=Indtast beregningsregel hvis tidligere felt blev indstillet til Ja (for eksempel 'CODEGRP1 + CODEGRP2') +SeveralLangugeVariatFound=Flere sprogvarianter fundet +COMPANY_AQUARIUM_REMOVE_SPECIAL=Fjern specialtegn +COMPANY_AQUARIUM_CLEAN_REGEX=Regex filter til ren værdi (COMPANY_AQUARIUM_CLEAN_REGEX) +GDPRContact=GDPR-kontakt +GDPRContactDesc=Hvis du opbevarer data om europæiske virksomheder / borgere, kan du gemme den kontaktperson der er ansvarlig for databeskyttelsesforordningen ##### Resource #### ResourceSetup=Konfiguration du modul Ressource UseSearchToSelectResource=Brug en søgeformular til at vælge en ressource (i stedet for en rullemenu). -DisabledResourceLinkUser=Disable feature to link a resource to users -DisabledResourceLinkContact=Disable feature to link a resource to contacts +DisabledResourceLinkUser=Deaktiver funktion for at forbinde en ressource til brugere +DisabledResourceLinkContact=Deaktiver funktion for at forbinde en ressource til kontakter ConfirmUnactivation=Bekræft modul reset diff --git a/htdocs/langs/da_DK/banks.lang b/htdocs/langs/da_DK/banks.lang index d701008db4f7a..61d883cc74382 100644 --- a/htdocs/langs/da_DK/banks.lang +++ b/htdocs/langs/da_DK/banks.lang @@ -1,163 +1,165 @@ # Dolibarr language file - Source file is en_US - banks Bank=Bank -MenuBankCash=Bank/kontanter -MenuVariousPayment=Miscellaneous payments -MenuNewVariousPayment=New Miscellaneous payment -BankName=Bankens navn +MenuBankCash=Bank | Kontanter +MenuVariousPayment=Diverse betalinger +MenuNewVariousPayment=Ny Diverse betaling +BankName=Bank navn FinancialAccount=Konto BankAccount=Bankkonto BankAccounts=Bankkonti -ShowAccount=Show Account -AccountRef=Ref for finanskonto -AccountLabel=Label for finanskonto -CashAccount=Cash konto -CashAccounts=Likvide beholdninger -CurrentAccounts=Anfordringskonti -SavingAccounts=Opsparingskonti -ErrorBankLabelAlreadyExists=Etiket for finanskonto findes allerede +BankAccountsAndGateways=Bankkonti | Gateways +ShowAccount=Vis konto +AccountRef=Finansiel konto ref +AccountLabel=Finansiel konto etiket +CashAccount=Kontantkonto +CashAccounts=Kontantkonti +CurrentAccounts=Nuværende konti +SavingAccounts=Opsparings konti +ErrorBankLabelAlreadyExists=Der findes allerede en finansiel kontoetiket BankBalance=Balance -BankBalanceBefore=Balance before -BankBalanceAfter=Balance after -BalanceMinimalAllowed=Mindste tilladte balance -BalanceMinimalDesired=Mindste ønskede balance -InitialBankBalance=Oprindelige balance -EndBankBalance=Ultimo balance -CurrentBalance=Betalingsbalancens løbende poster -FutureBalance=Fremtidige balance -ShowAllTimeBalance=Vis balance fra start -AllTime=From start -Reconciliation=Forsoning +BankBalanceBefore=Balance før +BankBalanceAfter=Balance efter +BalanceMinimalAllowed=Mindste tilladt saldo +BalanceMinimalDesired=Mindste ønsket saldo +InitialBankBalance=Indledende saldo +EndBankBalance=Slutbalance +CurrentBalance=Nuværende balance +FutureBalance=Fremtidig saldo +ShowAllTimeBalance=Vis saldo fra start +AllTime=Fra starten +Reconciliation=Afstemning RIB=Bankkontonummer -IBAN=IBAN-nummer -BIC=BIC / SWIFT-nummer -SwiftValid=BIC/SWIFT valid -SwiftVNotalid=BIC/SWIFT not valid -IbanValid=BAN valid -IbanNotValid=BAN not valid -StandingOrders=Direct Debit orders -StandingOrder=Direct debit order +IBAN=IBAN nummer +BIC=BIC/SWIFT nummer +SwiftValid=BIC/SWIFT gyldig +SwiftVNotalid=BIC/SWIFT er ikke gyldig +IbanValid=BAN gyldig +IbanNotValid=BAN er ikke gyldigt +StandingOrders="Direkte debit" bestillinger +StandingOrder="Direkte debit" bestiling AccountStatement=Kontoudtog -AccountStatementShort=Erklæring +AccountStatementShort=Udmelding AccountStatements=Kontoudtog LastAccountStatements=Seneste kontoudtog IOMonthlyReporting=Månedlig rapportering -BankAccountDomiciliation=Account adresse -BankAccountCountry=Account land -BankAccountOwner=Account ejerens navn +BankAccountDomiciliation=Konto adresse +BankAccountCountry=Konto land +BankAccountOwner=Konto ejer navn BankAccountOwnerAddress=Konto ejer adresse -RIBControlError=Integritet kontrol af værdier fejler. Det betyder, at oplysninger om dette kontonummer er ikke komplet eller forkert (se land, tal og IBAN). +RIBControlError=Integritetscheck af værdier fejler. Det betyder, at oplysninger til dette kontonummer ikke er fuldstændige eller forkerte (check land, numre og IBAN). CreateAccount=Opret konto NewBankAccount=Ny konto -NewFinancialAccount=Ny finanskonto -MenuNewFinancialAccount=Ny finanskonto +NewFinancialAccount=Ny finansiel konto +MenuNewFinancialAccount=Ny finansiel konto EditFinancialAccount=Rediger konto -LabelBankCashAccount=Bank eller kontanter etiket -AccountType=Account type +LabelBankCashAccount=Bank eller kontant etiket +AccountType=Kontotype BankType0=Opsparingskonto -BankType1=Løbende poster -BankType2=Cash konto -AccountsArea=Konti område -AccountCard=Account kortet +BankType1=Nuværende eller kreditkort konto +BankType2=Kontantkonto +AccountsArea=Regnskabsområde +AccountCard=Kontokort DeleteAccount=Slet konto -ConfirmDeleteAccount=Are you sure you want to delete this account? +ConfirmDeleteAccount=Er du sikker på, at du vil slette denne konto? Account=Konto -BankTransactionByCategories=Bank entries by categories -BankTransactionForCategory=Bank entries for category %s +BankTransactionByCategories=Bankindtægter fordelt på kategorier +BankTransactionForCategory=Bankposter for kategori %s RemoveFromRubrique=Fjern link med kategori -RemoveFromRubriqueConfirm=Are you sure you want to remove link between the entry and the category? -ListBankTransactions=Liste over bankposteringer -IdTransaction=Transaktions-id -BankTransactions=Bank entries -BankTransaction=Bank entry -ListTransactions=Vis posteringer -ListTransactionsByCategory=Vis posteringer/kategori -TransactionsToConciliate=Entries to reconcile -Conciliable=Conciliable +RemoveFromRubriqueConfirm=Er du sikker på at du vil fjerne linket mellem indgangen og kategorien? +ListBankTransactions=Liste over bankkonti +IdTransaction=Transaktions ID +BankTransactions=Bankposter +BankTransaction=Bank post +ListTransactions=Liste poster +ListTransactionsByCategory=Liste poster / kategori +TransactionsToConciliate=Linjer til afsteming +Conciliable=Kan afstemmes Conciliate=Afstem Conciliation=Afstemning -ReconciliationLate=Reconciliation late -IncludeClosedAccount=Medtag lukkede konti -OnlyOpenedAccount=Kun åbnet konti -AccountToCredit=Hensyn til kredit -AccountToDebit=Hensyn til at debitere -DisableConciliation=Deaktiver muligheden for afstemning for denne konto -ConciliationDisabled=Muligheden for afstemning er slået fra -LinkedToAConciliatedTransaction=Linked to a conciliated entry -StatusAccountOpened=Åbnet +ReconciliationLate=Afstemning sent +IncludeClosedAccount=Inkluder lukkede konti +OnlyOpenedAccount=Kun åbne konti +AccountToCredit=Konto til kredit +AccountToDebit=Konto til debet +DisableConciliation=Deaktiver afstemningsfunktion for denne konto +ConciliationDisabled=Afstemningsfunktionen deaktiveret +LinkedToAConciliatedTransaction=Forbundet til en forliget post +StatusAccountOpened=Åben StatusAccountClosed=Lukket -AccountIdShort=Antal +AccountIdShort=Nummer LineRecord=Transaktion -AddBankRecord=Add entry -AddBankRecordLong=Add entry manually -Conciliated=Reconciled +AddBankRecord=Tilføj post +AddBankRecordLong=Tilføj indtastning manuelt +Conciliated=Afstemt ConciliatedBy=Afstemt af -DateConciliating=Aftemningsdato -BankLineConciliated=Entry reconciled -Reconciled=Reconciled -NotReconciled=Not reconciled -CustomerInvoicePayment=Kundens betaling +DateConciliating=Afstem dato +BankLineConciliated=Indhold afstemt +Reconciled=Afstemt +NotReconciled=Ikke afstemt +CustomerInvoicePayment=Kunde betaling SupplierInvoicePayment=Leverandør betaling -SubscriptionPayment=Abonnement betaling +SubscriptionPayment=Abonnementsbetaling WithdrawalPayment=Tilbagetrækning betaling -SocialContributionPayment=Betaling af skat/afgift -BankTransfer=Bankoverførsel +SocialContributionPayment=Social / skattemæssig skat betaling +BankTransfer=bankoverførsel BankTransfers=Bankoverførsler MenuBankInternalTransfer=Intern overførsel -TransferDesc=Transfer from one account to another one, Dolibarr will write two record (a debit in source account and a credit in target account. The same amount (except sign), label and date will be used for this transaction) +TransferDesc=Overførsel fra en konto til en anden, vil Dolibarr skrive to poster (en debitering i kildekonto og en kredit i målkonto. Det samme beløb (undtagen tegn), etiket og dato vil blive brugt til denne transaktion) TransferFrom=Fra TransferTo=Til -TransferFromToDone=En overførsel fra %s til %s %s% s er blevet registreret. +TransferFromToDone=En overførsel fra %s til %s af %s %s er blevet optaget. CheckTransmitter=Transmitter -ValidateCheckReceipt=Validate this check receipt? -ConfirmValidateCheckReceipt=Are you sure you want to validate this check receipt, no change will be possible once this is done? -DeleteCheckReceipt=Delete this check receipt? -ConfirmDeleteCheckReceipt=Are you sure you want to delete this check receipt? +ValidateCheckReceipt=Bekræft denne kvitteringskvittering? +ConfirmValidateCheckReceipt=Er du sikker på at du vil validere denne kvittering for kvittering, vil der ikke blive foretaget nogen ændring, når dette er gjort? +DeleteCheckReceipt=Slet denne kvittering for kvittering? +ConfirmDeleteCheckReceipt=Er du sikker på, at du vil slette denne kvittering for kvittering? BankChecks=Bankcheck -BankChecksToReceipt=Checks awaiting deposit -ShowCheckReceipt=Vis check depositum modtagelse -NumberOfCheques=Nb af checks -DeleteTransaction=Delete entry -ConfirmDeleteTransaction=Are you sure you want to delete this entry? -ThisWillAlsoDeleteBankRecord=This will also delete generated bank entry -BankMovements=Bevægelser -PlannedTransactions=Planned entries +BankChecksToReceipt=Checks venter depositum +ShowCheckReceipt=Vis check depositum kvittering +NumberOfCheques=Nb af kontrol +DeleteTransaction=Slet indtastning +ConfirmDeleteTransaction=Er du sikker på, at du vil slette denne post? +ThisWillAlsoDeleteBankRecord=Dette vil også slette genereret bankindtastning +BankMovements=bevægelser +PlannedTransactions=Planlagte poster Graph=Grafik -ExportDataset_banque_1=Bank entries and account statement -ExportDataset_banque_2=Deposit slip +ExportDataset_banque_1=Bankkonti og kontoudtog +ExportDataset_banque_2=Depositum TransactionOnTheOtherAccount=Transaktion på den anden konto -PaymentNumberUpdateSucceeded=Payment number updated successfully -PaymentNumberUpdateFailed=Betaling antal kunne ikke opdateres -PaymentDateUpdateSucceeded=Payment date updated successfully -PaymentDateUpdateFailed=Betaling dato kunne ikke opdateres -Transactions=Transactions -BankTransactionLine=Bank entry -AllAccounts=Alle bank / kontokurantkonti -BackToAccount=Tilbage til regnskab +PaymentNumberUpdateSucceeded=Betalingsnummer opdateret med succes +PaymentNumberUpdateFailed=Betalingsnummer kunne ikke opdateres +PaymentDateUpdateSucceeded=Betalingsdato opdateret med succes +PaymentDateUpdateFailed=Betalingsdatoen kunne ikke opdateres +Transactions=Transaktioner +BankTransactionLine=Bank post +AllAccounts=Alle bank- og kontantekonti +BackToAccount=Tilbage til konto ShowAllAccounts=Vis for alle konti -FutureTransaction=Transaktion i futur. Ingen måde at forene. -SelectChequeTransactionAndGenerate=Vælg / filter, at kontrollen skal omfatte ind checken depositum modtaget og klikke på "Opret". -InputReceiptNumber=Choose the bank statement related with the conciliation. Use a sortable numeric value: YYYYMM or YYYYMMDD -EventualyAddCategory=Eventually, specify a category in which to classify the records -ToConciliate=To reconcile? -ThenCheckLinesAndConciliate=Then, check the lines present in the bank statement and click -DefaultRIB=Default BAN -AllRIB=All BAN -LabelRIB=BAN Label -NoBANRecord=No BAN record -DeleteARib=Delete BAN record -ConfirmDeleteRib=Are you sure you want to delete this BAN record? -RejectCheck=Check returned -ConfirmRejectCheck=Are you sure you want to mark this check as rejected? -RejectCheckDate=Date the check was returned -CheckRejected=Check returned -CheckRejectedAndInvoicesReopened=Check returned and invoices reopened -BankAccountModelModule=Document templates for bank accounts -DocumentModelSepaMandate=Template of SEPA mandate. Usefull for european countries in EEC only. -DocumentModelBan=Template to print a page with BAN information. -NewVariousPayment=New miscellaneous payments -VariousPayment=Miscellaneous payments -VariousPayments=Miscellaneous payments -ShowVariousPayment=Show miscellaneous payments -AddVariousPayment=Add miscellaneous payments -YourSEPAMandate=Your SEPA mandate -FindYourSEPAMandate=This is your SEPA mandate to authorize our company to make direct debit order to your bank. Thanks to return it signed (scan of the signed document) or sent it by mail to +FutureTransaction=Transaktion i fremtiden. Ingen måde at forligne. +SelectChequeTransactionAndGenerate=Vælg / filtrer checks for at inkludere i kontokortet og klik på "Opret". +InputReceiptNumber=Vælg kontoudskrift relateret til forliget. Brug en sorterbar numerisk værdi: ÅÅÅÅMM eller ÅÅÅÅMMDD +EventualyAddCategory=Til sidst skal du angive en kategori, hvor klasserne skal klassificeres +ToConciliate=Skal afstemmes? +ThenCheckLinesAndConciliate=Kontroller derefter linjerne i kontoudtoget og klik +DefaultRIB=Standard BAN +AllRIB=Alle baner +LabelRIB=BAN Etiket +NoBANRecord=Ingen BAN-post +DeleteARib=Slet BAN-post +ConfirmDeleteRib=Er du sikker på, at du vil slette denne BAN-post? +RejectCheck=Tjek tilbage +ConfirmRejectCheck=Er du sikker på, at du vil markere denne check som afvist? +RejectCheckDate=Dato checken blev returneret +CheckRejected=Tjek tilbage +CheckRejectedAndInvoicesReopened=Tjek tilbage, og fakturaer genåbnes +BankAccountModelModule=Dokumentskabeloner til bankkonti +DocumentModelSepaMandate=Skabelon af SEPA mandat. Nyttige til europæiske lande kun i EØF. +DocumentModelBan=Skabelon til at udskrive en side med BAN-oplysninger. +NewVariousPayment=Nye diverse betalinger +VariousPayment=Diverse betalinger +VariousPayments=Diverse betalinger +ShowVariousPayment=Vis diverse betalinger +AddVariousPayment=Tilføj diverse betalinger +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. Takket være returnering er det underskrevet (scan af det underskrevne dokument) eller sendt det pr. Mail til diff --git a/htdocs/langs/da_DK/bills.lang b/htdocs/langs/da_DK/bills.lang index 344ef4611446a..fc2a4f88f0ea0 100644 --- a/htdocs/langs/da_DK/bills.lang +++ b/htdocs/langs/da_DK/bills.lang @@ -110,8 +110,8 @@ SendRemindByMail=Send påmindelse via e-mail DoPayment=Angiv betaling DoPaymentBack=Angiv tilbagebetaling ConvertToReduc=Mark as credit available -ConvertExcessReceivedToReduc=Konverter overskud modtaget til fremtidig rabat -ConvertExcessPaidToReduc=Convert excess paid into future discount +ConvertExcessReceivedToReduc=Convert excess received into available credit +ConvertExcessPaidToReduc=Convert excess paid into available discount EnterPaymentReceivedFromCustomer=Angive betaling modtaget fra kunden EnterPaymentDueToCustomer=Opret påmindelse til kunde DisabledBecauseRemainderToPayIsZero=Deaktiveret, da restbeløbet er nul @@ -282,6 +282,7 @@ RelativeDiscount=Relativ rabat GlobalDiscount=Global rabat CreditNote=Kreditnota CreditNotes=Kredit noter +CreditNotesOrExcessReceived=Credit notes or excess received Deposit=Forskudsbetaling Deposits=Indbetalinger DiscountFromCreditNote=Discount fra kreditnota %s @@ -393,6 +394,7 @@ PaymentConditionShort14DENDMONTH=14 dage i slutningen af ​​måneden PaymentCondition14DENDMONTH=Inden for 14 dage efter slutningen af ​​måneden FixAmount=Ret beløb VarAmount=Variabel mængde (%% tot.) +VarAmountOneLine=Variable amount (%% tot.) - 1 line with label '%s' # PaymentType PaymentTypeVIR=Bankoverførsel PaymentTypeShortVIR=Bankoverførsel diff --git a/htdocs/langs/da_DK/companies.lang b/htdocs/langs/da_DK/companies.lang index ac9afe1c37aea..bbf4a4933205d 100644 --- a/htdocs/langs/da_DK/companies.lang +++ b/htdocs/langs/da_DK/companies.lang @@ -8,11 +8,11 @@ ConfirmDeleteContact=Er du sikker på, at du vil slette denne kontakt og alle ar MenuNewThirdParty=Ny tredjepart MenuNewCustomer=Ny kunde MenuNewProspect=Nyt emne -MenuNewSupplier=New vendor +MenuNewSupplier=Ny leverandør MenuNewPrivateIndividual=Ny privatperson -NewCompany=New company (prospect, customer, vendor) -NewThirdParty=New third party (prospect, customer, vendor) -CreateDolibarrThirdPartySupplier=Create a third party (vendor) +NewCompany=Nyt selskab (mulighed, kunde, levenrandør) +NewThirdParty=Ny tredjepart (mulighed, kunde, levenrandør) +CreateDolibarrThirdPartySupplier=Opret en tredjepart (levenrandør) CreateThirdPartyOnly=Opret tredjepart CreateThirdPartyAndContact=Opret en tredjepart + en børnekontakt ProspectionArea=Prospektering område @@ -37,14 +37,14 @@ ThirdPartyProspectsStats=Emner ThirdPartyCustomers=Kunder ThirdPartyCustomersStats=Kunder ThirdPartyCustomersWithIdProf12=Kunder med %s eller %s -ThirdPartySuppliers=Vendors +ThirdPartySuppliers=Leverandører ThirdPartyType=Tredjepart type Individual=Privatperson ToCreateContactWithSameName=Vil automatisk oprette en kontakt / adresse med samme oplysninger end tredjepart under tredjepart. I de fleste tilfælde er det nok, selvom din tredjepart er et fysisk menneske, at skabe en tredjepart alene. ParentCompany=Moderselskab Subsidiaries=Datterselskaber -ReportByMonth=Report by month -ReportByCustomers=Report by customer +ReportByMonth=Rapport pr. Måned +ReportByCustomers=Rapport af kunde ReportByQuarter=Rapport fra kvartal CivilityCode=Høfligt kode RegisteredOffice=Hjemsted @@ -76,12 +76,12 @@ Town=By Web=Web Poste= Position DefaultLang=Sprog som standard -VATIsUsed=Sales tax is used -VATIsUsedWhenSelling=This define if this third party includes a sale tax or not when it makes an invoice to its own customers -VATIsNotUsed=Sales tax is not used +VATIsUsed=Salgsmoms anvendes +VATIsUsedWhenSelling=Dette definerer, hvis denne tredjepart indeholder en salgsafgift eller ej, når den foretager en faktura til sine egne kunder +VATIsNotUsed=Salgsmoms anvendes ikke CopyAddressFromSoc=Fyld adresse med tredjepartsadresse -ThirdpartyNotCustomerNotSupplierSoNoRef=Third party neither customer nor vendor, no available refering objects -ThirdpartyIsNeitherCustomerNorClientSoCannotHaveDiscounts=Third party neither customer nor supplier, discounts are not available +ThirdpartyNotCustomerNotSupplierSoNoRef=Tredjepart er hverken kunde eller leverandør, ingen tilgængelige henvisningsobjekter +ThirdpartyIsNeitherCustomerNorClientSoCannotHaveDiscounts=Tredjepart er hverken kunde eller leverandør, rabatter er ikke tilgængelige PaymentBankAccount=Betaling bankkonto OverAllProposals=Tilbud OverAllOrders=Ordrer @@ -99,9 +99,9 @@ LocalTax2ES=IRPF TypeLocaltax1ES=RE Type TypeLocaltax2ES=IRPF Type WrongCustomerCode=Kundekode ugyldig -WrongSupplierCode=Vendor code invalid +WrongSupplierCode=Leverandør kode ugyldig CustomerCodeModel=Kundekodemodel -SupplierCodeModel=Vendor code model +SupplierCodeModel=Leverandør kode model Gencod=Stregkode ##### Professional ID ##### ProfId1Short=Prof. ID 1 @@ -258,34 +258,34 @@ ProfId1DZ=RC ProfId2DZ=Kunst. ProfId3DZ=NIF ProfId4DZ=NIS -VATIntra=Sales tax ID -VATIntraShort=Tax ID +VATIntra=Salgsmoms ID +VATIntraShort=Skatte ID VATIntraSyntaxIsValid=Syntaks er gyldigt -VATReturn=VAT return +VATReturn=Moms returnering ProspectCustomer=Emne / kunde Prospect=Emne CustomerCard=Customer Card Customer=Kunde CustomerRelativeDiscount=Relativ kunde rabat -SupplierRelativeDiscount=Relative vendor discount +SupplierRelativeDiscount=Relativ leverandørrabat CustomerRelativeDiscountShort=Relativ rabat CustomerAbsoluteDiscountShort=Absolut rabat CompanyHasRelativeDiscount=Denne kunde har en rabat på %s%% CompanyHasNoRelativeDiscount=Denne kunde har ingen relativ discount som standard -HasRelativeDiscountFromSupplier=You have a default discount of %s%% from this supplier -HasNoRelativeDiscountFromSupplier=You have no default relative discount from this supplier +HasRelativeDiscountFromSupplier=Du har en standardrabat på %s%% fra denne leverandør +HasNoRelativeDiscountFromSupplier=Du har ingen standard relativ rabat fra denne leverandør CompanyHasAbsoluteDiscount=Denne kunde har rabat til rådighed (kredit noter eller nedbetalinger) for %s %s CompanyHasDownPaymentOrCommercialDiscount=Denne kunde har rabat til rådighed (kommerciel, nedbetalinger) til %s %s CompanyHasCreditNote=Denne kunde har stadig kreditnotaer for %s %s -HasNoAbsoluteDiscountFromSupplier=You have no discount credit available from this supplier -HasAbsoluteDiscountFromSupplier=You have discounts available (credits notes or down payments) for %s %s from this supplier -HasDownPaymentOrCommercialDiscountFromSupplier=You have discounts available (commercial, down payments) for %s %s from this supplier -HasCreditNoteFromSupplier=You have credit notes for %s %s from this supplier +HasNoAbsoluteDiscountFromSupplier=Du har ingen rabatkredit tilgængelig hos denne leverandør +HasAbsoluteDiscountFromSupplier=Du har rabatter til rådighed (krediter noter eller forudbetalinger) for %s %s fra denne leverandør +HasDownPaymentOrCommercialDiscountFromSupplier=Du har rabatter til rådighed (kommercielle, forskudsbetalinger) til %s %s fra denne leverandør +HasCreditNoteFromSupplier=Du har kreditnotaer til %s %s fra denne leverandør CompanyHasNoAbsoluteDiscount=Denne kunde har ingen rabat kreditter til rådighed -CustomerAbsoluteDiscountAllUsers=Absolute customer discounts (granted by all users) -CustomerAbsoluteDiscountMy=Absolute customer discounts (granted by yourself) -SupplierAbsoluteDiscountAllUsers=Absolute vendor discounts (entered by all users) -SupplierAbsoluteDiscountMy=Absolute vendor discounts (entered by yourself) +CustomerAbsoluteDiscountAllUsers=Absolutte kunderabatter (ydet af alle brugere) +CustomerAbsoluteDiscountMy=Absolutte kunderabatter (givet af dig selv) +SupplierAbsoluteDiscountAllUsers=Absolutte leverandørrabatter (indtastet af alle brugere) +SupplierAbsoluteDiscountMy=Absolutte leverandørrabatter (indtastet af dig selv) DiscountNone=Ingen Supplier=Leverandør AddContact=Opret kontakt @@ -304,13 +304,13 @@ DeleteACompany=Slet et selskab PersonalInformations=Personoplysninger AccountancyCode=Regnskabskonto CustomerCode=Kundekode -SupplierCode=Vendor code +SupplierCode=Leverandør kode CustomerCodeShort=Kundekode -SupplierCodeShort=Vendor code +SupplierCodeShort=Leverandør kode CustomerCodeDesc=Kundekode, unik for alle kunder -SupplierCodeDesc=Vendor code, unique for all vendors +SupplierCodeDesc=Leverandørkode, unik for alle leverandører RequiredIfCustomer=Påkrævet, hvis tredjepart er en kunde eller et emne -RequiredIfSupplier=Required if third party is a vendor +RequiredIfSupplier=Påkrævet, hvis tredjepart er en sælger ValidityControledByModule=Gyldighed kontrolleres af modul ThisIsModuleRules=Dette er reglerne for dette modul ProspectToContact=Emne at kontakte @@ -338,7 +338,7 @@ MyContacts=Mine kontakter Capital=Egenkapital CapitalOf=Egenkapital på %s EditCompany=Rediger virksomhed -ThisUserIsNot=This user is not a prospect, customer nor vendor +ThisUserIsNot=Denne bruger er ikke en kunde, kunde eller leverandør VATIntraCheck=Kontrollere VATIntraCheckDesc=Linket %s tillader at anmode Den Europæiske moms Kontrolprogram service. En ekstern adgang til internettet fra server er påkrævet til denne tjeneste for at arbejde. VATIntraCheckURL=http://ec.europa.eu/taxation_customs/vies/vieshome.do @@ -390,13 +390,13 @@ NoDolibarrAccess=Ingen Dolibarr adgang ExportDataset_company_1=Tredjeparter (Virksomheder / fonde / fysiske personer) og opsætning ExportDataset_company_2=Kontakter og egenskaber ImportDataset_company_1=Tredjeparter (Virksomheder / fonde / fysiske personer) og opsætning -ImportDataset_company_2=Contacts/Addresses (of third parties or not) and attributes -ImportDataset_company_3=Bank accounts of third parties -ImportDataset_company_4=Third parties/Sales representatives (Assign sales representatives users to companies) +ImportDataset_company_2=Kontakter / Adresser (fra tredjeparter eller ej) og attributter +ImportDataset_company_3=Bankregnskaber for tredjeparter +ImportDataset_company_4=Tredjeparter / Salgspersoner (Tildel salgsrepræsentanters brugere til virksomheder) PriceLevel=Prisniveau DeliveryAddress=Leveringsadresse AddAddress=Tilføj adresse -SupplierCategory=Vendor category +SupplierCategory=Leverandør kategori JuridicalStatus200=Uafhængig DeleteFile=Slet fil ConfirmDeleteFile=Er du sikker på du vil slette denne fil? @@ -406,7 +406,7 @@ FiscalYearInformation=Oplysninger om regnskabssår FiscalMonthStart=Første måned i regnskabsåret YouMustAssignUserMailFirst=Du skal først oprette e-mail til denne bruger for at kunne tilføje e-mail-meddelelser til ham. YouMustCreateContactFirst=For at kunne tilføje e-mail-meddelelser skal du først definere kontakter med gyldige e-mails til tredjepart -ListSuppliersShort=List of vendors +ListSuppliersShort=Liste over leverandører ListProspectsShort=Liste over emner ListCustomersShort=Liste over kunder ThirdPartiesArea=Tredjeparter og kontakter @@ -419,16 +419,16 @@ ProductsIntoElements=Liste over varer/ydelser i %s CurrentOutstandingBill=Udestående faktura i øjeblikket OutstandingBill=Maks. for udstående faktura OutstandingBillReached=Maks. for udestående regning nået -OrderMinAmount=Minimum amount for order -MonkeyNumRefModelDesc=Return numero with format %syymm-nnnn for customer code and %syymm-nnnn for vendor code where yy is year, mm is month and nnnn is a sequence with no break and no return to 0. +OrderMinAmount=Minimumsbeløb for ordre +MonkeyNumRefModelDesc=Returner nummer med format %syymm-nnnn for kundekode og %syymm-nnnn for leverandør kode hvor det er år, mm er måned og nnnn er en sekvens uden pause og ingen tilbagevenden til 0. LeopardNumRefModelDesc=Kunde / leverandør-koden er ledig. Denne kode kan til enhver tid ændres. ManagingDirectors=Leder(e) navne (CEO, direktør, chef...) MergeOriginThirdparty=Duplicate tredjepart (tredjepart, du vil slette) MergeThirdparties=Flet tredjeparter ConfirmMergeThirdparties=Er du sikker på, at du vil fusionere denne tredjepart i den nuværende? Alle linkede objekter (fakturaer, ordrer, ...) vil blive flyttet til den aktuelle tredjepart, og tredjepartet vil blive slettet. -ThirdpartiesMergeSuccess=Third parties have been merged +ThirdpartiesMergeSuccess=Tredjeparter er blevet fusioneret SaleRepresentativeLogin=Login af salgsrepræsentant SaleRepresentativeFirstname=Fornavn på salgsrepræsentant SaleRepresentativeLastname=Efternavn på salgsrepræsentant -ErrorThirdpartiesMerge=There was an error when deleting the third parties. Please check the log. Changes have been reverted. -NewCustomerSupplierCodeProposed=New customer or vendor code suggested on duplicate code +ErrorThirdpartiesMerge=Der opstod en fejl ved sletning af tredjeparter. Kontroller loggen. Ændringer er blevet vendt tilbage. +NewCustomerSupplierCodeProposed=Ny kunde- eller sælgerkode foreslået på to eksemplarer diff --git a/htdocs/langs/da_DK/compta.lang b/htdocs/langs/da_DK/compta.lang index 52e3887d08690..dd6ae5b93f4cd 100644 --- a/htdocs/langs/da_DK/compta.lang +++ b/htdocs/langs/da_DK/compta.lang @@ -19,7 +19,8 @@ Income=Indkomst Outcome=Udgift MenuReportInOut=Indkomst/udgift ReportInOut=Balance for indtægter og udgifter -ReportTurnover=Omsætning +ReportTurnover=Turnover invoiced +ReportTurnoverCollected=Turnover collected PaymentsNotLinkedToInvoice=Betalinger ikke er knyttet til en faktura, så der ikke er knyttet til nogen tredjepart PaymentsNotLinkedToUser=Betalinger ikke er knyttet til en bruger Profit=Profit @@ -77,7 +78,7 @@ MenuNewSocialContribution=Ny skat/afgift NewSocialContribution=Ny skat/afgift AddSocialContribution=Tilføj skat/afgift ContributionsToPay=Skatter/afgifter til betaling -AccountancyTreasuryArea=Regnskab/økonomi +AccountancyTreasuryArea=Billing and payment area NewPayment=Ny betaling Payments=Betalinger PaymentCustomerInvoice=Betaling for kundefaktura @@ -105,6 +106,7 @@ VATPayment=Betaling af udgående moms VATPayments=Betalinger af udgående moms VATRefund=Salgskat refusion NewVATPayment=New sales tax payment +NewLocalTaxPayment=New tax %s payment Refund=Tilbagebetaling SocialContributionsPayments=Betalinger af skat/afgift ShowVatPayment=Vis momsbetaling @@ -116,8 +118,9 @@ CustomerAccountancyCodeShort=Cust. konto. kode SupplierAccountancyCodeShort=Sup. konto. kode AccountNumber=Kontonummer NewAccountingAccount=Ny konto -SalesTurnover=Omsætning -SalesTurnoverMinimum=Mindste omsætning +Turnover=Turnover invoiced +TurnoverCollected=Turnover collected +SalesTurnoverMinimum=Minimum turnover ByExpenseIncome=Udgifter og indtægter ByThirdParties=Tredjemand ByUserAuthorOfInvoice=Fakturaforfatter @@ -137,8 +140,8 @@ 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 . -CalcModeDebt=Mode %sClaims-Debts%s sagde Forpligtelsesregnskab . -CalcModeEngagement=Mode %sIncomes-Expenses%s sagde kontantregnskab +CalcModeDebt=Analysis of known recorded invoices 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=Analyse af data, der er journaliseret i Bookkeeping Ledger-tabellen CalcModeLT1= Mode %sRE på kundefakturaer - leverandører invoices%s CalcModeLT1Debt=Mode %sRE på kundefakturaer%s @@ -151,9 +154,9 @@ 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=Voir le rapport %sRecettes-Dpenses %s DIT comptabilit de caisse pour un calcul sur les paiements effectivement raliss -SeeReportInDueDebtMode=Voir le rapport %sCrances-Dettes %s DIT comptabilit d'engagement pour un calcul sur les factures Mises -SeeReportInBookkeepingMode=Se rapport %sBookeeping%s til en beregning på analyse af bogføringstabeller +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 RulesAmountWithTaxIncluded=- De viste beløb er med alle inkl. moms RulesResultDue=- Det inkluderer udestående fakturaer, udgifter, moms, donationer, uanset om de er betalt eller ej. Inkluderer også betalte lønninger.
- Det er baseret på valideringsdatoen for fakturaer og moms og på forfaldsdagen for udgifter. For lønninger, der er defineret med Lønmodul, anvendes datoen for betaling. 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. @@ -218,8 +221,8 @@ Mode1=Metode 1 Mode2=Metode 2 CalculationRuleDesc=For at beregne total moms er der to metoder:
Metode 1 er afrundingskvot på hver linje og derefter opsummerer dem.
Metode 2 opsummerer alt moms på hver linje og derefter afrundingsresultat.
Endelig resultat kan afvige fra få cent. Standard tilstand er tilstand %s . CalculationRuleDescSupplier=Ifølge leverandør skal du vælge en passende metode til at anvende samme beregningsregel og få det samme resultat, som din leverandør forventes. -TurnoverPerProductInCommitmentAccountingNotRelevant=The Turnover report per product, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). -TurnoverPerSaleTaxRateInCommitmentAccountingNotRelevant=The Turnover report per sale tax rate, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). +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. CalculationMode=Udregningsmåde AccountancyJournal=Regnskabskladde ACCOUNTING_VAT_SOLD_ACCOUNT=Accounting account by default for VAT on sales (used if not defined on VAT dictionary setup) @@ -251,5 +254,6 @@ VATDue=Sale tax claimed ClaimedForThisPeriod=Claimed for the period PaidDuringThisPeriod=Paid during this period ByVatRate=By sale tax rate -TurnoverbyVatrate=Turnover by sale tax rate +TurnoverbyVatrate=Turnover invoiced by sale tax rate +TurnoverCollectedbyVatrate=Turnover collected by sale tax rate PurchasebyVatrate=Purchase by sale tax rate diff --git a/htdocs/langs/da_DK/install.lang b/htdocs/langs/da_DK/install.lang index 6ce71b2fcb295..b38323998a029 100644 --- a/htdocs/langs/da_DK/install.lang +++ b/htdocs/langs/da_DK/install.lang @@ -204,3 +204,7 @@ MigrationResetBlockedLog=Nulstil modul BlockedLog for v7 algoritme ShowNotAvailableOptions=Show not available options HideNotAvailableOptions=Hide not available options ErrorFoundDuringMigration=Error were reported during migration process so next step is not available. To ignore errors, you can click here, but application or some features may not work correctly until fixed. +YouTryInstallDisabledByDirLock=The application try to sefl upgrade, but install/upgrade pages have been disabled for security reason (directory renamed with .lock suffix).
+YouTryInstallDisabledByFileLock=The application try to sefl upgrade, but install/upgrade pages pages have been disabled for security reason (by lock file install.lock into dolibarr documents directory).
+ClickHereToGoToApp=Click here to go to your application +ClickOnLinkOrRemoveManualy=Click on following link and if you always reach this page, you must remove the file install.lock into documents directory manually diff --git a/htdocs/langs/da_DK/main.lang b/htdocs/langs/da_DK/main.lang index fa72c576c58b1..44f3c22b75918 100644 --- a/htdocs/langs/da_DK/main.lang +++ b/htdocs/langs/da_DK/main.lang @@ -430,7 +430,7 @@ ActionRunningShort=I gang ActionDoneShort=Finished ActionUncomplete=Uafsluttet LatestLinkedEvents=Seneste %s linkede begivenheder -CompanyFoundation=Company/Organization +CompanyFoundation=Virksomhed / organisation Accountant=Accountant ContactsForCompany=Kontakter for denne tredjepart ContactsAddressesForCompany=Kontakter/adresser for denne tredjepart @@ -507,6 +507,7 @@ NoneF=Ingen NoneOrSeveral=Ingen eller flere Late=Sen LateDesc=Forsinkelse om at definere, om en optegnelse er forsinket eller ikke, afhænger af dit opsætning. Bed din administrator om at ændre forsinkelsen fra menuen Hjem - Opsætning - Advarsler. +NoItemLate=No late item Photo=Billede Photos=Billeder AddPhoto=Tilføj billede @@ -917,9 +918,9 @@ SearchIntoProductsOrServices=Produkter eller tjenester SearchIntoProjects=Projekter SearchIntoTasks=Opgaver SearchIntoCustomerInvoices=Kundefakturaer -SearchIntoSupplierInvoices=Vendor invoices +SearchIntoSupplierInvoices=Leverandørfakturaer SearchIntoCustomerOrders=Kundeordrer -SearchIntoSupplierOrders=Purchase orders +SearchIntoSupplierOrders=Indkøbsordre SearchIntoCustomerProposals=Kundeforslag SearchIntoSupplierProposals=Vendor proposals SearchIntoInterventions=Interventioner @@ -945,3 +946,5 @@ KeyboardShortcut=Keyboard shortcut AssignedTo=Tildelt til Deletedraft=Delete draft ConfirmMassDraftDeletion=Draft Bulk delete confirmation +FileSharedViaALink=File shared via a link + diff --git a/htdocs/langs/da_DK/margins.lang b/htdocs/langs/da_DK/margins.lang index 824a13a7ebd81..b005a3bac51b0 100644 --- a/htdocs/langs/da_DK/margins.lang +++ b/htdocs/langs/da_DK/margins.lang @@ -1,44 +1,44 @@ # Dolibarr language file - Source file is en_US - marges Margin=Margin -Margins=Margins -TotalMargin=Margin i alt -MarginOnProducts=Margin / Products +Margins=Margener +TotalMargin=Total margen +MarginOnProducts=Margen / Produkter MarginOnServices=Margin / Services -MarginRate=Margin rate +MarginRate=Margen sats MarkRate=Mark rate -DisplayMarginRates=Display margin rates -DisplayMarkRates=Display mark rates -InputPrice=Input price -margin=Profit margins management -margesSetup=Profit margins management setup -MarginDetails=Margin details -ProductMargins=Product margins -CustomerMargins=Customer margins -SalesRepresentativeMargins=Sales representative margins -UserMargins=User margins -ProductService=Vare eller ydelse -AllProducts=Alle varer og ydelser -ChooseProduct/Service=Vælg vare eller ydelse -ForceBuyingPriceIfNull=Force buying/cost price to selling price if not defined -ForceBuyingPriceIfNullDetails=If buying/cost price not defined, and this option "ON", margin will be zero on line (buying/cost price = selling price), otherwise ("OFF"), marge will be equal to suggested default. -MARGIN_METHODE_FOR_DISCOUNT=Margin method for global discounts -UseDiscountAsProduct=Som en vare -UseDiscountAsService=As a service -UseDiscountOnTotal=Subtotal -MARGIN_METHODE_FOR_DISCOUNT_DETAILS=Defines if a global discount is treated as a product, a service, or only on subtotal for margin calculation. -MARGIN_TYPE=Buying/Cost price suggested by default for margin calculation -MargeType1=Margin on Best vendor price -MargeType2=Margin on Weighted Average Price (WAP) -MargeType3=Margin on Cost Price -MarginTypeDesc=* Margin on best buying price = Selling price - Best vendor price defined on product card
* Margin on Weighted Average Price (WAP) = Selling price - Product Weighted Average Price (WAP) or best supplier price if WAP not yet defined
* Margin on Cost price = Selling price - Cost price defined on product card or WAP if cost price not defined, or best supplier price if WAP not yet defined -CostPrice=Cost price -UnitCharges=Unit charges -Charges=Charges -AgentContactType=Kontakttype for handelsagent -AgentContactTypeDetails=Define what contact type (linked on invoices) will be used for margin report per sale representative -rateMustBeNumeric=Rate must be a numeric value -markRateShouldBeLesserThan100=Mark rate should be lower than 100 -ShowMarginInfos=Show margin infos -CheckMargins=Margins detail -MarginPerSaleRepresentativeWarning=The report of margin per user use the link between third parties and sale representatives to calculate the margin of each sale representative. Because some thirdparties may not have any ddiated sale representative and some thirdparties may be linked to several, some amounts may not be included into this report (if there is no sale representative) and some may appear on different lines (for each sale representative). +DisplayMarginRates=Vis margen satser +DisplayMarkRates=Vis markeringsrenter +InputPrice=Indgangspris +margin=Forvaltning af overskudsgrader +margesSetup=Profitmargener management setup +MarginDetails=Margen detaljer +ProductMargins=Produktmargener +CustomerMargins=Kundemargener +SalesRepresentativeMargins=Salgsrepræsentantmargener +UserMargins=Brugermargener +ProductService=Produkt eller Service +AllProducts=Alle produkter og tjenester +ChooseProduct/Service=Vælg produkt eller service +ForceBuyingPriceIfNull=Force køb / kostpris til salgspris, hvis ikke defineret +ForceBuyingPriceIfNullDetails=Hvis købs- / omkostningspris ikke er defineret, og denne valgmulighed "ON", vil margen være nul på linie (køb / kostpris = salgspris), ellers ("OFF"), marginen vil svare til den foreslåede standard. +MARGIN_METHODE_FOR_DISCOUNT=Margin metode til globale rabatter +UseDiscountAsProduct=Som et produkt +UseDiscountAsService=Som en tjeneste +UseDiscountOnTotal=På subtotal +MARGIN_METHODE_FOR_DISCOUNT_DETAILS=Definerer, om en global rabat behandles som et produkt, en tjeneste eller kun på subtotal til margenberegning. +MARGIN_TYPE=Køb / Omkostningspris foreslået som standard for margenberegning +MargeType1=Margin på bedste sælgerpris +MargeType2=Margin på vejet gennemsnitspris (WAP) +MargeType3=Margin på omkostningspris +MarginTypeDesc=* Margin på bedst købspris = Salgspris - Bedste leverandørpris defineret på produktkortet.
* Margin på vægtet gennemsnitspris (WAP) = Salgspris - Produktvægtet gennemsnitspris (WAP) eller bedste leverandørpris, hvis WAP endnu ikke er defineret
* Margen på omkostningspris = Salgspris - Omkostningspris defineret på produktkort eller WAP, hvis omkostningspris ikke er defineret eller bedste leverandørpris, hvis WAP endnu ikke er defineret +CostPrice=Omkostning +UnitCharges=Enhedsafgifter +Charges=Afgifter +AgentContactType=Kommerciel agentkontaktype +AgentContactTypeDetails=Definer, hvilken kontakttype (knyttet til fakturaer) vil blive brugt til marginalrapport pr. Salgsrepræsentant +rateMustBeNumeric=Satsen skal være en numerisk værdi +markRateShouldBeLesserThan100=Markrate bør være lavere end 100 +ShowMarginInfos=Vis marginoplysninger +CheckMargins=Margen detaljer +MarginPerSaleRepresentativeWarning=Rapporten om margen pr. Bruger bruger linket mellem tredjeparter og salgsrepræsentanter til at beregne margenen for hver salgsrepræsentant. Da nogle tredjeparter muligvis ikke har nogen ddiated salgsrepræsentant og nogle tredjeparter kan være knyttet til flere, kan nogle beløb måske ikke medtages i denne rapport (hvis der ikke er salgsrepræsentant), og nogle kan vises på forskellige linjer (for hver salgsrepræsentant). diff --git a/htdocs/langs/da_DK/modulebuilder.lang b/htdocs/langs/da_DK/modulebuilder.lang index db4ecd95d2f1e..3eb12eef8431a 100644 --- a/htdocs/langs/da_DK/modulebuilder.lang +++ b/htdocs/langs/da_DK/modulebuilder.lang @@ -74,6 +74,7 @@ NoWidget=Ingen widget GoToApiExplorer=Gå til API Explorer ListOfMenusEntries=Liste over menupunkter ListOfPermissionsDefined=Liste over definerede tilladelser +SeeExamples=See examples here EnabledDesc=Tilstand at have dette felt aktivt (Eksempler: 1 eller $ conf-> global-> MYMODULE_MYOPTION) VisibleDesc=Er feltet synligt? (Eksempler: 0 = Aldrig synlig, 1 = Synlig på liste og oprette / opdatere / se formularer, 2 = Kun synlig på listen, 3 = Synlig på oprette / opdatere / kun se formular. Ved hjælp af en negativ værdi betyder feltet ikke vist ved standard på listen men kan vælges til visning) IsAMeasureDesc=Kan værdien af ​​feltet akkumuleres for at få en samlet liste? (Eksempler: 1 eller 0) @@ -95,3 +96,6 @@ DropTableIfEmpty=(Slet tabel hvis tom) TableDoesNotExists=Tabellen %s findes ikke TableDropped=Tabel %s slettet InitStructureFromExistingTable=Build the structure array string of an existing table +UseAboutPage=Disallow the about page +UseDocFolder=Disallow the documentation folder +UseSpecificReadme=Use a specific ReadMe diff --git a/htdocs/langs/da_DK/orders.lang b/htdocs/langs/da_DK/orders.lang index ecab975a7e6ac..572835fbb2f8a 100644 --- a/htdocs/langs/da_DK/orders.lang +++ b/htdocs/langs/da_DK/orders.lang @@ -14,7 +14,7 @@ NewOrder=Ny ordre ToOrder=Lav ordre MakeOrder=Lav ordre SupplierOrder=Purchase order -SuppliersOrders=Purchase orders +SuppliersOrders=Indkøbsordre SuppliersOrdersRunning=Current purchase orders CustomerOrder=Kunde Bestil CustomersOrders=Kundeordrer diff --git a/htdocs/langs/da_DK/other.lang b/htdocs/langs/da_DK/other.lang index 0ea2f1d859417..7a7f292814cb3 100644 --- a/htdocs/langs/da_DK/other.lang +++ b/htdocs/langs/da_DK/other.lang @@ -80,8 +80,8 @@ LinkedObject=Linket objekt NbOfActiveNotifications=Antal meddelelser (nb modtager e-mails) PredefinedMailTest=__(Hej)__\nDette er en testpost sendt til __EMAIL__.\nDe to linjer er adskilt af en vognretur.\n\n__USER_SIGNATURE__ PredefinedMailTestHtml=__(Hej)__\nDette er en test mail (ordtesten skal være fed skrift). De to linjer er adskilt af en vognretur.

__USER_SIGNATURE__ -PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\nThis is the link to make your online payment if this invoice is not already payed:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\nThis is the link to make your online payment:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendProposal=__(Hello)__\n\nYou will find here the commercial proposal __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendSupplierProposal=__(Hej)__\n\nHer finder du prisforespørgsel __REF__\n\n\n__ (Sincerely) __\n\n__USER_SIGNATURE__ PredefinedMailContentSendOrder=__(Hej)__\n\nHer finder du ordren __REF__\n\n\n__ (Sincerely) __\n\n__USER_SIGNATURE__ @@ -91,6 +91,7 @@ PredefinedMailContentSendShipping=__(Hej)__\n\nHer finder du forsendelsen __REF_ PredefinedMailContentSendFichInter=__(Hej)__\n\nHer finder du interventionen __REF__\n\n\n__ (Sincerely) __\n\n__USER_SIGNATURE__ PredefinedMailContentThirdparty=__(Hej)__\n\n\n__ (Sincerely) __\n\n__USER_SIGNATURE__ PredefinedMailContentUser=__(Hej)__\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 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) @@ -218,7 +219,7 @@ FileIsTooBig=Filer er for store PleaseBePatient=Vær tålmodig ... NewPassword=New password ResetPassword=Nulstille kodeord -RequestToResetPasswordReceived=A request to change your password has been received +RequestToResetPasswordReceived=A request to change your password has been received. NewKeyIs=Dette er dine nye nøgler til login NewKeyWillBe=Din nye nøgle til login til software vil være ClickHereToGoTo=Klik her for at gå til %s diff --git a/htdocs/langs/da_DK/paypal.lang b/htdocs/langs/da_DK/paypal.lang index 42a5bffc8caa4..bfbbeff7e9341 100644 --- a/htdocs/langs/da_DK/paypal.lang +++ b/htdocs/langs/da_DK/paypal.lang @@ -14,7 +14,6 @@ PaypalModeOnlyPaypal=Kun PayPal ONLINE_PAYMENT_CSS_URL=Valgfri URL til CSS stilark på online betalingsside ThisIsTransactionId=Dette er id af transaktionen: %s PAYPAL_ADD_PAYMENT_URL=Tilsæt url Paypal betaling, når du sender et dokument med posten -PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.

%s

YouAreCurrentlyInSandboxMode=Du er i øjeblikket i %s "sandbox" -tilstanden NewOnlinePaymentReceived=Ny online betaling modtaget NewOnlinePaymentFailed=Ny online betaling forsøgt men mislykkedes diff --git a/htdocs/langs/da_DK/productbatch.lang b/htdocs/langs/da_DK/productbatch.lang index 5a320b7718354..c32382f6f49f0 100644 --- a/htdocs/langs/da_DK/productbatch.lang +++ b/htdocs/langs/da_DK/productbatch.lang @@ -16,7 +16,7 @@ printEatby=Pluk: %s printSellby=Solgt af: %s printQty=Antal: %d AddDispatchBatchLine=Tilføj en linje for lager holdbarhed -WhenProductBatchModuleOnOptionAreForced=When module Lot/Serial is on, automatic stock decrease is forced to 'Decrease real stocks on shipping validation' and automatic increase mode is forced to 'Increase real stocks on manual dispatching into warehouses' and can't be edited. Other options can be defined as you want. +WhenProductBatchModuleOnOptionAreForced=Når modulet Lot/Serial er aktiveret, tvunget automatisk lagernedgang til at 'Reducere rigtige lagre ved forsendelse validering' og automatisk stigningstilstand er tvunget til at "Øge ægte lagre ved manuel afsendelse til lager" og kan ikke redigeres. Andre muligheder kan defineres som ønsket. ProductDoesNotUseBatchSerial=Dette produkt bruger ikke parti / serienummer ProductLotSetup=Opsætning af modul parti / serie ShowCurrentStockOfLot=Vis nuværende lager for par produkt / parti diff --git a/htdocs/langs/da_DK/products.lang b/htdocs/langs/da_DK/products.lang index 6d7267a35c4df..a5b1fd703851e 100644 --- a/htdocs/langs/da_DK/products.lang +++ b/htdocs/langs/da_DK/products.lang @@ -251,8 +251,8 @@ PriceNumeric=Numero DefaultPrice=Standard pris ComposedProductIncDecStock=Forøg / sænk lagerbeholdning ved forældreændring ComposedProduct=Sub-produkt -MinSupplierPrice=Minimum leverandørpris -MinCustomerPrice=Minimum kundepris +MinSupplierPrice=Min købskurs +MinCustomerPrice=Minimum selling price DynamicPriceConfiguration=Dynamisk priskonfiguration DynamicPriceDesc=På produktkort, med dette modul aktiveret, skal du kunne indstille matematiske funktioner til at beregne kunde- eller leverandørpriser. En sådan funktion kan bruge alle matematiske operatører, nogle konstanter og variabler. Du kan indstille de variabler, du vil kunne bruge, og hvis variablen skal have en automatisk opdatering, skal den eksterne webadresse, der bruges til at spørge Dolibarr, opdatere værdien automatisk. AddVariable=Tilføj variabel diff --git a/htdocs/langs/da_DK/propal.lang b/htdocs/langs/da_DK/propal.lang index 5d5bdc0039b9e..5f495cdafa928 100644 --- a/htdocs/langs/da_DK/propal.lang +++ b/htdocs/langs/da_DK/propal.lang @@ -75,6 +75,7 @@ AvailabilityTypeAV_1M=1 måned TypeContact_propal_internal_SALESREPFOLL=Repræsentant for opfølgning af tilbud TypeContact_propal_external_BILLING=Kundefaktura kontakt TypeContact_propal_external_CUSTOMER=Kundekontakt for opfølgning af tilbud +TypeContact_propal_external_SHIPPING=Customer contact for delivery # Document models DocModelAzurDescription=En komplet tilbudskabelon (logo. ..) DefaultModelPropalCreate=Oprettelse af skabelon diff --git a/htdocs/langs/da_DK/sendings.lang b/htdocs/langs/da_DK/sendings.lang index e671ab4e34e7b..8ca751aef51aa 100644 --- a/htdocs/langs/da_DK/sendings.lang +++ b/htdocs/langs/da_DK/sendings.lang @@ -2,31 +2,31 @@ RefSending=Ref. afsendelse Sending=Sender Sendings=Sendings -AllSendings=All Shipments +AllSendings=Alle forsendelser Shipment=Sender Shipments=Forsendelser -ShowSending=Show Shipments -Receivings=Delivery Receipts +ShowSending=Vis forsendelser +Receivings=Leverings kvitteringer SendingsArea=Sendings område ListOfSendings=Liste over sendings SendingMethod=Afsendelse metode -LastSendings=Latest %s shipments +LastSendings=Seneste %s forsendelser StatisticsOfSendings=Statistik over sendings NbOfSendings=Antal sendings -NumberOfShipmentsByMonth=Number of shipments by month -SendingCard=Shipment card +NumberOfShipmentsByMonth=Antal forsendelser pr. Måned +SendingCard=Forsendelse kort NewSending=Ny afsendelse CreateShipment=Opret afsendelse QtyShipped=Qty afsendt -QtyShippedShort=Qty ship. -QtyPreparedOrShipped=Qty prepared or shipped +QtyShippedShort=Antal skibe. +QtyPreparedOrShipped=Antal forberedt eller afsendt QtyToShip=Qty til skibet QtyReceived=Antal modtagne -QtyInOtherShipments=Qty in other shipments -KeepToShip=Remain to ship -KeepToShipShort=Remain +QtyInOtherShipments=Antal i andre forsendelser +KeepToShip=Bliv ved at sende +KeepToShipShort=Forblive OtherSendingsForSameOrder=Andre sendings for denne ordre -SendingsAndReceivingForSameOrder=Shipments and receipts for this order +SendingsAndReceivingForSameOrder=Forsendelser og kvitteringer for denne ordre SendingsToValidate=Henvist til validere StatusSendingCanceled=Aflyst StatusSendingDraft=Udkast @@ -35,38 +35,38 @@ StatusSendingProcessed=Forarbejdet StatusSendingDraftShort=Udkast StatusSendingValidatedShort=Valideret StatusSendingProcessedShort=Forarbejdet -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=Forsendelsesark +ConfirmDeleteSending=Er du sikker på, at du vil slette denne forsendelse? +ConfirmValidateSending=Er du sikker på, at du vil validere denne forsendelse med henvisning %s ? +ConfirmCancelSending=Er du sikker på, at du vil annullere denne forsendelse? DocumentModelMerou=Merou A5 model WarningNoQtyLeftToSend=Advarsel, ingen varer venter på at blive sendt. -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 +StatsOnShipmentsOnlyValidated=Statistikker udført på forsendelser kun valideret. Den anvendte dato er datoen for valideringen af ​​forsendelsen (planlagt leveringsdato er ikke altid kendt). +DateDeliveryPlanned=Planlagt leveringsdato +RefDeliveryReceipt=Ref leveringskvittering +StatusReceipt=Status leveringskvittering DateReceived=Dato levering modtaget SendShippingByEMail=Send forsendelse via e-mail -SendShippingRef=Submission of shipment %s +SendShippingRef=Indsendelse af forsendelse %s ActionsOnShipping=Begivenheder for forsendelse LinkToTrackYourPackage=Link til at spore din pakke ShipmentCreationIsDoneFromOrder=For øjeblikket er skabelsen af ​​en ny forsendelse udført af ordrekortet. -ShipmentLine=Shipment line -ProductQtyInCustomersOrdersRunning=Product quantity into open customers orders -ProductQtyInSuppliersOrdersRunning=Product quantity into open suppliers orders -ProductQtyInShipmentAlreadySent=Product quantity from open customer order already sent -ProductQtyInSuppliersShipmentAlreadyRecevied=Product quantity from open supplier order already received -NoProductToShipFoundIntoStock=No product to ship found into 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. +ShipmentLine=Forsendelseslinje +ProductQtyInCustomersOrdersRunning=Product quantity into open customer orders +ProductQtyInSuppliersOrdersRunning=Product quantity into open purchase orders +ProductQtyInShipmentAlreadySent=Produkt mængde fra åben kundeordre allerede sendt +ProductQtyInSuppliersShipmentAlreadyRecevied=Produkt mængde fra åben leverandør ordre allerede modtaget +NoProductToShipFoundIntoStock=Intet produkt til skib fundet i lager %s . Ret lager eller gå tilbage for at vælge et andet lager. +WeightVolShort=Vægt / vol. +ValidateOrderFirstBeforeShipment=Du skal først validere ordren, inden du kan foretage forsendelser. # Sending methods # ModelDocument DocumentModelTyphon=Mere komplet dokument model for levering kvitteringer (logo. ..) Error_EXPEDITION_ADDON_NUMBER_NotDefined=Konstant EXPEDITION_ADDON_NUMBER ikke defineret -SumOfProductVolumes=Sum of product volumes -SumOfProductWeights=Sum of product weights +SumOfProductVolumes=Summen af ​​produktmængder +SumOfProductWeights=Summen af ​​produktvægt # warehouse details -DetailWarehouseNumber= Warehouse details -DetailWarehouseFormat= W:%s (Qty : %d) +DetailWarehouseNumber= Lager detaljer +DetailWarehouseFormat= W: %s (Antal: %d) diff --git a/htdocs/langs/da_DK/stocks.lang b/htdocs/langs/da_DK/stocks.lang index 9475fb1056836..c96fcfed4dd23 100644 --- a/htdocs/langs/da_DK/stocks.lang +++ b/htdocs/langs/da_DK/stocks.lang @@ -67,7 +67,7 @@ DeStockOnValidateOrder=Fraførsel reelle bestande om ordrer noter DeStockOnShipment=Reducer reelle aktier på forsendelse validering DeStockOnShipmentOnClosing=Sænk reelle aktier på fragtklassifikation lukket ReStockOnBill=Forhøjelse reelle bestande på fakturaer / kreditnotaer -ReStockOnValidateOrder=Forhøjelse reelle bestande om ordrer noter +ReStockOnValidateOrder=Increase real stocks on purchase orders approbation ReStockOnDispatchOrder=Forøg ægte lagre ved manuel afsendelse til lager, efter leverandørens bestilling af varer OrderStatusNotReadyToDispatch=Ordren har endnu ikke eller ikke længere en status, der tillader afsendelse af varer fra varelagre. StockDiffPhysicTeoric=Forklaring til forskel mellem fysisk og virtuel bestand @@ -203,4 +203,4 @@ RegulateStock=Reguler lager ListInventory=Liste StockSupportServices=Støtte til lageradministration StockSupportServicesDesc=Som standard kan du kun lagre varer af typen "vare". Hvis slået til, og hvis modulet for ydelser er slået til, kan du også lagre varer af typen "ydelse" -ReceiveProducts=Receive products +ReceiveProducts=Receive items diff --git a/htdocs/langs/da_DK/suppliers.lang b/htdocs/langs/da_DK/suppliers.lang index fb395d8a8608c..2b4819780b164 100644 --- a/htdocs/langs/da_DK/suppliers.lang +++ b/htdocs/langs/da_DK/suppliers.lang @@ -1,10 +1,10 @@ # Dolibarr language file - Source file is en_US - suppliers -Suppliers=Vendors +Suppliers=Leverandører SuppliersInvoice=Vendor invoice ShowSupplierInvoice=Show Vendor Invoice -NewSupplier=New vendor +NewSupplier=Ny sælger History=Historie -ListOfSuppliers=List of vendors +ListOfSuppliers=Liste over leverandører ShowSupplier=Show vendor OrderDate=Bestil dato BuyingPriceMin=Bedste købspris diff --git a/htdocs/langs/da_DK/users.lang b/htdocs/langs/da_DK/users.lang index 6d59a2e9446d8..5e368d803dd64 100644 --- a/htdocs/langs/da_DK/users.lang +++ b/htdocs/langs/da_DK/users.lang @@ -48,7 +48,7 @@ PasswordChangeRequest=Anmod om at ændre adgangskode til %s PasswordChangeRequestSent=Anmodning om at ændre password for %s sendt til %s. ConfirmPasswordReset=Bekræft nulstilling af adgangskode MenuUsersAndGroups=Brugere og grupper -LastGroupsCreated=Seneste %s oprettede grupper +LastGroupsCreated=Latest %s groups created LastUsersCreated=Seneste brugere %s oprettet ShowGroup=Vis gruppe ShowUser=Vis bruger diff --git a/htdocs/langs/de_AT/admin.lang b/htdocs/langs/de_AT/admin.lang index c10648e681188..c68572335ca0e 100644 --- a/htdocs/langs/de_AT/admin.lang +++ b/htdocs/langs/de_AT/admin.lang @@ -99,6 +99,7 @@ WatermarkOnDraftOrders=Wasserzeichen zu den Entwürfen von Aufträgen (alle, wen InterventionsSetup=Eingriffsmoduleinstellungen FreeLegalTextOnInterventions=Freier Rechtstext für Eingriffe WatermarkOnDraftInterventionCards=Wasserzeichen auf Intervention Karte Dokumente (alle, wenn leer) +ViewProductDescInThirdpartyLanguageAbility=Visualization of products descriptions in the third party language ClickToDialSetup=Click-to-Dial-Moduleinstellungen PathToGeoIPMaxmindCountryDataFile=Pfad zur Datei mit Maxmind IP to Country Übersetzung.
Beispiel: / usr / local / share / GeoIP / GeoIP.dat MailToSendShipment=Sendungen diff --git a/htdocs/langs/de_AT/banks.lang b/htdocs/langs/de_AT/banks.lang index c622e923b383f..26b7f27a74410 100644 --- a/htdocs/langs/de_AT/banks.lang +++ b/htdocs/langs/de_AT/banks.lang @@ -1,5 +1,4 @@ # Dolibarr language file - Source file is en_US - banks -MenuBankCash=Überweisung/Bar BankName=Banknamen BankAccount=Kontonummer BankAccounts=Kontonummern diff --git a/htdocs/langs/de_CH/admin.lang b/htdocs/langs/de_CH/admin.lang index aa5af2e952fbb..b31fcfa9ebabc 100644 --- a/htdocs/langs/de_CH/admin.lang +++ b/htdocs/langs/de_CH/admin.lang @@ -155,7 +155,6 @@ Delays_MAIN_DELAY_ACTIONS_TODO=Verzögerungstoleranz (in Tagen) vor Warnung für Delays_MAIN_DELAY_PROJECT_TO_CLOSE=Verzögerungstoleranz (in Tagen) vor Warnung für nicht fristgerecht geschlossene Projekte Delays_MAIN_DELAY_TASKS_TODO=Verzögerungstoleranz (in Tagen) vor Warnung für nicht erledigte Projektaufgaben Delays_MAIN_DELAY_ORDERS_TO_PROCESS=Verzögerungstoleranz (in Tagen), vor Warnung für nicht bearbeitete Bestellungen -Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Verzögerungstoleranz (in Tagen), vor Warnung für nicht bearbeitete Lieferantenbestellungen Delays_MAIN_DELAY_PROPALS_TO_CLOSE=Verzögerungstoleranz (in Tagen) vor Warnung für abzuschliessende Angebote SetupDescription1=Der Setupbereich erlaubt das konfigurieren ihrer Dolibarr Installation vor der ersten Verwendung. InfoDolibarr=Infos Dolibarr @@ -214,6 +213,7 @@ MemcachedNotAvailable=Kein Cache Anwendung gefunden. \nSie können die Leistung MemcachedModuleAvailableButNotSetup=Module memcached für applicative Cache gefunden, aber Setup-Modul ist nicht vollständig. MemcachedAvailableAndSetup=Module memcached dedicated to use memcached server is enabled.. ServiceSetup=Leistungen Modul Setup +ViewProductDescInThirdpartyLanguageAbility=Visualization of products descriptions in the third party language UseSearchToSelectProductTooltip=Wenn Sie eine grosse Anzahl von Produkten (> 100.000) haben, können Sie die Geschwindigkeit verbessern, indem Sie in Einstellungen -> Andere die Konstante PRODUCT_DONOTSEARCH_ANYWHERE auf 1 setzen. Die Suche startet dann am Beginn des Strings. SetDefaultBarcodeTypeThirdParties=Standard-Barcode-Typ für Geschäftspartner UseUnits=Definieren Sie eine Masseinheit für die Menge während der Auftrags-, Auftragsbestätigungs- oder Rechnungszeilen-Ausgabe diff --git a/htdocs/langs/de_CH/banks.lang b/htdocs/langs/de_CH/banks.lang index 63f1a32091aab..c95bf26189db8 100644 --- a/htdocs/langs/de_CH/banks.lang +++ b/htdocs/langs/de_CH/banks.lang @@ -1,9 +1,11 @@ # Dolibarr language file - Source file is en_US - banks -MenuBankCash=Finanzen FinancialAccount=Finanzkonto BankAccounts=Kontenübersicht AccountRef=Konto-Referenz +AccountLabel=Kontobezeichnung CashAccount=Kasse +BankBalanceBefore=Bilanz vor +BankBalanceAfter=Bilanz nach AllTime=Vom start Reconciliation=Zahlungsabgleich RIB=Kontonummer @@ -16,6 +18,8 @@ WithdrawalPayment=Entnahme Zahlung BankTransfers=Kontentransfer BankChecksToReceipt=Checks die auf Einlösung warten PaymentDateUpdateSucceeded=Zahlungsdatum erfolgreich aktualisiert +InputReceiptNumber=Wählen Sie den Kontoauszug der mit der Zahlungs übereinstimmt. Verwenden Sie einen sortierbaren numerischen Wert: YYYYMM oder YYYYMMDD +EventualyAddCategory=Wenn möglich Kategorie angeben, worin die Daten eingeordnet werden DefaultRIB=Standart Bankkonto-Nummer RejectCheck=Überprüfung zurückgewiesen RejectCheckDate=Datum die Überprüfung wurde zurückgewiesen diff --git a/htdocs/langs/de_CH/compta.lang b/htdocs/langs/de_CH/compta.lang index a7d3db84884f7..3e2e0e5661e86 100644 --- a/htdocs/langs/de_CH/compta.lang +++ b/htdocs/langs/de_CH/compta.lang @@ -18,7 +18,6 @@ LastCheckReceiptShort=Letzte %s Scheckeinnahmen NoWaitingChecks=Keine Schecks warten auf Einlösung. CalcModeVATDebt=Modus %s Mwst. auf Engagement Rechnungslegung %s. CalcModeLT2Rec=Modus %sIRPF aufLieferantenrechnungen%s -SeeReportInInputOutputMode=Der %sEinkünfte-Ausgaben%s-Bericht medlet Istbesteuerung für eine Berechnung der tatsächlich erfolgten Zahlungsströme. RulesResultDue=- Dies beinhaltet ausstehende Rechnungen, Aufwendungen, Mehrwertsteuern, Abgaben, ob sie bezahlt wurden oder nicht. Auch die gezahlten Gehälter.
- Es gilt das Freigabedatum von den Rechnungen und MwSt., sowie das Fälligkeitsdatum für Aufwendungen. Für Gehälter definiert mit dem Modul Löhne, wird das Valutadatum der Zahlung verwendet. LT2ReportByCustomersES=Bericht von Geschäftspartner EKSt. VATReportByCustomersInInputOutputMode=Bericht zur vereinnahmten und bezahlten MwSt. nach Kunden diff --git a/htdocs/langs/de_CH/products.lang b/htdocs/langs/de_CH/products.lang index 66d6eeb88795a..3f4763cac47be 100644 --- a/htdocs/langs/de_CH/products.lang +++ b/htdocs/langs/de_CH/products.lang @@ -29,7 +29,6 @@ PricingRule=Preisregel für Verkaufspreise PriceExpressionEditorHelp2=Sie können auf die ExtraFields mit Variablen wie #extrafield_myextrafieldkey# und globale Variablen mit #global_mycode# zugreifen PriceMode=Preisfindungs-Methode ComposedProductIncDecStock=Erhöhen/verringern Lagerbestand bei verknüpften Produkten -MinCustomerPrice=Mindespreis für Kunden AddUpdater=Aktualisierung hinzufügen VariableToUpdate=Zu aktualisierende Variablen NbOfQtyInProposals=Menge in Angebot diff --git a/htdocs/langs/de_CH/sendings.lang b/htdocs/langs/de_CH/sendings.lang index 8b084d38bbe30..d89bd5314ae8a 100644 --- a/htdocs/langs/de_CH/sendings.lang +++ b/htdocs/langs/de_CH/sendings.lang @@ -1,6 +1,7 @@ # Dolibarr language file - Source file is en_US - sendings RefSending=Versand Nr. SendingCard=Auslieferungen +KeepToShip=Zum Versand behalten StatsOnShipmentsOnlyValidated=Versandstatistik (nur Freigegebene). Das Datum ist das der Freigabe (geplantes Lieferdatum ist nicht immer bekannt). DocumentModelTyphon=Vollständig Dokumentvorlage für die Lieferungscheine (Logo, ...) SumOfProductVolumes=Summe der Produktevolumen diff --git a/htdocs/langs/de_CH/users.lang b/htdocs/langs/de_CH/users.lang index 0d9136645747a..19480c4be7036 100644 --- a/htdocs/langs/de_CH/users.lang +++ b/htdocs/langs/de_CH/users.lang @@ -1,7 +1,6 @@ # Dolibarr language file - Source file is en_US - users UserCard=Benutzer-Karte GroupCard=Gruppe-Karte -LastGroupsCreated=%s neueste Gruppen LastUsersCreated=%s neueste Benutzer LinkToCompanyContact=Mit Geschäftspartner/Kontakt verknüpfen LinkedToDolibarrThirdParty=Mit Geschäftspartner verknüpft diff --git a/htdocs/langs/de_DE/accountancy.lang b/htdocs/langs/de_DE/accountancy.lang index cd3b368177c9a..577d5c1e01a6d 100644 --- a/htdocs/langs/de_DE/accountancy.lang +++ b/htdocs/langs/de_DE/accountancy.lang @@ -44,7 +44,7 @@ MainAccountForSuppliersNotDefined=Main accounting account for vendors not define MainAccountForUsersNotDefined=STandardkonto für Benutzer ist im Setup nicht definiert MainAccountForVatPaymentNotDefined=Standardkonto für MWSt Zahlungen ist im Setup nicht definiert -AccountancyArea=Accounting area +AccountancyArea=Bereich Buchhaltung AccountancyAreaDescIntro=Die Verwendung des Buchhaltungsmoduls erfolgt in mehreren Schritten: AccountancyAreaDescActionOnce=Die folgenden Aktionen werden üblicherweise nur ein Mal ausgeführt, oder jährlich... AccountancyAreaDescActionOnceBis=Die nächsten Schritte sollten getan werden, um Ihnen in Zukunft Zeit zu sparen, indem Sie Ihnen das korrekte Standardbuchhaltungskonto vorschlagen, wenn Sie die Journalisierung (Schreiben des Buchungsjournal und des Hauptbuchs) machen. @@ -55,6 +55,7 @@ AccountancyAreaDescChartModel=SCHRITT %s: Erstellen Sie ein Modell des Kontenpla AccountancyAreaDescChart=SCHRITT %s: Erstellen oder überprüfen des Inhalts Ihres Kontenplans im Menü %s AccountancyAreaDescVat=SCHRITT %s: Definition des Buchhaltungskonto für jeden Steuersatz. Kann im Menü %s geändert werden. +AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. AccountancyAreaDescExpenseReport=SCHRITT %s: Definition der Buchhaltungskonten für die verschiedenen Arten der Spesenabrechnung. Kann im Menü %s geändert werden. AccountancyAreaDescSal=SCHRITT %s: Buchhaltungskonto für Lohnzahlungen definieren. Kann im Menü %s geändert werden. AccountancyAreaDescContrib=SCHRITT %s: Definition der Buchhaltungskonten für besondere Aufwendungen (Sonstige Steuern) . Kann im Menü %s geändert werden. @@ -131,6 +132,7 @@ ACCOUNTING_LENGTH_GACCOUNT=Länge der Kontonummern der Buchhaltung (Wenn dieser ACCOUNTING_LENGTH_AACCOUNT=Länge von den Partner Buchhaltungskonten (Wenn dieser Wert auf 6 gesetzt ist, wird das Konto '401' als '401000' am Bildschirm angezeigt) ACCOUNTING_MANAGE_ZERO=Verwalten der Null am Ende eines Buchhaltungskontos. In einigen Ländern notwendig (zB. Schweiz). Standardmäßig deaktiviert. Wenn ausgeschaltet, können die folgenden 2 Parameter konfigurieren werden um virtuelle Nullen anzuhängen BANK_DISABLE_DIRECT_INPUT=Deaktivieren der direkte Aufzeichnung von Transaktion auf dem Bankkonto +ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Enable draft export on journal ACCOUNTING_SELL_JOURNAL=Ausgangsrechnungen ACCOUNTING_PURCHASE_JOURNAL=Eingangsrechnungen diff --git a/htdocs/langs/de_DE/admin.lang b/htdocs/langs/de_DE/admin.lang index 00a9d3ce4ad99..d931491266091 100644 --- a/htdocs/langs/de_DE/admin.lang +++ b/htdocs/langs/de_DE/admin.lang @@ -375,7 +375,7 @@ PDF=PDF PDFDesc=Sie können jede globale Optionen im Zusammenhang mit der PDF-Erzeugung einstellen PDFAddressForging=Regeln zum Formen der Adresse-Boxen HideAnyVATInformationOnPDF=Hide all information related to Sales tax / VAT on generated PDF -PDFRulesForSalesTax=Rules for Sales Tax / VAT +PDFRulesForSalesTax=Regeln für Umsatzsteuer / MwSt. PDFLocaltax=Regeln für %s HideLocalTaxOnPDF=Hide %s rate into pdf column tax sale HideDescOnPDF=Unterdrücke Produktbeschreibungen in generierten PDF @@ -454,7 +454,7 @@ ModuleCompanyCodeDigitaria=Accounting code depends on third party code. The code Use3StepsApproval=Standardmäßig, Einkaufsaufträge müssen durch zwei unterschiedlichen Benutzer erstellt und freigegeben werden (ein Schritt/Benutzer zu erstellen und ein Schritt/Benutzer für die Freigabe). Beachten Sie wenn ein Benutzer beide Rechte hat - zum erstellen und freigeben, dann reicht ein Benutzer für diesen Vorgang. Optional können Sie ein zusätzlicher Schritt/User für die Freigabe einrichten, wenn der Betrag einen bestimmten dedizierten Wert übersteigt (wenn der Betrag übersteigt wird, werden 3 Stufen notwendig: 1=Validierung, 2=erste Freigabe und 3=Gegenfreigabe.
Lassen Sie den Feld leer wenn eine Freigabe (2 Schritte) ausreicht; Tragen Sie einen sehr niedrigen Wert (0.1) wenn eine zweite Freigabe notwendig ist. UseDoubleApproval=3-Fach Verarbeitungsschritte verwenden wenn der Betrag (ohne Steuer) höher ist als ... WarningPHPMail=WARNUNG: Es ist oft besser, für ausgehende E-Mails den E-Mail-Server Ihres Providers anstatt des Standardservers zu verwenden. Einige E-Mail-Provider (wie Yahoo) erlauben Ihnen nicht, eine E-Mail von einem anderen Server als ihrem eigenen Server zu senden. Ihre aktuelle Konfiguration verwendet den Server der Anwendung zum Senden von E-Mails und nicht den Server Ihres E-Mail-Providers. Daher werden einige Empfänger (die mit dem restriktiven DMARC-Protokoll kompatibel sind) Ihren E-Mail-Provider fragen, ob sie Ihre E-Mail annehmen können. Einige Provider (wie Yahoo) werden dann mit "Nein" antworten, weil der Server nicht ihrer ist. Also könnte es sein, dass einige Ihrer gesendeten E-Mails nicht akzeptiert werden (beachten Sie auch die E-Mail-Quota ihres Providers).
Wenn Ihr Provider (wie Yahoo) diese Einschränkung hat, müssen Sie das E-Mail-Setup ändern, und die andere Methode "SMTP-Server" auszuwählen und den SMTP-Server mit den von Ihrem E-Mail-Anbieter bereitgestellten Anmeldeinformationen einrichten (fragen Sie Ihren E-Mail-Provider nach SMTP-Zugangsdaten für Ihr Konto). -WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of your ERP CRM application: %s. +WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of the mail user agent (MUA) for your ERP CRM application: %s. ClickToShowDescription=Klicke um die Beschreibung zu sehen DependsOn=Diese Modul benötigt die folgenden Module RequiredBy=Diese Modul wird durch folgende Module verwendet @@ -497,7 +497,7 @@ Module25Desc=Kundenauftragsverwaltung Module30Name=Rechnungen Module30Desc=Rechnungs- und Gutschriftsverwaltung für Kunden. Rechnungsverwaltung für Lieferanten Module40Name=Lieferanten -Module40Desc=Lieferantenverwaltung und Einkauf (Bestellungen und Rechnungen) +Module40Desc=Suppliers and purchase management (purchase orders and billing) Module42Name=Debug Logs Module42Desc=Protokollierungsdienste (Syslog). Diese Logs dienen der Fehlersuche/Analyse. Module49Name=Bearbeiter @@ -552,7 +552,7 @@ Module400Name=Projekte / Chancen / Leads Module400Desc=Management of projects, opportunities/leads and/or tasks. You can also assign any element (invoice, order, proposal, intervention, ...) to a project and get a transversal view from the project view. Module410Name=Webkalender Module410Desc=Webkalenderintegration -Module500Name=Taxes and Special expenses +Module500Name=Steuern und Sonderausgaben Module500Desc=Management of other expenses (sale taxes, social or fiscal taxes, dividends, ...) Module510Name=Lohnzahlungen Module510Desc=Verwaltung der Angestellten-Löhne und -Zahlungen @@ -598,14 +598,14 @@ Module2900Name=GeoIPMaxmind Module2900Desc=GeoIP Maxmind Konvertierung Module3100Name=Skype Module3100Desc=Skype-Button zu Karten von Benutzer-/Partner-/Kontakt-/Mitglieder-Karten hinzufügen -Module3200Name=Unalterable Archives +Module3200Name=Unveränderliche Archive Module3200Desc=Activate log of some business events into an unalterable log. Events are archived in real-time. The log is a table of chained events that can be read only and exported. This module may be mandatory for some countries. Module4000Name=PV Module4000Desc=Personalverwaltung Module5000Name=Mandantenfähigkeit Module5000Desc=Ermöglicht Ihnen die Verwaltung mehrerer Firmen Module6000Name=Workflow -Module6000Desc=Workflow Management +Module6000Desc=Workflow management (automatic creation of object and/or automatic status change) Module10000Name=Webseiten Module10000Desc=Create public websites with a WYSIWG editor. Just setup your web server (Apache, Nginx, ...) to point to the dedicated Dolibarr directory to have it online on the Internet with your own domain name. Module20000Name=Urlaubsantrags-Verwaltung @@ -891,7 +891,7 @@ DictionaryCivility=Anreden und Titel DictionaryActions=Typen von Kalender Ereignissen DictionarySocialContributions=Arten von Sozialabgaben/Unternehmenssteuern DictionaryVAT=USt.-Sätze -DictionaryRevenueStamp=Steuermarken Beträge +DictionaryRevenueStamp=Amount of tax stamps DictionaryPaymentConditions=Zahlungsbedingungen DictionaryPaymentModes=Zahlungsarten DictionaryTypeContact=Kontaktarten @@ -919,7 +919,7 @@ SetupSaved=Einstellungen gespeichert SetupNotSaved=Einstellungen nicht gespeichert BackToModuleList=Zurück zur Modulübersicht BackToDictionaryList=Zurück zur der Stammdatenübersicht -TypeOfRevenueStamp=Type of revenue stamp +TypeOfRevenueStamp=Type of tax stamp VATManagement=USt-Verwaltung VATIsUsedDesc=Beim Erstellen von Leads, Rechnungen, Bestellungen, etc. wird folgende Regel zum Berechnen des USt.-Satz verwendet:
Wenn der Verkäufer nicht der MwSt. unterliegt, wird ein MwSt. Satz von 0 verwendet. Ende der Regel.
Wenn Verkäufer- und Käufer-Land identisch sind, wird der MwSt. Satz des Produktes verwendet. Ende der Regel.
Wenn Verkäufer und Käufer beide in der EU sind und es sich um Transportprodukte (Autos, Schiffe, Flugzeuge) handelt, wird ein MwSt. Satz von 0 verwendet. (Die MwSt. muss durch den Käufer in seinem Land abgerechnet werden). Ende der Regel.
Wenn Verkäufer und Käufer beide in der EU sind und der Käufer kein Unternehmen ist, dann wird der MwSt. Satz des Produktes verwendet.
Wenn Verkäufer und Käufer beide in der EU sind, und der Käufer ein Unternehen ist, dann wird ein MwSt. Satz von 0 verwendet. Ende der Regel.
In allen andere Fällen wird ein MwSt. Satz von 0 vorgeschlagen. Ende der Regel. VATIsNotUsedDesc=Die vorgeschlagene USt. ist standardmäßig 0 für alle Fälle wie Stiftungen, Einzelpersonen oder Kleinunternehmen. @@ -1027,7 +1027,7 @@ Delays_MAIN_DELAY_ACTIONS_TODO=Verzögerungstoleranz (in Tagen) vor Warnung für Delays_MAIN_DELAY_PROJECT_TO_CLOSE=Verzögerungstoleranz (in Tagen) vor Warnungen für nicht rechtzeitig geschlossene Projekte Delays_MAIN_DELAY_TASKS_TODO=Verzögerungstoleranz (in Tagen) vor Warnung für noch nicht erledigte, geplante Aufgaben (Projektaufgaben) Delays_MAIN_DELAY_ORDERS_TO_PROCESS=Verzögerungstoleranz (in Tagen) vor Warnung für noch nicht bearbeitete Bestellungen -Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Verzögerungstoleranz (in Tagen) vor Warnung für noch nicht bearbeitete Lieferantenbestellungen +Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on purchase orders not processed yet Delays_MAIN_DELAY_PROPALS_TO_CLOSE=Verzögerungstoleranz (in Tagen) vor Warnung für abzuschließende Angebote Delays_MAIN_DELAY_PROPALS_TO_BILL=Verzögerungstoleranz (in Tagen) vor Warnung für nicht in Rechnung gestellte Angebote Delays_MAIN_DELAY_NOT_ACTIVATED_SERVICES=Verzögerungstoleranz (in Tagen) vor Warnung für zu aktivierende Leistungen @@ -1458,7 +1458,7 @@ SyslogFilename=Dateiname und-pfad YouCanUseDOL_DATA_ROOT=Sie können DOL_DATA_ROOT/dolibarr.log als Protokolldatei in Ihrem Dokumentenverzeichnis verwenden. Bei Bedarf können Sie auch den Pfad der Datei anpassen. ErrorUnknownSyslogConstant=Konstante %s ist nicht als Protokoll-Konstante definiert OnlyWindowsLOG_USER=Windows unterstützt nur LOG_USER -CompressSyslogs=Syslog files compression and backup +CompressSyslogs=Compression and backup of debug log files (generated by module Log for debug) SyslogFileNumberOfSaves=Log backups ConfigureCleaningCronjobToSetFrequencyOfSaves=Configure cleaning scheduled job to set log backup frequency ##### Donations ##### diff --git a/htdocs/langs/de_DE/banks.lang b/htdocs/langs/de_DE/banks.lang index 83ec9fc5b699d..253ced36e39f2 100644 --- a/htdocs/langs/de_DE/banks.lang +++ b/htdocs/langs/de_DE/banks.lang @@ -1,23 +1,24 @@ # Dolibarr language file - Source file is en_US - banks Bank=Bank -MenuBankCash=Bank/Kassa +MenuBankCash=Bank | Cash MenuVariousPayment=Sonstige Zahlungen MenuNewVariousPayment=Neue sonstige Zahlung BankName=Name der Bank FinancialAccount=Konto BankAccount=Bankkonto BankAccounts=Bank Konten +BankAccountsAndGateways=Bankkonten | Gateways ShowAccount=Zeige Konto AccountRef=Buchhaltungs-Konto Nr. -AccountLabel=Kontobezeichnung +AccountLabel=Buchhaltungs-Konto Nr. CashAccount=Konto Kassa CashAccounts=Kassen CurrentAccounts=Girokonten SavingAccounts=Sparkonten ErrorBankLabelAlreadyExists=Kontenbezeichnung existiert bereits BankBalance=Kontostand -BankBalanceBefore=Bilanz vor -BankBalanceAfter=Bilanz nach +BankBalanceBefore=Saldo (vorher) +BankBalanceAfter=Bilanz (nachher) BalanceMinimalAllowed=Mindestbestand BalanceMinimalDesired=Gewünschter Mindestbestand InitialBankBalance=Eröffnungsbestand @@ -89,7 +90,7 @@ AccountIdShort=Nummer LineRecord=Transaktion AddBankRecord=Erstelle Transaktion AddBankRecordLong=Eintrag manuell hinzufügen -Conciliated=ausgelichen +Conciliated=ausgeglichen ConciliatedBy=Ausgeglichen durch DateConciliating=Ausgleichsdatum BankLineConciliated=Transaktion ausgeglichen @@ -103,7 +104,7 @@ SocialContributionPayment=Zahlung von Sozialabgaben/Steuern BankTransfer=Kontentransfer BankTransfers=Kontentransfers MenuBankInternalTransfer=interner Transfer -TransferDesc=von einem zu anderen Konto übertragen. Dolibarr wird zwei Buchungen erstellen - Debit im der Quell- und Credit im Zielkonto. (Identischer Betrag (bis auf das Vorzeichen), Beschreibung und Datum wird verwendet werden) +TransferDesc=Von einem zum anderen Konto übertragen. Dolibarr wird zwei Buchungen erstellen - Debit in der Quell- und Credit im Zielkonto. (Identischer Betrag (bis auf das Vorzeichen), Beschreibung und Datum werden benutzt) TransferFrom=Von TransferTo=An TransferFromToDone=Eine Überweisung von %s nach %s iHv %s %s wurde verbucht. @@ -131,13 +132,13 @@ PaymentDateUpdateSucceeded=Zahlungsdatum erforlgreich aktualisiert PaymentDateUpdateFailed=Zahlungsdatum konnte nicht aktualisiert werden Transactions=Transaktionen BankTransactionLine=Bank-Transaktionen -AllAccounts=Alle Finanzkonten +AllAccounts=All bank and cash accounts BackToAccount=Zurück zum Konto ShowAllAccounts=Alle Finanzkonten FutureTransaction=Zukünftige Transaktionen. SelectChequeTransactionAndGenerate=Schecks auswählen/filtern um Sie in den Einzahlungsbeleg zu integrieren und auf "Erstellen" klicken. -InputReceiptNumber=Wählen Sie den Kontoauszug der mit der Zahlungs übereinstimmt. Verwenden Sie einen sortierbaren numerischen Wert: YYYYMM oder YYYYMMDD -EventualyAddCategory=Wenn möglich Kategorie angeben, worin die Daten eingeordnet werden +InputReceiptNumber=Wählen Sie den Kontoauszug der mit der Zahlung übereinstimmt. Verwenden Sie einen sortierbaren numerischen Wert: YYYYMM oder YYYYMMDD +EventualyAddCategory=Wenn möglich Kategorie angeben, in der die Daten eingeordnet werden ToConciliate=auszugleichen ? ThenCheckLinesAndConciliate=Dann die Zeilen im Bankauszug prüfen und Klicken DefaultRIB=Standard Bankkonto-Nummer @@ -159,5 +160,6 @@ VariousPayment=Sonstige Zahlungen VariousPayments=Sonstige Zahlungen ShowVariousPayment=Zeige sonstige Zahlungen AddVariousPayment=Sonstige Zahlung hinzufügen +SEPAMandate=SEPA Mandat YourSEPAMandate=Ihr SEPA-Mandat -FindYourSEPAMandate=Dies ist Ihr SEPA-Auftrag, um unser Unternehmen zu autorisieren, einen Lastschriftauftrag an Ihre Bank zu erteilen. Bedanken, um es Unterschrieben zurück zu senden (Scan des signierten Dokuments) oder senden Sie es per Post an +FindYourSEPAMandate=Dies ist Ihr SEPA-Auftrag, um unser Unternehmen zu autorisieren, einen Lastschriftauftrag an Ihre Bank zu erteilen. Bitte senden Sie dieses Formular unterschrieben an uns zurück (Scan des signierten Dokuments per Email) oder senden Sie es per Post an diff --git a/htdocs/langs/de_DE/bills.lang b/htdocs/langs/de_DE/bills.lang index 55285fc663d21..f457d28fef130 100644 --- a/htdocs/langs/de_DE/bills.lang +++ b/htdocs/langs/de_DE/bills.lang @@ -110,8 +110,8 @@ SendRemindByMail=Zahlungserinnerung per E-Mail versenden DoPayment=Zahlung eingeben DoPaymentBack=Rückerstattung eingeben ConvertToReduc=Mark as credit available -ConvertExcessReceivedToReduc=Konvertieren des Überschuss in einen Rabatt -ConvertExcessPaidToReduc=Convert excess paid into future discount +ConvertExcessReceivedToReduc=Convert excess received into available credit +ConvertExcessPaidToReduc=Convert excess paid into available discount EnterPaymentReceivedFromCustomer=Geben Sie die vom Kunden erhaltene Zahlung ein EnterPaymentDueToCustomer=Kundenzahlung fällig stellen DisabledBecauseRemainderToPayIsZero=Deaktiviert, da Zahlungserinnerung auf null steht @@ -282,6 +282,7 @@ RelativeDiscount=Relativer Rabatt GlobalDiscount=Rabattregel CreditNote=Gutschrift CreditNotes=Gutschriften +CreditNotesOrExcessReceived=Credit notes or excess received Deposit=Anzahlung Deposits=Anzahlungen DiscountFromCreditNote=Rabatt aus Gutschrift %s @@ -393,6 +394,7 @@ PaymentConditionShort14DENDMONTH=14 Tage nach Monatsende PaymentCondition14DENDMONTH=Innerhalb von 14 Tagen nach Monatsende FixAmount=Fester Betrag VarAmount=Variabler Betrag (%% tot.) +VarAmountOneLine=Variable amount (%% tot.) - 1 line with label '%s' # PaymentType PaymentTypeVIR=Banküberweisung PaymentTypeShortVIR=Banküberweisung diff --git a/htdocs/langs/de_DE/compta.lang b/htdocs/langs/de_DE/compta.lang index 01150c2f6c052..29a83f0d19cf2 100644 --- a/htdocs/langs/de_DE/compta.lang +++ b/htdocs/langs/de_DE/compta.lang @@ -19,7 +19,8 @@ Income=Einnahmen Outcome=Ausgaben MenuReportInOut=Ergebnis / Geschäftsjahr ReportInOut=Übersicht Aufwand/Ertrag -ReportTurnover=Umsatz +ReportTurnover=Turnover invoiced +ReportTurnoverCollected=Turnover collected PaymentsNotLinkedToInvoice=Zahlungen mit keiner Rechnung und damit auch keinem Partner verbunden PaymentsNotLinkedToUser=Zahlungen mit keinem Benutzer verbunden Profit=Gewinn @@ -31,10 +32,10 @@ Credit=Haben Piece=Beleg AmountHTVATRealReceived=Einnahmen (netto) AmountHTVATRealPaid=Ausgaben (netto) -VATToPay=Tax sales +VATToPay=Mehrwertsteuer VATReceived=USt. Verkäufe VATToCollect=USt. Einkäufe -VATSummary=Tax monthly +VATSummary=Steuer monatlich VATBalance=USt. Saldo VATPaid=Bezahlte USt. LT1Summary=Steuer 2 Zusammenfassung @@ -77,16 +78,16 @@ MenuNewSocialContribution=Neue Abgabe/Steuer NewSocialContribution=Neue Sozialabgabe / Steuersatz AddSocialContribution=Sozialabgabe / Steuersatz hinzufügen ContributionsToPay=Sozialabgaben/Unternehmenssteuern zu bezahlen -AccountancyTreasuryArea=Rechnungswesen/Vermögensverwaltung +AccountancyTreasuryArea=Billing and payment area NewPayment=Neue Zahlung Payments=Zahlungen PaymentCustomerInvoice=Zahlung Kundenrechnung -PaymentSupplierInvoice=Vendor invoice payment +PaymentSupplierInvoice=Zahlung Lieferantenrechnung PaymentSocialContribution=Sozialabgaben-/Steuer Zahlung PaymentVat=USt.-Zahlung ListPayment=Liste der Zahlungen ListOfCustomerPayments=Liste der Kundenzahlungen -ListOfSupplierPayments=List of vendor payments +ListOfSupplierPayments=Liste der Lieferantenzahlungen DateStartPeriod=Startdatum für Zeitraum DateEndPeriod=Enddatum für Zeitraum newLT1Payment=Neue Zahlung Steuer 2 @@ -104,20 +105,22 @@ LT2PaymentsES=EKSt. Zahlungen VATPayment=USt. Zahlung VATPayments=USt Zahlungen VATRefund=Umsatzsteuer Rückerstattung -NewVATPayment=New sales tax payment +NewVATPayment=Neue Umsatzsteuer Zahlung +NewLocalTaxPayment=Neue Steuer %s Zahlung 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 CustomerAccountancyCode=Kontierungscode Kunde -SupplierAccountancyCode=Vendor accounting code +SupplierAccountancyCode=Kontierungscode Lieferant CustomerAccountancyCodeShort=Buchh. Kunden-Konto SupplierAccountancyCodeShort=Buchh.-Lieferanten-Konto AccountNumber=Kontonummer NewAccountingAccount=Neues Konto -SalesTurnover=Umsatz -SalesTurnoverMinimum=Minimaler Umsatz +Turnover=Turnover invoiced +TurnoverCollected=Turnover collected +SalesTurnoverMinimum=Minimum turnover ByExpenseIncome=Ausgaben & Einnahmen ByThirdParties=Durch Partner ByUserAuthorOfInvoice=Durch Rechnungsersteller @@ -137,8 +140,8 @@ 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=Modus %sForderungen-Verbindlichkeiten%s sagt Engagement Rechnungslegung. -CalcModeEngagement=Modus %sEinnahmen-Ausgaben%s die Kassenbuchführung +CalcModeDebt=Analysis of known recorded invoices 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=Analyse der journalisierten Daten im Hauptbuch CalcModeLT1= Modus %sRE auf Kundenrechnungen - Lieferantenrechnungen%s CalcModeLT1Debt=Modus %sRE auf Kundenrechnungen%s @@ -151,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=Der %sEinkünfte-Ausgaben%s-Bericht meldet Ist-Besteuerung für eine Berechnung der tatsächlich erfolgten Zahlungsströme. -SeeReportInDueDebtMode=Der %sForderungen-Verbindlichkeiten%s-Bericht meldet Kameralistik für eine Berechnung auf Basis der ausgestellten Rechnungen. -SeeReportInBookkeepingMode=Siehe Bericht %sHauptbuch%s für die Berechnung via Hauptbuch Analyse +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 RulesAmountWithTaxIncluded=- Angezeigte Beträge enthalten alle Steuern RulesResultDue=- Dies beinhaltet ausstehende Rechnungen, Aufwendungen, Umsatzsteuern, Abgaben, ob sie bezahlt wurden oder nicht. Auch die gezahlten Gehälter.
- Es gilt das Freigabedatum von den Rechnungen und USt., sowie das Fälligkeitsdatum für Aufwendungen. Für Gehälter definiert mit dem Modul Löhne, wird das Valutadatum 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. @@ -210,7 +213,7 @@ Pcg_version=Kontenplan Pcg_type=Klasse des Kontos Pcg_subtype=Klasse des Kontos InvoiceLinesToDispatch=versandbereite Rechnungspositionen -ByProductsAndServices=By product and service +ByProductsAndServices=Nach Produkten und Leistungen RefExt=Externe Referenz ToCreateAPredefinedInvoice=Um eine Rechnungsvorlage zu erstellen, erstellen Sie eine normale Rechnung. Anschließend klicken Sie auf den Button "%s", ohne die Rechnung freizugeben. LinkedOrder=Link zur Bestellung @@ -218,8 +221,8 @@ Mode1=Methode 1 Mode2=Methode 2 CalculationRuleDesc=Zur Berechnung der Gesamt-USt. gibt es zwei Methoden:
Methode 1 rundet die Steuer in jeder Zeile und addiert zum Schluss.
Methode 2 summiert alle Steuer-Zeilen und rundet am Ende.
Das endgültige Ergebnis kann sich in wenigen Cent unterscheiden. Standardmodus ist Modus %s. CalculationRuleDescSupplier=Gemäß Ihrem Lieferanten, wählen Sie die geeignete Methode, um die gleiche Berechnungsregel anzuwenden um das selbe Ergebnis wie Ihr Lieferant zu bekommen. -TurnoverPerProductInCommitmentAccountingNotRelevant=The Turnover report per product, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). -TurnoverPerSaleTaxRateInCommitmentAccountingNotRelevant=The Turnover report per sale tax rate, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). +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. CalculationMode=Berechnungsmodus AccountancyJournal=Kontierungscode-Journal ACCOUNTING_VAT_SOLD_ACCOUNT=Accounting account by default for VAT on sales (used if not defined on VAT dictionary setup) @@ -247,9 +250,10 @@ ListSocialContributionAssociatedProject=Liste der Sozialabgaben für dieses Proj DeleteFromCat=Aus Kontengruppe entfernen AccountingAffectation=Accounting assignement LastDayTaxIsRelatedTo=Last day of period the tax is related to -VATDue=Sale tax claimed +VATDue=Umsatzsteuer beansprucht ClaimedForThisPeriod=Claimed for the period PaidDuringThisPeriod=Paid during this period ByVatRate=By sale tax rate -TurnoverbyVatrate=Turnover by sale tax rate +TurnoverbyVatrate=Turnover invoiced by sale tax rate +TurnoverCollectedbyVatrate=Turnover collected by sale tax rate PurchasebyVatrate=Purchase by sale tax rate diff --git a/htdocs/langs/de_DE/errors.lang b/htdocs/langs/de_DE/errors.lang index a976384fb22ae..3e3bc2089ad4a 100644 --- a/htdocs/langs/de_DE/errors.lang +++ b/htdocs/langs/de_DE/errors.lang @@ -33,7 +33,7 @@ ErrorCustomerCodeAlreadyUsed=Diese Kunden-Nr. ist bereits vergeben. ErrorBarCodeAlreadyUsed=Barcode wird bereits verwendet ErrorPrefixRequired=Präfix erforderlich ErrorBadSupplierCodeSyntax=Bad syntax for vendor code -ErrorSupplierCodeRequired=Vendor code required +ErrorSupplierCodeRequired=Lieferantennummer nötig ErrorSupplierCodeAlreadyUsed=Vendor code already used ErrorBadParameters=Ungültige Werte ErrorBadValueForParameter=Ungültiger Wert '%s' für Paramter '%s' diff --git a/htdocs/langs/de_DE/install.lang b/htdocs/langs/de_DE/install.lang index 9b844c4a51bdf..4c828c1eaef49 100644 --- a/htdocs/langs/de_DE/install.lang +++ b/htdocs/langs/de_DE/install.lang @@ -6,7 +6,7 @@ ConfFileDoesNotExistsAndCouldNotBeCreated=Die Konfigurationsdatei %s ist ConfFileCouldBeCreated=Die Konfigurationsdatei %s wurde erfolgreich erstellt. ConfFileIsNotWritable=Die Konfigurationsdatei %s ist nicht beschreibbar. Bitte überprüfen Sie die Dateizugriffsrechte. Für die Erstinstallation muss Ihr Webserver in die Konfigurationsdatei schreiben können, setzen Sie die Dateiberechtigungen entsprechend (z.B. mittels "chmod 666" auf Unix-Betriebssystemen). ConfFileIsWritable=Die Konfigurationsdatei %s ist beschreibbar. -ConfFileMustBeAFileNotADir=Configuration file %s must be a file, not a directory. +ConfFileMustBeAFileNotADir=Die Konfigurationsdatei %s muss eine Datei und kein Verzeichnis sein. ConfFileReload=Alle Information aus der Konfigurationsdatei laden. PHPSupportSessions=Ihre PHP-Konfiguration unterstützt Sessions. PHPSupportPOSTGETOk=Ihre PHP unterstützt GET und POST Variablen. @@ -92,8 +92,8 @@ FailedToCreateAdminLogin=Fehler beim erstellen des Dolibarr Administrator Kontos WarningRemoveInstallDir=Aus Sicherheitsgründen sollten Sie nach abgeschlossenem Installations-/Aktualisierungsvorgang das Installationsverzeichnis (install) löschen oder in "install.lock" umbenennen. FunctionNotAvailableInThisPHP=Diese Funktion steht in Ihrer PHP-Version nicht zur Verfügung. ChoosedMigrateScript=Migrationsskript auswählen -DataMigration=Database migration (data) -DatabaseMigration=Database migration (structure + some data) +DataMigration=Datenbankmigration (Daten) +DatabaseMigration=Datenbankmigration (Struktur + einige Daten) ProcessMigrateScript=Script-Verarbeitung ChooseYourSetupMode=Wählen Sie Ihre Installationsart und klicken Sie anschließend auf "Start"... FreshInstall=Neue Installation @@ -147,7 +147,7 @@ NothingToDo=Keine Aufgaben zum erledigen # upgrade MigrationFixData=Denormalisierte Daten bereinigen MigrationOrder=Datenmigration für Kundenaufträge -MigrationSupplierOrder=Data migration for vendor's orders +MigrationSupplierOrder=Datenmigration für Lieferantenaufträge MigrationProposal=Datenmigration für Angebote MigrationInvoice=Datenmigration für Kundenrechnungen MigrationContract=Datenmigration für Verträge @@ -204,3 +204,7 @@ MigrationResetBlockedLog=Modul BlockedLog für v7 Algorithmus zurücksetzen ShowNotAvailableOptions=Nicht verfügbare Optionen anzeigen HideNotAvailableOptions=Nicht verfügbare Optionen ausblenden ErrorFoundDuringMigration=Während der Migration ist ein Fehler aufgetaucht, dadurch ist der nächste Schritt nicht verfügbar. Sie können hier cklicken um den Fehler zu ignorieren, aber die Anwendung oder manche Features werden unter Umständen nicht richtig funktionieren, solange der Fehler nicht behoben wurde. +YouTryInstallDisabledByDirLock=The application try to sefl upgrade, but install/upgrade pages have been disabled for security reason (directory renamed with .lock suffix).
+YouTryInstallDisabledByFileLock=The application try to sefl upgrade, but install/upgrade pages pages have been disabled for security reason (by lock file install.lock into dolibarr documents directory).
+ClickHereToGoToApp=Click here to go to your application +ClickOnLinkOrRemoveManualy=Click on following link and if you always reach this page, you must remove the file install.lock into documents directory manually diff --git a/htdocs/langs/de_DE/main.lang b/htdocs/langs/de_DE/main.lang index 901d50babbf69..b04057e1b96fd 100644 --- a/htdocs/langs/de_DE/main.lang +++ b/htdocs/langs/de_DE/main.lang @@ -403,7 +403,7 @@ DefaultTaxRate=Standardsteuersatz Average=Durchschnitt Sum=Summe Delta=Delta -RemainToPay=Remain to pay +RemainToPay=noch offen Module=Modul/Applikation Modules=Modul/Applikation Option=Option @@ -416,7 +416,7 @@ Favorite=Favorit ShortInfo=Info. Ref=Nr. ExternalRef=Externe-ID -RefSupplier=Ref. vendor +RefSupplier=Lieferanten Zeichen RefPayment=Zahlungsref.-Nr. CommercialProposalsShort=Angebote Comment=Kommentar @@ -507,6 +507,7 @@ NoneF=Keine NoneOrSeveral=Keine oder mehrere Late=Verspätet LateDesc=Verzögerung, die definiert, ob ein Datensatz spät ist oder nicht von der Einrichtung abhängig ist. Fragen Sie den Administrator, die Verzögerung im Menü Startseite - Einrichtung - Alarme +NoItemLate=No late item Photo=Bild Photos=Bilder AddPhoto=Bild hinzufügen @@ -945,3 +946,5 @@ KeyboardShortcut=Tastaur Kürzel AssignedTo=Zugewiesen an Deletedraft=Delete draft ConfirmMassDraftDeletion=Draft Bulk delete confirmation +FileSharedViaALink=Datei via Link geteilt + diff --git a/htdocs/langs/de_DE/modulebuilder.lang b/htdocs/langs/de_DE/modulebuilder.lang index a3fee23cb53b5..9d6661eda41d6 100644 --- a/htdocs/langs/de_DE/modulebuilder.lang +++ b/htdocs/langs/de_DE/modulebuilder.lang @@ -74,6 +74,7 @@ NoWidget=No widget GoToApiExplorer=Go to API explorer ListOfMenusEntries=List of menu entries ListOfPermissionsDefined=List of defined permissions +SeeExamples=See examples here EnabledDesc=Condition to have this field active (Examples: 1 or $conf->global->MYMODULE_MYOPTION) VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only. Using a negative value means field is not shown by default on list but can be selected for viewing) IsAMeasureDesc=Can the value of field be cumulated to get a total into list ? (Examples: 1 or 0) @@ -95,3 +96,6 @@ DropTableIfEmpty=(Delete table if empty) TableDoesNotExists=The table %s does not exists TableDropped=Table %s deleted InitStructureFromExistingTable=Build the structure array string of an existing table +UseAboutPage=Disallow the about page +UseDocFolder=Disallow the documentation folder +UseSpecificReadme=Use a specific ReadMe diff --git a/htdocs/langs/de_DE/other.lang b/htdocs/langs/de_DE/other.lang index 052ffcc9050a8..514d7ed7c608f 100644 --- a/htdocs/langs/de_DE/other.lang +++ b/htdocs/langs/de_DE/other.lang @@ -80,8 +80,8 @@ LinkedObject=Verknüpftes Objekt NbOfActiveNotifications= Anzahl Benachrichtigungen ( Anz. E-Mail Empfänger) PredefinedMailTest=__(Hello)__\nDas ist ein Test-Mail gesendet an __EMAIL__.\nDie beiden Zeilen sind durch einem Zeilenumbruch getrennt.\n\n__USER_SIGNATURE__ PredefinedMailTestHtml=Dies ist ein Test Mail (das Wort Test muss in Fettschrift erscheinen).
Die beiden Zeilen sollten durch einen Zeilenumbruch getrennt sein.

__USER_SIGNATURE__ -PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\nThis is the link to make your online payment if this invoice is not already payed:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\nThis is the link to make your online payment:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendProposal=__(Hello)__\n\nYou will find here the commercial proposal __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendSupplierProposal=__(Hello)__\n\nHier die gewünschte Preisauskunft __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendOrder=__(Hello)__\n\nBitte entnehmen Sie dem Anhang die Bestellung __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ @@ -91,6 +91,7 @@ PredefinedMailContentSendShipping=__(Hello)__\n\nAls Anlage erhalten Sie unsere PredefinedMailContentSendFichInter=__(Hello)__\n\nAnbei finden Sie den Serviceauftrag __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentThirdparty=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentUser=__(Hello)__\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 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) @@ -218,7 +219,7 @@ FileIsTooBig=Dateien sind zu groß PleaseBePatient=Bitte haben Sie ein wenig Geduld ... NewPassword=New password ResetPassword=Kennwort zurücksetzen -RequestToResetPasswordReceived=A request to change your password has been received +RequestToResetPasswordReceived=A request to change your password has been received. NewKeyIs=Dies sind Ihre neuen Anmeldedaten NewKeyWillBe=Ihr neuer Anmeldeschlüssel für die Software ist ClickHereToGoTo=Hier klicken für %s diff --git a/htdocs/langs/de_DE/paybox.lang b/htdocs/langs/de_DE/paybox.lang index 5aa6046bac993..7b02bb6b49cea 100644 --- a/htdocs/langs/de_DE/paybox.lang +++ b/htdocs/langs/de_DE/paybox.lang @@ -23,12 +23,12 @@ ToOfferALinkForOnlinePaymentOnMemberSubscription=URL um Ihren Mitgliedern eine % YouCanAddTagOnUrl=Sie können auch den URL-Parameter &tag=value an eine beliebige dieser URLs anhängen (erforderlich nur bei der freien Zahlung) um einen eigenen Zahlungskommentar hinzuzufügen. SetupPayBoxToHavePaymentCreatedAutomatically=Richten Sie PayBox mit der URL %s ein, um nach Freigabe durch PayBox automatisch eine Zahlung anzulegen. YourPaymentHasBeenRecorded=Hiermit Bestätigen wir, dass die Zahlung ausgeführt wurde. Vielen Dank. -YourPaymentHasNotBeenRecorded=Die Zahlung wurde nicht gespeichert und der Vorgang storniert. Vielen Dank. +YourPaymentHasNotBeenRecorded=Ihre Zahlung wurde NICHT aufgezeichnet und die Transaktion wurde storniert. Vielen Dank. AccountParameter=Konto Parameter UsageParameter=Einsatzparameter InformationToFindParameters=Hilfe für das Finden der %s Kontoinformationen PAYBOX_CGI_URL_V2=URL für das Paybox Zahlungsmodul "CGI Modul" -VendorName=Name des Anbieters +VendorName=Name des Lieferanten CSSUrlForPaymentForm=CSS-Datei für das Zahlungsmodul NewPayboxPaymentReceived=Neue Paybox-Zahlung erhalten NewPayboxPaymentFailed=Neue Paybox-Zahlungen probiert, aber fehlgeschlagen diff --git a/htdocs/langs/de_DE/paypal.lang b/htdocs/langs/de_DE/paypal.lang index 92dc94b9dfee6..e123cb94e6d6d 100644 --- a/htdocs/langs/de_DE/paypal.lang +++ b/htdocs/langs/de_DE/paypal.lang @@ -14,7 +14,6 @@ PaypalModeOnlyPaypal=Nur PayPal ONLINE_PAYMENT_CSS_URL=Optionale Adresse der CSS-Datei für die Onlinebezahlseite ThisIsTransactionId=Die Transaktions ID lautet: %s PAYPAL_ADD_PAYMENT_URL=Fügen Sie die Webadresse für Paypal Zahlungen hinzu, wenn Sie ein Dokument per E-Mail versenden. -PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.

%s

YouAreCurrentlyInSandboxMode=Sie befinden sich derzeit im %s "Sandbox" -Modus NewOnlinePaymentReceived=Neue Onlinezahlung erhalten NewOnlinePaymentFailed=Neue Onlinezahlung versucht, aber fehlgeschlagen @@ -32,4 +31,4 @@ OnlinePaymentSystem=Online Zahlungssystem PaypalLiveEnabled=Paypal live aktiviert (Nicht im Test/Sandbox Modus) PaypalImportPayment=Paypal-Zahlungen importieren PostActionAfterPayment=Aktionen nach Zahlungseingang -ARollbackWasPerformedOnPostActions=A rollback was performed on all Post actions. You must complete post actions manually if they are necessary. +ARollbackWasPerformedOnPostActions=Bei allen Post-Aktionen wurde ein Rollback durchgeführt. Sie müssen die Post-Aktionen manuell durchführen, wenn sie notwendig sind. diff --git a/htdocs/langs/de_DE/products.lang b/htdocs/langs/de_DE/products.lang index d7e77a67d7c30..aab8f33717740 100644 --- a/htdocs/langs/de_DE/products.lang +++ b/htdocs/langs/de_DE/products.lang @@ -70,7 +70,7 @@ SoldAmount=Verkaufte Menge PurchasedAmount=angeschaffte Menge NewPrice=Neuer Preis MinPrice=Mindestverkaufspreis -EditSellingPriceLabel=Edit selling price label +EditSellingPriceLabel=Verkaufspreis bearbeiten CantBeLessThanMinPrice=Der Verkaufspreis darf den Mindestpreis für dieses Produkt (%s ohne USt.) nicht unterschreiten. Diese Meldung kann auch angezeigt werden, wenn Sie einen zu hohen Rabatt geben. ContractStatusClosed=Geschlossen ErrorProductAlreadyExists=Ein Produkt mit Artikel Nr. %s existiert bereits. @@ -124,7 +124,7 @@ ConfirmDeleteProductLine=Möchten Sie diese Position wirklich löschen? ProductSpecial=Spezial QtyMin=Mindestmenge PriceQtyMin=Preis für diese Mindestmenge (mit/ohne Rabatt) -PriceQtyMinCurrency=Price for this min. qty (w/o discount) (currency) +PriceQtyMinCurrency=Preis für diese mindest Menge (ohne Rabatt) (Währung) VATRateForSupplierProduct=Umsatzsteuersatz (für diesen Lieferanten/diesesProdukt) DiscountQtyMin=Standardrabatt für die Menge NoPriceDefinedForThisSupplier=Einkaufskonditionen für diesen Hersteller noch nicht definiert @@ -156,7 +156,7 @@ BuyingPrices=Einkaufspreis CustomerPrices=Kundenpreise SuppliersPrices=Lieferantenpreise SuppliersPricesOfProductsOrServices=Lieferantenpreise (von Produkten oder Leistungen) -CustomCode=Customs / Commodity / HS code +CustomCode=Zolltarifnummer CountryOrigin=Urspungsland Nature=Art ShortLabel=Kurzbezeichnung @@ -251,8 +251,8 @@ PriceNumeric=Nummer DefaultPrice=Standardpreis ComposedProductIncDecStock=Erhöhen/Verringern des Lagerbestands bei verknüpften Produkten ComposedProduct=Teilprodukt -MinSupplierPrice=Minimaler Einkaufspreis -MinCustomerPrice=Minimum Kundenpreis +MinSupplierPrice=Minimaler Kaufpreis +MinCustomerPrice=Minimum selling price DynamicPriceConfiguration=Dynamische Preis Konfiguration DynamicPriceDesc=Auf der Produktkarte, bei der dieses Modul aktiviert ist, sollten Sie in der Lage sein, mathematische Funktionen zur Berechnung der Kunden- oder Lieferantenpreise festzulegen. Eine solche Funktion kann alle mathematischen Operatoren, einige Konstanten und Variablen, verwenden. Sie können hier die Variablen festlegen, die Sie verwenden möchten, und wenn die Variable ein automatisches Update benötigt, die externe URL, mit der Dolibarr aufgefordert wird, den Wert automatisch zu aktualisieren. AddVariable=Variable hinzufügen diff --git a/htdocs/langs/de_DE/propal.lang b/htdocs/langs/de_DE/propal.lang index 53f731e538ff7..8caf8ba14e71b 100644 --- a/htdocs/langs/de_DE/propal.lang +++ b/htdocs/langs/de_DE/propal.lang @@ -75,6 +75,7 @@ AvailabilityTypeAV_1M=1 Monat TypeContact_propal_internal_SALESREPFOLL=Vertreter für Angebot TypeContact_propal_external_BILLING=Kontakt für Kundenrechnungen TypeContact_propal_external_CUSTOMER=Partnerkontakt für Angebot +TypeContact_propal_external_SHIPPING=Customer contact for delivery # Document models DocModelAzurDescription=Eine vollständige Angebotsvorlage (Logo, uwm.) DefaultModelPropalCreate=Erstellung Standardvorlage diff --git a/htdocs/langs/de_DE/sendings.lang b/htdocs/langs/de_DE/sendings.lang index ae2c2c25474a9..ed7ab3354df6e 100644 --- a/htdocs/langs/de_DE/sendings.lang +++ b/htdocs/langs/de_DE/sendings.lang @@ -23,7 +23,7 @@ QtyPreparedOrShipped=Menge vorbereitet oder versendet QtyToShip=Versandmenge QtyReceived=Erhaltene Menge QtyInOtherShipments=Menge in anderen Lieferungen -KeepToShip=Zum Versand behalten +KeepToShip=Noch zu versenden KeepToShipShort=übrigbleiben OtherSendingsForSameOrder=Weitere Lieferungen zu dieser Bestellung SendingsAndReceivingForSameOrder=Warenerhalt und Versand dieser Bestellung @@ -52,8 +52,8 @@ ActionsOnShipping=Hinweis zur Lieferung LinkToTrackYourPackage=Link zur Paket- bzw. Sendungsverfolgung ShipmentCreationIsDoneFromOrder=Lieferscheine müssen aus einer Bestellung generiert werden ShipmentLine=Zeilen Lieferschein -ProductQtyInCustomersOrdersRunning=Produktmenge in offenen Kundenbestellungen -ProductQtyInSuppliersOrdersRunning=Produktmenge in offenen Lieferantenbestellungen +ProductQtyInCustomersOrdersRunning=Product quantity into open customer orders +ProductQtyInSuppliersOrdersRunning=Product quantity into open purchase orders ProductQtyInShipmentAlreadySent=Bereits gelieferte Produktmenge aus offenem Kundenauftrag ProductQtyInSuppliersShipmentAlreadyRecevied=Bereits erhaltene Produktmenge aus Lieferantenbestellung NoProductToShipFoundIntoStock=Kein Artikel zum Versenden gefunden im Lager %s. Korrigieren Sie den Lagerbestand oder wählen Sie ein anderes Lager. diff --git a/htdocs/langs/de_DE/stocks.lang b/htdocs/langs/de_DE/stocks.lang index 0e38a6e273665..fbd333cd379b5 100644 --- a/htdocs/langs/de_DE/stocks.lang +++ b/htdocs/langs/de_DE/stocks.lang @@ -67,7 +67,7 @@ DeStockOnValidateOrder=Verringere reale Bestände bei Bestätigung von Kundenbes DeStockOnShipment=Verringere reale Bestände bei Bestädigung von Lieferungen DeStockOnShipmentOnClosing=Verringere Lagerbestände beim Schließen der Versanddokumente ReStockOnBill=Erhöhung der tatsächlichen Bestände in den Rechnungen / Gutschriften -ReStockOnValidateOrder=Erhöhung der realen Bestände auf Bestellungen stellt fest +ReStockOnValidateOrder=Increase real stocks on purchase orders approbation ReStockOnDispatchOrder=Increase real stocks on manual dispatching into warehouses, after supplier order receipt of goods OrderStatusNotReadyToDispatch=Auftrag wurde noch nicht oder nicht mehr ein Status, der Erzeugnisse auf Lager Hallen Versand ermöglicht. StockDiffPhysicTeoric=Begründung für Differenz zwischen Inventurbestand und Lagerbestand @@ -203,4 +203,4 @@ RegulateStock=Lager ausgleichen ListInventory=Liste StockSupportServices=Unterstützung bei der Lagerverwaltung StockSupportServicesDesc=By default, you can stock only product with type "product". If on, and if module service is on, you can also stock a product with type "service" -ReceiveProducts=Receive products +ReceiveProducts=Receive items diff --git a/htdocs/langs/de_DE/stripe.lang b/htdocs/langs/de_DE/stripe.lang index 3437322fd6a3d..b2539924f30c9 100644 --- a/htdocs/langs/de_DE/stripe.lang +++ b/htdocs/langs/de_DE/stripe.lang @@ -23,13 +23,11 @@ ToOfferALinkForOnlinePaymentOnFreeAmount=URL um Ihren Kunden eine %s Online-Beza ToOfferALinkForOnlinePaymentOnMemberSubscription=URL um Ihren Mitgliedern eine %s Online-Bezahlseite für Mitgliedsbeiträge YouCanAddTagOnUrl=Sie können auch den URL-Parameter &tag=value an eine beliebige dieser URLs anhängen (erforderlich nur bei der freien Zahlung) um einen eigenen Zahlungskommentar hinzuzufügen. SetupStripeToHavePaymentCreatedAutomatically=Richten Sie Stripe mit der URL %s ein, um nach Freigabe durch Stripe eine Zahlung anzulegen. -YourPaymentHasBeenRecorded=Hiermit Bestätigen wir, dass die Zahlung ausgeführt wurde. Vielen Dank. -YourPaymentHasNotBeenRecorded=Die Zahlung wurde nicht gespeichert und der Vorgang storniert. Vielen Dank. AccountParameter=Konto Parameter UsageParameter=Einsatzparameter InformationToFindParameters=Hilfe für das Finden der %s Kontoinformationen STRIPE_CGI_URL_V2=URL für das Stripe CGI Zahlungsmodul -VendorName=Name des Anbieters +VendorName=Name des Lieferanten CSSUrlForPaymentForm=CSS-Datei für das Zahlungsmodul NewStripePaymentReceived=Neue Stripezahlung erhalten NewStripePaymentFailed=Neue Stripezahlung versucht, aber fehlgeschlagen diff --git a/htdocs/langs/de_DE/supplier_proposal.lang b/htdocs/langs/de_DE/supplier_proposal.lang index 2b12b23afbcc9..a5f3b67e4ef9d 100644 --- a/htdocs/langs/de_DE/supplier_proposal.lang +++ b/htdocs/langs/de_DE/supplier_proposal.lang @@ -1,12 +1,12 @@ # Dolibarr language file - Source file is en_US - supplier_proposal -SupplierProposal=Vendor commercial proposals -supplier_proposalDESC=Manage price requests to vendors +SupplierProposal=Angebote des Verkäufers +supplier_proposalDESC=Preisanfrage an Lieferanten verwalten SupplierProposalNew=neue Preisanfrage CommRequest=Preisanfrage CommRequests=Preisanfragen SearchRequest=Anfrage suchen DraftRequests=Anfrage erstellen -SupplierProposalsDraft=Draft vendor proposals +SupplierProposalsDraft=Entwürfe von Lieferantenangebote LastModifiedRequests=Letzte %s geänderte Preisanfragen RequestsOpened=offene Preisanfragen SupplierProposalArea=Vendor proposals area diff --git a/htdocs/langs/de_DE/suppliers.lang b/htdocs/langs/de_DE/suppliers.lang index f6edf98a5e032..d0a340d89a1fc 100644 --- a/htdocs/langs/de_DE/suppliers.lang +++ b/htdocs/langs/de_DE/suppliers.lang @@ -1,11 +1,11 @@ # Dolibarr language file - Source file is en_US - suppliers -Suppliers=Vendors -SuppliersInvoice=Vendor invoice -ShowSupplierInvoice=Show Vendor Invoice -NewSupplier=New vendor +Suppliers=Lieferant +SuppliersInvoice=Lieferantenrechnung +ShowSupplierInvoice=Zeige Lieferanten Rechnung +NewSupplier=Neuer Lieferant History=Verlauf -ListOfSuppliers=List of vendors -ShowSupplier=Show vendor +ListOfSuppliers=Liste der Lieferanten +ShowSupplier=Zeige Lieferant OrderDate=Bestelldatum BuyingPriceMin=Bester Einkaufspreis BuyingPriceMinShort=min. EK @@ -14,34 +14,34 @@ TotalSellingPriceMinShort=Summe Unterprodukte Verkaufspreis SomeSubProductHaveNoPrices=Einige Unterprodukte haben keinen Preis AddSupplierPrice=Einkaufspreis anlegen ChangeSupplierPrice=Ändere Einkaufspreis -SupplierPrices=Vendor prices +SupplierPrices=Lieferanten Preise ReferenceSupplierIsAlreadyAssociatedWithAProduct=Für dieses Produkt existiert bereits ein Lieferantenpreis vom gewählten Anbieter: %s -NoRecordedSuppliers=No vendor recorded -SupplierPayment=Vendor payment -SuppliersArea=Vendor area -RefSupplierShort=Ref. vendor +NoRecordedSuppliers=Kein Lieferant vorhanden +SupplierPayment=Lieferanten Zahlung +SuppliersArea=Lieferanten Bereich +RefSupplierShort=Lieferanten Zeichen Availability=Verfügbarkeit -ExportDataset_fournisseur_1=Vendor invoices list and invoice lines -ExportDataset_fournisseur_2=Vendor invoices and payments -ExportDataset_fournisseur_3=Purchase orders and order lines +ExportDataset_fournisseur_1=Lieferantenrechnungen und Positionen +ExportDataset_fournisseur_2=Lieferantenrechnungen und Zahlungen +ExportDataset_fournisseur_3=Lieferantenbestellungen und Auftragszeilen ApproveThisOrder=Bestellung bestätigen ConfirmApproveThisOrder=Möchten Sie diese Bestellung %s wirklich bestätigen? DenyingThisOrder=Bestellung ablehnen ConfirmDenyingThisOrder=Möchten Sie diese Bestellung %s wirklich ablehnen? ConfirmCancelThisOrder=Möchten Sie die Bestellung %s wirklich stornieren ? -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 +AddSupplierOrder=Lieferantenbestellung erstellen +AddSupplierInvoice=Lieferantenrechnung erstellen +ListOfSupplierProductForSupplier=Liste der Produkte und Preise für Lieferanten %s +SentToSuppliers=An Lieferanten versandt +ListOfSupplierOrders=Liste der Lieferanten Bestellungen +MenuOrdersSupplierToBill=Bestellungen zu Rechnungen NbDaysToDelivery=Lieferverzug in Tagen DescNbDaysToDelivery=Max. Verspätungstoleranz bei Lieferverzögerungen bei Produkten aus dieser Bestellung -SupplierReputation=Vendor reputation +SupplierReputation=Lieferanten Reputation DoNotOrderThisProductToThisSupplier=Nicht sortieren NotTheGoodQualitySupplier=Ungültige Qualität ReputationForThisProduct=Reputation BuyerName=Käufer AllProductServicePrices=Alle Produkt/Leistung Preise AllProductReferencesOfSupplier=Alle Produkt- / Service-Referenzen des Lieferanten -BuyingPriceNumShort=Vendor prices +BuyingPriceNumShort=Lieferanten Preise diff --git a/htdocs/langs/de_DE/users.lang b/htdocs/langs/de_DE/users.lang index 1a410486ddba7..ba7942a9982a0 100644 --- a/htdocs/langs/de_DE/users.lang +++ b/htdocs/langs/de_DE/users.lang @@ -48,7 +48,7 @@ PasswordChangeRequest=Aufforderung, das Passwort für %s zu ändern PasswordChangeRequestSent=Kennwort-Änderungsanforderung für %s gesendet an %s. ConfirmPasswordReset=Passwort zurücksetzen MenuUsersAndGroups=Benutzer & Gruppen -LastGroupsCreated=Letzte %s erstellte Gruppen +LastGroupsCreated=Latest %s groups created LastUsersCreated=%s neueste ertellte Benutzer ShowGroup=Zeige Gruppe ShowUser=Zeige Benutzer diff --git a/htdocs/langs/el_GR/accountancy.lang b/htdocs/langs/el_GR/accountancy.lang index d1d9297c8b4ef..50955408c2758 100644 --- a/htdocs/langs/el_GR/accountancy.lang +++ b/htdocs/langs/el_GR/accountancy.lang @@ -55,6 +55,7 @@ AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from m AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s AccountancyAreaDescVat=STEP %s: Define accounting accounts for each VAT Rates. For this, use the menu entry %s. +AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. AccountancyAreaDescExpenseReport=STEP %s: Define default accounting accounts for each type of expense report. For this, use the menu entry %s. AccountancyAreaDescSal=STEP %s: Define default accounting accounts for payment of salaries. For this, use the menu entry %s. AccountancyAreaDescContrib=STEP %s: Define default accounting accounts for special expences (miscellaneous taxes). For this, use the menu entry %s. @@ -131,6 +132,7 @@ ACCOUNTING_LENGTH_GACCOUNT=Length of the general accounting accounts (If you set 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 zero at the end of an accounting account. Needed by some countries (like switzerland). If keep to off (default), you can set the 2 following parameters to ask application to add virtual zero. BANK_DISABLE_DIRECT_INPUT=Disable direct recording of transaction in bank account +ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Enable draft export on journal ACCOUNTING_SELL_JOURNAL=Ημερολόγιο πωλήσεων ACCOUNTING_PURCHASE_JOURNAL=Ημερολόγιο αγορών diff --git a/htdocs/langs/el_GR/admin.lang b/htdocs/langs/el_GR/admin.lang index ad80223ffa2b2..9815e8ce7674b 100644 --- a/htdocs/langs/el_GR/admin.lang +++ b/htdocs/langs/el_GR/admin.lang @@ -454,7 +454,7 @@ ModuleCompanyCodeDigitaria=Accounting code depends on third party code. The code Use3StepsApproval=By default, Purchase Orders need to be created and approved by 2 different users (one step/user to create and one step/user to approve. Note that if user has both permission to create and approve, one step/user will be enough). You can ask with this option to introduce a third step/user approval, if amount is higher than a dedicated value (so 3 steps will be necessary: 1=validation, 2=first approval and 3=second approval if amount is enough).
Set this to empty if one approval (2 steps) is enough, set it to a very low value (0.1) if a second approval (3 steps) is always required. UseDoubleApproval=Use a 3 steps approval when amount (without tax) is higher than... WarningPHPMail=WARNING: It is often better to setup outgoing emails to use the email server of your provider instead of the default setup. Some email providers (like Yahoo) does not allow you to send an email from another server than their own server. Your current setup use 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 a server of them, so few of your sent Emails may not be accepted (be carefull also to your email provider sending quota).
If your Email provider (like Yahoo) has this restriction, you must change Email setup to choose the other method "SMTP server" and enter the SMTP server and credentials provided by your Email provider (ask your EMail provider to get SMTP credentials for your account). -WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of your ERP CRM application: %s. +WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of the mail user agent (MUA) for your ERP CRM application: %s. ClickToShowDescription=Click to show description DependsOn=This module need the module(s) RequiredBy=This module is required by module(s) @@ -497,7 +497,7 @@ Module25Desc=Διαχείριση παραγγελιών πελατών Module30Name=Τιμολόγια Module30Desc=Τιμολόγιο και πιστωτικό τιμολόγιο διαχείρισης για τους πελάτες. Τιμολόγιο διαχείρισης για τους προμηθευτές Module40Name=Προμηθευτές -Module40Desc=Διαχείριση προμηθευτών και παραστατικά αγοράς (παραγγελίες και τιμολόγια) +Module40Desc=Suppliers and purchase management (purchase orders and billing) Module42Name=Debug Logs Module42Desc=Logging facilities (file, syslog, ...). Such logs are for technical/debug purposes. Module49Name=Επεξεργαστές κειμένου @@ -605,7 +605,7 @@ Module4000Desc=Human resources management (management of department, employee co Module5000Name=Multi-company Module5000Desc=Σας επιτρέπει να διαχειριστήτε πολλές εταιρείες Module6000Name=Ροή εργασίας -Module6000Desc=Διαχείρισης Ροών Εργασιών +Module6000Desc=Workflow management (automatic creation of object and/or automatic status change) Module10000Name=Websites Module10000Desc=Create public websites with a WYSIWG editor. Just setup your web server (Apache, Nginx, ...) to point to the dedicated Dolibarr directory to have it online on the Internet with your own domain name. Module20000Name=Αφήστε τη διαχείριση των ερωτήσεων @@ -891,7 +891,7 @@ DictionaryCivility=Personal and professional titles DictionaryActions=Types of agenda events DictionarySocialContributions=Social or fiscal taxes types DictionaryVAT=Τιμές ΦΠΑ ή φόρου επί των πωλήσεων -DictionaryRevenueStamp=Ποσό των ενσήμων +DictionaryRevenueStamp=Amount of tax stamps DictionaryPaymentConditions=Όροι πληρωμής DictionaryPaymentModes=Τρόποι πληρωμής DictionaryTypeContact=Τύποι Επικοινωνίας/Διεύθυνση @@ -919,7 +919,7 @@ SetupSaved=Οι ρυθμίσεις αποθηκεύτηκαν SetupNotSaved=Setup not saved BackToModuleList=Πίσω στη λίστα με τα modules BackToDictionaryList=Επιστροφή στη λίστα λεξικών -TypeOfRevenueStamp=Type of revenue stamp +TypeOfRevenueStamp=Type of tax stamp VATManagement=Διαχείριση Φ.Π.Α. VATIsUsedDesc=By default when creating prospects, invoices, orders etc the VAT rate follows the active standard rule:
If the seller is not subjected to VAT, then VAT defaults to 0. End of rule.
If the (selling country= buying country), then the VAT by default equals the VAT of the product in the selling country. End of rule.
If seller and buyer are both in the European Community and goods are transport products (car, ship, plane), the default VAT is 0 ( The VAT should be paid by the buyer to the customoffice of his country and not to the seller). End of rule.
If seller and buyer are both in the European Community and the buyer is not a company, then the VAT by defaults to the VAT of the product sold. End of rule.
If seller and buyer are both in the European Community and the buyer is a company, then the VAT is 0 by default . End of rule.
In any othe case the proposed default is VAT=0. End of rule. VATIsNotUsedDesc=By default the proposed VAT is 0 which can be used for cases like associations, individuals ou small companies. @@ -1027,7 +1027,7 @@ Delays_MAIN_DELAY_ACTIONS_TODO=Delay tolerance (in days) before alert on planned Delays_MAIN_DELAY_PROJECT_TO_CLOSE=Delay tolerance (in days) before alert on project not closed in time Delays_MAIN_DELAY_TASKS_TODO=Delay tolerance (in days) before alert on planned tasks (project tasks) not completed yet Delays_MAIN_DELAY_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on orders not processed yet -Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on suppliers orders not processed yet +Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on purchase orders not processed yet Delays_MAIN_DELAY_PROPALS_TO_CLOSE=Delay tolerance (in days) before alert on proposals to close Delays_MAIN_DELAY_PROPALS_TO_BILL=Delay tolerance (in days) before alert on proposals not billed Delays_MAIN_DELAY_NOT_ACTIVATED_SERVICES=Tolerance delay (in days) before alert on services to activate @@ -1458,7 +1458,7 @@ SyslogFilename=File name and path YouCanUseDOL_DATA_ROOT=You can use DOL_DATA_ROOT/dolibarr.log for a log file in Dolibarr "documents" directory. You can set a different path to store this file. ErrorUnknownSyslogConstant=Constant %s is not a known Syslog constant OnlyWindowsLOG_USER=Windows only supports LOG_USER -CompressSyslogs=Syslog files compression and backup +CompressSyslogs=Compression and backup of debug log files (generated by module Log for debug) SyslogFileNumberOfSaves=Log backups ConfigureCleaningCronjobToSetFrequencyOfSaves=Configure cleaning scheduled job to set log backup frequency ##### Donations ##### diff --git a/htdocs/langs/el_GR/banks.lang b/htdocs/langs/el_GR/banks.lang index 4429a22d8540a..84d9972c9668a 100644 --- a/htdocs/langs/el_GR/banks.lang +++ b/htdocs/langs/el_GR/banks.lang @@ -1,12 +1,13 @@ # Dolibarr language file - Source file is en_US - banks Bank=Τράπεζα -MenuBankCash=Τράπεζα/Μετρητά +MenuBankCash=Bank | Cash MenuVariousPayment=Miscellaneous payments MenuNewVariousPayment=New Miscellaneous payment BankName=Όνομα Τράπεζας FinancialAccount=Λογαριασμός BankAccount=Τραπεζικός Λογαριασμός BankAccounts=Τραπεζικοί Λογαριασμοί +BankAccountsAndGateways=Bank accounts | Gateways ShowAccount=Εμφάνιση λογαριασμού AccountRef=Αναγνωριστικό Λογιστικού Λογαριασμού AccountLabel=Ετικέτα Λογιστικού Λογαριασμού @@ -131,7 +132,7 @@ PaymentDateUpdateSucceeded=Η ημερομηνία πληρωμής ενημερ PaymentDateUpdateFailed=Η ημερομηνία πληρωμής δεν ενημερώθηκε επιτυχώς Transactions=Συναλλαγές BankTransactionLine=Bank entry -AllAccounts=Όλοι οι Λογαριασμοί +AllAccounts=All bank and cash accounts BackToAccount=Επιστροφή στον λογαριασμό ShowAllAccounts=Εμφάνιση Όλων των Λογαριασμών FutureTransaction=Συναλλαγή στο μέλλον. Δεν υπάρχει τρόπος συμβιβασμού. @@ -159,5 +160,6 @@ VariousPayment=Miscellaneous payments VariousPayments=Miscellaneous payments ShowVariousPayment=Show miscellaneous payments AddVariousPayment=Add miscellaneous payments +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. Thanks to return it signed (scan of the signed document) or sent it by mail to diff --git a/htdocs/langs/el_GR/bills.lang b/htdocs/langs/el_GR/bills.lang index a4aae2d100c94..a927f6294c66d 100644 --- a/htdocs/langs/el_GR/bills.lang +++ b/htdocs/langs/el_GR/bills.lang @@ -110,8 +110,8 @@ SendRemindByMail=Αποστολή υπενθύμισης με email DoPayment=Enter payment DoPaymentBack=Enter refund ConvertToReduc=Mark as credit available -ConvertExcessReceivedToReduc=Convert excess received into future discount -ConvertExcessPaidToReduc=Convert excess paid into future discount +ConvertExcessReceivedToReduc=Convert excess received into available credit +ConvertExcessPaidToReduc=Convert excess paid into available discount EnterPaymentReceivedFromCustomer=Εισαγωγή πληρωμής από πελάτη EnterPaymentDueToCustomer=Πληρωμή προς προμηθευτή DisabledBecauseRemainderToPayIsZero=Ανενεργό λόγο μηδενικού υπολοίπου πληρωμής @@ -282,6 +282,7 @@ RelativeDiscount=Σχετική έκπτωση GlobalDiscount=Συνολική έκπτωση CreditNote=Πίστωση CreditNotes=Πιστώσεις +CreditNotesOrExcessReceived=Credit notes or excess received Deposit=Κατάθεση Deposits=Καταθέσεις DiscountFromCreditNote=Έκπτωση από το πιστωτικό τιμολόγιο %s @@ -393,6 +394,7 @@ PaymentConditionShort14DENDMONTH=14 days of month-end PaymentCondition14DENDMONTH=Within 14 days following the end of the month FixAmount=Διορθώση ποσού VarAmount=Μεταβλητή ποσού (%% tot.) +VarAmountOneLine=Variable amount (%% tot.) - 1 line with label '%s' # PaymentType PaymentTypeVIR=Τραπεζική μεταφορά PaymentTypeShortVIR=Τραπεζική μεταφορά diff --git a/htdocs/langs/el_GR/compta.lang b/htdocs/langs/el_GR/compta.lang index 973ad9b8a09e1..5386ac50f27c8 100644 --- a/htdocs/langs/el_GR/compta.lang +++ b/htdocs/langs/el_GR/compta.lang @@ -19,7 +19,8 @@ Income=Έσοδα Outcome=Έξοδα MenuReportInOut=Έσοδα / Έξοδα ReportInOut=Balance of income and expenses -ReportTurnover=Κύκλος εργασιών +ReportTurnover=Turnover invoiced +ReportTurnoverCollected=Turnover collected PaymentsNotLinkedToInvoice=Η πληρωμή δεν είναι συνδεδεμένη με κάποιο τιμολόγιο, οπότε δεν συνδέετε με κάποιο στοιχείο/αντιπρόσωπο PaymentsNotLinkedToUser=Η πληρωμή δεν είναι συνδεδεμένη με κάποιον πελάτη Profit=Κέρδος @@ -77,7 +78,7 @@ MenuNewSocialContribution=Νέα Κοιν/Φορ εισφορά NewSocialContribution=Νέα Κοινωνική/Φορολογική εισφορά AddSocialContribution=Add social/fiscal tax ContributionsToPay=Κοινωνικές/Φορολογικές εισφορές προς πληρωμή -AccountancyTreasuryArea=Περιοχή Οικονομικών/Περιουσιακών Στοιχείων +AccountancyTreasuryArea=Billing and payment area NewPayment=Νέα Πληρωμή Payments=Πληρωμές PaymentCustomerInvoice=Πληρωμή τιμολογίου πελάτη @@ -105,6 +106,7 @@ VATPayment=Πληρωμή ΦΠΑ πωλήσεων VATPayments=Πληρωμές ΦΠΑ πωλήσεων VATRefund=Sales tax refund NewVATPayment=New sales tax payment +NewLocalTaxPayment=New tax %s payment Refund=Refund SocialContributionsPayments=Πληρωμές Κοινωνικών/Φορολογικών εισφορών ShowVatPayment=Εμφάνιση πληρωμής φόρου @@ -116,8 +118,9 @@ CustomerAccountancyCodeShort=Cust. account. code SupplierAccountancyCodeShort=Sup. account. code AccountNumber=Αριθμός Λογαριασμού NewAccountingAccount=Νέος Λογαριασμός -SalesTurnover=Κύκλος εργασιών πωλήσεων -SalesTurnoverMinimum=Ελάχιστος κύκλος εργασιών των πωλήσεων +Turnover=Turnover invoiced +TurnoverCollected=Turnover collected +SalesTurnoverMinimum=Minimum turnover ByExpenseIncome=By expenses & incomes ByThirdParties=Ανά στοιχεία ByUserAuthorOfInvoice=Ανά συντάκτη τιμολογίου @@ -137,8 +140,8 @@ ConfirmDeleteSocialContribution=Είστε σίγουροι ότι θέλετε ExportDataset_tax_1=Κοινωνικές/Φορολογικές εισφορές και πληρωμές CalcModeVATDebt=Κατάσταση %sΦΠΑ επί των λογιστικών υποχρεώσεων%s CalcModeVATEngagement=Κατάσταση %sΦΠΑ επί των εσόδων-έξοδα%s. -CalcModeDebt=Κατάσταση %sΑπαιτήσεις-Οφειλές%s δήλωσε Λογιστικών υποχρεώσεων. -CalcModeEngagement=Κατάσταση %sεσόδων-έξοδα%s δήλωσε ταμειακή λογιστική +CalcModeDebt=Analysis of known recorded invoices 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 CalcModeLT1Debt=Λειτουργία %sRE στα τιμολόγια των πελατών%s (Αφορά φορολογικούς συντελεστές του Ισπανικού κράτους) @@ -151,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 report %sIncomes-Expenses%s said cash accounting for a calculation on actual payments made -SeeReportInDueDebtMode=See report %sClaims-Debts%s said commitment accounting for a calculation on issued invoices -SeeReportInBookkeepingMode=See report %sBookeeping%s for a calculation on bookkeeping table analysis +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 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 validation date of invoices and VAT and on the due date for expenses. 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. @@ -218,8 +221,8 @@ Mode1=Μέθοδος 1 Mode2=Μέθοδος 2 CalculationRuleDesc=Για να υπολογιστεί το συνολικό ΦΠΑ, υπάρχουν δύο μέθοδοι:
Μέθοδος 1 στρογγυλοποίηση ΦΠΑ για κάθε γραμμή, στη συνέχεια, αθροίζοντας τους.
Μέθοδος 2 αθροίζοντας όλων των ΦΠΑ σε κάθε γραμμή, τότε η στρογγυλοποίηση είναι στο αποτέλεσμα.
Το τελικό αποτέλεσμα μπορεί να διαφέρει από λίγα λεπτά. Προεπιλεγμένη λειτουργία είναι η λειτουργία %s. CalculationRuleDescSupplier=According to supplier, choose appropriate method to apply same calculation rule and get same result expected by your supplier. -TurnoverPerProductInCommitmentAccountingNotRelevant=The Turnover report per product, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). -TurnoverPerSaleTaxRateInCommitmentAccountingNotRelevant=The Turnover report per sale tax rate, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). +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. CalculationMode=Τρόπος υπολογισμού AccountancyJournal=Accounting code journal ACCOUNTING_VAT_SOLD_ACCOUNT=Accounting account by default for VAT on sales (used if not defined on VAT dictionary setup) @@ -251,5 +254,6 @@ VATDue=Sale tax claimed ClaimedForThisPeriod=Claimed for the period PaidDuringThisPeriod=Paid during this period ByVatRate=By sale tax rate -TurnoverbyVatrate=Turnover by sale tax rate +TurnoverbyVatrate=Turnover invoiced by sale tax rate +TurnoverCollectedbyVatrate=Turnover collected by sale tax rate PurchasebyVatrate=Purchase by sale tax rate diff --git a/htdocs/langs/el_GR/install.lang b/htdocs/langs/el_GR/install.lang index 68e327f66499c..abac0b9205bb9 100644 --- a/htdocs/langs/el_GR/install.lang +++ b/htdocs/langs/el_GR/install.lang @@ -204,3 +204,7 @@ MigrationResetBlockedLog=Reset module BlockedLog for v7 algorithm ShowNotAvailableOptions=Εμφάνιση μη διαθέσιμων επιλογών HideNotAvailableOptions=Απόκρυψη μη μη διαθέσιμων επιλογών ErrorFoundDuringMigration=Αναφέρθηκε σφάλμα κατά τη διαδικασία μεταφοράς, οπότε το επόμενο βήμα δεν είναι δυνατό. Για να αγνοήστε το σφάλμα, μπορείτε να πατήσετε εδώ, αλλά η εφαρμογή ή κάποιες λειτουργείες μπορεί να μην λειτουργού σωστά μέχρι να διορθωθεί. +YouTryInstallDisabledByDirLock=The application try to sefl upgrade, but install/upgrade pages have been disabled for security reason (directory renamed with .lock suffix).
+YouTryInstallDisabledByFileLock=The application try to sefl upgrade, but install/upgrade pages pages have been disabled for security reason (by lock file install.lock into dolibarr documents directory).
+ClickHereToGoToApp=Click here to go to your application +ClickOnLinkOrRemoveManualy=Click on following link and if you always reach this page, you must remove the file install.lock into documents directory manually diff --git a/htdocs/langs/el_GR/main.lang b/htdocs/langs/el_GR/main.lang index 1e421f1743655..83e30ee288c04 100644 --- a/htdocs/langs/el_GR/main.lang +++ b/htdocs/langs/el_GR/main.lang @@ -507,6 +507,7 @@ NoneF=None NoneOrSeveral=None or several Late=Καθυστερ. LateDesc=Delay to define if a record is late or not depends on your setup. Ask your admin to change delay from menu Home - Setup - Alerts. +NoItemLate=No late item Photo=Φωτογραφία Photos=Φωτογραφίες AddPhoto=Προσθήκη Φωτογραφίας @@ -945,3 +946,5 @@ KeyboardShortcut=Keyboard shortcut AssignedTo=Ανάθεση σε Deletedraft=Delete draft ConfirmMassDraftDeletion=Draft Bulk delete confirmation +FileSharedViaALink=File shared via a link + diff --git a/htdocs/langs/el_GR/modulebuilder.lang b/htdocs/langs/el_GR/modulebuilder.lang index a830400fb2673..5077ccafacf5b 100644 --- a/htdocs/langs/el_GR/modulebuilder.lang +++ b/htdocs/langs/el_GR/modulebuilder.lang @@ -74,6 +74,7 @@ NoWidget=No widget GoToApiExplorer=Go to API explorer ListOfMenusEntries=List of menu entries ListOfPermissionsDefined=List of defined permissions +SeeExamples=See examples here EnabledDesc=Condition to have this field active (Examples: 1 or $conf->global->MYMODULE_MYOPTION) VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only. Using a negative value means field is not shown by default on list but can be selected for viewing) IsAMeasureDesc=Can the value of field be cumulated to get a total into list ? (Examples: 1 or 0) @@ -95,3 +96,6 @@ DropTableIfEmpty=(Delete table if empty) TableDoesNotExists=The table %s does not exists TableDropped=Table %s deleted InitStructureFromExistingTable=Build the structure array string of an existing table +UseAboutPage=Disallow the about page +UseDocFolder=Disallow the documentation folder +UseSpecificReadme=Use a specific ReadMe diff --git a/htdocs/langs/el_GR/other.lang b/htdocs/langs/el_GR/other.lang index 09d39caf8e2f1..26b075d8b3411 100644 --- a/htdocs/langs/el_GR/other.lang +++ b/htdocs/langs/el_GR/other.lang @@ -80,8 +80,8 @@ LinkedObject=Συνδεδεμένα αντικείμενα NbOfActiveNotifications=Αριθμός κοινοποιήσεων (Αριθμός emails παραλήπτη) PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe two lines are separated by a carriage return.\n\n__USER_SIGNATURE__ PredefinedMailTestHtml=__(Hello)__\nThis is a test mail (the word test must be in bold).
The two lines are separated by a carriage return.

__USER_SIGNATURE__ -PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\nThis is the link to make your online payment if this invoice is not already payed:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\nThis is the link to make your online payment:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendProposal=__(Hello)__\n\nYou will find here the commercial proposal __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendSupplierProposal=__(Hello)__\n\nYou will find here the price request __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendOrder=__(Hello)__\n\nYou will find here the order __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ @@ -91,6 +91,7 @@ PredefinedMailContentSendShipping=__(Hello)__\n\nYou will find here the shipping PredefinedMailContentSendFichInter=__(Hello)__\n\nYou will find here the intervention __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentThirdparty=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentUser=__(Hello)__\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 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) @@ -218,7 +219,7 @@ FileIsTooBig=Τα αρχεία είναι πολύ μεγάλο PleaseBePatient=Please be patient... NewPassword=New password ResetPassword=Reset password -RequestToResetPasswordReceived=A request to change your password has been received +RequestToResetPasswordReceived=A request to change your password has been received. NewKeyIs=Αυτό είναι το νέο σας κλειδί για να συνδεθείτε NewKeyWillBe=Το νέο σας κλειδί για να συνδεθείτε με το λογισμικό είναι ClickHereToGoTo=Κάντε κλικ εδώ για να μεταβείτε στο %s diff --git a/htdocs/langs/el_GR/paypal.lang b/htdocs/langs/el_GR/paypal.lang index 78ed0e37c9709..e942b27048d08 100644 --- a/htdocs/langs/el_GR/paypal.lang +++ b/htdocs/langs/el_GR/paypal.lang @@ -14,7 +14,6 @@ PaypalModeOnlyPaypal=PayPal μόνο ONLINE_PAYMENT_CSS_URL=Optionnal URL of CSS style sheet on online payment page ThisIsTransactionId=Αυτό είναι id της συναλλαγής: %s PAYPAL_ADD_PAYMENT_URL=Προσθέστε το url του Paypal πληρωμής όταν στέλνετε ένα έγγραφο με το ταχυδρομείο -PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.

%s

YouAreCurrentlyInSandboxMode=You are currently in the %s "sandbox" mode NewOnlinePaymentReceived=New online payment received NewOnlinePaymentFailed=New online payment tried but failed diff --git a/htdocs/langs/el_GR/products.lang b/htdocs/langs/el_GR/products.lang index 7038ceef021ca..75c3c9eacb0fe 100644 --- a/htdocs/langs/el_GR/products.lang +++ b/htdocs/langs/el_GR/products.lang @@ -251,8 +251,8 @@ PriceNumeric=Αριθμός DefaultPrice=Προεπιλεγμένη τιμή ComposedProductIncDecStock=Αύξηση/Μείωση αποθεμάτων στην μητρική ComposedProduct=Υποπροϊόν -MinSupplierPrice=Minimum supplier price -MinCustomerPrice=Minimum customer price +MinSupplierPrice=Ελάχιστη τιμή αγοράς +MinCustomerPrice=Minimum selling price DynamicPriceConfiguration=Dynamic price configuration DynamicPriceDesc=On product card, with this module enabled, you should be able to set mathematic functions to calculate Customer or Supplier prices. Such function can use all mathematic operators, some constants and variables. You can set here the variables you want to be able to use and if the variable need an automatic update, the external URL to use to ask Dolibarr to update automaticaly the value. AddVariable=Προσθήκη μεταβλητής diff --git a/htdocs/langs/el_GR/propal.lang b/htdocs/langs/el_GR/propal.lang index 8c9a936d8732c..24a2fe5059020 100644 --- a/htdocs/langs/el_GR/propal.lang +++ b/htdocs/langs/el_GR/propal.lang @@ -75,6 +75,7 @@ AvailabilityTypeAV_1M=1 μήνα TypeContact_propal_internal_SALESREPFOLL=Εκπρόσωπος που παρακολουθεί την Προσφορά TypeContact_propal_external_BILLING=Πελάτης επαφή τιμολόγιο TypeContact_propal_external_CUSTOMER=Πελάτης επαφή που παρακολουθεί την Προσφορά +TypeContact_propal_external_SHIPPING=Customer contact for delivery # Document models DocModelAzurDescription=Ένα πλήρες μοντέλο Προσφοράς (logo. ..) DefaultModelPropalCreate=Δημιουργία προεπιλεγμένων μοντέλων diff --git a/htdocs/langs/el_GR/sendings.lang b/htdocs/langs/el_GR/sendings.lang index a3f9d750bab0e..2bedb283badd7 100644 --- a/htdocs/langs/el_GR/sendings.lang +++ b/htdocs/langs/el_GR/sendings.lang @@ -52,8 +52,8 @@ ActionsOnShipping=Εκδηλώσεις για την αποστολή LinkToTrackYourPackage=Σύνδεσμος για να παρακολουθείτε το πακέτο σας ShipmentCreationIsDoneFromOrder=Προς το παρόν, η δημιουργία μιας νέας αποστολής γίνεται από την κάρτα παραγγελίας. ShipmentLine=Σειρά αποστολής -ProductQtyInCustomersOrdersRunning=Product quantity into open customers orders -ProductQtyInSuppliersOrdersRunning=Product quantity into open suppliers orders +ProductQtyInCustomersOrdersRunning=Product quantity into open customer orders +ProductQtyInSuppliersOrdersRunning=Product quantity into open purchase orders ProductQtyInShipmentAlreadySent=Product quantity from open customer order already sent ProductQtyInSuppliersShipmentAlreadyRecevied=Product quantity from open supplier order already received NoProductToShipFoundIntoStock=No product to ship found into warehouse %s. Correct stock or go back to choose another warehouse. diff --git a/htdocs/langs/el_GR/stocks.lang b/htdocs/langs/el_GR/stocks.lang index dd80896b4ab70..1da45170eba58 100644 --- a/htdocs/langs/el_GR/stocks.lang +++ b/htdocs/langs/el_GR/stocks.lang @@ -67,7 +67,7 @@ DeStockOnValidateOrder=Μείωση πραγματικών αποθεμάτων DeStockOnShipment=Decrease real stocks on shipping validation DeStockOnShipmentOnClosing=Decrease real stocks on shipping classification closed ReStockOnBill=Αύξηση πραγματικού αποθέματα για τους προμηθευτές τιμολόγια / πιστωτικά επικύρωση σημειώσεις -ReStockOnValidateOrder=Αύξηση πραγματικού αποθεμάτων σχετικά με τις παραγγελίες τους προμηθευτές επιδοκιμασίας +ReStockOnValidateOrder=Increase real stocks on purchase orders approbation ReStockOnDispatchOrder=Increase real stocks on manual dispatching into warehouses, after supplier order receipt of goods OrderStatusNotReadyToDispatch=Παραγγελία δεν έχει ακόμη ή όχι περισσότερο μια κατάσταση που επιτρέπει την αποστολή των προϊόντων σε αποθήκες αποθεμάτων. StockDiffPhysicTeoric=Explanation for difference between physical and virtual stock @@ -203,4 +203,4 @@ RegulateStock=Regulate Stock ListInventory=Λίστα StockSupportServices=Stock management support services StockSupportServicesDesc=By default, you can stock only product with type "product". If on, and if module service is on, you can also stock a product with type "service" -ReceiveProducts=Receive products +ReceiveProducts=Receive items diff --git a/htdocs/langs/el_GR/users.lang b/htdocs/langs/el_GR/users.lang index 7dd7a0972a88d..caa2bce00257c 100644 --- a/htdocs/langs/el_GR/users.lang +++ b/htdocs/langs/el_GR/users.lang @@ -48,7 +48,7 @@ PasswordChangeRequest=Request to change password for %s PasswordChangeRequestSent=Request to change password for %s sent to %s. ConfirmPasswordReset=Confirm password reset MenuUsersAndGroups=Χρήστες και Ομάδες -LastGroupsCreated=Τελευταίες %s ομάδες που δημιουργήθηκαν +LastGroupsCreated=Latest %s groups created LastUsersCreated=Τελευταίοι %s χρήστε που δημιουργήθηκαν ShowGroup=Εμφάνιση ομάδας ShowUser=Εμφάνιση χρήστη diff --git a/htdocs/langs/en_AU/admin.lang b/htdocs/langs/en_AU/admin.lang index 8d26ea307fe13..59efa529c0167 100644 --- a/htdocs/langs/en_AU/admin.lang +++ b/htdocs/langs/en_AU/admin.lang @@ -11,5 +11,6 @@ LocalTax1IsUsedDesc=Use a second type of tax (other than GST) LocalTax1IsNotUsedDesc=Do not use other type of tax (other than GST) LocalTax2IsUsedDesc=Use a third type of tax (other than GST) LocalTax2IsNotUsedDesc=Do not use other type of tax (other than GST) +ViewProductDescInThirdpartyLanguageAbility=Visualization of products descriptions in the third party language OptionVatMode=GST due LinkColor=Colour of links diff --git a/htdocs/langs/en_AU/compta.lang b/htdocs/langs/en_AU/compta.lang index 8498a0929453c..ff183175110e5 100644 --- a/htdocs/langs/en_AU/compta.lang +++ b/htdocs/langs/en_AU/compta.lang @@ -9,6 +9,8 @@ CheckReceiptShort=Cheque deposit NewCheckDeposit=New cheque deposit DateChequeReceived=Cheque received date NbOfCheques=Nb of cheques +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. RulesResultDue=- It includes outstanding invoices, expenses, GST, donations whether they are paid or not. Is also includes paid salaries.
- It is based on the validation date of invoices and GST and on the due date for expenses. For salaries defined with Salary module, the value date of payment is used. RulesResultInOut=- It includes the real payments made on invoices, expenses, GST and salaries.
- It is based on the payment dates of the invoices, expenses, GST and salaries. The donation date for donation. VATReportByCustomersInInputOutputMode=Report by the customer GST collected and paid diff --git a/htdocs/langs/en_CA/admin.lang b/htdocs/langs/en_CA/admin.lang index 6fbba44c314f3..a1d35f5ea7d0a 100644 --- a/htdocs/langs/en_CA/admin.lang +++ b/htdocs/langs/en_CA/admin.lang @@ -9,3 +9,4 @@ LocalTax1Management=PST Management LocalTax2IsNotUsedDesc=Do not use second tax (PST) CompanyZip=Postal code LDAPFieldZip=Postal code +ViewProductDescInThirdpartyLanguageAbility=Visualization of products descriptions in the third party language diff --git a/htdocs/langs/en_GB/admin.lang b/htdocs/langs/en_GB/admin.lang index 07601556b7740..c2ed9bc8e137a 100644 --- a/htdocs/langs/en_GB/admin.lang +++ b/htdocs/langs/en_GB/admin.lang @@ -90,5 +90,6 @@ Permission302=Delete barcodes DictionaryAccountancyJournal=Finance journals CompanyZip=Postcode LDAPFieldZip=Postcode +ViewProductDescInThirdpartyLanguageAbility=Visualization of products descriptions in the third party language GenbarcodeLocation=Barcode generation command line tool (used by internal engine for some bar code types). Must be compatible with "genbarcode".
For example: /usr/local/bin/genbarcode ToGenerateCodeDefineAutomaticRuleFirst=To be able to automatically generate codes, you must first set a rule to define the barcode number. diff --git a/htdocs/langs/en_GB/compta.lang b/htdocs/langs/en_GB/compta.lang index 48f980f4449fb..d8dff1d86891a 100644 --- a/htdocs/langs/en_GB/compta.lang +++ b/htdocs/langs/en_GB/compta.lang @@ -6,3 +6,5 @@ NewCheckDepositOn=Create receipt for deposit to account: %s NoWaitingChecks=No cheques awaiting deposit. DateChequeReceived=Cheque reception date NbOfCheques=Number of cheques +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. diff --git a/htdocs/langs/en_GB/stocks.lang b/htdocs/langs/en_GB/stocks.lang index fc1432b5c5070..b0ff5a6f463d1 100644 --- a/htdocs/langs/en_GB/stocks.lang +++ b/htdocs/langs/en_GB/stocks.lang @@ -3,7 +3,6 @@ StocksArea=Warehouse area MassStockTransferShort=Bulk stock transfer QtyDispatchedShort=Quantity dispatched QtyToDispatchShort=Quantity to be dispatched -ReStockOnValidateOrder=Increase real stocks on suppliers orders Accepted OrderStatusNotReadyToDispatch=Order Status does not allow dispatching of products in stock warehouses. NoPredefinedProductToDispatch=No predefined products for this object. So no dispatching of stock is required. IdWarehouse=Warehouse ID diff --git a/htdocs/langs/en_IN/admin.lang b/htdocs/langs/en_IN/admin.lang index 0bfd73504c228..1e94b9bd62967 100644 --- a/htdocs/langs/en_IN/admin.lang +++ b/htdocs/langs/en_IN/admin.lang @@ -16,5 +16,6 @@ ProposalsNumberingModules=Quotation numbering models ProposalsPDFModules=Quotation documents models FreeLegalTextOnProposal=Free text on quotations WatermarkOnDraftProposal=Watermark on draft quotations (none if empty) +ViewProductDescInThirdpartyLanguageAbility=Visualization of products descriptions in the third party language FCKeditorForProductDetails=WYSIWIG creation/edition of products details lines for all entities (quotations, orders, invoices, etc...). Warning: Using this option for this case is seriously not recommended as it can create problems with special characters and page formating when building PDF files. MailToSendProposal=Customer quotations diff --git a/htdocs/langs/en_IN/compta.lang b/htdocs/langs/en_IN/compta.lang index 6e6975592c201..8ef2e8a50d203 100644 --- a/htdocs/langs/en_IN/compta.lang +++ b/htdocs/langs/en_IN/compta.lang @@ -1,2 +1,4 @@ # Dolibarr language file - Source file is en_US - compta +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. ProposalStats=Statistics on quotations diff --git a/htdocs/langs/es_AR/admin.lang b/htdocs/langs/es_AR/admin.lang index 1c53b65c99c6f..790d1e6cd7b6a 100644 --- a/htdocs/langs/es_AR/admin.lang +++ b/htdocs/langs/es_AR/admin.lang @@ -2,3 +2,4 @@ AntiVirusCommandExample=Example for ClamWin: c:\\Progra~1\\ClamWin\\bin\\clamscan.exe
Example for ClamAv: /usr/bin/clamscan AntiVirusParamExample=Example for ClamWin: --database="C:\\Program Files (x86)\\ClamWin\\lib" ExampleOfDirectoriesForModelGen=Examples of syntax:
c:\\mydir
/home/mydir
DOL_DATA_ROOT/ecm/ecmdir +ViewProductDescInThirdpartyLanguageAbility=Visualization of products descriptions in the third party language diff --git a/htdocs/langs/es_BO/admin.lang b/htdocs/langs/es_BO/admin.lang index 1c53b65c99c6f..790d1e6cd7b6a 100644 --- a/htdocs/langs/es_BO/admin.lang +++ b/htdocs/langs/es_BO/admin.lang @@ -2,3 +2,4 @@ AntiVirusCommandExample=Example for ClamWin: c:\\Progra~1\\ClamWin\\bin\\clamscan.exe
Example for ClamAv: /usr/bin/clamscan AntiVirusParamExample=Example for ClamWin: --database="C:\\Program Files (x86)\\ClamWin\\lib" ExampleOfDirectoriesForModelGen=Examples of syntax:
c:\\mydir
/home/mydir
DOL_DATA_ROOT/ecm/ecmdir +ViewProductDescInThirdpartyLanguageAbility=Visualization of products descriptions in the third party language diff --git a/htdocs/langs/es_CL/accountancy.lang b/htdocs/langs/es_CL/accountancy.lang index bac34852928dd..4b348acc992c8 100644 --- a/htdocs/langs/es_CL/accountancy.lang +++ b/htdocs/langs/es_CL/accountancy.lang @@ -102,7 +102,6 @@ BANK_DISABLE_DIRECT_INPUT=Deshabilitar la grabación directa de transacciones en ACCOUNTING_SELL_JOURNAL=Libro de ventas ACCOUNTING_MISCELLANEOUS_JOURNAL=Diario misceláneo ACCOUNTING_EXPENSEREPORT_JOURNAL=Diario del informe de gastos -ACCOUNTING_HAS_NEW_JOURNAL=Tiene un nuevo diario ACCOUNTING_ACCOUNT_TRANSFER_CASH=Cuenta contable de transferencia ACCOUNTING_ACCOUNT_SUSPENSE=Cuenta de contabilidad de espera DONATION_ACCOUNTINGACCOUNT=Cuenta de contabilidad para registrar donaciones diff --git a/htdocs/langs/es_CL/admin.lang b/htdocs/langs/es_CL/admin.lang index cc92e69b0c60a..8afcfd78a60fe 100644 --- a/htdocs/langs/es_CL/admin.lang +++ b/htdocs/langs/es_CL/admin.lang @@ -349,7 +349,6 @@ ModuleCompanyCodeDigitaria=El código de contabilidad depende del código de un Use3StepsApproval=De forma predeterminada, los pedidos de compra deben ser creados y aprobados por 2 usuarios diferentes (un paso / usuario para crear y un paso / usuario para aprobar. Tenga en cuenta que si el usuario tiene ambos permisos para crear y aprobar, un paso / usuario será suficiente) . Puede solicitar con esta opción que presente un tercer paso / aprobación del usuario, si el monto es mayor que un valor dedicado (por lo que se necesitarán 3 pasos: 1 = validación, 2 = primera aprobación y 3 = segunda aprobación si el monto es suficiente).
Configure esto como vacío si una aprobación (2 pasos) es suficiente, configúrelo a un valor muy bajo (0.1) si siempre se requiere una segunda aprobación (3 pasos). UseDoubleApproval=Utilice una aprobación de 3 pasos cuando la cantidad (sin impuestos) sea más alta que ... WarningPHPMail=ADVERTENCIA: a menudo es mejor configurar los correos electrónicos salientes para usar el servidor de correo electrónico de su proveedor en lugar de la configuración predeterminada. Algunos proveedores de correo electrónico (como Yahoo) no le permiten enviar un correo electrónico desde otro servidor que no sea su propio servidor. Su configuración actual utiliza el servidor de la aplicación para enviar correos electrónicos y no el servidor de su proveedor de correo electrónico, por lo que algunos destinatarios (el compatible con el restrictivo protocolo DMARC) le preguntarán a su proveedor de correo electrónico si pueden aceptar su correo electrónico y algunos proveedores de correo electrónico. (como Yahoo) puede responder "no" porque el servidor no es un servidor de ellos, por lo que es posible que no se acepten algunos de sus correos electrónicos enviados (tenga cuidado también con la cuota de envío de su proveedor de correo electrónico). Si su proveedor de correo electrónico (como Yahoo) tiene esta restricción, debe cambiar Configuración de correo electrónico para elegir el otro método "Servidor SMTP" e ingresar el servidor SMTP y las credenciales proporcionadas por su proveedor de correo electrónico (solicite a su proveedor de correo electrónico que obtenga las credenciales SMTP para su cuenta). -WarningPHPMail2=Si su proveedor SMTP por correo electrónico necesita restringir el cliente de correo electrónico a algunas direcciones IP (muy raras), esta es la dirección IP de su aplicación ERP CRM: %s . ClickToShowDescription=Haga clic para mostrar la descripción DependsOn=Este módulo necesita el módulo (s) RequiredBy=Este módulo es requerido por el módulo (s) @@ -363,8 +362,6 @@ ProductDocumentTemplates=Plantillas de documentos para generar documentos de pro FreeLegalTextOnExpenseReports=Texto legal gratuito en informes de gastos WatermarkOnDraftExpenseReports=Marca de agua en los borradores de informes de gastos AttachMainDocByDefault=Establezca esto en 1 si desea adjuntar el documento principal al correo electrónico de forma predeterminada (si corresponde) -DAVSetup=Configuración del módulo DAV -DAV_ALLOW_PUBLIC_DIR=Habilite el directorio público (directorio WebDav sin necesidad de iniciar sesión) DAV_ALLOW_PUBLIC_DIRTooltip=El directorio público de WebDav es un directorio WebDAV al que todos pueden acceder (en modo lectura y escritura), sin necesidad de tener / usar una cuenta de inicio de sesión / contraseña existente. Module0Desc=Gestión de usuarios / empleados y grupos Module1Desc=Empresas y gestión de contactos (clientes, prospectos ...) @@ -378,7 +375,6 @@ Module23Desc=Monitoreo del consumo de energías Module25Desc=Gestión de pedidos del cliente Module30Name=Facturas Module30Desc=Gestión de facturas y notas de crédito para clientes. Gestión de facturas para proveedores -Module40Desc=Gestión y compra de proveedores (pedidos y facturas) Module42Desc=Instalaciones de registro (archivo, syslog, ...). Dichos registros son para fines técnicos / de depuración. Module49Desc=Gestión del editor Module50Desc=Gestión de producto @@ -413,7 +409,6 @@ Module320Desc=Agregar fuente RSS dentro de las páginas de pantalla de Dolibarr Module400Name=Proyectos / Oportunidades / Leads Module400Desc=Gestión de proyectos, oportunidades / clientes potenciales y / o tareas. También puede asignar cualquier elemento (factura, orden, propuesta, intervención, ...) a un proyecto y obtener una vista transversal desde la vista del proyecto. Module410Desc=Integración de Webcalendar -Module500Name=Impuestos y gastos especiales Module510Name=Pago de los salarios de los empleados Module510Desc=Registre y siga el pago de los salarios de sus empleados Module520Name=Préstamo @@ -449,7 +444,6 @@ Module3200Desc=Active el registro de algunos eventos comerciales en un registro Module4000Desc=Gestión de recursos humanos (gestión del departamento, contratos de empleados y sentimientos) Module5000Name=Multi-compañía Module5000Desc=Le permite administrar múltiples compañías -Module6000Desc=Gestión de flujo de trabajo Module10000Desc=Crea sitios web públicos con un editor WYSIWG. Simplemente configure su servidor web (Apache, Nginx, ...) para que apunte al directorio dedicado de Dolibarr para tenerlo en línea en Internet con su propio nombre de dominio. Module20000Name=Administración de peticiones días libres Module20000Desc=Declarar y seguir a los empleados deja las solicitudes @@ -658,7 +652,6 @@ DictionaryCompanyJuridicalType=Formas legales de terceros DictionaryProspectLevel=Nivel de potencial prospectivo DictionaryCanton=Estado / Provincia DictionaryVAT=Tipos de IVA o tasas de impuestos a las ventas -DictionaryRevenueStamp=Cantidad de timbres fiscales DictionaryPaymentConditions=Términos de pago DictionaryTypeContact=Tipo de contacto / dirección DictionaryTypeOfContainer=Tipo de páginas web / contenedores @@ -676,7 +669,6 @@ DictionaryEMailTemplates=Plantillas de correos electrónicos DictionaryProspectStatus=Estado de prospección DictionaryHolidayTypes=Tipos de Vacaciones DictionaryOpportunityStatus=Estado de oportunidad para el proyecto / plomo -TypeOfRevenueStamp=Tipo de sello de ingresos VATManagement=Gestión del IVA VATIsUsedDesc=Por defecto cuando se crean prospectos, facturas, pedidos, etc., la tasa del IVA sigue la regla del estándar activo:
Si el vendedor no está sujeto al IVA, entonces el IVA predeterminado es 0. Fin de la regla.
Si el (país de venta = país de compra), entonces el IVA por defecto es igual al IVA del producto en el país de venta. Fin de la regla
Si el vendedor y el comprador pertenecen a la Comunidad Europea y los productos son de transporte (automóvil, barco, avión), el IVA por defecto es 0 (el comprador debe pagar el IVA a la oficina de su país y no a la vendedor). Fin de la regla.
Si el vendedor y el comprador están en la Comunidad Europea y el comprador no es una empresa, entonces el IVA se convierte por defecto en el IVA del producto vendido. Fin de la regla.
Si el vendedor y el comprador están en la Comunidad Europea y el comprador es una empresa, entonces el IVA es 0 por defecto. Fin de la regla.
En cualquier otro caso, el valor predeterminado propuesto es el IVA = 0. Fin de la regla VATIsNotUsedDesc=Por defecto, el IVA propuesto es 0, que puede utilizarse para casos como asociaciones, particulares o pequeñas empresas. @@ -752,7 +744,6 @@ Delays_MAIN_DELAY_ACTIONS_TODO=Tolerancia de retraso (en días) antes de la aler Delays_MAIN_DELAY_PROJECT_TO_CLOSE=Tolerancia de retraso (en días) antes de que la alerta en el proyecto no se cierre a tiempo Delays_MAIN_DELAY_TASKS_TODO=Tolerancia de retraso (en días) antes de la alerta en las tareas planificadas (tareas del proyecto) aún no completada Delays_MAIN_DELAY_ORDERS_TO_PROCESS=Tolerancia de retardo (en días) antes de la alerta en pedidos no procesados ​​todavía -Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Tolerancia de retraso (en días) antes de la alerta en pedidos a proveedores aún no procesados Delays_MAIN_DELAY_PROPALS_TO_CLOSE=Tolerancia de retraso antes de la alerta (en días) sobre cotizaciones a cerrar Delays_MAIN_DELAY_PROPALS_TO_BILL=Tolerancia de retraso antes de la alerta (en días) sobre cotizaciones no facturadas Delays_MAIN_DELAY_NOT_ACTIVATED_SERVICES=Retraso de tolerancia (en días) antes de la alerta en los servicios para activar @@ -764,7 +755,6 @@ Delays_MAIN_DELAY_MEMBERS=Retraso en la tolerancia (en días) antes de la alerta Delays_MAIN_DELAY_CHEQUES_TO_DEPOSIT=Retraso de tolerancia (en días) antes de la alerta para depósitos de cheques para hacer Delays_MAIN_DELAY_EXPENSEREPORTS=Retraso de tolerancia (en días) antes de la alerta para que los informes de gastos aprueben SetupDescription1=El área de configuración es para los parámetros iniciales de configuración antes de comenzar a usar Dolibarr. -SetupDescription2=Los dos pasos de configuración obligatorios son los siguientes (las dos primeras entradas en el menú de configuración izquierdo): SetupDescription3=Configuración en el menú %s -> %s . Este paso es necesario porque define los datos utilizados en las pantallas de Dolibarr para personalizar el comportamiento predeterminado del software (por ejemplo, para las características relacionadas con el país). SetupDescription4=Configuración en el menú %s -> %s . Este paso es necesario porque Dolibarr ERP / CRM es una colección de varios módulos / aplicaciones, todos más o menos independientes. Las nuevas funciones se agregan a los menús para cada módulo que active. SetupDescription5=Otras entradas de menú administran parámetros opcionales. @@ -901,7 +891,6 @@ CompanySetup=Configuración del módulo de empresas CompanyCodeChecker=Módulo para la generación y verificación de código de terceros (cliente o proveedor) AccountCodeManager=Módulo para la generación de códigos de contabilidad (cliente o proveedor) NotificationsDesc=La función de notificaciones de Correo Electrónico le permite enviar correos automáticos en silencio para algunos eventos de Dolibarr. Los objetivos de las notificaciones se pueden definir: -NotificationsDescContact=* por contactos de terceros (clientes o proveedores), un contacto a la vez. NotificationsDescGlobal=* o estableciendo correos electrónicos de objetivos globales en la página de configuración del módulo. ModelModules=Plantillas de documentos DocumentModelOdt=Genere documentos a partir de plantillas de OpenDocuments (archivos .ODT o .ODS para OpenOffice, KOffice, TextEdit, ...) @@ -911,7 +900,6 @@ CompanyIdProfChecker=Reglas sobre Ids profesionales MustBeMandatory=Obligatorio para crear terceros? MustBeInvoiceMandatory=Obligatorio para validar facturas? TechnicalServicesProvided=Servicios técnicos proporcionados -WebDAVSetupDesc=Estos son los enlaces para acceder al directorio WebDAV. Contiene un directorio "público" abierto para cualquier usuario que conozca la URL (si se permite el acceso público al directorio) y un directorio "privado" que necesita una cuenta de inicio de sesión / contraseña para acceder. WebDavServer=URL raíz del servidor %s: %s WebCalUrlForVCalExport=Un enlace de exportación al formato %s está disponible en el siguiente enlace: %s BillsSetup=Configuración del módulo de facturas @@ -1096,7 +1084,6 @@ SyslogFilename=Nombre de archivo y ruta YouCanUseDOL_DATA_ROOT=Puede usar DOL_DATA_ROOT / dolibarr.log para un archivo de registro en el directorio "documentos" de Dolibarr. Puede establecer una ruta diferente para almacenar este archivo. ErrorUnknownSyslogConstant=Constante %s no es una constante de Syslog conocida OnlyWindowsLOG_USER=Windows solo es compatible con LOG_USER -CompressSyslogs=Syslog compresión y copia de seguridad de archivos SyslogFileNumberOfSaves=Copias de seguridad de registro ConfigureCleaningCronjobToSetFrequencyOfSaves=Configurar el trabajo programado de limpieza para establecer la frecuencia de copia de seguridad de registro DonationsSetup=Configuración del módulo de donación @@ -1289,7 +1276,6 @@ TopMenuBackgroundColor=Color de fondo para el menú superior TopMenuDisableImages=Ocultar imágenes en el menú superior LeftMenuBackgroundColor=Color de fondo para el menú izquierdo BackgroundTableTitleColor=Color de fondo para la línea de título de la tabla -BackgroundTableTitleTextColor=Color del texto para la línea de título de la tabla BackgroundTableLineOddColor=Color de fondo para las líneas de mesa impares BackgroundTableLineEvenColor=Color de fondo para líneas de mesas uniformes MinimumNoticePeriod=Periodo de preaviso mínimo (Su solicitud de ausencia debe hacerse antes de este retraso) @@ -1356,9 +1342,6 @@ WarningNoteModulePOSForFrenchLaw=Este módulo %s cumple con las leyes francesas WarningInstallationMayBecomeNotCompliantWithLaw=Intenta instalar el módulo %s que es un módulo externo. Activar un módulo externo significa que confía en el editor del módulo y está seguro de que este módulo no altera negativamente el comportamiento de su aplicación y cumple con las leyes de su país (%s). Si el módulo trae una característica no legal, usted se convierte en responsable del uso de un software no legal. SetToYesIfGroupIsComputationOfOtherGroups=Establezca esto en sí si este grupo es un cálculo de otros grupos SeveralLangugeVariatFound=Varias variantes de lenguaje encontradas -COMPANY_AQUARIUM_REMOVE_SPECIAL=Eliminar caracteres especiales -COMPANY_AQUARIUM_CLEAN_REGEX=Filtro Regex para limpiar el valor (COMPANY_AQUARIUM_CLEAN_REGEX) -GDPRContact=Contacto GDPR GDPRContactDesc=Si almacena datos sobre empresas / ciudadanos europeos, puede almacenar aquí el contacto responsable del Reglamento general de protección de datos ResourceSetup=Recurso de configuración del módulo UseSearchToSelectResource=Use un formulario de búsqueda para elegir un recurso (en lugar de una lista desplegable). diff --git a/htdocs/langs/es_CL/banks.lang b/htdocs/langs/es_CL/banks.lang index 2229656f69f53..0737ac77fb451 100644 --- a/htdocs/langs/es_CL/banks.lang +++ b/htdocs/langs/es_CL/banks.lang @@ -1,5 +1,4 @@ # Dolibarr language file - Source file is en_US - banks -MenuBankCash=Banco/Caja MenuVariousPayment=Pagos diversos MenuNewVariousPayment=Nuevo pago misceláneo BankAccount=cuenta bancaria @@ -98,7 +97,6 @@ PaymentDateUpdateSucceeded=Fecha de pago actualizada con éxito PaymentDateUpdateFailed=La fecha de pago no se pudo actualizar Transactions=Actas BankTransactionLine=Entrada bancaria -AllAccounts=Todas las cuentas bancarias / de efectivo FutureTransaction=Transacción en futur. No hay manera de conciliar. SelectChequeTransactionAndGenerate=Seleccione / filtro de cheques para incluir en el recibo de depósito de cheque y haga clic en "Crear". InputReceiptNumber=Elija el extracto bancario relacionado con la conciliación. Use un valor numérico ordenable: AAAAMM o AAAAMMDD diff --git a/htdocs/langs/es_CL/bills.lang b/htdocs/langs/es_CL/bills.lang index bea8d0c8baf50..60c7428c0754d 100644 --- a/htdocs/langs/es_CL/bills.lang +++ b/htdocs/langs/es_CL/bills.lang @@ -81,8 +81,6 @@ SendRemindByMail=Enviar recordatorio por correo electrónico DoPayment=Ingrese el pago DoPaymentBack=Ingrese el reembolso ConvertToReduc=Marcar como crédito disponible -ConvertExcessReceivedToReduc=Convertir el exceso recibido en futuros descuentos -ConvertExcessPaidToReduc=Convierta el exceso pagado en futuros descuentos EnterPaymentReceivedFromCustomer=Ingrese el pago recibido del cliente EnterPaymentDueToCustomer=Hacer el pago debido al cliente DisabledBecauseRemainderToPayIsZero=Desactivado porque permanecer sin pagar es cero @@ -250,7 +248,6 @@ DiscountOfferedBy=Concedido por DiscountStillRemaining=Descuentos o créditos disponibles DiscountAlreadyCounted=Descuentos o créditos ya consumidos CustomerDiscounts=Descuentos para clientes -SupplierDiscounts=Descuentos de proveedores BillAddress=Dirección de la cuenta HelpEscompte=Este descuento es un descuento otorgado al cliente porque su pago se realizó antes del plazo. HelpAbandonBadCustomer=Esta cantidad se ha abandonado (el cliente dice que es un cliente malo) y se considera una pérdida excepcional. @@ -288,10 +285,6 @@ ListOfPreviousSituationInvoices=Lista de facturas de situación previas ListOfNextSituationInvoices=Lista de próximas facturas de situación ListOfSituationInvoices=Lista de facturas de situación CurrentSituationTotal=Situación actual total -DisabledBecauseNotEnouthCreditNote=Para eliminar una factura de situación del ciclo, el total de la nota de crédito de esta factura debe cubrir el total de esta factura -RemoveSituationFromCycle=Eliminar esta factura del ciclo -ConfirmRemoveSituationFromCycle=¿Eliminar esta factura %s del ciclo? -ConfirmOuting=Confirmar salida FrequencyUnit=Unidad de frecuencia toolTipFrequency=Ejemplos:
Establecer 7, Día : dar una nueva factura cada 7 días
Establecer 3, Mes : dar una nueva factura cada 3 meses NextDateToExecution=Fecha para la próxima generación de facturas @@ -419,7 +412,6 @@ SituationDeduction=Sustracción de la situación CreateNextSituationInvoice=Crear la próxima situación ErrorFindNextSituationInvoice=Error al no poder encontrar el siguiente ciclo de situación ref ErrorOutingSituationInvoiceOnUpdate=No se puede publicar esta factura de situación. -ErrorOutingSituationInvoiceCreditNote=No se pudo emitir una nota de crédito vinculada. NotLastInCycle=Esta factura no es la última en el ciclo y no debe modificarse. DisabledBecauseNotLastInCycle=La siguiente situación ya existe. DisabledBecauseFinal=Esta situación es final. diff --git a/htdocs/langs/es_CL/compta.lang b/htdocs/langs/es_CL/compta.lang index 44b785b13a073..c96ad28064515 100644 --- a/htdocs/langs/es_CL/compta.lang +++ b/htdocs/langs/es_CL/compta.lang @@ -16,7 +16,6 @@ Accountparent=Cuenta para padres Accountsparent=Cuentas de padres MenuReportInOut=Ingresos / gastos ReportInOut=Balance de ingresos y gastos -ReportTurnover=Volumen de negocios PaymentsNotLinkedToInvoice=Los pagos no están vinculados a ninguna factura, por lo que no están vinculados a ningún tercero PaymentsNotLinkedToUser=Pagos no vinculados a ningún usuario Profit=Lucro @@ -63,7 +62,6 @@ MenuNewSocialContribution=Nuevo impuesto social / fiscal NewSocialContribution=Nuevo impuesto social / fiscal AddSocialContribution=Agregar impuesto social / fiscal ContributionsToPay=Impuestos sociales/fiscales a pagar -AccountancyTreasuryArea=Área de Contabilidad / Tesorería PaymentCustomerInvoice=Pago de factura de cliente PaymentSupplierInvoice=Pago de factura del proveedor PaymentSocialContribution=Pago de impuestos sociales/fiscales @@ -94,8 +92,6 @@ CustomerAccountancyCode=Código de contabilidad del cliente SupplierAccountancyCode=Código de contabilidad del vendedor CustomerAccountancyCodeShort=Cust. cuenta. código SupplierAccountancyCodeShort=Cenar. cuenta. código -SalesTurnover=El volumen de ventas -SalesTurnoverMinimum=Volumen mínimo de ventas ByThirdParties=Por terceros ByUserAuthorOfInvoice=Por autor de factura CheckReceipt=Depósito de cheque @@ -114,8 +110,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=Modo %sReclamaciones-Deudas%s escrito en Compromisos contables. -CalcModeEngagement=Modo %sIngresos-Gastos%sIndicado en contabilidad de efectivo CalcModeBookkeeping=Análisis de datos registrados en la tabla Libro mayor contable CalcModeLT1=Modo %sRE en facturas de clientes - facturas de proveedores %s CalcModeLT1Debt=Modo %sRE en las facturas del cliente %s @@ -127,9 +121,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=Ver informe %sIngresos-Gastos%s escrito en contabilidad de efectivo para un cálculo de los pagos efectivos realizados -SeeReportInDueDebtMode=Ver informe %s Reclamaciones-Deudas %s, escrito en Compromisos contable para un cálculo en las facturas emitidas. -SeeReportInBookkeepingMode=Ver informe %sContabilidad%s para un cálculo en el análisis de la tabla de contabilidad RulesAmountWithTaxIncluded=- Las cantidades que se muestran 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 validación de facturas e IVA y en la fecha de vencimiento de los gastos. Para los salarios definidos con el módulo Salario, se usa la fecha de valor del pago. 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. @@ -209,8 +200,5 @@ ListSocialContributionAssociatedProject=Lista de contribuciones sociales asociad AccountingAffectation=Asignación de contabilidad LastDayTaxIsRelatedTo=Último día del período el impuesto está relacionado con VATDue=Impuesto de venta reclamado -ClaimedForThisPeriod=Reclamado para el período -PaidDuringThisPeriod=Pagado durante este período ByVatRate=Por tasa de impuesto a la venta -TurnoverbyVatrate=Facturación por tasa de impuesto a la venta PurchasebyVatrate=Compra por tasa de impuestos de venta diff --git a/htdocs/langs/es_CL/main.lang b/htdocs/langs/es_CL/main.lang index 4b775adefd19f..6c2991575d2ef 100644 --- a/htdocs/langs/es_CL/main.lang +++ b/htdocs/langs/es_CL/main.lang @@ -267,7 +267,6 @@ Opened=Abierto Size=tamaño Topic=Tema ByCompanies=Por terceros -ByUsers=Por usuario Link=Enlazar Rejects=Rechaza Preview=Previsualizar @@ -497,5 +496,4 @@ NbComments=Numero de comentarios CommentAdded=Comentario agregado Everybody=Todos AssignedTo=Asignado a -Deletedraft=Eliminar borrador ConfirmMassDraftDeletion=Borrador de confirmación de eliminación masiva diff --git a/htdocs/langs/es_CL/other.lang b/htdocs/langs/es_CL/other.lang index 037ee306980c2..4f83154f0ca10 100644 --- a/htdocs/langs/es_CL/other.lang +++ b/htdocs/langs/es_CL/other.lang @@ -64,8 +64,6 @@ LinkedObject=Objeto vinculado NbOfActiveNotifications=Número de notificaciones (N° de correos electrónicos de destinatarios) PredefinedMailTest=__(Hola)__\nEste es un correo de prueba enviado a __EMAIL__.\nLas dos líneas están separadas por un retorno de carro.\n\n__USER_SIGNATURE__ PredefinedMailTestHtml=__(Hola)__\nEste es un correo de prueba (la palabra prueba debe estar en negrita).
Las dos líneas están separadas por un retorno de carro.

__USER_SIGNATURE__ -PredefinedMailContentSendInvoice=__(Hola)__\n\nAquí encontrará la factura __REF__\n\nEste es el enlace para realizar su pago en línea si esta factura no se ha pagado aún:\n__ONLINE_PAYMENT_URL__\n\n__(Sinceramente)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendInvoiceReminder=__(Hola)__\n\nNos gustaría advertirle que la factura __REF__ parece no ser pagada. Así que esta es la factura en el archivo adjunto de nuevo, como un recordatorio.\n\nEste es el enlace para realizar su pago en línea:\n__ONLINE_PAYMENT_URL__\n\n__(Sinceramente)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendSupplierProposal=__(Hola)__\n\nAquí encontrará la solicitud de precio __REF__\n\n\n__(Sinceramente)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendOrder=__(Hola)__\n\nAquí encontrará el orden __REF__\n\n\n__(Sinceramente)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendSupplierOrder=__(Hola)__\n\nAquí encontrará nuestro pedido __REF__\n\n\n__(Sinceramente)__\n\n__USER_SIGNATURE__ @@ -147,7 +145,6 @@ CancelUpload=Cancelar carga FileIsTooBig=Los archivos son demasiado grandes PleaseBePatient=Por favor sea paciente... ResetPassword=Restablecer la contraseña -RequestToResetPasswordReceived=Se ha recibido una solicitud para cambiar su contraseña NewKeyIs=Estas son sus nuevas claves para iniciar sesión NewKeyWillBe=Su nueva clave para iniciar sesión en el software será ClickHereToGoTo=Haga clic aquí para ir a %s @@ -158,7 +155,6 @@ SourcesRepository=Repositorio de fuentes PassEncoding=Codificación de contraseña PermissionsAdd=Permisos agregados YourPasswordMustHaveAtLeastXChars=Su contraseña debe tener al menos %s caracteres -SMSSentTo=SMS enviado a %s LibraryUsed=Biblioteca utilizada LibraryVersion=Versión de biblioteca NoExportableData=No se pueden exportar datos (no hay módulos con datos exportables cargados o sin permisos) diff --git a/htdocs/langs/es_CL/products.lang b/htdocs/langs/es_CL/products.lang index 70b843f033cfc..85d75f98d5667 100644 --- a/htdocs/langs/es_CL/products.lang +++ b/htdocs/langs/es_CL/products.lang @@ -150,8 +150,6 @@ PriceMode=Modo de precio DefaultPrice=Precio predeterminado ComposedProductIncDecStock=Aumentar / Disminuir el stock al cambiar producto padre ComposedProduct=Subproducto -MinSupplierPrice=Precio mínimo del proveedor -MinCustomerPrice=Precio mínimo del cliente DynamicPriceConfiguration=Configuración dinámica de precios DynamicPriceDesc=En la tarjeta del producto, con este módulo habilitado, debe poder establecer funciones matemáticas para calcular los precios del Cliente o del Proveedor. Dicha función puede usar todos los operadores matemáticos, algunas constantes y variables. Puede establecer aquí las variables que desea utilizar y si la variable necesita una actualización automática, la URL externa a utilizar para solicitar a Dolibarr que actualice automáticamente el valor. AddVariable=Agregar variable diff --git a/htdocs/langs/es_CL/stocks.lang b/htdocs/langs/es_CL/stocks.lang index 788475ace5b21..fe8f71f5b0888 100644 --- a/htdocs/langs/es_CL/stocks.lang +++ b/htdocs/langs/es_CL/stocks.lang @@ -49,7 +49,6 @@ DeStockOnValidateOrder=Disminuir las existencias reales en la validación de ped DeStockOnShipment=Disminuir las existencias reales en la validación de envío DeStockOnShipmentOnClosing=Disminuir las existencias reales en la clasificación de envío cerrado ReStockOnBill=Aumentar el stock real en la validación de facturas/notas de crédito de proveedores -ReStockOnValidateOrder=Aumentar las existencias reales en la aprobación de pedidos a proveedores ReStockOnDispatchOrder=Aumente las existencias reales en el despacho manual a los almacenes, después de que el proveedor ordene la recepción de los bienes OrderStatusNotReadyToDispatch=El pedido todavía no tiene o no tiene un estado que permite el despacho de productos en almacenes de existencias. StockDiffPhysicTeoric=Explicación de la diferencia entre stock físico y virtual @@ -150,4 +149,3 @@ inventoryDeleteLine=Eliminar línea RegulateStock=Regular el stock StockSupportServices=Servicios de soporte de gestión de stock StockSupportServicesDesc=Por defecto, puede almacenar solo productos con el tipo "producto". Si está activado, y si el servicio de módulo está activado, también puede almacenar un producto con el tipo "servicio" -ReceiveProducts=Recibir productos diff --git a/htdocs/langs/es_CO/admin.lang b/htdocs/langs/es_CO/admin.lang index fbca12ee95b8b..a2e54cdcb9494 100644 --- a/htdocs/langs/es_CO/admin.lang +++ b/htdocs/langs/es_CO/admin.lang @@ -76,3 +76,4 @@ ExampleOfDirectoriesForModelGen=Examples of syntax:
c:\\mydir
/home/mydir< DictionaryCanton=Departamento LTRate=Tipo CompanyName=Nombre +ViewProductDescInThirdpartyLanguageAbility=Visualization of products descriptions in the third party language diff --git a/htdocs/langs/es_DO/admin.lang b/htdocs/langs/es_DO/admin.lang index 65aa90b2f9734..d7037ec6bab5b 100644 --- a/htdocs/langs/es_DO/admin.lang +++ b/htdocs/langs/es_DO/admin.lang @@ -15,6 +15,7 @@ LocalTax1IsNotUsedDesc=No usar un 2º tipo de impuesto (Distinto del ITBIS) LocalTax2IsNotUsedDesc=No usar un 2º tipo de impuesto (Distinto del ITBIS) UnitPriceOfProduct=Precio unitario sin ITBIS de un producto ShowVATIntaInAddress=Ocultar el identificador ITBIS en las direcciones de los documentos +ViewProductDescInThirdpartyLanguageAbility=Visualization of products descriptions in the third party language OptionVatMode=Opción de carga de ITBIS OptionVatDefaultDesc=La carga del ITBIS es:
-en el envío de los bienes (en la práctica se usa la fecha de la factura)
-sobre el pago por los servicios OptionVatDebitOptionDesc=La carga del ITBIS es:
-en el envío de los bienes (en la práctica se usa la fecha de la factura)
-sobre la facturación de los servicios diff --git a/htdocs/langs/es_EC/admin.lang b/htdocs/langs/es_EC/admin.lang index 8fee1881ee957..7ed9732c76081 100644 --- a/htdocs/langs/es_EC/admin.lang +++ b/htdocs/langs/es_EC/admin.lang @@ -355,7 +355,6 @@ ModuleCompanyCodeDigitaria=El código de contabilidad depende del código de un Use3StepsApproval=De forma predeterminada, las órdenes de compra deben ser creadas y aprobadas por dos usuarios diferentes (un paso/usuario para crear y un paso/usuario para aprobar.) Nota: si el usuario tiene permiso para crear y aprobar, un paso/usuario será suficiente). Puede pedir con esta opción introducir una tercera aprobación de paso/usuario, si la cantidad es mayor que un valor dedicado (por lo que serán necesarios 3 pasos: 1= validación, 2= primera aprobación y 3= segunda aprobación si la cantidad es suficiente).
Establezca esto en blanco para una aprobación (2 pasos) es suficiente, establezca un valor muy bajo (0.1) si se requiere una segunda aprobación (3 pasos). UseDoubleApproval=Utilice una aprobación de 3 pasos cuando la cantidad (sin impuestos) es mayor que ... WarningPHPMail=ADVERTENCIA: Es mejor configurar los correos electrónicos salientes para usar el servidor de correo electrónico de su proveedor en lugar de la configuración predeterminada. Algunos proveedores de correo electrónico (como Yahoo) no le permiten enviar un correo electrónico desde otro servidor que no sea su propio servidor. Su configuración actual utiliza el servidor de la aplicación para enviar correos electrónicos y no el servidor de su proveedor de correo electrónico, por lo que algunos destinatarios (el compatible con el restrictivo protocolo DMARC) le preguntarán a su proveedor de correo electrónico si pueden aceptar su correo electrónico y algunos proveedores de correo electrónico. (como Yahoo) puede responder "no" porque el servidor no es un servidor de ellos, por lo que es posible que no se acepten algunos de sus correos electrónicos enviados (tenga cuidado también con la cuota de envío de su proveedor de correo electrónico).
Si su proveedor de correo electrónico (como Yahoo) tiene esta restricción, debe cambiar la Configuración de correo electrónico para elegir el otro método "Servidor SMTP" e ingresar el servidor SMTP y las credenciales provistas por su proveedor de correo electrónico (solicite a su proveedor de correo electrónico que le envíen las credenciales SMTP para su cuenta). -WarningPHPMail2=Si su proveedor SMTP de correo electrónico necesita restringir el cliente de correo electrónico a algunas direcciones IP (muy raras), esta es la dirección IP de su aplicación ERP CRM:%s. ClickToShowDescription=Haga clic para mostrar la descripción DependsOn=Este módulo necesita el módulo(s) RequiredBy=Este módulo es necesario por el módulo(s) @@ -369,9 +368,6 @@ ProductDocumentTemplates=Plantillas para generar documento de producto FreeLegalTextOnExpenseReports=Texto legal gratuita en los informes de gastos WatermarkOnDraftExpenseReports=Marca de agua en informes de gastos preliminares AttachMainDocByDefault=Configúrelo en 1 si desea adjuntar el documento principal al correo electrónico de forma predeterminada (si corresponde) -DAVSetup=Configuración del módulo DAV -DAV_ALLOW_PUBLIC_DIR=Habilite el directorio público (directorio WebDav sin necesidad de iniciar sesión) -DAV_ALLOW_PUBLIC_DIRTooltip=El directorio público de WebDav es un directorio WebDAV al que todos pueden acceder (en modo lectura y escritura), sin necesidad de tener/usar una cuenta de inicio de sesión/contraseña existente. Module0Name=Usuarios & Grupos Module0Desc=Gestión de Usuarios / Empleados y Grupos Module1Name=Clientes / Proveedores @@ -387,7 +383,6 @@ Module25Name=Pedidos de los clientes Module25Desc=Administración de pedidos de clientes Module30Name=Facturas Module30Desc=Gestión de facturas y notas de crédito para clientes. Gestión de facturas para proveedores -Module40Desc=Administración de suministros y compras (órdenes y facturas) Module42Desc=Instalaciones de registro (archivo, syslog,...). Dichos registros son para propósitos técnicos/depuración. Module49Desc=Administración del editor Module50Desc=Administración de producto @@ -429,7 +424,6 @@ Module400Name=Proyectos / Oportunidades / Prospectos Module400Desc=198/5000\nGestión de proyectos, oportunidades/clientes potenciales y/o tareas. También puede asignar cualquier elemento (factura, orden, propuesta, intervención, ...) a un proyecto y obtener una vista transversal desde la vista del proyecto. Module410Name=Calendario web Module410Desc=Integración calendario web -Module500Name=Impuestos y gastos especiales Module510Name=Pago de salarios de empleados Module510Desc=Registre y siga el pago de los salarios de empleado Module520Name=Préstamo @@ -465,7 +459,6 @@ Module3200Desc=Active el registro de algunos eventos comerciales en un registro Module4000Desc=Administración de recursos humanos (administración del departamento, los contratos y los sentimientos de los empleados) Module5000Desc=Permite gestionar múltiples empresas Module6000Name=Flujo de Trabajo -Module6000Desc=Administración de flujo de trabajo Module10000Name=Sitios Web Module10000Desc=Cree sitios web públicos con un editor WYSIWYG. Simplemente configure su servidor web (Apache, Nginx, ...) para que apunte al directorio dedicado de Dolibarr para tenerlo en línea en Internet con su propio nombre de dominio. Module20000Name=Administración de solicitudes de permisos @@ -693,7 +686,6 @@ DictionaryProspectLevel=Nivel potencial de la perspectiva DictionaryCanton=Estado / Provincia DictionaryActions=Tipos de eventos de agenda DictionaryVAT=Tarifas de IVA o impuestos de IVA -DictionaryRevenueStamp=Cantidad de sellos fiscales DictionaryPaymentConditions=Términos de pago DictionaryTypeContact=Tipos de contacto / dirección DictionaryTypeOfContainer=Tipo de páginas web/contenedores @@ -710,7 +702,6 @@ DictionaryEMailTemplates=Plantillas de correo electrónico DictionaryProspectStatus=Estado de la prospección DictionaryHolidayTypes=Tipos de hojas DictionaryOpportunityStatus=Estado de la oportunidad del proyecto -TypeOfRevenueStamp=Tipo de sello de ingresos VATManagement=Administración del IVA VATIsUsedDesc=Por defecto al crear prospectos, facturas, órdenes, etc la tasa de IVA sigue la regla estándar activa:
Si el vendedor no está sujeto al IVA, entonces el IVA por defecto es 0. Fin de la regla.
Si el (país vendedor = país comprador), entonces el IVA por defecto es igual al IVA del producto en el país vendedor. Fin de la regla.
Si el vendedor y el comprador están en la Comunidad Europea y los bienes son productos de transporte (automóvil, barco, avión), el IVA por defecto es 0 (el IVA debe ser pagado por el comprador a la aduana de su país y no al vendedor). Fin de la regla.
Si el vendedor y el comprador están en la Comunidad Europea y el comprador no es una empresa, entonces el IVA por defecto es el IVA del producto vendido. Fin de la regla.
Si el vendedor y el comprador están en la Comunidad Europea y el comprador es una empresa, entonces el IVA es 0 por defecto. Fin de la regla.
En cualquier otro caso, el impuesto por defecto es IVA = 0. Fin de la regla. VATIsNotUsedDesc=Por defecto, el IVA propuesto es 0, que puede utilizarse para casos como asociaciones, particulares o pequeñas empresas. @@ -783,7 +774,6 @@ Delays_MAIN_DELAY_ACTIONS_TODO=Tolerancia de demora (en días) antes de la alert Delays_MAIN_DELAY_PROJECT_TO_CLOSE=Tolerancia de retardo (en días) antes de la alerta en el proyecto no cerrado en el tiempo Delays_MAIN_DELAY_TASKS_TODO=Tolerancia de retardo (en días) antes de la alerta sobre las tareas planificadas (tareas del proyecto) aún no finalizadas Delays_MAIN_DELAY_ORDERS_TO_PROCESS=Tolerancia de retardo (en días) antes de la alerta en pedidos no procesados todavía -Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Tolerancia de retardo (en días) antes de la alerta en pedidos de proveedores no procesados aún Delays_MAIN_DELAY_PROPALS_TO_CLOSE=Tolerancia de retardo (en días) antes de la alerta sobre las propuestas para cerrar Delays_MAIN_DELAY_PROPALS_TO_BILL=Tolerancia de retardo (en días) antes de la alerta sobre propuestas no facturadas Delays_MAIN_DELAY_NOT_ACTIVATED_SERVICES=Retardo de tolerancia (en días) antes de la alerta de servicios para activar @@ -795,7 +785,6 @@ Delays_MAIN_DELAY_MEMBERS=Retardo de tolerancia (en días) antes de la alerta de Delays_MAIN_DELAY_CHEQUES_TO_DEPOSIT=Demora de la tolerancia (en días) antes de la alerta para cheques de depósito para hacer Delays_MAIN_DELAY_EXPENSEREPORTS=Retardo de tolerancia (en días) antes de la alerta para que los informes de gastos aprueben SetupDescription1=El área de configuración es para los parámetros de configuración inicial antes de comenzar a utilizar Dolibarr. -SetupDescription2=Los dos pasos de configuración obligatorios son los siguientes (las dos primeras entradas en el menú de configuración izquierdo): SetupDescription3=Configuraciones en el menú %s -> %s. Este paso es necesario porque define los datos utilizados en las pantallas de Dolibarr para personalizar el comportamiento predeterminado del software (por ejemplo, para las características relacionadas con el país). SetupDescription4=Configuraciones en el menú %s -> %s. Este paso es necesario porque Dolibarr ERP/CRM es una colección de varios módulos/aplicaciones, todos más o menos independientes. Las nuevas funciones se agregan a los menús para cada módulo que active. SetupDescription5=Otras entradas de menú controlan los parámetros opcionales. @@ -933,7 +922,6 @@ CompanyCodeChecker=Módulo para la generación y verificación de código de ter AccountCodeManager=Módulo para la generación de códigos de contabilidad (cliente o proveedor) NotificationsDesc=La función de notificaciones de EMails le permite enviar en forma silenciosa el correo automático, para algunos eventos de Dolibarr. Los destinos de las notificaciones se pueden definir: NotificationsDescUser=* Por usuarios, un usuario a la vez. -NotificationsDescContact=* por contactos de terceros (clientes o proveedores), un contacto a la vez. NotificationsDescGlobal=* O estableciendo mensajes de destino globales en la página de configuración del módulo. ModelModules=Plantillas de documentos DocumentModelOdt=Generar documentos desde plantillas OpenDocuments (archivos .ODT o .ODS para OpenOffice, KOffice, TextEdit, ...) @@ -942,7 +930,6 @@ JSOnPaimentBill=Activar función para llenar automáticamente las líneas de pag CompanyIdProfChecker=Reglas de identificación profesional MustBeMandatory=¿Obligatorio crear cliente/proveedor? MustBeInvoiceMandatory=¿Es obligatorio validar facturas? -WebDAVSetupDesc=Estos son los enlaces para acceder al directorio WebDAV. Contiene un directorio "público" abierto para cualquier usuario que conozca la URL (si se permite el acceso público al directorio) y un directorio "privado" que necesita una cuenta de inicio de sesión / contraseña para acceder. WebDavServer=URL raíz del %s servidor: %s WebCalUrlForVCalExport=Un enlace de exportación al formato %s está disponible en el siguiente enlace: %s BillsSetup=Configuración del módulo facturas @@ -1135,7 +1122,6 @@ SyslogFilename=Nombre de archivo y ruta de acceso YouCanUseDOL_DATA_ROOT=Puede utilizar DOL_DATA_ROOT/dolibarr.log para un archivo de registro en el directorio "documents" de Dolibarr. Puede establecer una ruta de acceso diferente para almacenar este archivo. ErrorUnknownSyslogConstant=Constante %s no es una constante Syslog conocida OnlyWindowsLOG_USER=Windows sólo admite LOG_USER -CompressSyslogs=Syslog compresión y copia de seguridad de archivos SyslogFileNumberOfSaves=Copias de seguridad de registro ConfigureCleaningCronjobToSetFrequencyOfSaves=Configurar la programación de limpieza para establecer la frecuencia de copia de seguridad DonationsSetup=Configuración del módulo de donación @@ -1333,7 +1319,6 @@ TopMenuBackgroundColor=Color de fondo para el menú superior TopMenuDisableImages=Ocultar imágenes en el menú principal LeftMenuBackgroundColor=Color de fondo para el menú de la izquierda BackgroundTableTitleColor=Color de fondo para la línea de título de la tabla -BackgroundTableTitleTextColor=Color del texto para la línea de título de la tabla BackgroundTableLineOddColor=Color de fondo para líneas de tabla impares BackgroundTableLineEvenColor=Color de fondo para líneas de tabla pares MinimumNoticePeriod=Período mínimo de notificación (Su solicitud de permiso debe ser hecha antes de este retraso) @@ -1400,9 +1385,6 @@ WarningInstallationMayBecomeNotCompliantWithLaw=Intenta instalar el módulo %s q SetToYesIfGroupIsComputationOfOtherGroups=Establezca esto en "sí" si este grupo es un cálculo de otros grupos EnterCalculationRuleIfPreviousFieldIsYes=Ingrese regla de cálculo si el campo anterior se estableció en Sí (por ejemplo, 'CODEGRP1+CODEGRP2') SeveralLangugeVariatFound=Algunas variantes de lenguaje encontradas -COMPANY_AQUARIUM_REMOVE_SPECIAL=Eliminar caracteres especiales -COMPANY_AQUARIUM_CLEAN_REGEX=Filtro Regex para limpiar el valor (COMPANY_AQUARIUM_CLEAN_REGEX) -GDPRContact=Contacto GDPR GDPRContactDesc=Si almacena datos sobre empresas/ciudadanos Europeos, puede almacenar aquí el contacto responsable del Reglamento General de Protección de Datos ResourceSetup=Configuración del módulo Recurso DisabledResourceLinkUser=Deshabilitar característica para vincular un recurso a los usuarios diff --git a/htdocs/langs/es_EC/main.lang b/htdocs/langs/es_EC/main.lang index ed4a7671dd6b8..7268d5df4df07 100644 --- a/htdocs/langs/es_EC/main.lang +++ b/htdocs/langs/es_EC/main.lang @@ -270,7 +270,6 @@ Validated=validado Opened=Abierto Topic=Tema ByCompanies=Por cliente -ByUsers=Por usuario Rejects=Rechazos Preview=Vista Previa NextStep=Próximo paso @@ -515,5 +514,4 @@ SearchIntoLeaves=Hojas CommentPage=Espacio para comentarios Everybody=Todos AssignedTo=Asignado a -Deletedraft=Eliminar borrador ConfirmMassDraftDeletion=Confirmación de eliminación masiva diff --git a/htdocs/langs/es_ES/accountancy.lang b/htdocs/langs/es_ES/accountancy.lang index 37cb6aa13f2ff..12b9b1bb56bdb 100644 --- a/htdocs/langs/es_ES/accountancy.lang +++ b/htdocs/langs/es_ES/accountancy.lang @@ -40,11 +40,11 @@ AccountWithNonZeroValues=Cuentas con valores no cero ListOfAccounts=Lista de cuentas MainAccountForCustomersNotDefined=Cuenta contable para clientes no definida en la configuración -MainAccountForSuppliersNotDefined=Main accounting account for vendors not defined in setup +MainAccountForSuppliersNotDefined=Cuenta contable para proveedores no definida en la configuración MainAccountForUsersNotDefined=Cuenta contable para usuarios no definida en la configuración MainAccountForVatPaymentNotDefined=Cuenta contable para IVA no definida en la configuración -AccountancyArea=Accounting area +AccountancyArea=Área contabilidad AccountancyAreaDescIntro=El uso del módulo de contabilidad se realiza en varios pasos: AccountancyAreaDescActionOnce=Las siguientes acciones se ejecutan normalmente una sola vez, o una vez al año... AccountancyAreaDescActionOnceBis=Los pasos siguientes deben hacerse para ahorrar tiempo en el futuro, sugiriendo la cuenta contable predeterminada correcta para realizar los diarios (escritura de los registros en los diarios y el Libro Mayor) @@ -55,6 +55,7 @@ AccountancyAreaDescChartModel=PASO %s: Crear un modelo de plan general contable AccountancyAreaDescChart=PASO %s: Crear o comprobar el contenido de su plan general contable desde el menú %s AccountancyAreaDescVat=PASO %s: Defina las cuentas contables para cada tasa de IVA. Para ello puede usar el menú %s. +AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. AccountancyAreaDescExpenseReport=PASO %s: Defina las cuentas contables para los informes de gastos. Para ello puede utilizar el menú %s. AccountancyAreaDescSal=PASO %s: Defina las cuentas contables para los pagos de salarios. Para ello puede utilizar el menú %s. AccountancyAreaDescContrib=PASO %s: Defina las cuentas contables de los gastos especiales (impuestos varios). Para ello puede utilizar el menú %s. @@ -90,7 +91,7 @@ MenuProductsAccounts=Cuentas contables de productos ProductsBinding=Cuentas de productos Ventilation=Contabilizar CustomersVentilation=Contabilizar facturas a clientes -SuppliersVentilation=Vendor invoice binding +SuppliersVentilation=Contabilizar facturas de proveedores ExpenseReportsVentilation=Contabilizar informes de gastos CreateMvts=Crear nuevo movimiento UpdateMvts=Modificar transacción @@ -131,13 +132,14 @@ ACCOUNTING_LENGTH_GACCOUNT=Longitud de las cuentas generales (si ajusta el valor ACCOUNTING_LENGTH_AACCOUNT=Longitud de las subcuentas ( si ajusta el valor a 6 aquí, la cuenta '401' aparecerá como '401000' en la pantalla) ACCOUNTING_MANAGE_ZERO=Gestiona el cero al final de una cuenta contable. Necesario en algunos países (como Suiza). Si se mantiene desactivada (por defecto), puede configurar los 2 parámetros siguientes para pedir que la aplicación agregue el cero virtual BANK_DISABLE_DIRECT_INPUT=Desactivar transacciones directas en cuenta bancaria +ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Habilitar exportación de borradores al diario ACCOUNTING_SELL_JOURNAL=Diario de ventas ACCOUNTING_PURCHASE_JOURNAL=Diario de compras ACCOUNTING_MISCELLANEOUS_JOURNAL=Diario de operaciones diversas ACCOUNTING_EXPENSEREPORT_JOURNAL=Informe de gastos diario ACCOUNTING_SOCIAL_JOURNAL=Diario social -ACCOUNTING_HAS_NEW_JOURNAL=Has new Journal +ACCOUNTING_HAS_NEW_JOURNAL=Tiene un nuevo diario ACCOUNTING_ACCOUNT_TRANSFER_CASH=Cuenta de caja ACCOUNTING_ACCOUNT_SUSPENSE=Cuenta operaciones pendientes de asignar @@ -187,12 +189,12 @@ ListeMvts=Listado de movimientos ErrorDebitCredit=Debe y Haber no pueden contener un valor al mismo tiempo AddCompteFromBK=Añadir cuentas contables al grupo ReportThirdParty=Listado de cuentas de terceros -DescThirdPartyReport=Consult here the list of the third party customers and vendors and their accounting accounts +DescThirdPartyReport=Consulte aquí el listado de clientes y proveedores y sus códigos contables ListAccounts=Listado de cuentas contables UnknownAccountForThirdparty=Cuenta contable de tercero desconocida, usaremos %s UnknownAccountForThirdpartyBlocking=Cuenta contable de tercero desconocida. Error de bloqueo UnknownAccountForThirdpartyAndWaitingAccountNotDefinedBlocking=Cuenta del terceros desconocida y cuenta de espera no definida. Error de bloqueo -PaymentsNotLinkedToProduct=Payment not linked to any product / service +PaymentsNotLinkedToProduct=Pagos no vinculados a un producto/servicio Pcgtype=Grupo de cuenta Pcgsubtype=Subgrupo de cuenta @@ -207,8 +209,8 @@ DescVentilDoneCustomer=Consulte aquí las líneas de facturas a clientes y las c DescVentilTodoCustomer=Contabilizar líneas de factura aún no contabilizadas con una cuenta contable de producto ChangeAccount=Cambie la cuenta del producto/servicio para las líneas seleccionadas a la cuenta: Vide=- -DescVentilSupplier=Consult here the list of vendor invoice lines bound or not yet bound to a product accounting account -DescVentilDoneSupplier=Consult here the list of the lines of invoices vendors and their accounting account +DescVentilSupplier=Consulte aquí la lista de líneas de facturas de proveedores enlazadas (o no) a una cuenta contable de producto +DescVentilDoneSupplier=Consulte aquí la lista de facturas de proveedores y sus cuentas contables DescVentilTodoExpenseReport=Contabilizar líneas de informes de gastos aún no contabilizadas con una cuenta contable de gastos DescVentilExpenseReport=Consulte aquí la lista de líneas de informes de gastos (o no) a una cuenta contable 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". @@ -218,7 +220,7 @@ ValidateHistory=Vincular automáticamente AutomaticBindingDone=Vinculación automática finalizada ErrorAccountancyCodeIsAlreadyUse=Error, no puede eliminar esta cuenta ya que está siendo usada -MvtNotCorrectlyBalanced=Movement not correctly balanced. Debit = %s | Credit = %s +MvtNotCorrectlyBalanced=Asiento contabilizado incorrectamente. Debe=%s. Haber=%s FicheVentilation=Ficha contable GeneralLedgerIsWritten=Transacciones escritas en el Libro Mayor GeneralLedgerSomeRecordWasNotRecorded=Algunas de las operaciones no pueden contabilizarse. Si no hay otro mensaje de error, es probable que ya estén contabilizadas. @@ -297,8 +299,8 @@ ToBind=Líneas a contabilizar UseMenuToSetBindindManualy=No es posible autodetectar, utilice el menú %s para realizar el apunte manualmente ## Import -ImportAccountingEntries=Accounting entries +ImportAccountingEntries=Entradas contables WarningReportNotReliable=Advertencia, este informe no se basa en el Libro mayor, por lo que no contiene modificaciones manualmente modificadas en el Libro mayor.. Si su diario está actualizado, la vista contable es más precisa. -ExpenseReportJournal=Expense Report Journal -InventoryJournal=Inventory Journal +ExpenseReportJournal=Informe de gastos diario +InventoryJournal=Inventario diff --git a/htdocs/langs/es_ES/admin.lang b/htdocs/langs/es_ES/admin.lang index 22f6c0cbbcf77..3db8d60e280f3 100644 --- a/htdocs/langs/es_ES/admin.lang +++ b/htdocs/langs/es_ES/admin.lang @@ -269,11 +269,11 @@ MAIN_MAIL_SMTP_SERVER=Nombre host o ip del servidor SMTP (Por defecto en php.ini MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=Puerto del servidor SMTP (No definido en PHP en sistemas de tipo Unix) MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=Nombre servidor o ip del servidor SMTP (No definido en PHP en sistemas de tipo Unix) MAIN_MAIL_EMAIL_FROM=E-mail del remitente para e-mails automáticos (por defecto en php.ini: %s) -MAIN_MAIL_ERRORS_TO=Eemail used for error returns emails (fields 'Errors-To' in emails sent) +MAIN_MAIL_ERRORS_TO=E-mail a usar para los e-mails de error enviados MAIN_MAIL_AUTOCOPY_TO= Enviar automáticamente copia oculta de los e-mails enviados a MAIN_DISABLE_ALL_MAILS=Deshabilitar todos los envíos de e-mail (para propósitos de prueba o demostraciones) MAIN_MAIL_FORCE_SENDTO=Enviar todos los e-mails a (en lugar de destinatarios reales, para pruebas) -MAIN_MAIL_ENABLED_USER_DEST_SELECT=Add employees users with email into allowed destinaries list +MAIN_MAIL_ENABLED_USER_DEST_SELECT=Añadir usuarios de empleados con e-mail a la lista de destinatarios permitidos MAIN_MAIL_SENDMODE=Método de envío de e-mails MAIN_MAIL_SMTPS_ID=ID de autentificación SMTP si se requiere autenticación SMTP MAIN_MAIL_SMTPS_PW=Contraseña autentificación SMTP si se requiere autentificación SMTP @@ -292,7 +292,7 @@ ModuleSetup=Configuración del módulo ModulesSetup=Configuración de los módulos ModuleFamilyBase=Sistema ModuleFamilyCrm=Gestión de Relaciones con Clientes (CRM) -ModuleFamilySrm=Vendor Relation Management (VRM) +ModuleFamilySrm=Gestión de Relaciones con Proveedores (VRM) ModuleFamilyProducts=Gestión de productos (PM) ModuleFamilyHr=Gestión de recursos humanos (HR) ModuleFamilyProjects=Proyectos/Trabajo cooperativo @@ -374,8 +374,8 @@ NoSmsEngine=No hay disponible ningún gestor de envío de SMS. Los gestores de e PDF=PDF PDFDesc=Puede definir aquí las opciones globales para la generación de los PDF PDFAddressForging=Reglas de visualización de direcciones -HideAnyVATInformationOnPDF=Hide all information related to Sales tax / VAT on generated PDF -PDFRulesForSalesTax=Rules for Sales Tax / VAT +HideAnyVATInformationOnPDF=Ocultar toda la información relacionada con el IVA en la generación de los PDF +PDFRulesForSalesTax=Reglas de IVA PDFLocaltax=Reglas para %s HideLocalTaxOnPDF=Ocultar %s tasa en la columna de impuestos del pdf HideDescOnPDF=Ocultar descripción de los productos en la generación de los PDF @@ -447,8 +447,8 @@ DisplayCompanyInfo=Mostrar dirección de la empresa DisplayCompanyManagers=Mostrar nombres de los gestores DisplayCompanyInfoAndManagers=Mostrar dirección de la empresa y nombres de los gestores EnableAndSetupModuleCron=Si desea tener esta factura recurrente para generarla automáticamente, el módulo *%s* debe estar activado y configurado correctamente. De lo contrario, la generación de facturas debe hacerse manualmente desde esta plantilla con el botón *Crear*. Tenga en cuenta que incluso si se habilita la generación automática, todavía puede lanzarla generación manual. No es posible la generación de duplicados para el mismo período. -ModuleCompanyCodeCustomerAquarium=%s followed by third party customer code for a customer accounting code -ModuleCompanyCodeSupplierAquarium=%s followed by third party supplier code for a supplier accounting code +ModuleCompanyCodeCustomerAquarium=%s seguido por un código de cliente para código de contabilidad +ModuleCompanyCodeSupplierAquarium=%s seguido por un código de proveedor para código de contabilidad ModuleCompanyCodePanicum=Devuelve un código contable vacío. ModuleCompanyCodeDigitaria=El código contable depende del código de tercero. El código está formado por carácter ' C ' en primera posición seguido de los 5 primeros caracteres del código tercero. Use3StepsApproval=De forma predeterminada, los pedidos a proveedor deben ser creados y aprobados por 2 usuarios diferentes (un paso/usuario para crear y un paso/usuario para aprobar. Tenga en cuenta que si el usuario tiene tanto el permiso para crear y aprobar, un paso usuario será suficiente) . Puede pedir con esta opción introducir una tercera etapa de aprobación/usuario, si la cantidad es superior a un valor específico (por lo que serán necesarios 3 pasos: 1 validación, 2=primera aprobación y 3=segunda aprobación si la cantidad es suficiente).
Deje vacío si una aprobación (2 pasos) es suficiente, si se establece en un valor muy bajo (0,1) se requiere siempre una segunda aprobación (3 pasos). @@ -474,9 +474,9 @@ AttachMainDocByDefault=Establezca esto en 1 si desea adjuntar el documento princ FilesAttachedToEmail=Adjuntar archivo SendEmailsReminders=Enviar recordatorios de la agenda por correo electrónico davDescription=Agregue un componente para ser un servidor DAV -DAVSetup=Setup of module DAV -DAV_ALLOW_PUBLIC_DIR=Enable the public directory (WebDav directory with no login required) -DAV_ALLOW_PUBLIC_DIRTooltip=The WebDav public directory is a WebDAV directory everybody can access to (in read and write mode), with no need to have/use an existing login/password account. +DAVSetup=Configuración del módulo DAV +DAV_ALLOW_PUBLIC_DIR=Habilite el directorio público (directorio WebDav sin necesidad de iniciar sesión) +DAV_ALLOW_PUBLIC_DIRTooltip=El directorio público de WebDav es un directorio WebDAV al que todos pueden acceder (en modo lectura y escritura), sin necesidad de tener/usar una cuenta de inicio de sesión/contraseña existente. # Modules Module0Name=Usuarios y grupos Module0Desc=Gestión de Usuarios / Empleados y grupos @@ -485,7 +485,7 @@ Module1Desc=Gestión de terceros (empresas, particulares) y contactos Module2Name=Comercial Module2Desc=Gestión comercial Module10Name=Contabilidad -Module10Desc=Simple accounting reports (journals, turnover) based onto database content. Does not use any ledger table. +Module10Desc=Activación de informes simples de contabilidad (diarios, ventas) basados en el contenido de la base de datos. Sin desgloses. Module20Name=Presupuestos Module20Desc=Gestión de presupuestos/propuestas comerciales Module22Name=E-Mailings @@ -497,7 +497,7 @@ Module25Desc=Gestión de pedidos de clientes Module30Name=Facturas y abonos Module30Desc=Gestión de facturas y abonos a clientes. Gestión facturas de proveedores Module40Name=Proveedores -Module40Desc=Gestión de proveedores +Module40Desc=Proveedores y gestión de compras (pedidos de compra y facturación) Module42Name=Registros de depuración Module42Desc=Generación de logs (archivos, syslog,...). Dichos registros son para propósitos técnicos/de depuración. Module49Name=Editores @@ -552,8 +552,8 @@ Module400Name=Proyectos/Oportunidades/Leads Module400Desc=Gestión de proyectos, oportunidades/leads o tareas, Puede asignar cualquier elemento (factura, pedido, presupuesto, intervención...) a un proyecto y obtener una vista transversal del proyecto Module410Name=Webcalendar Module410Desc=Interfaz con el calendario Webcalendar -Module500Name=Taxes and Special expenses -Module500Desc=Management of other expenses (sale taxes, social or fiscal taxes, dividends, ...) +Module500Name=Impuestos y gastos especiales +Module500Desc=Gestión de gastos especiales (impuestos, gastos sociales, dividendos) Module510Name=Pago de salarios Module510Desc=Registro y seguimiento del pago de los salarios de su empleado Module520Name=Crédito @@ -567,14 +567,14 @@ Module700Name=Donaciones Module700Desc=Gestión de donaciones Module770Name=Informes de gastos Module770Desc=Gestión de informes de gastos (transporte, dietas, etc.) -Module1120Name=Vendor commercial proposal -Module1120Desc=Request vendor commercial proposal and prices +Module1120Name=Presupuesto de proveedor +Module1120Desc=Solicitud presupuesto y precios a proveedor Module1200Name=Mantis Module1200Desc=Interfaz con el sistema de seguimiento de incidencias Mantis Module1520Name=Generación Documento Module1520Desc=Generación de documentos de correo masivo Module1780Name=Etiquetas/Categorías -Module1780Desc=Create tags/category (products, customers, vendors, contacts or members) +Module1780Desc=Crear etiquetas/Categoría(Productos, clientes,proveedores,contactos y miembros) Module2000Name=Editor WYSIWYG Module2000Desc=Permite la edición de un área de texto con un editor avanzado (Basado en CKEditor) Module2200Name=Precios dinámicos @@ -582,7 +582,7 @@ Module2200Desc=Activar el uso de expresiones matemáticas para precios Module2300Name=Tareas programadas Module2300Desc=Gestión del Trabajo programado (alias cron) Module2400Name=Eventos/Agenda -Module2400Desc=Follow done and upcoming events. Let application logs automatic events for tracking purposes or record manual events or rendez-vous. This is the main important module for a good Customer or Supplier Relationship Management. +Module2400Desc=Siga los eventos o citas. Registre eventos manuales en las agendas o deje a la aplicación registrar eventos automáticos para fines de seguimiento. Este es un módulo importante para una buena gestión de relaciones con clientes o proveedores. Module2500Name=GED / SGD Module2500Desc=Sistema de Gestión de Documentos / Gestión Electrónica de Contenidos. Organización automática de sus documentos generados o almacenados. Compártalos cuando lo necesite. Module2600Name=API/Servicios web (servidor SOAP) @@ -605,7 +605,7 @@ Module4000Desc=Departamento de Recursos Humanos (gestión del departamento, cont Module5000Name=Multi-empresa Module5000Desc=Permite gestionar varias empresas Module6000Name=Flujo de trabajo -Module6000Desc=Gestión del flujo de trabajo +Module6000Desc=Workflow management (automatic creation of object and/or automatic status change) Module10000Name=Sitios web Module10000Desc=Cree sitios web públicos con un editor WYSIWYG. Configure el servidor web (Apache, Nginx,...) para que apunte al directorio dedicado para tenerlo en línea en Internet. Module20000Name=Gestión de días libres retribuidos @@ -619,7 +619,7 @@ Module50100Desc=Módulo punto de venta (TPV) Module50200Name=Paypal Module50200Desc=Módulo para ofrecer pagos online aceptando pagos utilizando PayPal (tarjeta de crédito o crédito PayPal). Esto puede ser usado para permitir a tus clientes realizar pagos libres o pagos en un objeto de Dolibarr en particular (factura, pedido...) Module50400Name=Contabilidad (avanzada) -Module50400Desc=Accounting management (double entries, support general and auxiliary ledgers). Export the ledger in several other accounting software format. +Module50400Desc=Gestión contable (doble partida, libros generales y auxiliares). Exporte a varios formatos de software de contabilidad. Module54000Name=PrintIPP Module54000Desc=La impresión directa (sin abrir los documentos) usa el interfaz Cups IPP (La impresora debe ser visible por el servidor y CUPS debe estar instalado en el servidor) Module55000Name=Encuesta o Voto @@ -919,7 +919,7 @@ SetupSaved=Configuración guardada SetupNotSaved=Configuración no guardada BackToModuleList=Volver a la lista de módulos BackToDictionaryList=Volver a la lista de diccionarios -TypeOfRevenueStamp=Tipo +TypeOfRevenueStamp=Tipos de sellos fiscales VATManagement=Gestión IVA VATIsUsedDesc=Por defecto cuando se crean presupuestos, facturas, pedidos, etc. el tipo de IVA sigue la regla estándar seleccionada:
. Si el vendedor no está sujeto a IVA, entonces IVA por defecto es 0. Fin de la regla
Si el país del vendedor = país del comprador, entonces el IVA por defecto es igual al IVA del producto en el país del vendedor. Fin de la regla.
Si el vendedor y el comprador son de la Comunidad Europea y los bienes son productos de transporte (coche, barco, avión), el IVA por defecto es 0 (El IVA debe ser pagado por el comprador a la hacienda de su país y no al vendedor). Fin de la regla.
Si el vendedor y el comprador están ambos en la Comunidad Europea y el comprador no es una empresa, entonces el IVA por defecto es el IVA del producto vendido. Fin de la regla.
Si el vendedor y el comprador son de la Comunidad Europea y el comprador es una empresa, entonces el IVA es 0 por defecto. Fin de la regla.
En cualquier otro caso el IVA propuesto por defecto es 0. Fin de la regla. VATIsNotUsedDesc=El tipo de IVA propuesto por defecto es 0. Este es el caso de asociaciones, particulares o algunas pequeñas sociedades. @@ -1027,7 +1027,7 @@ Delays_MAIN_DELAY_ACTIONS_TODO=Tolerancia de retraso (en días) sobre eventos pl Delays_MAIN_DELAY_PROJECT_TO_CLOSE=Tolerancia de retraso antes de la alerta (en días) sobre proyectos no cerrados a tiempo Delays_MAIN_DELAY_TASKS_TODO=Tolerancia de retraso (en días) sobre tareas planificadas (tareas de proyectos) todavía no completadas Delays_MAIN_DELAY_ORDERS_TO_PROCESS=Tolerancia de retraso antes de la alerta (en días) sobre pedidos no procesados -Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Tolerancia de retraso antes de la alerta (en días) sobre pedidos a proveedores no procesados +Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on purchase orders not processed yet Delays_MAIN_DELAY_PROPALS_TO_CLOSE=Tolerancia de retraso antes de la alerta (en días) sobre presupuestos a cerrar Delays_MAIN_DELAY_PROPALS_TO_BILL=Tolerancia de retraso antes de la alerta (en días) sobre presupuestos no facturados Delays_MAIN_DELAY_NOT_ACTIVATED_SERVICES=Tolerancia de retraso antes de la alerta (en días) sobre servicios a activar @@ -1039,9 +1039,9 @@ Delays_MAIN_DELAY_MEMBERS=Tolerancia de retraso entes de la alerta (en días) s Delays_MAIN_DELAY_CHEQUES_TO_DEPOSIT=Tolerancia de retraso entes de la alerta (en días) sobre cheques a ingresar Delays_MAIN_DELAY_EXPENSEREPORTS=Tolerancia de retraso entes de la alerta (en días) sobre gastos a aprobar SetupDescription1=El área de configuración sirve para configurar los parámetros antes de empezar a usar Dolibarr -SetupDescription2=The two mandatory setup steps are the following steps (the two first entries in the left setup menu): -SetupDescription3=Settings in menu %s -> %s. This step is required because it defines data used on Dolibarr screens to customize the default behavior of the software (for country-related features for example). -SetupDescription4=Settings in menu %s -> %s. This step is required because Dolibarr ERP/CRM is a collection of several modules/applications, all more or less independent. New features are added to menus for every module you activate. +SetupDescription2=Los dos pasos de configuración obligatorios son los siguientes (las dos primeras entradas en el menú de configuración izquierdo): +SetupDescription3=Los parámetros de configuración del menú %s->%s son necesarios ya que los datos presentados se utilizan en las pantallas Dolibarr y para personalizar el comportamiento por defecto del software (para funciones relacionadas con el país, por ejemplo). +SetupDescription4=Los parámetros de configuración del menú %s -> %s son necesarios porque Dolibarr es un ERP/CRM una colección de varios módulos, todos más o menos independientes. Se añadirán nuevas funcionalidades a los menús por cada módulo que se active. SetupDescription5=Las otras entradas de configuración gestionan parámetros opcionales. LogEvents=Auditoría de la seguridad de eventos Audit=Auditoría @@ -1060,9 +1060,9 @@ LogEventDesc=Puede habilitar el registro de eventos de seguridad Dolibarr aquí. AreaForAdminOnly=Los parámetros de configuración solamente pueden ser tratados por usuarios administrador SystemInfoDesc=La información del sistema es información técnica accesible solamente en solo lectura a los administradores. SystemAreaForAdminOnly=Esta área solo es accesible a los usuarios de tipo administradores. Ningún permiso Dolibarr permite extender el círculo de usuarios autorizados a esta área. -CompanyFundationDesc=Edit on this page all known information of the company or foundation you need to manage (For this, click on "%s" or "%s" button at bottom of page) +CompanyFundationDesc=Edite en esta página toda la información conocida de la empresa o institución que necesita gestionar (Para ello haga clic en el botón "%s" o "%s" a pié de página) AccountantDesc=Edite en esta página toda la información conocida de su contable/auditor -AccountantFileNumber=File number +AccountantFileNumber=Número de archivo DisplayDesc=Puede encontrar aquí todos los parámetros relacionados con la apariencia de Dolibarr AvailableModules=Módulos disponibles ToActivateModule=Para activar los módulos, vaya al área de Configuración (Inicio->Configuración->Módulos). @@ -1195,11 +1195,11 @@ UserMailRequired=E-Mail necesario para crear un usuario nuevo HRMSetup=Setup del módulo RRHH ##### Company setup ##### CompanySetup=Configuración del módulo terceros -CompanyCodeChecker=Module for third parties code generation and checking (customer or vendor) -AccountCodeManager=Module for accounting code generation (customer or vendor) +CompanyCodeChecker=Módulo de generación y control de los códigos de terceros (clientes/proveedores) +AccountCodeManager=Módulo de generación de los códigos contables (clientes/proveedores) NotificationsDesc=Las notificaciones por e-mail le permite enviar silenciosamente e-mails automáticos, para algunos eventos Dolibarr. Se pueden definir los destinatarios: NotificationsDescUser=* por usuarios, un usuario a la vez. -NotificationsDescContact=* per third parties contacts (customers or vendors), one contact at time. +NotificationsDescContact=* por contactos de terceros (clientes o proveedores), un contacto a la vez. NotificationsDescGlobal=* o configurando destinatarios globlalmente en la configuración del módulo. ModelModules=Modelos de documentos DocumentModelOdt=Generación desde los documentos OpenDocument (Archivo .ODT OpenOffice, KOffice, TextEdit,...) @@ -1211,8 +1211,8 @@ MustBeMandatory=¿Obligatorio para crear terceros? MustBeInvoiceMandatory=¿Obligatorio para validar facturas? TechnicalServicesProvided=Servicios técnicos prestados #####DAV ##### -WebDAVSetupDesc=This is the links 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 need an existing login account/password to access to. -WebDavServer=Root URL of %s server : %s +WebDAVSetupDesc=Estos son los enlaces para acceder al directorio WebDAV. Contiene un directorio "público" abierto para cualquier usuario que conozca la URL (si se permite el acceso público al directorio) y un directorio "privado" que necesita una cuenta de inicio de sesión / contraseña para acceder. +WebDavServer=URL del servidor %s: %s ##### Webcal setup ##### WebCalUrlForVCalExport=Un vínculo de exportación del calendario en formato %s estará disponible en la url: %s ##### Invoices ##### @@ -1239,15 +1239,15 @@ FreeLegalTextOnProposal=Texto libre en presupuestos WatermarkOnDraftProposal=Marca de agua en presupuestos borrador (en caso de estar vacío) BANK_ASK_PAYMENT_BANK_DURING_PROPOSAL=Preguntar por cuenta bancaria a usar en el presupuesto ##### SupplierProposal ##### -SupplierProposalSetup=Price requests vendors module setup -SupplierProposalNumberingModules=Price requests vendors numbering models -SupplierProposalPDFModules=Price requests vendors documents models -FreeLegalTextOnSupplierProposal=Free text on price requests vendors -WatermarkOnDraftSupplierProposal=Watermark on draft price requests vendors (none if empty) +SupplierProposalSetup=Configuración del módulo presupuestos de proveedor +SupplierProposalNumberingModules=Modelos de numeración de presupuestos de proveedor +SupplierProposalPDFModules=Modelos de documentos de presupuestos de proveedores +FreeLegalTextOnSupplierProposal=Texto libre en presupuestos de proveedores +WatermarkOnDraftSupplierProposal=Marca de agua en presupuestos de proveedor (en caso de estar vacío) BANK_ASK_PAYMENT_BANK_DURING_SUPPLIER_PROPOSAL=Preguntar por cuenta bancaria a usar en el presupuesto WAREHOUSE_ASK_WAREHOUSE_DURING_ORDER=Almacén a utilizar para el pedido ##### 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 cuenta bancaria a usar en el pedido a proveedor ##### Orders ##### OrdersSetup=Configuración del módulo pedidos OrdersNumberingModules=Módulos de numeración de los pedidos @@ -1458,7 +1458,7 @@ SyslogFilename=Nombre y ruta del archivo YouCanUseDOL_DATA_ROOT=Puede utilizar DOL_DATA_ROOT/dolibarr.log para un registro en el directorio "documentos" de Dolibarr. Sin embargo, puede establecer un directorio diferente para guardar este archivo. ErrorUnknownSyslogConstant=La constante %s no es una constante syslog conocida OnlyWindowsLOG_USER=Windows sólo soporta LOG_USER -CompressSyslogs=Compresión Syslog y copia de seguridad de archivos +CompressSyslogs=Compresión y copia de seguridad de los archivos de registro de depuración (generados por el módulo Log para la depuración) SyslogFileNumberOfSaves=Copias de seguridad de log ConfigureCleaningCronjobToSetFrequencyOfSaves=Configurar tareas programados de limpieza para establecer la frecuencia de copia de seguridad del log ##### Donations ##### @@ -1525,7 +1525,7 @@ OSCommerceTestOk=La conexión al servidor '%s' sobre la base '%s' por el usuario OSCommerceTestKo1=La conexión al servidor '%s' sobre la base '%s' por el usuario '%s' no se pudo efectuar. OSCommerceTestKo2=La conexión al servidor '%s' por el usuario '%s' ha fallado. ##### Stock ##### -StockSetup=Stock module setup +StockSetup=Configuración del módulo Almacenes IfYouUsePointOfSaleCheckModule=Si utiliza un módulo de Punto de Venta (módulo TPV por defecto u otro módulo externo), esta configuración puede ser ignorada por su módulo de Punto de Venta. La mayor parte de módulos TPV están diseñados para crear inmediatamente una factura y decrementar stocks cualquiera que sean estas opciones. Por lo tanto, si usted necesita o no decrementar stocks en el registro de una venta de su punto de venta, controle también la configuración de su módulo TPV. ##### Menu ##### MenuDeleted=Menú eliminado @@ -1637,8 +1637,8 @@ ChequeReceiptsNumberingModule=Módulo de numeración de las remesas de cheques MultiCompanySetup=Configuración del módulo Multi-empresa ##### Suppliers ##### SuppliersSetup=Configuración del módulo Proveedores -SuppliersCommandModel=Complete template of prchase order (logo...) -SuppliersInvoiceModel=Complete template of vendor invoice (logo...) +SuppliersCommandModel=Modelo de pedidos a proveedores completo (logo...) +SuppliersInvoiceModel=Modelo de facturas de proveedores completo (logo...) SuppliersInvoiceNumberingModel=Modelos de numeración de facturas de proveedor IfSetToYesDontForgetPermission=Si está seleccionado, no olvides de modificar los permisos en los grupos o usuarios para permitir la segunda aprobación ##### GeoIPMaxmind ##### @@ -1675,7 +1675,7 @@ NoAmbiCaracAutoGeneration=No usar caracteres ambiguos ("1","l","i","|","0","O") SalariesSetup=Configuración del módulo salarios SortOrder=Ordenación Format=Formatear -TypePaymentDesc=0:Customer payment type, 1:Vendor payment type, 2:Both customers and vendors payment type +TypePaymentDesc=0:Pago cliente,1:Pago proveedor,2:Tanto pago de cliente como de proveedor IncludePath=Include path (definida en la variable %s) ExpenseReportsSetup=Configuración del módulo Informe de Gastos TemplatePDFExpenseReports=Modelos de documento para generar informes de gastos @@ -1697,7 +1697,7 @@ InstallModuleFromWebHasBeenDisabledByFile=La instalación de módulos externos d ConfFileMustContainCustom=La instalación o construcción de un módulo externo desde la aplicación necesita guardar los archivos del módulo en el directorio %s. Para que este directorio sea procesado por Dolibarr, debe configurar su conf/conf.php para agregar las 2 líneas de directiva:
$dolibarr_main_url_root_alt = '/custom';
$dolibarr_main_document_root_alt = '%s/custom'; HighlightLinesOnMouseHover=Resaltar líneas de los listados cuando el ratón pasa por encima de ellas HighlightLinesColor=Resalta el color de la línea cuando el ratón pasa por encima (mantener vacío para no resaltar) -TextTitleColor=Text color of Page title +TextTitleColor=Color para la página de título LinkColor=Color para los enlaces PressF5AfterChangingThis=Para que sea eficaz el cambio, presione CTRL+F5 en el teclado o borre la memoria caché del navegador después de cambiar este valor NotSupportedByAllThemes=Funciona con temas del core, puede no funcionar con temas externos @@ -1706,7 +1706,7 @@ TopMenuBackgroundColor=Color de fondo para el Menú superior TopMenuDisableImages=Ocultar imágenes en el Menú superior LeftMenuBackgroundColor=Color de fondo para el Menú izquierdo BackgroundTableTitleColor=Color de fondo para Tabla título línea -BackgroundTableTitleTextColor=Text color for Table title line +BackgroundTableTitleTextColor=Color del texto para la línea de título de la tabla BackgroundTableLineOddColor=Color de fondo para líneas de tabla odd BackgroundTableLineEvenColor=Color de fondo para todas las líneas de tabl MinimumNoticePeriod=Período mínimo de notificación (Su solicitud de licencia debe hacerse antes de este período) @@ -1734,14 +1734,14 @@ MailToSendOrder=Pedidos de clientes MailToSendInvoice=Facturas a clientes MailToSendShipment=Envíos MailToSendIntervention=Intervenciones -MailToSendSupplierRequestForQuotation=Quotation request -MailToSendSupplierOrder=Purchase orders -MailToSendSupplierInvoice=Vendor invoices +MailToSendSupplierRequestForQuotation=Para enviar solicitud de presupuesto de proveedor +MailToSendSupplierOrder=Pedidos a proveedor +MailToSendSupplierInvoice=Facturas proveedor MailToSendContract=Contratos MailToThirdparty=Terceros MailToMember=Miembros MailToUser=Usuarios -MailToProject=Projects page +MailToProject=Página proyectos ByDefaultInList=Mostrar por defecto en modo lista YouUseLastStableVersion=Usa la última versión estable TitleExampleForMajorRelease=Ejemplo de mensaje que puede usar para anunciar esta release mayor (no dude en usarlo en sus sitios web) @@ -1791,10 +1791,10 @@ MAIN_PDF_MARGIN_BOTTOM=Margen inferior en PDF SetToYesIfGroupIsComputationOfOtherGroups=Establezca esto a sí si este grupo es un cálculo de otros grupos EnterCalculationRuleIfPreviousFieldIsYes=Ingrese regla de cálculo si el campo anterior se estableció en Sí (por ejemplo, 'CODEGRP1 + CODEGRP2') SeveralLangugeVariatFound=Varias variantes de idioma encontradas -COMPANY_AQUARIUM_REMOVE_SPECIAL=Remove special characters -COMPANY_AQUARIUM_CLEAN_REGEX=Regex filter to clean value (COMPANY_AQUARIUM_CLEAN_REGEX) -GDPRContact=GDPR contact -GDPRContactDesc=If you store data about European companies/citizen, you can store here the contact who is responsible for the General Data Protection Regulation +COMPANY_AQUARIUM_REMOVE_SPECIAL=Eliminar caracteres especiales +COMPANY_AQUARIUM_CLEAN_REGEX=Filtro Regex para limpiar el valor (COMPANY_AQUARIUM_CLEAN_REGEX) +GDPRContact=Contacto GDPR +GDPRContactDesc=Si almacena datos sobre empresas/ciudadanos europeos, puede almacenar aquí el contacto responsable del Reglamento general de protección de datos ##### Resource #### ResourceSetup=Configuración del módulo Recursos UseSearchToSelectResource=Utilice un formulario de búsqueda para elegir un recurso (en lugar de una lista desplegable). diff --git a/htdocs/langs/es_ES/banks.lang b/htdocs/langs/es_ES/banks.lang index 1f0edb8aa982d..8add13345b291 100644 --- a/htdocs/langs/es_ES/banks.lang +++ b/htdocs/langs/es_ES/banks.lang @@ -1,6 +1,6 @@ # Dolibarr language file - Source file is en_US - banks Bank=Banco -MenuBankCash=Bancos/Cajas +MenuBankCash=Bank | Cash MenuVariousPayment=Pagos varios MenuNewVariousPayment=Nuevo pago varios BankName=Nombre del banco @@ -132,7 +132,7 @@ PaymentDateUpdateSucceeded=Fecha de pago actualizada correctamente PaymentDateUpdateFailed=Fecha de pago no pudo ser modificada Transactions=Transacciones BankTransactionLine=Registro bancario -AllAccounts=Todas las cuentas bancarias/de caja +AllAccounts=All bank and cash accounts BackToAccount=Volver a la cuenta ShowAllAccounts=Mostrar para todas las cuentas FutureTransaction=Transacción futura. No es posible conciliar. @@ -160,5 +160,6 @@ VariousPayment=Pagos varios VariousPayments=Pagos varios ShowVariousPayment=Mostrar pago varios AddVariousPayment=Añadir pagos varios +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 diff --git a/htdocs/langs/es_ES/bills.lang b/htdocs/langs/es_ES/bills.lang index ef6708d2b1652..13234f0e7f74d 100644 --- a/htdocs/langs/es_ES/bills.lang +++ b/htdocs/langs/es_ES/bills.lang @@ -109,9 +109,9 @@ CancelBill=Anular una factura SendRemindByMail=Enviar recordatorio DoPayment=Ingresar pago DoPaymentBack=Ingresar reembolso -ConvertToReduc=Mark as credit available -ConvertExcessReceivedToReduc=Convertir lo recibido en exceso en descuento futuro -ConvertExcessPaidToReduc=Convertir lo recibido en exceso en descuento futuro +ConvertToReduc=Convertir en reducción futura +ConvertExcessReceivedToReduc=Convert excess received into available credit +ConvertExcessPaidToReduc=Convert excess paid into available discount EnterPaymentReceivedFromCustomer=Añadir pago recibido de cliente EnterPaymentDueToCustomer=Realizar pago de abonos al cliente DisabledBecauseRemainderToPayIsZero=Desactivado ya que el resto a pagar es 0 @@ -120,7 +120,7 @@ BillStatus=Estado de la factura StatusOfGeneratedInvoices=Estado de las facturas generadas BillStatusDraft=Borrador (a validar) BillStatusPaid=Pagada -BillStatusPaidBackOrConverted=Credit note refund or marked as credit available +BillStatusPaidBackOrConverted=Reembolsada o convertida en descuento BillStatusConverted=Pagada (lista para usarse en factura final) BillStatusCanceled=Abandonada BillStatusValidated=Validada (a pagar) @@ -282,6 +282,7 @@ RelativeDiscount=Descuento relativo GlobalDiscount=Descuento fijo CreditNote=Abono CreditNotes=Abonos +CreditNotesOrExcessReceived=Credit notes or excess received Deposit=Anticipo Deposits=Anticipos DiscountFromCreditNote=Descuento resultante del abono %s @@ -296,10 +297,10 @@ DiscountType=Tipo de descuento NoteReason=Nota/Motivo ReasonDiscount=Motivo DiscountOfferedBy=Acordado por -DiscountStillRemaining=Discounts or credits available -DiscountAlreadyCounted=Discounts or credits already consumed +DiscountStillRemaining=Descuentos disponibles +DiscountAlreadyCounted=Descuentos ya consumidos CustomerDiscounts=Descuentos a clientes -SupplierDiscounts=Vendors discounts +SupplierDiscounts=Descuentos de proveedores BillAddress=Dirección de facturación HelpEscompte=Un descuento es un descuento acordado sobre una factura dada, a un cliente que realizó su pago mucho antes del vencimiento. HelpAbandonBadCustomer=Este importe se abandonó (cliente juzgado como moroso) y se considera como una pérdida excepcional. @@ -339,12 +340,12 @@ PaymentOnDifferentThirdBills=Permitir pagos de diferentes terceros de la empres PaymentNote=Nota del pago ListOfPreviousSituationInvoices=Listado de facturas de situación previas ListOfNextSituationInvoices=Listado de las próximas facturas de situación -ListOfSituationInvoices=List of situation invoices -CurrentSituationTotal=Total current situation -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 +ListOfSituationInvoices=Listado de facturas de situación +CurrentSituationTotal=Total situación actual +DisabledBecauseNotEnouthCreditNote=Para eliminar una factura de situación del ciclo, el total de la nota de crédito de esta factura debe cubrir el total de esta factura +RemoveSituationFromCycle=Eliminar esta factura del ciclo +ConfirmRemoveSituationFromCycle=¿Eliminar esta factura %s del ciclo? +ConfirmOuting=Confirmar salida FrequencyPer_d=Cada %s días FrequencyPer_m=Cada %s meses FrequencyPer_y=Cada %s años @@ -393,6 +394,7 @@ PaymentConditionShort14DENDMONTH=14 días fin de mes PaymentCondition14DENDMONTH=14 días a fin de més FixAmount=Importe fijo VarAmount=Importe variable (%% total) +VarAmountOneLine=Variable amount (%% tot.) - 1 line with label '%s' # PaymentType PaymentTypeVIR=Transferencia bancaria PaymentTypeShortVIR=Transferencia bancaria @@ -511,9 +513,9 @@ SituationAmount=Importe Factura situación (Sin IVA) SituationDeduction=Deducción situación ModifyAllLines=Modificar todas las líneas CreateNextSituationInvoice=Crear próxima situación -ErrorFindNextSituationInvoice=Error unable to find next situation cycle ref -ErrorOutingSituationInvoiceOnUpdate=Unable to outing this situation invoice. -ErrorOutingSituationInvoiceCreditNote=Unable to outing linked credit note. +ErrorFindNextSituationInvoice=Error al no poder encontrar la siguiente ref. de ciclo de situación +ErrorOutingSituationInvoiceOnUpdate=No se puede emitir esta factura de situación. +ErrorOutingSituationInvoiceCreditNote=No se pudo emitir una nota de crédito vinculada. NotLastInCycle=Esta factura no es del último de ciclo y no debe ser modificada. DisabledBecauseNotLastInCycle=La próxima situación ya existe. DisabledBecauseFinal=Esta situación es la última. @@ -543,4 +545,4 @@ AutoFillDateFrom=Definir fecha de inicio para la línea de servicio con fecha de AutoFillDateFromShort=Definir fecha de inicio AutoFillDateTo=Establecer fecha de finalización para la línea de servicio con la próxima fecha de facturación AutoFillDateToShort=Definir fecha de finalización -MaxNumberOfGenerationReached=Max number of gen. reached +MaxNumberOfGenerationReached=Máximo número de generaciones alcanzado diff --git a/htdocs/langs/es_ES/compta.lang b/htdocs/langs/es_ES/compta.lang index 5218a96064c53..748f5e762ff31 100644 --- a/htdocs/langs/es_ES/compta.lang +++ b/htdocs/langs/es_ES/compta.lang @@ -19,7 +19,8 @@ Income=Ingresos Outcome=Gastos MenuReportInOut=Resultado / Ejercicio ReportInOut=Resultado / Ejercicio -ReportTurnover=Volumen de ventas +ReportTurnover=Turnover invoiced +ReportTurnoverCollected=Turnover collected PaymentsNotLinkedToInvoice=Pagos vinculados a ninguna factura, por lo que ninguún tercero PaymentsNotLinkedToUser=Pagos no vinculados a un usuario Profit=Beneficio @@ -34,7 +35,7 @@ AmountHTVATRealPaid=Total pagado VATToPay=Ventas IVA VATReceived=IVA repercutido VATToCollect=IVA compras -VATSummary=Tax monthly +VATSummary=Balance de IVA VATBalance=Balance de IVA VATPaid=IVA Pagado LT1Summary=Saldo IRPF @@ -77,16 +78,16 @@ MenuNewSocialContribution=Nueva tasa NewSocialContribution=Nueva tasa social/fiscal AddSocialContribution=Añadir tasa social/fiscal ContributionsToPay=Tasas sociales/fiscales a pagar -AccountancyTreasuryArea=Área contabilidad/tesorería +AccountancyTreasuryArea=Billing and payment area NewPayment=Nuevo pago Payments=Pagos PaymentCustomerInvoice=Cobro factura a cliente -PaymentSupplierInvoice=Vendor invoice payment +PaymentSupplierInvoice=Pago factura de proveedor PaymentSocialContribution=Pagos tasas sociales/fiscales PaymentVat=Pago IVA ListPayment=Listado de pagos ListOfCustomerPayments=Listado de pagos de clientes -ListOfSupplierPayments=List of vendor payments +ListOfSupplierPayments=Listado de pagos a proveedores DateStartPeriod=Fecha inicio periodo DateEndPeriod=Fecha final periodo newLT1Payment=Nuevo pago de RE @@ -105,19 +106,21 @@ VATPayment=Pago IVA VATPayments=Pagos IVA VATRefund=Devolución IVA NewVATPayment=Nuevo pago IVA +NewLocalTaxPayment=Nuevo pago %s 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 CustomerAccountancyCode=Código contable cliente -SupplierAccountancyCode=Vendor accounting code +SupplierAccountancyCode=Código contable proveedor CustomerAccountancyCodeShort=Cód. cuenta cliente SupplierAccountancyCodeShort=Cód. cuenta proveedor AccountNumber=Número de cuenta NewAccountingAccount=Nueva cuenta -SalesTurnover=Volumen de ventas -SalesTurnoverMinimum=Volumen de ventas mínimo +Turnover=Turnover invoiced +TurnoverCollected=Turnover collected +SalesTurnoverMinimum=Minimum turnover ByExpenseIncome=Por gastos e ingresos ByThirdParties=Por tercero ByUserAuthorOfInvoice=Por autor de la factura @@ -137,8 +140,8 @@ 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=Modo %sCréditos-Deudas%s llamada contabilidad de compromiso. -CalcModeEngagement=Modo %sIngresos-Gastos%s llamada contabilidad de caja +CalcModeDebt=Analysis of known recorded invoices 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=Análisis de datos registrados en la tabla Libro mayor CalcModeLT1= Modo %sRE facturas a clientes - facturas de proveedores%s CalcModeLT1Debt=Modo %sRE en facturas a clientes%s @@ -151,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=Ver el informe %sIngresos-Gastos%s llamado contabilidad de caja para un cálculo sobre las facturas pagadas -SeeReportInDueDebtMode=Ver el informe %sCréditos-Deudas%s llamada contabilidad de compromiso para un cálculo de las facturas pendientes de pago -SeeReportInBookkeepingMode=Consulte el informe %sContable%s para un cálculo en análisis de tabla de contabilidad +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 RulesAmountWithTaxIncluded=- Los importes mostrados son con todos los impuestos incluídos. RulesResultDue=- Incluye las facturas pendientes, los gastos, el IVA, las donaciones pagadas o no. También se incluyen los salarios pagados.
- Se basa en la fecha de la validación de las facturas e IVA y en la fecha de vencimiento de los gastos. Para los salarios definidos con el módulo de Salarios, se usa la fecha de valor del 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 @@ -172,8 +175,8 @@ LT1ReportByCustomersES=Informe de RE por terceros LT2ReportByCustomersES=Informe por tercero del IRPF VATReport=Informe IVA VATReportByPeriods=Informe de IVA por período -VATReportByRates=Sale tax report by rates -VATReportByThirdParties=Sale tax report by third parties +VATReportByRates=Informe de impuestos por tasa +VATReportByThirdParties=Informe de impuestos por terceros VATReportByCustomers=Informe IVA por cliente VATReportByCustomersInInputOutputMode=Informe por cliente del IVA repercutido y soportado VATReportByQuartersInInputOutputMode=Informe por tasa del IVA repercutido y soportado @@ -210,7 +213,7 @@ Pcg_version=Modelos de planes contables Pcg_type=Tipo de cuenta Pcg_subtype=Subtipo de cuenta InvoiceLinesToDispatch=Líneas de facturas a contabilizar -ByProductsAndServices=By product and service +ByProductsAndServices=Por productos y servicios RefExt=Ref. externa ToCreateAPredefinedInvoice=Para crear una plantilla de factura, cree una factura estándar, seguidamente, sin validarla, haga clic en el botón "%s". LinkedOrder=Enlazar a un pedido @@ -218,8 +221,8 @@ Mode1=Método 1 Mode2=Método 2 CalculationRuleDesc=Para calcular el IVA total hay 2 métodos:
El método 1 consiste en redondear el IVA en cada línea y luego sumarlo .
El método 2 consiste en sumar el IVA de cada línea y luego redondear el resultado.
El resultado final puede variar unos céntimos. El modo por defecto es el método %s. CalculationRuleDescSupplier=Según el proveedor, elija el método adecuado para aplicar misma regla de cálculo y obtener el resultado esperado por su proveedor. -TurnoverPerProductInCommitmentAccountingNotRelevant=The Turnover report per product, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). -TurnoverPerSaleTaxRateInCommitmentAccountingNotRelevant=The Turnover report per sale tax rate, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). +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. CalculationMode=Modo de cálculo AccountancyJournal=Código contable diario ACCOUNTING_VAT_SOLD_ACCOUNT=Cuenta contable por defecto para el IVA de ventas (usado si no se define en el diccionario de IVA) @@ -227,7 +230,7 @@ ACCOUNTING_VAT_BUY_ACCOUNT=Cuenta contable por defecto para el IVA de compras (u ACCOUNTING_VAT_PAY_ACCOUNT=Código contable por defecto para el pago de IVA ACCOUNTING_ACCOUNT_CUSTOMER=Cuenta contable a usar para clientes ACCOUNTING_ACCOUNT_CUSTOMER_Desc=Se utilizará una cuenta contable dedicada definida en la ficha de terceros para el relleno del Libro Mayor, o como valor predeterminado de la contabilidad del Libro Mayor si no se define una cuenta contable en la ficha del tercero -ACCOUNTING_ACCOUNT_SUPPLIER=Accounting account used for vendor third parties +ACCOUNTING_ACCOUNT_SUPPLIER=Cuenta contable usada para los terceros ACCOUNTING_ACCOUNT_SUPPLIER_Desc=Se utilizará una cuenta contable dedicada definida en la ficha de terceros para el relleno del Libro Mayor, o como valor predeterminado de la contabilidad del Libro Mayor si no se define una cuenta contable en la ficha del tercero CloneTax=Clonar una tasa social/fiscal ConfirmCloneTax=Confirmar la clonación de una tasa social/fiscal @@ -246,10 +249,11 @@ FiscalPeriod=Periodo contable ListSocialContributionAssociatedProject=Listado de contribuciones sociales asociadas al proyecto DeleteFromCat=Eliminar del grupo de contabilidad AccountingAffectation=Asignación de cuenta contable -LastDayTaxIsRelatedTo=Last day of period the tax is related to -VATDue=Sale tax claimed -ClaimedForThisPeriod=Claimed for the period -PaidDuringThisPeriod=Paid during this period -ByVatRate=By sale tax rate -TurnoverbyVatrate=Turnover by sale tax rate -PurchasebyVatrate=Purchase by sale tax rate +LastDayTaxIsRelatedTo=Último día del período del impuesto +VATDue=Impuesto reclamado +ClaimedForThisPeriod=Reclamado para el período +PaidDuringThisPeriod=Pagado durante este período +ByVatRate=Por tasa de impuesto +TurnoverbyVatrate=Turnover invoiced by sale tax rate +TurnoverCollectedbyVatrate=Turnover collected by sale tax rate +PurchasebyVatrate=Compra por tasa de impuestos diff --git a/htdocs/langs/es_ES/install.lang b/htdocs/langs/es_ES/install.lang index 1fa0b69698903..e04d87cb352f6 100644 --- a/htdocs/langs/es_ES/install.lang +++ b/htdocs/langs/es_ES/install.lang @@ -6,7 +6,7 @@ ConfFileDoesNotExistsAndCouldNotBeCreated=¡El archivo de configuración %s%s se ha creado. ConfFileIsNotWritable=El archivo %s no es modificable. Para una primera instalación, modifique sus permisos. El servidor Web debe tener el derecho a escribir en este archivo durante la configuración ("chmod 666" por ejemplo sobre un SO compatible UNIX). ConfFileIsWritable=El archivo %s es modificable. -ConfFileMustBeAFileNotADir=Configuration file %s must be a file, not a directory. +ConfFileMustBeAFileNotADir=El archivo de configuración %s tiene que ser un archivo, no un directorio. ConfFileReload=Recargar toda la información del archivo de configuración. PHPSupportSessions=Este PHP soporta sesiones PHPSupportPOSTGETOk=Este PHP soporta bien las variables POST y GET. @@ -92,8 +92,8 @@ FailedToCreateAdminLogin=No se pudo crear la cuenta de administrador Dolibarr. WarningRemoveInstallDir=Atención, por razones de seguridad, con el fin de bloquear un nuevo uso de las herramientas de instalación/actualización, es aconsejable crear en el directorio raíz de Dolibarr un archivo llamado install.lock en solo lectura. FunctionNotAvailableInThisPHP=No disponible en este PHP ChoosedMigrateScript=Elección del script de migración -DataMigration=Database migration (data) -DatabaseMigration=Database migration (structure + some data) +DataMigration=Migración de los datos (datos) +DatabaseMigration=Migración de los datos (estructura + datos) ProcessMigrateScript=Ejecución del script ChooseYourSetupMode=Elija su método de instalación y haga clic en "Empezar"... FreshInstall=Primera instalación @@ -147,7 +147,7 @@ NothingToDo=Nada que hacer # upgrade MigrationFixData=Corrección de datos desnormalizados MigrationOrder=Migración de datos de los pedidos clientes -MigrationSupplierOrder=Data migration for vendor's orders +MigrationSupplierOrder=Migración de datos de los pedidos a proveedores MigrationProposal=Migración de datos de presupuestos MigrationInvoice=Migración de datos de las facturas a clientes MigrationContract=Migración de datos de los contratos @@ -204,3 +204,7 @@ MigrationResetBlockedLog=Restablecer el módulo BlockedLog para el algoritmo v7 ShowNotAvailableOptions=Mostrar opciones no disponibles HideNotAvailableOptions=Ocultar opciones no disponibles ErrorFoundDuringMigration=Se ha producido un error durante el proceso de migración, por lo que el siguiente paso no está disponible. Para ignorar errores puede hacer clic aquí, pero la aplicación a algunas funcionalidades pueden no funcionar correctamente mientras no se arregle el problema. +YouTryInstallDisabledByDirLock=The application try to sefl upgrade, but install/upgrade pages have been disabled for security reason (directory renamed with .lock suffix).
+YouTryInstallDisabledByFileLock=The application try to sefl upgrade, but install/upgrade pages pages have been disabled for security reason (by lock file install.lock into dolibarr documents directory).
+ClickHereToGoToApp=Click here to go to your application +ClickOnLinkOrRemoveManualy=Click on following link and if you always reach this page, you must remove the file install.lock into documents directory manually diff --git a/htdocs/langs/es_ES/main.lang b/htdocs/langs/es_ES/main.lang index d29f78b8c8de4..f7607480a8958 100644 --- a/htdocs/langs/es_ES/main.lang +++ b/htdocs/langs/es_ES/main.lang @@ -92,7 +92,7 @@ DolibarrInHttpAuthenticationSoPasswordUseless=Dolibarr está configurado en modo Administrator=Administrador Undefined=No definido PasswordForgotten=¿Olvidó su contraseña? -NoAccount=No account? +NoAccount=¿Sin cuenta? SeeAbove=Mencionado anteriormente HomeArea=Área inicio LastConnexion=Última conexión @@ -403,7 +403,7 @@ DefaultTaxRate=Tasa de impuesto por defecto Average=Media Sum=Suma Delta=Diferencia -RemainToPay=Remain to pay +RemainToPay=Queda per pagar Module=Módulo Modules=Módulos Option=Opción @@ -416,7 +416,7 @@ Favorite=Favorito ShortInfo=Info. Ref=Ref. ExternalRef=Ref. externa -RefSupplier=Ref. vendor +RefSupplier=Ref. proveedor RefPayment=Ref. pago CommercialProposalsShort=Presupuestos Comment=Comentario @@ -495,7 +495,7 @@ Received=Recibido Paid=Pagado Topic=Asunto ByCompanies=Por empresa -ByUsers=By user +ByUsers=Por usuario Links=Enlaces Link=Enlace Rejects=Devoluciones @@ -507,6 +507,7 @@ NoneF=Ninguna NoneOrSeveral=Ninguno o varios Late=Retraso LateDesc=El retraso que indica si un registro lleva retraso o no depende de la configuración. Pregunte a su administrador para cambiar el retraso desde el menú Inicio - Configuración - Alertas. +NoItemLate=No late item Photo=Foto Photos=Fotos AddPhoto=Añadir foto @@ -621,9 +622,9 @@ BuildDoc=Generar el documento Entity=Entidad Entities=Entidades CustomerPreview=Historial cliente -SupplierPreview=Vendor preview +SupplierPreview=Historial proveedor ShowCustomerPreview=Ver historial cliente -ShowSupplierPreview=Show vendor preview +ShowSupplierPreview=Ver historial proveedor RefCustomer=Ref. cliente Currency=Divisa InfoAdmin=Información para los administradores @@ -917,11 +918,11 @@ SearchIntoProductsOrServices=Productos o servicios SearchIntoProjects=Proyectos SearchIntoTasks=Tareas SearchIntoCustomerInvoices=Facturas a clientes -SearchIntoSupplierInvoices=Vendor invoices +SearchIntoSupplierInvoices=Facturas proveedor SearchIntoCustomerOrders=Pedidos de clientes -SearchIntoSupplierOrders=Purchase orders +SearchIntoSupplierOrders=Pedidos a proveedor SearchIntoCustomerProposals=Presupuestos a clientes -SearchIntoSupplierProposals=Vendor proposals +SearchIntoSupplierProposals=Presupuestos de proveedor SearchIntoInterventions=Intervenciones SearchIntoContracts=Contratos SearchIntoCustomerShipments=Envíos a clientes @@ -943,5 +944,7 @@ Remote=Remoto LocalAndRemote=Local y remoto KeyboardShortcut=Atajo de teclado AssignedTo=Asignada a -Deletedraft=Delete draft -ConfirmMassDraftDeletion=Draft Bulk delete confirmation +Deletedraft=Eliminar borrador +ConfirmMassDraftDeletion=Confirmación de borrado de borradores en lote +FileSharedViaALink=Archivo compartido a través de un enlace + diff --git a/htdocs/langs/es_ES/modulebuilder.lang b/htdocs/langs/es_ES/modulebuilder.lang index 5f568d7e485c7..1f8f53879ca44 100644 --- a/htdocs/langs/es_ES/modulebuilder.lang +++ b/htdocs/langs/es_ES/modulebuilder.lang @@ -74,6 +74,7 @@ NoWidget=No hay widget GoToApiExplorer=Ir al Explorador de API ListOfMenusEntries=Lista de entradas de menú ListOfPermissionsDefined=Listado de permisos definidos +SeeExamples=See examples here EnabledDesc=Condición para tener este campo activo (Ejemplos: 1 o $conf->global->MYMODULE_MYOPTION) VisibleDesc=¿Es el campo visible? (Ejemplos: 0=Nunca visible, 1=Visible en listado y en formularios creación /actualización/visualización, 2=Visible en listado solamente, 3=Visible en formularios creación /actualización/visualización. Usar un valor negativo significa que no se muestra el campo predeterminado en el listado pero se puede seleccionar para verlo) IsAMeasureDesc=¿Se puede acumular el valor del campo para obtener un total en el listado? (Ejemplos: 1 o 0) @@ -95,3 +96,6 @@ DropTableIfEmpty=(Eliminar 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 +UseAboutPage=Disallow the about page +UseDocFolder=Disallow the documentation folder +UseSpecificReadme=Use a specific ReadMe diff --git a/htdocs/langs/es_ES/other.lang b/htdocs/langs/es_ES/other.lang index 02a3b23739b02..137bbac42d628 100644 --- a/htdocs/langs/es_ES/other.lang +++ b/htdocs/langs/es_ES/other.lang @@ -80,9 +80,9 @@ LinkedObject=Objeto adjuntado NbOfActiveNotifications=Número de notificaciones (nº de destinatarios) PredefinedMailTest=__(Hello)__\nEste es un correo de prueba enviado a __EMAIL__.\nLas dos líneas están separadas por un retorno de carro.\n\n__USER_SIGNATURE__ PredefinedMailTestHtml=__(Hello)__\nEste es un correo de prueba (la palabra prueba debe estar en negrita).
Las dos líneas están separadas por un retorno de carro.

__USER_SIGNATURE__ -PredefinedMailContentSendInvoice=__(Hello)__\n\nAquí encontrará la factura __REF__\n\nEste es el enlace para realizar un pago en línea en caso de que la factura aún no se encuentre pagada:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nNos gustaría advertirle que la factura __REF__ parece no estar pagada. Así que le enviamos de nuevo la factura en el archivo adjunto, como un recordatorio.\n\nEste es el enlace para poder realizar un pago en línea de la misma\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendProposal=__(Hello)__\n\nYou will find here the commercial proposal __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendProposal=__(Hola)__\n\nNos ponemos en contacto con usted para facilitarle el presupuesto __PREF__\n\n\n__(Sinceramente)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendSupplierProposal=__(Hola)__\n\nNos ponemos en contacto con usted para facilitarle nuestra solicitud de presupuesto __REF__\n\n\n__(Sinceramente)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendOrder=__(Hola)__\n\nNos ponemos en contacto con usted para facilitarle el pedido __REF__\n\n\n__(Sinceramente)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendSupplierOrder=__(Hola)__\n\nNos ponemos en contacto con usted para facilitarle nuestro pedido __REF__\n\n\n__(Sinceramente)__\n\n__USER_SIGNATURE__ @@ -91,6 +91,7 @@ PredefinedMailContentSendShipping=__(Hola)__\n\nNos ponemos en contacto con uste PredefinedMailContentSendFichInter=__(Hola)__\n\nNos ponemos en contacto con usted para facilitarle la intervención __REF__\n\n\n__(Sinceramente)__\n\n__USER_SIGNATURE__ PredefinedMailContentThirdparty=__(Hola)__\n\n\n__(Sinceramente)__\n\n__USER_SIGNATURE__ PredefinedMailContentUser=__(Hola)__\n\n\n__(Sinceramente)__\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 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) @@ -218,7 +219,7 @@ FileIsTooBig=El archivo es demasiado grande PleaseBePatient=Rogamos espere unos instantes... NewPassword=Nueva contraseña ResetPassword=Reiniciar contraseña -RequestToResetPasswordReceived=A request to change your password has been received +RequestToResetPasswordReceived=Se ha recibido una solicitud para cambiar tu contraseña de Dolibarr NewKeyIs=Esta es su nueva contraseña para iniciar sesión NewKeyWillBe=Su nueva contraseña para iniciar sesión en el software será ClickHereToGoTo=Haga click aquí para ir a %s @@ -233,7 +234,7 @@ PermissionsDelete=Permisos eliminados YourPasswordMustHaveAtLeastXChars=Su contraseña debe contener al menos %s caracteres YourPasswordHasBeenReset=Su contraseña ha sido restablecida con éxito ApplicantIpAddress=Dirección IP del solicitante -SMSSentTo=SMS sent to %s +SMSSentTo=SMS enviado a %s ##### Export ##### ExportsArea=Área de exportaciones diff --git a/htdocs/langs/es_ES/paypal.lang b/htdocs/langs/es_ES/paypal.lang index df87e8e90f2ca..1c82c983a4348 100644 --- a/htdocs/langs/es_ES/paypal.lang +++ b/htdocs/langs/es_ES/paypal.lang @@ -14,7 +14,6 @@ PaypalModeOnlyPaypal=Sólo PayPal ONLINE_PAYMENT_CSS_URL=URL opcional de la hoja de estilo CSS en la página de pago en línea ThisIsTransactionId=Identificador de la transacción: %s PAYPAL_ADD_PAYMENT_URL=Añadir la url del pago Paypal al enviar un documento por e-mail -PredefinedMailContentLink=Puede hacer clic en el siguiente enlace para realizar su pago si aún no lo ha hecho.

%s

YouAreCurrentlyInSandboxMode=Actualmente se encuentra en el modo %s "sandbox" NewOnlinePaymentReceived=Nuevo pago en línea recibido NewOnlinePaymentFailed=Nuevo pago en línea intentado pero ha fallado diff --git a/htdocs/langs/es_ES/products.lang b/htdocs/langs/es_ES/products.lang index 90671e8cb9c4d..def354ead7bdb 100644 --- a/htdocs/langs/es_ES/products.lang +++ b/htdocs/langs/es_ES/products.lang @@ -70,7 +70,7 @@ SoldAmount=Importe ventas PurchasedAmount=Importe compras NewPrice=Nuevo precio MinPrice=Precio de venta mín. -EditSellingPriceLabel=Edit selling price label +EditSellingPriceLabel=Editar etiqueta precio de venta CantBeLessThanMinPrice=El precio de venta no debe ser inferior al mínimo para este producto (%s sin IVA). Este mensaje puede estar causado por un descuento muy grande. ContractStatusClosed=Cerrado ErrorProductAlreadyExists=Un producto con la referencia %s ya existe. @@ -156,7 +156,7 @@ BuyingPrices=Precios de compra CustomerPrices=Precios a clientes SuppliersPrices=Precios de proveedores SuppliersPricesOfProductsOrServices=Precios de proveedores (productos o servicios) -CustomCode=Customs / Commodity / HS code +CustomCode=Código aduanero CountryOrigin=País de origen Nature=Naturaleza ShortLabel=Etiqueta corta @@ -251,8 +251,8 @@ PriceNumeric=Número DefaultPrice=Precio por defecto ComposedProductIncDecStock=Incrementar/Decrementar stock al cambiar su padre ComposedProduct=Sub-producto -MinSupplierPrice=Precio mínimo de proveedor -MinCustomerPrice=precio mínimo a cliente +MinSupplierPrice=Precio mínimo de compra +MinCustomerPrice=Minimum selling price DynamicPriceConfiguration=Configuración de precio dinámico DynamicPriceDesc=En la ficha de producto, con este módulo activado, debería ser capaz de establecer funciones matemáticas para calcular los precios de cliente o proveedor. Esta función puede utilizar todos los operadores matemáticos, algunas constantes y variables. Puede definir aquí las variables que desea utilizar y si la variable necesita una actualización automática, la URL externa que debe utilizarse para pedirle a Dolibarr que actualice automáticamente el valor. AddVariable=Añadir variable diff --git a/htdocs/langs/es_ES/propal.lang b/htdocs/langs/es_ES/propal.lang index c7ae4e4087688..9da5dcc64d702 100644 --- a/htdocs/langs/es_ES/propal.lang +++ b/htdocs/langs/es_ES/propal.lang @@ -75,6 +75,7 @@ AvailabilityTypeAV_1M=1 mes TypeContact_propal_internal_SALESREPFOLL=Comercial seguimiento presupuesto TypeContact_propal_external_BILLING=Contacto cliente de facturación presupuesto TypeContact_propal_external_CUSTOMER=Contacto cliente seguimiento presupuesto +TypeContact_propal_external_SHIPPING=Customer contact for delivery # Document models DocModelAzurDescription=Modelo de presupuesto completo (logo...) DefaultModelPropalCreate=Modelo por defecto diff --git a/htdocs/langs/es_ES/sendings.lang b/htdocs/langs/es_ES/sendings.lang index e65604aae05f2..fa0f73aef1d57 100644 --- a/htdocs/langs/es_ES/sendings.lang +++ b/htdocs/langs/es_ES/sendings.lang @@ -52,8 +52,8 @@ ActionsOnShipping=Eventos sobre la expedición LinkToTrackYourPackage=Enlace para el seguimento de su paquete ShipmentCreationIsDoneFromOrder=De momento, la creación de una nueva expedición se realiza desde la ficha de pedido. ShipmentLine=Línea de expedición -ProductQtyInCustomersOrdersRunning=Cantidad en pedidos de clientes abiertos -ProductQtyInSuppliersOrdersRunning=Cantidad en pedidos a proveedores abiertos +ProductQtyInCustomersOrdersRunning=Product quantity into open customer orders +ProductQtyInSuppliersOrdersRunning=Product quantity into open purchase orders ProductQtyInShipmentAlreadySent=Ya ha sido enviada la cantidad del producto del pedido de cliente abierto ProductQtyInSuppliersShipmentAlreadyRecevied=Cantidad en pedidos a proveedores ya recibidos NoProductToShipFoundIntoStock=Sin stock disponible en el almacén %s. Corrija el stock o vuelva atrás para seleccionar otro almacén. diff --git a/htdocs/langs/es_ES/stocks.lang b/htdocs/langs/es_ES/stocks.lang index ec53257453df3..b352f8b228e8b 100644 --- a/htdocs/langs/es_ES/stocks.lang +++ b/htdocs/langs/es_ES/stocks.lang @@ -67,7 +67,7 @@ DeStockOnValidateOrder=Decrementar los stocks físicos sobre los pedidos de clie DeStockOnShipment=Decrementar stock real en la validación de envíos DeStockOnShipmentOnClosing=Decrementar stock real en el cierre del envío ReStockOnBill=Incrementar los stocks físicos sobre las facturas/abonos de proveedores -ReStockOnValidateOrder=Incrementar los stocks físicos sobre los pedidos a proveedores +ReStockOnValidateOrder=Increase real stocks on purchase orders approbation ReStockOnDispatchOrder=Incrementa los stocks físicos en el desglose manual de la recepción de los pedidos a proveedores en los almacenes OrderStatusNotReadyToDispatch=El pedido aún no está o no tiene un estado que permita un desglose de stock. StockDiffPhysicTeoric=Motivo de la diferencia entre valores físicos y teóricos @@ -203,4 +203,4 @@ RegulateStock=Regular stock ListInventory=Listado StockSupportServices=Servicios de apoyo a la gestión de stocks StockSupportServicesDesc=Por defecto sólo puede almacenar el producto con el tipo "producto". Si está activado y si el servicio de módulo está activado, también puede almacenar un producto con el tipo "servicio" -ReceiveProducts=Receive products +ReceiveProducts=Recibir artículos diff --git a/htdocs/langs/es_ES/users.lang b/htdocs/langs/es_ES/users.lang index 9cdfbc6fe4fd6..85570ab889866 100644 --- a/htdocs/langs/es_ES/users.lang +++ b/htdocs/langs/es_ES/users.lang @@ -48,7 +48,7 @@ PasswordChangeRequest=Solicitud para cambiar la contraseña de %s PasswordChangeRequestSent=Petición de cambio de contraseña para %s enviada a %s. ConfirmPasswordReset=Confirmar restablecimiento de contraseña MenuUsersAndGroups=Usuarios y grupos -LastGroupsCreated=Últimos %s grupos creados +LastGroupsCreated=Latest %s groups created LastUsersCreated=Últimos %s usuarios creados ShowGroup=Ver grupo ShowUser=Ver usuario diff --git a/htdocs/langs/es_MX/admin.lang b/htdocs/langs/es_MX/admin.lang index e333350393a16..1fe9b2ac84219 100644 --- a/htdocs/langs/es_MX/admin.lang +++ b/htdocs/langs/es_MX/admin.lang @@ -132,6 +132,7 @@ Upgrade=Actualizar CompanyName=Nombre LDAPFieldFirstName=Nombre(s) CacheByServerDesc=Por ejemplo, utilizando la directiva Apache "ExpiresByType image/gif A2592000" +ViewProductDescInThirdpartyLanguageAbility=Visualization of products descriptions in the third party language AGENDA_SHOW_LINKED_OBJECT=Mostrar objeto vinculado en la vista de agenda ConfFileMustContainCustom=Instalar o construir un módulo externo desde la aplicación necesita guardar los archivos del módulo en el directorio %s . Para que este directorio sea procesado por Dolibarr, debe configurar su conf/conf.php para agregar las 2 líneas de directiva: $dolibarr_main_url_root_alt='/custom';
$dolibarr_main_document_root_alt='%s/custom'; MailToSendProposal=Propuestas de clientes diff --git a/htdocs/langs/es_MX/banks.lang b/htdocs/langs/es_MX/banks.lang index 09394f7966dc9..60345a1ec6e0d 100644 --- a/htdocs/langs/es_MX/banks.lang +++ b/htdocs/langs/es_MX/banks.lang @@ -1,5 +1,4 @@ # Dolibarr language file - Source file is en_US - banks -MenuBankCash=Banco/Efectivo BankAccount=Cuenta de banco BankAccounts=Cuentas de banco AccountRef=Ref de la cuenta financiera diff --git a/htdocs/langs/es_PA/admin.lang b/htdocs/langs/es_PA/admin.lang index 059de87f623a0..0cc8933bca152 100644 --- a/htdocs/langs/es_PA/admin.lang +++ b/htdocs/langs/es_PA/admin.lang @@ -3,3 +3,4 @@ VersionUnknown=Desconocido AntiVirusCommandExample=Example for ClamWin: c:\\Progra~1\\ClamWin\\bin\\clamscan.exe
Example for ClamAv: /usr/bin/clamscan AntiVirusParamExample=Example for ClamWin: --database="C:\\Program Files (x86)\\ClamWin\\lib" ExampleOfDirectoriesForModelGen=Examples of syntax:
c:\\mydir
/home/mydir
DOL_DATA_ROOT/ecm/ecmdir +ViewProductDescInThirdpartyLanguageAbility=Visualization of products descriptions in the third party language diff --git a/htdocs/langs/es_PE/accountancy.lang b/htdocs/langs/es_PE/accountancy.lang index 4b1e234cf9679..5e2e390625bf2 100644 --- a/htdocs/langs/es_PE/accountancy.lang +++ b/htdocs/langs/es_PE/accountancy.lang @@ -7,6 +7,8 @@ ACCOUNTING_EXPORT_LABEL=Etiqueta de exportación ACCOUNTING_EXPORT_AMOUNT=Monto de exportación ACCOUNTING_EXPORT_DEVISE=Moneda de exportación ACCOUNTING_EXPORT_PREFIX_SPEC=Especifique el prefijo del nombre del fichero +DefaultForService=Servicio por defecto +DefaultForProduct=Producto por defecto ConfigAccountingExpert=Configuración del módulo experto en contabilidad Journaux=Revistas JournalFinancial=Revistas financieras diff --git a/htdocs/langs/es_PE/admin.lang b/htdocs/langs/es_PE/admin.lang index a0de2107becf7..1e3c901bcd58a 100644 --- a/htdocs/langs/es_PE/admin.lang +++ b/htdocs/langs/es_PE/admin.lang @@ -9,6 +9,7 @@ DictionaryVAT=Tasa de IGV (Impuesto sobre ventas en EEUU) VATManagement=Gestión IGV VATIsNotUsedDesc=El tipo de IGV propuesto por defecto es 0. Este es el caso de asociaciones, particulares o algunas pequeñas sociedades. UnitPriceOfProduct=Precio unitario sin IGV de un producto +ViewProductDescInThirdpartyLanguageAbility=Visualization of products descriptions in the third party language OptionVatMode=Opción de carga de IGV OptionVatDefaultDesc=La carga del IGV es:
-en el envío de los bienes (en la práctica se usa la fecha de la factura)
-sobre el pago por los servicios OptionVatDebitOptionDesc=La carga del IGV es:
-en el envío de los bienes (en la práctica se usa la fecha de la factura)
-sobre la facturación de los servicios diff --git a/htdocs/langs/es_PE/companies.lang b/htdocs/langs/es_PE/companies.lang index a2e27a2a94ffd..6b01b8951e3bd 100644 --- a/htdocs/langs/es_PE/companies.lang +++ b/htdocs/langs/es_PE/companies.lang @@ -1,2 +1,4 @@ # Dolibarr language file - Source file is en_US - companies +ProfId1ES=Registro Único de Contribuyente Id 1 (RUC) +ProfId3DZ=RUC InActivity=Abrir diff --git a/htdocs/langs/es_PE/main.lang b/htdocs/langs/es_PE/main.lang index 8e60a04abdc26..679279a459daa 100644 --- a/htdocs/langs/es_PE/main.lang +++ b/htdocs/langs/es_PE/main.lang @@ -19,6 +19,8 @@ FormatDateHourShort=%d/%m/%Y %H:%M FormatDateHourSecShort=%d/%m/%Y %H:%M:%S FormatDateHourTextShort=%d %b %Y %H:%M FormatDateHourText=%d %B %Y %H:%M +Disable=Inhabilitar +Close=Cerrado AmountVAT=Importe IGV TotalVAT=Total IGV HT=Sin IGV diff --git a/htdocs/langs/es_PY/admin.lang b/htdocs/langs/es_PY/admin.lang index 1c53b65c99c6f..790d1e6cd7b6a 100644 --- a/htdocs/langs/es_PY/admin.lang +++ b/htdocs/langs/es_PY/admin.lang @@ -2,3 +2,4 @@ AntiVirusCommandExample=Example for ClamWin: c:\\Progra~1\\ClamWin\\bin\\clamscan.exe
Example for ClamAv: /usr/bin/clamscan AntiVirusParamExample=Example for ClamWin: --database="C:\\Program Files (x86)\\ClamWin\\lib" ExampleOfDirectoriesForModelGen=Examples of syntax:
c:\\mydir
/home/mydir
DOL_DATA_ROOT/ecm/ecmdir +ViewProductDescInThirdpartyLanguageAbility=Visualization of products descriptions in the third party language diff --git a/htdocs/langs/es_VE/admin.lang b/htdocs/langs/es_VE/admin.lang index bad5f3de05e6c..20ee7042b7e0b 100644 --- a/htdocs/langs/es_VE/admin.lang +++ b/htdocs/langs/es_VE/admin.lang @@ -32,3 +32,4 @@ ExtraFieldHasWrongValue=El atributo %s tiene un valor no válido LDAPMemberObjectClassListExample=Lista de ObjectClass que definen los atributos de un registro (ej: top,inetOrgPerson o top,user for active directory) LDAPUserObjectClassListExample=Lista de ObjectClass que definen los atributos de un registro (ej: top,inetOrgPerson o top,user for active directory) LDAPContactObjectClassListExample=Lista de objectClass que definen los atributos de un registro (ej: top,inetOrgPerson o top,user for active directory) +ViewProductDescInThirdpartyLanguageAbility=Visualization of products descriptions in the third party language diff --git a/htdocs/langs/et_EE/accountancy.lang b/htdocs/langs/et_EE/accountancy.lang index 54037291e4f67..f000268bbb715 100644 --- a/htdocs/langs/et_EE/accountancy.lang +++ b/htdocs/langs/et_EE/accountancy.lang @@ -55,6 +55,7 @@ AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from m AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s AccountancyAreaDescVat=STEP %s: Define accounting accounts for each VAT Rates. For this, use the menu entry %s. +AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. AccountancyAreaDescExpenseReport=STEP %s: Define default accounting accounts for each type of expense report. For this, use the menu entry %s. AccountancyAreaDescSal=STEP %s: Define default accounting accounts for payment of salaries. For this, use the menu entry %s. AccountancyAreaDescContrib=STEP %s: Define default accounting accounts for special expences (miscellaneous taxes). For this, use the menu entry %s. @@ -131,6 +132,7 @@ ACCOUNTING_LENGTH_GACCOUNT=Length of the general accounting accounts (If you set 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 zero at the end of an accounting account. Needed by some countries (like switzerland). If keep to off (default), you can set the 2 following parameters to ask application to add virtual zero. BANK_DISABLE_DIRECT_INPUT=Disable direct recording of transaction in bank account +ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Enable draft export on journal ACCOUNTING_SELL_JOURNAL=Sell journal ACCOUNTING_PURCHASE_JOURNAL=Purchase journal diff --git a/htdocs/langs/et_EE/admin.lang b/htdocs/langs/et_EE/admin.lang index e627ec78c6e71..6366677a0b252 100644 --- a/htdocs/langs/et_EE/admin.lang +++ b/htdocs/langs/et_EE/admin.lang @@ -454,7 +454,7 @@ ModuleCompanyCodeDigitaria=Accounting code depends on third party code. The code Use3StepsApproval=By default, Purchase Orders need to be created and approved by 2 different users (one step/user to create and one step/user to approve. Note that if user has both permission to create and approve, one step/user will be enough). You can ask with this option to introduce a third step/user approval, if amount is higher than a dedicated value (so 3 steps will be necessary: 1=validation, 2=first approval and 3=second approval if amount is enough).
Set this to empty if one approval (2 steps) is enough, set it to a very low value (0.1) if a second approval (3 steps) is always required. UseDoubleApproval=Use a 3 steps approval when amount (without tax) is higher than... WarningPHPMail=WARNING: It is often better to setup outgoing emails to use the email server of your provider instead of the default setup. Some email providers (like Yahoo) does not allow you to send an email from another server than their own server. Your current setup use 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 a server of them, so few of your sent Emails may not be accepted (be carefull also to your email provider sending quota).
If your Email provider (like Yahoo) has this restriction, you must change Email setup to choose the other method "SMTP server" and enter the SMTP server and credentials provided by your Email provider (ask your EMail provider to get SMTP credentials for your account). -WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of your ERP CRM application: %s. +WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of the mail user agent (MUA) for your ERP CRM application: %s. ClickToShowDescription=Click to show description DependsOn=This module need the module(s) RequiredBy=This module is required by module(s) @@ -497,7 +497,7 @@ Module25Desc=Klientide tellimuste haldamine Module30Name=Arved Module30Desc=Klientide müügi- ja kreeditarvete haldamine. Hankijate arvete haldamine. Module40Name=Hankijad -Module40Desc=Hankijate haldamine ja ostmine (tellimused ja ostuarved) +Module40Desc=Suppliers and purchase management (purchase orders and billing) Module42Name=Debug Logs Module42Desc=Logging facilities (file, syslog, ...). Such logs are for technical/debug purposes. Module49Name=Toimetid @@ -605,7 +605,7 @@ Module4000Desc=Human resources management (management of department, employee co Module5000Name=Multi-ettevõte Module5000Desc=Võimaldab hallata mitut ettevõtet Module6000Name=Töövoog -Module6000Desc=Töövoo haldamine +Module6000Desc=Workflow management (automatic creation of object and/or automatic status change) Module10000Name=Websites Module10000Desc=Create public websites with a WYSIWG editor. Just setup your web server (Apache, Nginx, ...) to point to the dedicated Dolibarr directory to have it online on the Internet with your own domain name. Module20000Name=Puhkusetaotluste haldamine @@ -891,7 +891,7 @@ DictionaryCivility=Personal and professional titles DictionaryActions=Types of agenda events DictionarySocialContributions=Social or fiscal taxes types DictionaryVAT=Käibe- või müügimaksumäärad -DictionaryRevenueStamp=Maksumärkide kogus +DictionaryRevenueStamp=Amount of tax stamps DictionaryPaymentConditions=Maksetingimused DictionaryPaymentModes=Maksmine režiimid DictionaryTypeContact=Kontakti/Aadressi tüübid @@ -919,7 +919,7 @@ SetupSaved=Seadistused salvestatud SetupNotSaved=Setup not saved BackToModuleList=Tagasi moodulite nimekirja BackToDictionaryList=Tagasi sõnastike nimekirja -TypeOfRevenueStamp=Type of revenue stamp +TypeOfRevenueStamp=Type of tax stamp VATManagement=Käibemaksu haldamine VATIsUsedDesc=By default when creating prospects, invoices, orders etc the VAT rate follows the active standard rule:
If the seller is not subjected to VAT, then VAT defaults to 0. End of rule.
If the (selling country= buying country), then the VAT by default equals the VAT of the product in the selling country. End of rule.
If seller and buyer are both in the European Community and goods are transport products (car, ship, plane), the default VAT is 0 ( The VAT should be paid by the buyer to the customoffice of his country and not to the seller). End of rule.
If seller and buyer are both in the European Community and the buyer is not a company, then the VAT by defaults to the VAT of the product sold. End of rule.
If seller and buyer are both in the European Community and the buyer is a company, then the VAT is 0 by default . End of rule.
In any othe case the proposed default is VAT=0. End of rule. VATIsNotUsedDesc=Vaikimisi pakutakse käibemaksumääraks 0, mida kasutavad näiteks mittetulundusühingud, eraisikud või väikesed ettevõtted. @@ -1027,7 +1027,7 @@ Delays_MAIN_DELAY_ACTIONS_TODO=Delay tolerance (in days) before alert on planned Delays_MAIN_DELAY_PROJECT_TO_CLOSE=Delay tolerance (in days) before alert on project not closed in time Delays_MAIN_DELAY_TASKS_TODO=Delay tolerance (in days) before alert on planned tasks (project tasks) not completed yet Delays_MAIN_DELAY_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on orders not processed yet -Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on suppliers orders not processed yet +Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on purchase orders not processed yet Delays_MAIN_DELAY_PROPALS_TO_CLOSE=Hilinemise viivitus (päevades) enne hoiatust sulgemata pakkumiste kohta Delays_MAIN_DELAY_PROPALS_TO_BILL=Hilinemise viivitus (päevades) enne hoiatust pakkumiste kohta, mille eest ei ole arvet esitatud Delays_MAIN_DELAY_NOT_ACTIVATED_SERVICES=Hilinemise viivitus (päevades) enne hoiatust aktiveerimata teenuste kohta @@ -1458,7 +1458,7 @@ SyslogFilename=Faili nimi ja rada YouCanUseDOL_DATA_ROOT=Võid kasutada DOL_DATA_ROOT/dolibarr.log Dolibarri "documents" kausta faili salvestamiseks, aga logifaili salvestamiseks võib ka mõnda muud rada kasutada. ErrorUnknownSyslogConstant=Konstant %s ei ole tuntud Syslogi konstant OnlyWindowsLOG_USER=Windows toetab vaid LOG_USER direktiivi -CompressSyslogs=Syslog files compression and backup +CompressSyslogs=Compression and backup of debug log files (generated by module Log for debug) SyslogFileNumberOfSaves=Log backups ConfigureCleaningCronjobToSetFrequencyOfSaves=Configure cleaning scheduled job to set log backup frequency ##### Donations ##### diff --git a/htdocs/langs/et_EE/banks.lang b/htdocs/langs/et_EE/banks.lang index dc8a3661c9b66..255d02951c3db 100644 --- a/htdocs/langs/et_EE/banks.lang +++ b/htdocs/langs/et_EE/banks.lang @@ -1,12 +1,13 @@ # Dolibarr language file - Source file is en_US - banks Bank=Pank -MenuBankCash=Pank/raha +MenuBankCash=Bank | Cash MenuVariousPayment=Miscellaneous payments MenuNewVariousPayment=New Miscellaneous payment BankName=Panga nimi FinancialAccount=Konto BankAccount=Pangakonto BankAccounts=Pangakontod +BankAccountsAndGateways=Bank accounts | Gateways ShowAccount=Show Account AccountRef=Finantskonto viide AccountLabel=Finantskonto silt @@ -131,7 +132,7 @@ PaymentDateUpdateSucceeded=Payment date updated successfully PaymentDateUpdateFailed=Makse kuupäeva uuendamine pole võimalik Transactions=Tehingud BankTransactionLine=Bank entry -AllAccounts=Kõik panga- ja sularahakontod +AllAccounts=All bank and cash accounts BackToAccount=Tagasi konto juurde ShowAllAccounts=Näita kõigil kontodel FutureTransaction=Tehing toimub tulevikus, ajaline ühitamine pole võimalik. @@ -159,5 +160,6 @@ VariousPayment=Miscellaneous payments VariousPayments=Miscellaneous payments ShowVariousPayment=Show miscellaneous payments AddVariousPayment=Add miscellaneous payments +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. Thanks to return it signed (scan of the signed document) or sent it by mail to diff --git a/htdocs/langs/et_EE/bills.lang b/htdocs/langs/et_EE/bills.lang index 28769f6330a89..eabdb32fb5af1 100644 --- a/htdocs/langs/et_EE/bills.lang +++ b/htdocs/langs/et_EE/bills.lang @@ -110,8 +110,8 @@ SendRemindByMail=Saada meeldetuletus e-postiga DoPayment=Enter payment DoPaymentBack=Enter refund ConvertToReduc=Mark as credit available -ConvertExcessReceivedToReduc=Convert excess received into future discount -ConvertExcessPaidToReduc=Convert excess paid into future discount +ConvertExcessReceivedToReduc=Convert excess received into available credit +ConvertExcessPaidToReduc=Convert excess paid into available discount EnterPaymentReceivedFromCustomer=Sisesta kliendilt saadud makse EnterPaymentDueToCustomer=Soorita kliendile makse DisabledBecauseRemainderToPayIsZero=Keelatud, sest järele jäänud maksmata on null @@ -282,6 +282,7 @@ RelativeDiscount=Protsentuaalne allahindlus GlobalDiscount=Üldine allahindlus CreditNote=Kreeditarve CreditNotes=Kreeditarved +CreditNotesOrExcessReceived=Credit notes or excess received Deposit=Down payment Deposits=Down payments DiscountFromCreditNote=Allahindlus kreeditarvelt %s @@ -393,6 +394,7 @@ PaymentConditionShort14DENDMONTH=14 days of month-end PaymentCondition14DENDMONTH=Within 14 days following the end of the month FixAmount=Fikseeritud summa VarAmount=Muutuv summa (%% kogusummast) +VarAmountOneLine=Variable amount (%% tot.) - 1 line with label '%s' # PaymentType PaymentTypeVIR=Pangaülekanne PaymentTypeShortVIR=Pangaülekanne diff --git a/htdocs/langs/et_EE/compta.lang b/htdocs/langs/et_EE/compta.lang index 22d853e16480e..d731b91d830de 100644 --- a/htdocs/langs/et_EE/compta.lang +++ b/htdocs/langs/et_EE/compta.lang @@ -19,7 +19,8 @@ Income=Tulu Outcome=Kulu MenuReportInOut=Tulu/kulu ReportInOut=Balance of income and expenses -ReportTurnover=Käive +ReportTurnover=Turnover invoiced +ReportTurnoverCollected=Turnover collected PaymentsNotLinkedToInvoice=Makseid ei ole seotud ühegi arvega, seega ei ole nad seotud ühegi kolmanda isikuga PaymentsNotLinkedToUser=Ühegi kasutajaga sidumata maksed Profit=Kasum @@ -77,7 +78,7 @@ MenuNewSocialContribution=New social/fiscal tax NewSocialContribution=New social/fiscal tax AddSocialContribution=Add social/fiscal tax ContributionsToPay=Social/fiscal taxes to pay -AccountancyTreasuryArea=Raamatupidamise/vara ala +AccountancyTreasuryArea=Billing and payment area NewPayment=Uus makse Payments=Maksed PaymentCustomerInvoice=Müügiarve makse @@ -105,6 +106,7 @@ VATPayment=Sales tax payment VATPayments=Sales tax payments VATRefund=Sales tax refund NewVATPayment=New sales tax payment +NewLocalTaxPayment=New tax %s payment Refund=Refund SocialContributionsPayments=Social/fiscal taxes payments ShowVatPayment=Näita käibemaksu makset @@ -116,8 +118,9 @@ CustomerAccountancyCodeShort=Cust. account. code SupplierAccountancyCodeShort=Sup. account. code AccountNumber=Konto number NewAccountingAccount=Uus konto -SalesTurnover=Müügikäive -SalesTurnoverMinimum=Minimaalne müügikäive +Turnover=Turnover invoiced +TurnoverCollected=Turnover collected +SalesTurnoverMinimum=Minimum turnover ByExpenseIncome=By expenses & incomes ByThirdParties=Kolmandate isikute poolt ByUserAuthorOfInvoice=Arve koostaja poolt @@ -137,8 +140,8 @@ 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=Režiim %sNõuded-Võlad%s nõuab tekkepõhist raamatupidamist. -CalcModeEngagement=Režiim %sTulud-Kulud%s nõuab kassapõhist raamatupidamist. +CalcModeDebt=Analysis of known recorded invoices 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 CalcModeLT1Debt=Mode %sRE on customer invoices%s @@ -151,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=Vaata aruannet %sTulud-Kulud%sS, mis kasutab kassapõhist raamatupidamist, et teostada arvutusi tegelike maksete põhjal -SeeReportInDueDebtMode=Vaata aruannet %sTulud-Kulud%sS, mis kasutab tekkepõhist raamatupidamist, et teostada arvutusi väljastatud arvete põhjal -SeeReportInBookkeepingMode=See report %sBookeeping%s for a calculation on bookkeeping table analysis +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 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 validation date of invoices and VAT and on the due date for expenses. 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. @@ -218,8 +221,8 @@ Mode1=Meetod 1 Mode2=Meetod 2 CalculationRuleDesc=KM kogusumma arvutamiseks on kaks meetodit:
Meetod 1 ümardab käibemaksu igal real ja siis summeerib.
Meetod 2 summeerib käibemaksu igal real ja siis ümardab tulemuse.
Lõppsumma võib erineda mõne sendi täpsusega. Vaikimisi režiim on režiim %s. CalculationRuleDescSupplier=According to supplier, choose appropriate method to apply same calculation rule and get same result expected by your supplier. -TurnoverPerProductInCommitmentAccountingNotRelevant=The Turnover report per product, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). -TurnoverPerSaleTaxRateInCommitmentAccountingNotRelevant=The Turnover report per sale tax rate, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). +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. CalculationMode=Arvutusrežiim AccountancyJournal=Accounting code journal ACCOUNTING_VAT_SOLD_ACCOUNT=Accounting account by default for VAT on sales (used if not defined on VAT dictionary setup) @@ -251,5 +254,6 @@ VATDue=Sale tax claimed ClaimedForThisPeriod=Claimed for the period PaidDuringThisPeriod=Paid during this period ByVatRate=By sale tax rate -TurnoverbyVatrate=Turnover by sale tax rate +TurnoverbyVatrate=Turnover invoiced by sale tax rate +TurnoverCollectedbyVatrate=Turnover collected by sale tax rate PurchasebyVatrate=Purchase by sale tax rate diff --git a/htdocs/langs/et_EE/install.lang b/htdocs/langs/et_EE/install.lang index 0e5440888cbcb..7da4352d7dfb7 100644 --- a/htdocs/langs/et_EE/install.lang +++ b/htdocs/langs/et_EE/install.lang @@ -204,3 +204,7 @@ MigrationResetBlockedLog=Reset module BlockedLog for v7 algorithm ShowNotAvailableOptions=Näita mitte saadaval olevaid lisavalikuid HideNotAvailableOptions=Peida mitte saadaval olevad lisavalikud ErrorFoundDuringMigration=Error were reported during migration process so next step is not available. To ignore errors, you can click here, but application or some features may not work correctly until fixed. +YouTryInstallDisabledByDirLock=The application try to sefl upgrade, but install/upgrade pages have been disabled for security reason (directory renamed with .lock suffix).
+YouTryInstallDisabledByFileLock=The application try to sefl upgrade, but install/upgrade pages pages have been disabled for security reason (by lock file install.lock into dolibarr documents directory).
+ClickHereToGoToApp=Click here to go to your application +ClickOnLinkOrRemoveManualy=Click on following link and if you always reach this page, you must remove the file install.lock into documents directory manually diff --git a/htdocs/langs/et_EE/main.lang b/htdocs/langs/et_EE/main.lang index 783f08f143562..6009bcbf1414d 100644 --- a/htdocs/langs/et_EE/main.lang +++ b/htdocs/langs/et_EE/main.lang @@ -507,6 +507,7 @@ NoneF=Puudub NoneOrSeveral=None or several Late=Hilja LateDesc=Delay to define if a record is late or not depends on your setup. Ask your admin to change delay from menu Home - Setup - Alerts. +NoItemLate=No late item Photo=Pilt Photos=Pildid AddPhoto=Lisa pilt @@ -945,3 +946,5 @@ KeyboardShortcut=Keyboard shortcut AssignedTo=Mõjutatud isik Deletedraft=Delete draft ConfirmMassDraftDeletion=Draft Bulk delete confirmation +FileSharedViaALink=File shared via a link + diff --git a/htdocs/langs/et_EE/modulebuilder.lang b/htdocs/langs/et_EE/modulebuilder.lang index a3fee23cb53b5..9d6661eda41d6 100644 --- a/htdocs/langs/et_EE/modulebuilder.lang +++ b/htdocs/langs/et_EE/modulebuilder.lang @@ -74,6 +74,7 @@ NoWidget=No widget GoToApiExplorer=Go to API explorer ListOfMenusEntries=List of menu entries ListOfPermissionsDefined=List of defined permissions +SeeExamples=See examples here EnabledDesc=Condition to have this field active (Examples: 1 or $conf->global->MYMODULE_MYOPTION) VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only. Using a negative value means field is not shown by default on list but can be selected for viewing) IsAMeasureDesc=Can the value of field be cumulated to get a total into list ? (Examples: 1 or 0) @@ -95,3 +96,6 @@ DropTableIfEmpty=(Delete table if empty) TableDoesNotExists=The table %s does not exists TableDropped=Table %s deleted InitStructureFromExistingTable=Build the structure array string of an existing table +UseAboutPage=Disallow the about page +UseDocFolder=Disallow the documentation folder +UseSpecificReadme=Use a specific ReadMe diff --git a/htdocs/langs/et_EE/other.lang b/htdocs/langs/et_EE/other.lang index 11d3b4a66cc2b..9eed5ac17b1a4 100644 --- a/htdocs/langs/et_EE/other.lang +++ b/htdocs/langs/et_EE/other.lang @@ -80,8 +80,8 @@ LinkedObject=Seostatud objekt NbOfActiveNotifications=Number of notifications (nb of recipient emails) PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe two lines are separated by a carriage return.\n\n__USER_SIGNATURE__ PredefinedMailTestHtml=__(Hello)__\nThis is a test mail (the word test must be in bold).
The two lines are separated by a carriage return.

__USER_SIGNATURE__ -PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\nThis is the link to make your online payment if this invoice is not already payed:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\nThis is the link to make your online payment:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendProposal=__(Hello)__\n\nYou will find here the commercial proposal __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendSupplierProposal=__(Hello)__\n\nYou will find here the price request __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendOrder=__(Hello)__\n\nYou will find here the order __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ @@ -91,6 +91,7 @@ PredefinedMailContentSendShipping=__(Hello)__\n\nYou will find here the shipping PredefinedMailContentSendFichInter=__(Hello)__\n\nYou will find here the intervention __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentThirdparty=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentUser=__(Hello)__\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 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) @@ -218,7 +219,7 @@ FileIsTooBig=Failid on liiga suured PleaseBePatient=Palun ole kannatlik... NewPassword=New password ResetPassword=Reset password -RequestToResetPasswordReceived=A request to change your password has been received +RequestToResetPasswordReceived=A request to change your password has been received. NewKeyIs=Uued sisselogimise tunnused NewKeyWillBe=Uus tarkvarasse sisselogimise salasõna on ClickHereToGoTo=Klõpsa siia, et minna %s diff --git a/htdocs/langs/et_EE/paypal.lang b/htdocs/langs/et_EE/paypal.lang index 1ab35e4e17f3c..b8fbb7d6ad811 100644 --- a/htdocs/langs/et_EE/paypal.lang +++ b/htdocs/langs/et_EE/paypal.lang @@ -14,7 +14,6 @@ PaypalModeOnlyPaypal=Ainult PayPal ONLINE_PAYMENT_CSS_URL=Optionnal URL of CSS style sheet on online payment page ThisIsTransactionId=See on tehingu ID: %s PAYPAL_ADD_PAYMENT_URL=Lisa PayPali makse URL, kui dokument saadetakse postiga -PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.

%s

YouAreCurrentlyInSandboxMode=You are currently in the %s "sandbox" mode NewOnlinePaymentReceived=New online payment received NewOnlinePaymentFailed=New online payment tried but failed diff --git a/htdocs/langs/et_EE/products.lang b/htdocs/langs/et_EE/products.lang index d921471d1e567..0edeb659ff64c 100644 --- a/htdocs/langs/et_EE/products.lang +++ b/htdocs/langs/et_EE/products.lang @@ -251,8 +251,8 @@ PriceNumeric=Arv DefaultPrice=Default price ComposedProductIncDecStock=Increase/Decrease stock on parent change ComposedProduct=Sub-product -MinSupplierPrice=Minimum supplier price -MinCustomerPrice=Minimum customer price +MinSupplierPrice=Minimaalne ostuhind +MinCustomerPrice=Minimum selling price DynamicPriceConfiguration=Dynamic price configuration DynamicPriceDesc=On product card, with this module enabled, you should be able to set mathematic functions to calculate Customer or Supplier prices. Such function can use all mathematic operators, some constants and variables. You can set here the variables you want to be able to use and if the variable need an automatic update, the external URL to use to ask Dolibarr to update automaticaly the value. AddVariable=Add Variable diff --git a/htdocs/langs/et_EE/propal.lang b/htdocs/langs/et_EE/propal.lang index 91191d2e5f7e2..5d8cb34b3e982 100644 --- a/htdocs/langs/et_EE/propal.lang +++ b/htdocs/langs/et_EE/propal.lang @@ -75,6 +75,7 @@ AvailabilityTypeAV_1M=1 kuu TypeContact_propal_internal_SALESREPFOLL=Pakkumise järelkajaga tegelev müügiesindaja TypeContact_propal_external_BILLING=Müügiarve kontakt TypeContact_propal_external_CUSTOMER=Kliendi kontakt pakkumise järelkaja jaoks +TypeContact_propal_external_SHIPPING=Customer contact for delivery # Document models DocModelAzurDescription=Pakkumise täielik mudel (logo jne) DefaultModelPropalCreate=Vaikimisi mudeli loomine diff --git a/htdocs/langs/et_EE/sendings.lang b/htdocs/langs/et_EE/sendings.lang index 8693da6665f2d..e394dd67ef870 100644 --- a/htdocs/langs/et_EE/sendings.lang +++ b/htdocs/langs/et_EE/sendings.lang @@ -52,8 +52,8 @@ ActionsOnShipping=Saatmisel toimuvad tegevused LinkToTrackYourPackage=Paki jälgimise link ShipmentCreationIsDoneFromOrder=Praegu luuakse saadetised tellimuse kaardilt. ShipmentLine=Saadetise rida -ProductQtyInCustomersOrdersRunning=Product quantity into open customers orders -ProductQtyInSuppliersOrdersRunning=Product quantity into open suppliers orders +ProductQtyInCustomersOrdersRunning=Product quantity into open customer orders +ProductQtyInSuppliersOrdersRunning=Product quantity into open purchase orders ProductQtyInShipmentAlreadySent=Product quantity from open customer order already sent ProductQtyInSuppliersShipmentAlreadyRecevied=Product quantity from open supplier order already received NoProductToShipFoundIntoStock=No product to ship found into warehouse %s. Correct stock or go back to choose another warehouse. diff --git a/htdocs/langs/et_EE/stocks.lang b/htdocs/langs/et_EE/stocks.lang index 321441fa47319..d937f6dc8da11 100644 --- a/htdocs/langs/et_EE/stocks.lang +++ b/htdocs/langs/et_EE/stocks.lang @@ -67,7 +67,7 @@ DeStockOnValidateOrder=Vähenda reaalset laojääki müügitellimuse kinnitamise DeStockOnShipment=Decrease real stocks on shipping validation DeStockOnShipmentOnClosing=Decrease real stocks on shipping classification closed ReStockOnBill=Suurenda reaalset laojääki ostuarvete/kreeditarvete kinnitamisel -ReStockOnValidateOrder=Suurenda reaalset laojääki ostutellimuste heaks kiitmisel +ReStockOnValidateOrder=Increase real stocks on purchase orders approbation ReStockOnDispatchOrder=Increase real stocks on manual dispatching into warehouses, after supplier order receipt of goods OrderStatusNotReadyToDispatch=Tellimus kas ei ole veel jõudnud või ei ole enam staatuses, mis lubab toodete lattu saatmist. StockDiffPhysicTeoric=Explanation for difference between physical and virtual stock @@ -203,4 +203,4 @@ RegulateStock=Regulate Stock ListInventory=Loend StockSupportServices=Stock management support services StockSupportServicesDesc=By default, you can stock only product with type "product". If on, and if module service is on, you can also stock a product with type "service" -ReceiveProducts=Receive products +ReceiveProducts=Receive items diff --git a/htdocs/langs/et_EE/users.lang b/htdocs/langs/et_EE/users.lang index 2f7ce90a2575a..99a26285e53eb 100644 --- a/htdocs/langs/et_EE/users.lang +++ b/htdocs/langs/et_EE/users.lang @@ -48,7 +48,7 @@ PasswordChangeRequest=Request to change password for %s PasswordChangeRequestSent=Kasutaja %s salasõna muutmise plave saadetud aadressile %s. ConfirmPasswordReset=Confirm password reset MenuUsersAndGroups=Kasutajad ja grupid -LastGroupsCreated=Latest %s created groups +LastGroupsCreated=Latest %s groups created LastUsersCreated=Latest %s users created ShowGroup=Näita gruppi ShowUser=Näita kasutajat diff --git a/htdocs/langs/eu_ES/accountancy.lang b/htdocs/langs/eu_ES/accountancy.lang index daa159280969a..04bbaa447e791 100644 --- a/htdocs/langs/eu_ES/accountancy.lang +++ b/htdocs/langs/eu_ES/accountancy.lang @@ -55,6 +55,7 @@ AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from m AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s AccountancyAreaDescVat=STEP %s: Define accounting accounts for each VAT Rates. For this, use the menu entry %s. +AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. AccountancyAreaDescExpenseReport=STEP %s: Define default accounting accounts for each type of expense report. For this, use the menu entry %s. AccountancyAreaDescSal=STEP %s: Define default accounting accounts for payment of salaries. For this, use the menu entry %s. AccountancyAreaDescContrib=STEP %s: Define default accounting accounts for special expences (miscellaneous taxes). For this, use the menu entry %s. @@ -131,6 +132,7 @@ ACCOUNTING_LENGTH_GACCOUNT=Length of the general accounting accounts (If you set 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 zero at the end of an accounting account. Needed by some countries (like switzerland). If keep to off (default), you can set the 2 following parameters to ask application to add virtual zero. BANK_DISABLE_DIRECT_INPUT=Disable direct recording of transaction in bank account +ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Enable draft export on journal ACCOUNTING_SELL_JOURNAL=Sell journal ACCOUNTING_PURCHASE_JOURNAL=Purchase journal diff --git a/htdocs/langs/eu_ES/admin.lang b/htdocs/langs/eu_ES/admin.lang index 86659159e5e5e..2a3e3059af1cb 100644 --- a/htdocs/langs/eu_ES/admin.lang +++ b/htdocs/langs/eu_ES/admin.lang @@ -454,7 +454,7 @@ ModuleCompanyCodeDigitaria=Accounting code depends on third party code. The code Use3StepsApproval=By default, Purchase Orders need to be created and approved by 2 different users (one step/user to create and one step/user to approve. Note that if user has both permission to create and approve, one step/user will be enough). You can ask with this option to introduce a third step/user approval, if amount is higher than a dedicated value (so 3 steps will be necessary: 1=validation, 2=first approval and 3=second approval if amount is enough).
Set this to empty if one approval (2 steps) is enough, set it to a very low value (0.1) if a second approval (3 steps) is always required. UseDoubleApproval=Use a 3 steps approval when amount (without tax) is higher than... WarningPHPMail=WARNING: It is often better to setup outgoing emails to use the email server of your provider instead of the default setup. Some email providers (like Yahoo) does not allow you to send an email from another server than their own server. Your current setup use 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 a server of them, so few of your sent Emails may not be accepted (be carefull also to your email provider sending quota).
If your Email provider (like Yahoo) has this restriction, you must change Email setup to choose the other method "SMTP server" and enter the SMTP server and credentials provided by your Email provider (ask your EMail provider to get SMTP credentials for your account). -WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of your ERP CRM application: %s. +WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of the mail user agent (MUA) for your ERP CRM application: %s. ClickToShowDescription=Click to show description DependsOn=This module need the module(s) RequiredBy=This module is required by module(s) @@ -497,7 +497,7 @@ Module25Desc=Bezeroen eskaerak kudeatzea Module30Name=Fakturak Module30Desc=Invoice and credit note management for customers. Invoice management for suppliers Module40Name=Hornitzaileak -Module40Desc=Supplier management and buying (orders and invoices) +Module40Desc=Suppliers and purchase management (purchase orders and billing) Module42Name=Debug Logs Module42Desc=Logging facilities (file, syslog, ...). Such logs are for technical/debug purposes. Module49Name=Editoreak @@ -605,7 +605,7 @@ Module4000Desc=Human resources management (management of department, employee co Module5000Name=Multi-company Module5000Desc=Allows you to manage multiple companies Module6000Name=Workflow -Module6000Desc=Workflow management +Module6000Desc=Workflow management (automatic creation of object and/or automatic status change) Module10000Name=Websites Module10000Desc=Create public websites with a WYSIWG editor. Just setup your web server (Apache, Nginx, ...) to point to the dedicated Dolibarr directory to have it online on the Internet with your own domain name. Module20000Name=Leave Requests management @@ -891,7 +891,7 @@ DictionaryCivility=Personal and professional titles DictionaryActions=Types of agenda events DictionarySocialContributions=Social or fiscal taxes types DictionaryVAT=VAT Rates or Sales Tax Rates -DictionaryRevenueStamp=Amount of revenue stamps +DictionaryRevenueStamp=Amount of tax stamps DictionaryPaymentConditions=Payment terms DictionaryPaymentModes=Payment modes DictionaryTypeContact=Contact/Address types @@ -919,7 +919,7 @@ SetupSaved=Setup saved SetupNotSaved=Setup not saved BackToModuleList=Back to modules list BackToDictionaryList=Back to dictionaries list -TypeOfRevenueStamp=Type of revenue stamp +TypeOfRevenueStamp=Type of tax stamp VATManagement=BEZ-a kudeatzea VATIsUsedDesc=By default when creating prospects, invoices, orders etc the VAT rate follows the active standard rule:
If the seller is not subjected to VAT, then VAT defaults to 0. End of rule.
If the (selling country= buying country), then the VAT by default equals the VAT of the product in the selling country. End of rule.
If seller and buyer are both in the European Community and goods are transport products (car, ship, plane), the default VAT is 0 ( The VAT should be paid by the buyer to the customoffice of his country and not to the seller). End of rule.
If seller and buyer are both in the European Community and the buyer is not a company, then the VAT by defaults to the VAT of the product sold. End of rule.
If seller and buyer are both in the European Community and the buyer is a company, then the VAT is 0 by default . End of rule.
In any othe case the proposed default is VAT=0. End of rule. VATIsNotUsedDesc=By default the proposed VAT is 0 which can be used for cases like associations, individuals ou small companies. @@ -1027,7 +1027,7 @@ Delays_MAIN_DELAY_ACTIONS_TODO=Delay tolerance (in days) before alert on planned Delays_MAIN_DELAY_PROJECT_TO_CLOSE=Delay tolerance (in days) before alert on project not closed in time Delays_MAIN_DELAY_TASKS_TODO=Delay tolerance (in days) before alert on planned tasks (project tasks) not completed yet Delays_MAIN_DELAY_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on orders not processed yet -Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on suppliers orders not processed yet +Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on purchase orders not processed yet Delays_MAIN_DELAY_PROPALS_TO_CLOSE=Delay tolerance (in days) before alert on proposals to close Delays_MAIN_DELAY_PROPALS_TO_BILL=Delay tolerance (in days) before alert on proposals not billed Delays_MAIN_DELAY_NOT_ACTIVATED_SERVICES=Tolerance delay (in days) before alert on services to activate @@ -1458,7 +1458,7 @@ SyslogFilename=Fitxategiaren izena eta kokapena YouCanUseDOL_DATA_ROOT=You can use DOL_DATA_ROOT/dolibarr.log for a log file in Dolibarr "documents" directory. You can set a different path to store this file. ErrorUnknownSyslogConstant=%s konstantea ez da Syslog-eko konstante ezaguna OnlyWindowsLOG_USER=Windows-ek LOG_USER soilik jasaten du -CompressSyslogs=Syslog files compression and backup +CompressSyslogs=Compression and backup of debug log files (generated by module Log for debug) SyslogFileNumberOfSaves=Log backups ConfigureCleaningCronjobToSetFrequencyOfSaves=Configure cleaning scheduled job to set log backup frequency ##### Donations ##### diff --git a/htdocs/langs/eu_ES/banks.lang b/htdocs/langs/eu_ES/banks.lang index 21f332fa23133..df45008a7c2c9 100644 --- a/htdocs/langs/eu_ES/banks.lang +++ b/htdocs/langs/eu_ES/banks.lang @@ -1,12 +1,13 @@ # Dolibarr language file - Source file is en_US - banks Bank=Bank -MenuBankCash=Bank/Cash +MenuBankCash=Bank | Cash MenuVariousPayment=Miscellaneous payments MenuNewVariousPayment=New Miscellaneous payment BankName=Bank name FinancialAccount=Account BankAccount=Bank account BankAccounts=Bank accounts +BankAccountsAndGateways=Bank accounts | Gateways ShowAccount=Show Account AccountRef=Financial account ref AccountLabel=Financial account label @@ -131,7 +132,7 @@ PaymentDateUpdateSucceeded=Payment date updated successfully PaymentDateUpdateFailed=Payment date could not be updated Transactions=Transactions BankTransactionLine=Bank entry -AllAccounts=All bank/cash accounts +AllAccounts=All bank and cash accounts BackToAccount=Back to account ShowAllAccounts=Show for all accounts FutureTransaction=Transaction in futur. No way to conciliate. @@ -159,5 +160,6 @@ VariousPayment=Miscellaneous payments VariousPayments=Miscellaneous payments ShowVariousPayment=Show miscellaneous payments AddVariousPayment=Add miscellaneous payments +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. Thanks to return it signed (scan of the signed document) or sent it by mail to diff --git a/htdocs/langs/eu_ES/bills.lang b/htdocs/langs/eu_ES/bills.lang index f02b220056664..56180c5d0f97c 100644 --- a/htdocs/langs/eu_ES/bills.lang +++ b/htdocs/langs/eu_ES/bills.lang @@ -110,8 +110,8 @@ SendRemindByMail=Oroigarria e-postaz bidali DoPayment=Enter payment DoPaymentBack=Enter refund ConvertToReduc=Mark as credit available -ConvertExcessReceivedToReduc=Convert excess received into future discount -ConvertExcessPaidToReduc=Convert excess paid into future discount +ConvertExcessReceivedToReduc=Convert excess received into available credit +ConvertExcessPaidToReduc=Convert excess paid into available discount EnterPaymentReceivedFromCustomer=Enter payment received from customer EnterPaymentDueToCustomer=Make payment due to customer DisabledBecauseRemainderToPayIsZero=Disabled because remaining unpaid is zero @@ -282,6 +282,7 @@ RelativeDiscount=Relative discount GlobalDiscount=Global discount CreditNote=Credit note CreditNotes=Credit notes +CreditNotesOrExcessReceived=Credit notes or excess received Deposit=Down payment Deposits=Down payments DiscountFromCreditNote=Discount from credit note %s @@ -393,6 +394,7 @@ PaymentConditionShort14DENDMONTH=14 days of month-end PaymentCondition14DENDMONTH=Within 14 days following the end of the month FixAmount=Fix amount VarAmount=Variable amount (%% tot.) +VarAmountOneLine=Variable amount (%% tot.) - 1 line with label '%s' # PaymentType PaymentTypeVIR=Bank transfer PaymentTypeShortVIR=Bank transfer diff --git a/htdocs/langs/eu_ES/compta.lang b/htdocs/langs/eu_ES/compta.lang index fc5943935e3b4..ca2d262e6c0f8 100644 --- a/htdocs/langs/eu_ES/compta.lang +++ b/htdocs/langs/eu_ES/compta.lang @@ -19,7 +19,8 @@ Income=Income Outcome=Expense MenuReportInOut=Income / Expense ReportInOut=Balance of income and expenses -ReportTurnover=Turnover +ReportTurnover=Turnover invoiced +ReportTurnoverCollected=Turnover collected PaymentsNotLinkedToInvoice=Payments not linked to any invoice, so not linked to any third party PaymentsNotLinkedToUser=Payments not linked to any user Profit=Profit @@ -77,7 +78,7 @@ MenuNewSocialContribution=New social/fiscal tax NewSocialContribution=New social/fiscal tax AddSocialContribution=Add social/fiscal tax ContributionsToPay=Social/fiscal taxes to pay -AccountancyTreasuryArea=Accountancy/Treasury area +AccountancyTreasuryArea=Billing and payment area NewPayment=New payment Payments=Ordainketak PaymentCustomerInvoice=Customer invoice payment @@ -105,6 +106,7 @@ VATPayment=Sales tax payment VATPayments=Sales tax payments VATRefund=Sales tax refund NewVATPayment=New sales tax payment +NewLocalTaxPayment=New tax %s payment Refund=Refund SocialContributionsPayments=Social/fiscal taxes payments ShowVatPayment=Show VAT payment @@ -116,8 +118,9 @@ CustomerAccountancyCodeShort=Cust. account. code SupplierAccountancyCodeShort=Sup. account. code AccountNumber=Account number NewAccountingAccount=New account -SalesTurnover=Sales turnover -SalesTurnoverMinimum=Minimum sales turnover +Turnover=Turnover invoiced +TurnoverCollected=Turnover collected +SalesTurnoverMinimum=Minimum turnover ByExpenseIncome=By expenses & incomes ByThirdParties=By third parties ByUserAuthorOfInvoice=By invoice author @@ -137,8 +140,8 @@ 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=Mode %sClaims-Debts%s said Commitment accounting. -CalcModeEngagement=Mode %sIncomes-Expenses%s said cash accounting +CalcModeDebt=Analysis of known recorded invoices 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 CalcModeLT1Debt=Mode %sRE on customer invoices%s @@ -151,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 report %sIncomes-Expenses%s said cash accounting for a calculation on actual payments made -SeeReportInDueDebtMode=See report %sClaims-Debts%s said commitment accounting for a calculation on issued invoices -SeeReportInBookkeepingMode=See report %sBookeeping%s for a calculation on bookkeeping table analysis +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 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 validation date of invoices and VAT and on the due date for expenses. 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. @@ -218,8 +221,8 @@ 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 supplier, choose appropriate method to apply same calculation rule and get same result expected by your supplier. -TurnoverPerProductInCommitmentAccountingNotRelevant=The Turnover report per product, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). -TurnoverPerSaleTaxRateInCommitmentAccountingNotRelevant=The Turnover report per sale tax rate, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). +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. CalculationMode=Calculation mode AccountancyJournal=Accounting code journal ACCOUNTING_VAT_SOLD_ACCOUNT=Accounting account by default for VAT on sales (used if not defined on VAT dictionary setup) @@ -251,5 +254,6 @@ VATDue=Sale tax claimed ClaimedForThisPeriod=Claimed for the period PaidDuringThisPeriod=Paid during this period ByVatRate=By sale tax rate -TurnoverbyVatrate=Turnover by sale tax rate +TurnoverbyVatrate=Turnover invoiced by sale tax rate +TurnoverCollectedbyVatrate=Turnover collected by sale tax rate PurchasebyVatrate=Purchase by sale tax rate diff --git a/htdocs/langs/eu_ES/install.lang b/htdocs/langs/eu_ES/install.lang index 587d4f83da6c6..fb521c0c08565 100644 --- a/htdocs/langs/eu_ES/install.lang +++ b/htdocs/langs/eu_ES/install.lang @@ -204,3 +204,7 @@ MigrationResetBlockedLog=Reset module BlockedLog for v7 algorithm ShowNotAvailableOptions=Show not available options HideNotAvailableOptions=Hide not available options ErrorFoundDuringMigration=Error were reported during migration process so next step is not available. To ignore errors, you can click here, but application or some features may not work correctly until fixed. +YouTryInstallDisabledByDirLock=The application try to sefl upgrade, but install/upgrade pages have been disabled for security reason (directory renamed with .lock suffix).
+YouTryInstallDisabledByFileLock=The application try to sefl upgrade, but install/upgrade pages pages have been disabled for security reason (by lock file install.lock into dolibarr documents directory).
+ClickHereToGoToApp=Click here to go to your application +ClickOnLinkOrRemoveManualy=Click on following link and if you always reach this page, you must remove the file install.lock into documents directory manually diff --git a/htdocs/langs/eu_ES/main.lang b/htdocs/langs/eu_ES/main.lang index ce414364daca4..28dfdbd078ccf 100644 --- a/htdocs/langs/eu_ES/main.lang +++ b/htdocs/langs/eu_ES/main.lang @@ -507,6 +507,7 @@ NoneF=None NoneOrSeveral=None or several Late=Late LateDesc=Delay to define if a record is late or not depends on your setup. Ask your admin to change delay from menu Home - Setup - Alerts. +NoItemLate=No late item Photo=Irudia Photos=Irudiak AddPhoto=Irudia gehitu @@ -945,3 +946,5 @@ KeyboardShortcut=Keyboard shortcut AssignedTo=Assigned to Deletedraft=Delete draft ConfirmMassDraftDeletion=Draft Bulk delete confirmation +FileSharedViaALink=File shared via a link + diff --git a/htdocs/langs/eu_ES/modulebuilder.lang b/htdocs/langs/eu_ES/modulebuilder.lang index a3fee23cb53b5..9d6661eda41d6 100644 --- a/htdocs/langs/eu_ES/modulebuilder.lang +++ b/htdocs/langs/eu_ES/modulebuilder.lang @@ -74,6 +74,7 @@ NoWidget=No widget GoToApiExplorer=Go to API explorer ListOfMenusEntries=List of menu entries ListOfPermissionsDefined=List of defined permissions +SeeExamples=See examples here EnabledDesc=Condition to have this field active (Examples: 1 or $conf->global->MYMODULE_MYOPTION) VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only. Using a negative value means field is not shown by default on list but can be selected for viewing) IsAMeasureDesc=Can the value of field be cumulated to get a total into list ? (Examples: 1 or 0) @@ -95,3 +96,6 @@ DropTableIfEmpty=(Delete table if empty) TableDoesNotExists=The table %s does not exists TableDropped=Table %s deleted InitStructureFromExistingTable=Build the structure array string of an existing table +UseAboutPage=Disallow the about page +UseDocFolder=Disallow the documentation folder +UseSpecificReadme=Use a specific ReadMe diff --git a/htdocs/langs/eu_ES/other.lang b/htdocs/langs/eu_ES/other.lang index e6b190af1de2e..9485b1c770960 100644 --- a/htdocs/langs/eu_ES/other.lang +++ b/htdocs/langs/eu_ES/other.lang @@ -80,8 +80,8 @@ LinkedObject=Linked object NbOfActiveNotifications=Number of notifications (nb of recipient emails) PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe two lines are separated by a carriage return.\n\n__USER_SIGNATURE__ PredefinedMailTestHtml=__(Hello)__\nThis is a test mail (the word test must be in bold).
The two lines are separated by a carriage return.

__USER_SIGNATURE__ -PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\nThis is the link to make your online payment if this invoice is not already payed:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\nThis is the link to make your online payment:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendProposal=__(Hello)__\n\nYou will find here the commercial proposal __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendSupplierProposal=__(Hello)__\n\nYou will find here the price request __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendOrder=__(Hello)__\n\nYou will find here the order __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ @@ -91,6 +91,7 @@ PredefinedMailContentSendShipping=__(Hello)__\n\nYou will find here the shipping PredefinedMailContentSendFichInter=__(Hello)__\n\nYou will find here the intervention __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentThirdparty=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentUser=__(Hello)__\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 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) @@ -218,7 +219,7 @@ 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 +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 diff --git a/htdocs/langs/eu_ES/paypal.lang b/htdocs/langs/eu_ES/paypal.lang index 600245dc658a1..68c5b0aefa1b8 100644 --- a/htdocs/langs/eu_ES/paypal.lang +++ b/htdocs/langs/eu_ES/paypal.lang @@ -14,7 +14,6 @@ PaypalModeOnlyPaypal=PayPal only ONLINE_PAYMENT_CSS_URL=Optionnal URL of CSS style sheet on online payment page ThisIsTransactionId=This is id of transaction: %s PAYPAL_ADD_PAYMENT_URL=Add the url of Paypal payment when you send a document by mail -PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.

%s

YouAreCurrentlyInSandboxMode=You are currently in the %s "sandbox" mode NewOnlinePaymentReceived=New online payment received NewOnlinePaymentFailed=New online payment tried but failed diff --git a/htdocs/langs/eu_ES/products.lang b/htdocs/langs/eu_ES/products.lang index 8ad945d44881d..3bdc9aed7abeb 100644 --- a/htdocs/langs/eu_ES/products.lang +++ b/htdocs/langs/eu_ES/products.lang @@ -251,8 +251,8 @@ PriceNumeric=Zenbakia DefaultPrice=Default price ComposedProductIncDecStock=Increase/Decrease stock on parent change ComposedProduct=Sub-product -MinSupplierPrice=Minimum supplier price -MinCustomerPrice=Minimum customer price +MinSupplierPrice=Minimum buying price +MinCustomerPrice=Minimum selling price DynamicPriceConfiguration=Dynamic price configuration DynamicPriceDesc=On product card, with this module enabled, you should be able to set mathematic functions to calculate Customer or Supplier prices. Such function can use all mathematic operators, some constants and variables. You can set here the variables you want to be able to use and if the variable need an automatic update, the external URL to use to ask Dolibarr to update automaticaly the value. AddVariable=Add Variable diff --git a/htdocs/langs/eu_ES/propal.lang b/htdocs/langs/eu_ES/propal.lang index 04941e4c650f3..8cf3a68167ae6 100644 --- a/htdocs/langs/eu_ES/propal.lang +++ b/htdocs/langs/eu_ES/propal.lang @@ -75,6 +75,7 @@ AvailabilityTypeAV_1M=1 month TypeContact_propal_internal_SALESREPFOLL=Representative following-up proposal TypeContact_propal_external_BILLING=Customer invoice contact TypeContact_propal_external_CUSTOMER=Customer contact following-up proposal +TypeContact_propal_external_SHIPPING=Customer contact for delivery # Document models DocModelAzurDescription=A complete proposal model (logo...) DefaultModelPropalCreate=Default model creation diff --git a/htdocs/langs/eu_ES/sendings.lang b/htdocs/langs/eu_ES/sendings.lang index 051f0ac2c885e..50bed3fceaf30 100644 --- a/htdocs/langs/eu_ES/sendings.lang +++ b/htdocs/langs/eu_ES/sendings.lang @@ -52,8 +52,8 @@ ActionsOnShipping=Events on shipment LinkToTrackYourPackage=Link to track your package ShipmentCreationIsDoneFromOrder=For the moment, creation of a new shipment is done from the order card. ShipmentLine=Shipment line -ProductQtyInCustomersOrdersRunning=Product quantity into open customers orders -ProductQtyInSuppliersOrdersRunning=Product quantity into open suppliers orders +ProductQtyInCustomersOrdersRunning=Product quantity into open customer orders +ProductQtyInSuppliersOrdersRunning=Product quantity into open purchase orders ProductQtyInShipmentAlreadySent=Product quantity from open customer order already sent ProductQtyInSuppliersShipmentAlreadyRecevied=Product quantity from open supplier order already received NoProductToShipFoundIntoStock=No product to ship found into warehouse %s. Correct stock or go back to choose another warehouse. diff --git a/htdocs/langs/eu_ES/stocks.lang b/htdocs/langs/eu_ES/stocks.lang index 7b3a6615365de..1e704eacc2d13 100644 --- a/htdocs/langs/eu_ES/stocks.lang +++ b/htdocs/langs/eu_ES/stocks.lang @@ -67,7 +67,7 @@ DeStockOnValidateOrder=Decrease real stocks on customers orders validation DeStockOnShipment=Decrease real stocks on shipping validation DeStockOnShipmentOnClosing=Decrease real stocks on shipping classification closed ReStockOnBill=Increase real stocks on suppliers invoices/credit notes validation -ReStockOnValidateOrder=Increase real stocks on suppliers orders approbation +ReStockOnValidateOrder=Increase real stocks on purchase orders approbation ReStockOnDispatchOrder=Increase real stocks on manual dispatching into warehouses, after supplier order receipt of goods 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 @@ -203,4 +203,4 @@ RegulateStock=Regulate Stock ListInventory=List StockSupportServices=Stock management support services StockSupportServicesDesc=By default, you can stock only product with type "product". If on, and if module service is on, you can also stock a product with type "service" -ReceiveProducts=Receive products +ReceiveProducts=Receive items diff --git a/htdocs/langs/eu_ES/users.lang b/htdocs/langs/eu_ES/users.lang index 8bd8fb5f88d60..f1f11d843c6d9 100644 --- a/htdocs/langs/eu_ES/users.lang +++ b/htdocs/langs/eu_ES/users.lang @@ -48,7 +48,7 @@ PasswordChangeRequest=Request to change password for %s PasswordChangeRequestSent=Request to change password for %s sent to %s. ConfirmPasswordReset=Confirm password reset MenuUsersAndGroups=Users & Groups -LastGroupsCreated=Latest %s created groups +LastGroupsCreated=Latest %s groups created LastUsersCreated=Latest %s users created ShowGroup=Show group ShowUser=Show user diff --git a/htdocs/langs/fa_IR/accountancy.lang b/htdocs/langs/fa_IR/accountancy.lang index cf4e45d8bd5e5..1c72baf87a0d3 100644 --- a/htdocs/langs/fa_IR/accountancy.lang +++ b/htdocs/langs/fa_IR/accountancy.lang @@ -55,6 +55,7 @@ AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from m AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s AccountancyAreaDescVat=STEP %s: Define accounting accounts for each VAT Rates. For this, use the menu entry %s. +AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. AccountancyAreaDescExpenseReport=STEP %s: Define default accounting accounts for each type of expense report. For this, use the menu entry %s. AccountancyAreaDescSal=STEP %s: Define default accounting accounts for payment of salaries. For this, use the menu entry %s. AccountancyAreaDescContrib=STEP %s: Define default accounting accounts for special expences (miscellaneous taxes). For this, use the menu entry %s. @@ -131,6 +132,7 @@ ACCOUNTING_LENGTH_GACCOUNT=Length of the general accounting accounts (If you set 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 zero at the end of an accounting account. Needed by some countries (like switzerland). If keep to off (default), you can set the 2 following parameters to ask application to add virtual zero. BANK_DISABLE_DIRECT_INPUT=Disable direct recording of transaction in bank account +ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Enable draft export on journal ACCOUNTING_SELL_JOURNAL=Sell journal ACCOUNTING_PURCHASE_JOURNAL=Purchase journal diff --git a/htdocs/langs/fa_IR/admin.lang b/htdocs/langs/fa_IR/admin.lang index 2be9185620c26..f5614dc4842e0 100644 --- a/htdocs/langs/fa_IR/admin.lang +++ b/htdocs/langs/fa_IR/admin.lang @@ -454,7 +454,7 @@ ModuleCompanyCodeDigitaria=Accounting code depends on third party code. The code Use3StepsApproval=By default, Purchase Orders need to be created and approved by 2 different users (one step/user to create and one step/user to approve. Note that if user has both permission to create and approve, one step/user will be enough). You can ask with this option to introduce a third step/user approval, if amount is higher than a dedicated value (so 3 steps will be necessary: 1=validation, 2=first approval and 3=second approval if amount is enough).
Set this to empty if one approval (2 steps) is enough, set it to a very low value (0.1) if a second approval (3 steps) is always required. UseDoubleApproval=Use a 3 steps approval when amount (without tax) is higher than... WarningPHPMail=WARNING: It is often better to setup outgoing emails to use the email server of your provider instead of the default setup. Some email providers (like Yahoo) does not allow you to send an email from another server than their own server. Your current setup use 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 a server of them, so few of your sent Emails may not be accepted (be carefull also to your email provider sending quota).
If your Email provider (like Yahoo) has this restriction, you must change Email setup to choose the other method "SMTP server" and enter the SMTP server and credentials provided by your Email provider (ask your EMail provider to get SMTP credentials for your account). -WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of your ERP CRM application: %s. +WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of the mail user agent (MUA) for your ERP CRM application: %s. ClickToShowDescription=Click to show description DependsOn=This module need the module(s) RequiredBy=This module is required by module(s) @@ -497,7 +497,7 @@ Module25Desc=مدیریت سفارش مشتری Module30Name=صورت حساب Module30Desc=فاکتور و مدیریت توجه داشته باشید اعتباری برای مشتریان. مدیریت فاکتور برای تامین کنندگان Module40Name=تولید کنندگان -Module40Desc=مدیریت تامین و خرید (سفارشات و فاکتورها) +Module40Desc=Suppliers and purchase management (purchase orders and billing) Module42Name=Debug Logs Module42Desc=Logging facilities (file, syslog, ...). Such logs are for technical/debug purposes. Module49Name=ویراستاران @@ -605,7 +605,7 @@ Module4000Desc=Human resources management (management of department, employee co Module5000Name=چند شرکت Module5000Desc=اجازه می دهد تا به شما برای مدیریت شرکت های متعدد Module6000Name=گردش کار -Module6000Desc=مدیریت گردش کار +Module6000Desc=Workflow management (automatic creation of object and/or automatic status change) Module10000Name=Websites Module10000Desc=Create public websites with a WYSIWG editor. Just setup your web server (Apache, Nginx, ...) to point to the dedicated Dolibarr directory to have it online on the Internet with your own domain name. Module20000Name=Leave Requests management @@ -891,7 +891,7 @@ DictionaryCivility=Personal and professional titles DictionaryActions=Types of agenda events DictionarySocialContributions=Social or fiscal taxes types DictionaryVAT=نرخ مالیات بر ارزش افزوده و یا فروش نرخ مالیات -DictionaryRevenueStamp=مقدار تمبر درآمد +DictionaryRevenueStamp=Amount of tax stamps DictionaryPaymentConditions=شرایط پرداخت DictionaryPaymentModes=حالت های پرداخت DictionaryTypeContact=انواع تماس / آدرس @@ -919,7 +919,7 @@ SetupSaved=راه اندازی نجات داد SetupNotSaved=Setup not saved BackToModuleList=بازگشت به لیست ماژول ها BackToDictionaryList=برگشت به فهرست واژه نامه ها -TypeOfRevenueStamp=Type of revenue stamp +TypeOfRevenueStamp=Type of tax stamp VATManagement=مدیریت مالیات بر ارزش افزوده VATIsUsedDesc=By default when creating prospects, invoices, orders etc the VAT rate follows the active standard rule:
If the seller is not subjected to VAT, then VAT defaults to 0. End of rule.
If the (selling country= buying country), then the VAT by default equals the VAT of the product in the selling country. End of rule.
If seller and buyer are both in the European Community and goods are transport products (car, ship, plane), the default VAT is 0 ( The VAT should be paid by the buyer to the customoffice of his country and not to the seller). End of rule.
If seller and buyer are both in the European Community and the buyer is not a company, then the VAT by defaults to the VAT of the product sold. End of rule.
If seller and buyer are both in the European Community and the buyer is a company, then the VAT is 0 by default . End of rule.
In any othe case the proposed default is VAT=0. End of rule. VATIsNotUsedDesc=به طور پیش فرض مالیات بر ارزش افزوده ارائه شده است 0 که می تواند برای موارد مانند ارتباط استفاده می شود، افراد عضو جدید می توانید شرکت های کوچک است. @@ -1027,7 +1027,7 @@ Delays_MAIN_DELAY_ACTIONS_TODO=Delay tolerance (in days) before alert on planned Delays_MAIN_DELAY_PROJECT_TO_CLOSE=Delay tolerance (in days) before alert on project not closed in time Delays_MAIN_DELAY_TASKS_TODO=Delay tolerance (in days) before alert on planned tasks (project tasks) not completed yet Delays_MAIN_DELAY_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on orders not processed yet -Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on suppliers orders not processed yet +Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on purchase orders not processed yet Delays_MAIN_DELAY_PROPALS_TO_CLOSE=تحمل (در روز) تاخیر قبل از آماده باش در طرح به بستن Delays_MAIN_DELAY_PROPALS_TO_BILL=تحمل (در روز) تاخیر قبل از آماده باش در طرح های ثبت شده در صورتحساب ندارد Delays_MAIN_DELAY_NOT_ACTIVATED_SERVICES=تاخیر تحمل (در روز) قبل از آماده باش در خدمات را به فعال @@ -1458,7 +1458,7 @@ SyslogFilename=نام فایل و مسیر YouCanUseDOL_DATA_ROOT=شما می توانید DOL_DATA_ROOT / dolibarr.log برای یک فایل در "اسناد" Dolibarr دایرکتوری استفاده کنید. شما می توانید راه های مختلفی را برای ذخیره این فایل را. ErrorUnknownSyslogConstant=٪ ثابت است ثابت های Syslog شناخته نشده است OnlyWindowsLOG_USER=ویندوز تنها پشتیبانی از LOG_USER -CompressSyslogs=Syslog files compression and backup +CompressSyslogs=Compression and backup of debug log files (generated by module Log for debug) SyslogFileNumberOfSaves=Log backups ConfigureCleaningCronjobToSetFrequencyOfSaves=Configure cleaning scheduled job to set log backup frequency ##### Donations ##### diff --git a/htdocs/langs/fa_IR/banks.lang b/htdocs/langs/fa_IR/banks.lang index 1a89cbbc589e8..8db4ed8c266e0 100644 --- a/htdocs/langs/fa_IR/banks.lang +++ b/htdocs/langs/fa_IR/banks.lang @@ -1,12 +1,13 @@ # Dolibarr language file - Source file is en_US - banks Bank=بانک -MenuBankCash=بانک/صندوق +MenuBankCash=Bank | Cash MenuVariousPayment=Miscellaneous payments MenuNewVariousPayment=New Miscellaneous payment BankName=نام بانک FinancialAccount=حساب BankAccount=حساب بانکی BankAccounts=حسابهای بانکی +BankAccountsAndGateways=Bank accounts | Gateways ShowAccount=Show Account AccountRef=نيازمندی های حساب مالی شخص AccountLabel=برچسب حساب مالی @@ -131,7 +132,7 @@ PaymentDateUpdateSucceeded=Payment date updated successfully PaymentDateUpdateFailed=تاریخ پرداخت نمی تواند به روز شود Transactions=تراکنش ها BankTransactionLine=Bank entry -AllAccounts=تمام حساب های بانکی / نقدی +AllAccounts=All bank and cash accounts BackToAccount=برگشت به حساب ShowAllAccounts=نمایش برای همه حساب ها FutureTransaction=معامله در futur. هیچ راهی برای مصالحه. @@ -159,5 +160,6 @@ VariousPayment=Miscellaneous payments VariousPayments=Miscellaneous payments ShowVariousPayment=Show miscellaneous payments AddVariousPayment=Add miscellaneous payments +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. Thanks to return it signed (scan of the signed document) or sent it by mail to diff --git a/htdocs/langs/fa_IR/bills.lang b/htdocs/langs/fa_IR/bills.lang index 203fba7a6e965..11e30d192d4a3 100644 --- a/htdocs/langs/fa_IR/bills.lang +++ b/htdocs/langs/fa_IR/bills.lang @@ -110,8 +110,8 @@ SendRemindByMail=ارسال یادآور با ایمیل DoPayment=Enter payment DoPaymentBack=Enter refund ConvertToReduc=Mark as credit available -ConvertExcessReceivedToReduc=Convert excess received into future discount -ConvertExcessPaidToReduc=Convert excess paid into future discount +ConvertExcessReceivedToReduc=Convert excess received into available credit +ConvertExcessPaidToReduc=Convert excess paid into available discount EnterPaymentReceivedFromCustomer=پرداخت های دریافت شده از مشتری را وارد کنید EnterPaymentDueToCustomer=پرداخت با توجه به مشتری DisabledBecauseRemainderToPayIsZero=Disabled because remaining unpaid is zero @@ -282,6 +282,7 @@ RelativeDiscount=تخفیف نسبی GlobalDiscount=تخفیف سراسری CreditNote=توجه داشته باشید اعتباری CreditNotes=یادداشت های اعتباری +CreditNotesOrExcessReceived=Credit notes or excess received Deposit=Down payment Deposits=Down payments DiscountFromCreditNote=تخفیف از اعتبار توجه داشته باشید از٪ s @@ -393,6 +394,7 @@ PaymentConditionShort14DENDMONTH=14 days of month-end PaymentCondition14DENDMONTH=Within 14 days following the end of the month FixAmount=ثابت مقدار VarAmount=مقدار متغیر (٪٪ جمع.) +VarAmountOneLine=Variable amount (%% tot.) - 1 line with label '%s' # PaymentType PaymentTypeVIR=انتقال بانک PaymentTypeShortVIR=انتقال بانک diff --git a/htdocs/langs/fa_IR/compta.lang b/htdocs/langs/fa_IR/compta.lang index 00864db251402..af4635a462499 100644 --- a/htdocs/langs/fa_IR/compta.lang +++ b/htdocs/langs/fa_IR/compta.lang @@ -19,7 +19,8 @@ Income=درامد Outcome=هزینه MenuReportInOut=درآمد / هزینه ReportInOut=Balance of income and expenses -ReportTurnover=حجم معاملات +ReportTurnover=Turnover invoiced +ReportTurnoverCollected=Turnover collected PaymentsNotLinkedToInvoice=پرداخت به هر فاکتور در ارتباط نیست، بنابراین به هر شخص ثالث مرتبط نیست PaymentsNotLinkedToUser=پرداخت به هر کاربر در ارتباط نیست Profit=سود @@ -77,7 +78,7 @@ MenuNewSocialContribution=New social/fiscal tax NewSocialContribution=New social/fiscal tax AddSocialContribution=Add social/fiscal tax ContributionsToPay=Social/fiscal taxes to pay -AccountancyTreasuryArea=منطقه حسابداری / خزانه داری +AccountancyTreasuryArea=Billing and payment area NewPayment=پرداخت جدید Payments=پرداخت PaymentCustomerInvoice=پرداخت صورت حساب به مشتری @@ -105,6 +106,7 @@ VATPayment=Sales tax payment VATPayments=Sales tax payments VATRefund=Sales tax refund NewVATPayment=New sales tax payment +NewLocalTaxPayment=New tax %s payment Refund=Refund SocialContributionsPayments=Social/fiscal taxes payments ShowVatPayment=نمایش پرداخت مالیات بر ارزش افزوده @@ -116,8 +118,9 @@ CustomerAccountancyCodeShort=Cust. account. code SupplierAccountancyCodeShort=Sup. account. code AccountNumber=شماره حساب NewAccountingAccount=حساب کاربری جدید -SalesTurnover=گردش مالی فروش -SalesTurnoverMinimum=حداقل گردش مالی فروش +Turnover=Turnover invoiced +TurnoverCollected=Turnover collected +SalesTurnoverMinimum=Minimum turnover ByExpenseIncome=By expenses & incomes ByThirdParties=توسط اشخاص ثالث ByUserAuthorOfInvoice=توسط نویسنده فاکتور @@ -137,8 +140,8 @@ ConfirmDeleteSocialContribution=Are you sure you want to delete this social/fisc ExportDataset_tax_1=Social and fiscal taxes and payments CalcModeVATDebt=حالت٪ SVAT در تعهد حسابداری٪ است. CalcModeVATEngagement=حالت٪ SVAT در درآمد، هزینه٪ است. -CalcModeDebt=حالت٪ sClaims-بدهی٪ گفت حسابداری تعهد. -CalcModeEngagement=حالت٪ sIncomes، هزینه٪ گفت حسابداری نقدی +CalcModeDebt=Analysis of known recorded invoices 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 CalcModeLT1Debt=حالت٪ SRE در صورت حساب مشتری از٪ s @@ -151,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=مشاهده گزارش٪ sIncomes، هزینه٪ گفت حسابداری نقدی برای محاسبه پرداخت های واقعی ساخته شده است -SeeReportInDueDebtMode=مشاهده گزارش٪ sClaims-بدهی٪ گفت تعهد حسابداری برای محاسبه در فاکتور صادر شده -SeeReportInBookkeepingMode=See report %sBookeeping%s for a calculation on bookkeeping table analysis +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 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 validation date of invoices and VAT and on the due date for expenses. 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. @@ -218,8 +221,8 @@ Mode1=روش 1 Mode2=روش 2 CalculationRuleDesc=برای محاسبه مالیات بر ارزش افزوده در کل، دو روش وجود دارد:
روش 1 است گرد کردن مالیات بر ارزش افزوده در هر خط، و سپس جمع آنها.
روش 2 است جمع تمام مالیات بر ارزش افزوده در هر خط، و سپس گرد کردن نتیجه.
نتیجه نهایی ممکن است از چند سنت متفاوت است. حالت پیش فرض حالت٪ s است. CalculationRuleDescSupplier=According to supplier, choose appropriate method to apply same calculation rule and get same result expected by your supplier. -TurnoverPerProductInCommitmentAccountingNotRelevant=The Turnover report per product, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). -TurnoverPerSaleTaxRateInCommitmentAccountingNotRelevant=The Turnover report per sale tax rate, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). +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. CalculationMode=حالت محاسبه AccountancyJournal=Accounting code journal ACCOUNTING_VAT_SOLD_ACCOUNT=Accounting account by default for VAT on sales (used if not defined on VAT dictionary setup) @@ -251,5 +254,6 @@ VATDue=Sale tax claimed ClaimedForThisPeriod=Claimed for the period PaidDuringThisPeriod=Paid during this period ByVatRate=By sale tax rate -TurnoverbyVatrate=Turnover by sale tax rate +TurnoverbyVatrate=Turnover invoiced by sale tax rate +TurnoverCollectedbyVatrate=Turnover collected by sale tax rate PurchasebyVatrate=Purchase by sale tax rate diff --git a/htdocs/langs/fa_IR/install.lang b/htdocs/langs/fa_IR/install.lang index b7a4bfbac3a50..6e21b063868a0 100644 --- a/htdocs/langs/fa_IR/install.lang +++ b/htdocs/langs/fa_IR/install.lang @@ -204,3 +204,7 @@ MigrationResetBlockedLog=Reset module BlockedLog for v7 algorithm ShowNotAvailableOptions=نمایش گزینه های در دسترس نیست HideNotAvailableOptions=پنهان کردن گزینه های در دسترس نیست ErrorFoundDuringMigration=Error were reported during migration process so next step is not available. To ignore errors, you can click here, but application or some features may not work correctly until fixed. +YouTryInstallDisabledByDirLock=The application try to sefl upgrade, but install/upgrade pages have been disabled for security reason (directory renamed with .lock suffix).
+YouTryInstallDisabledByFileLock=The application try to sefl upgrade, but install/upgrade pages pages have been disabled for security reason (by lock file install.lock into dolibarr documents directory).
+ClickHereToGoToApp=Click here to go to your application +ClickOnLinkOrRemoveManualy=Click on following link and if you always reach this page, you must remove the file install.lock into documents directory manually diff --git a/htdocs/langs/fa_IR/main.lang b/htdocs/langs/fa_IR/main.lang index 27229ba30cbf0..3982487d68380 100644 --- a/htdocs/langs/fa_IR/main.lang +++ b/htdocs/langs/fa_IR/main.lang @@ -507,6 +507,7 @@ NoneF=هیچ یک NoneOrSeveral=None or several Late=دیر LateDesc=Delay to define if a record is late or not depends on your setup. Ask your admin to change delay from menu Home - Setup - Alerts. +NoItemLate=No late item Photo=تصویر Photos=تصاویر AddPhoto=اضافه کردن عکس @@ -945,3 +946,5 @@ KeyboardShortcut=Keyboard shortcut AssignedTo=واگذار شده به Deletedraft=Delete draft ConfirmMassDraftDeletion=Draft Bulk delete confirmation +FileSharedViaALink=File shared via a link + diff --git a/htdocs/langs/fa_IR/modulebuilder.lang b/htdocs/langs/fa_IR/modulebuilder.lang index a3fee23cb53b5..9d6661eda41d6 100644 --- a/htdocs/langs/fa_IR/modulebuilder.lang +++ b/htdocs/langs/fa_IR/modulebuilder.lang @@ -74,6 +74,7 @@ NoWidget=No widget GoToApiExplorer=Go to API explorer ListOfMenusEntries=List of menu entries ListOfPermissionsDefined=List of defined permissions +SeeExamples=See examples here EnabledDesc=Condition to have this field active (Examples: 1 or $conf->global->MYMODULE_MYOPTION) VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only. Using a negative value means field is not shown by default on list but can be selected for viewing) IsAMeasureDesc=Can the value of field be cumulated to get a total into list ? (Examples: 1 or 0) @@ -95,3 +96,6 @@ DropTableIfEmpty=(Delete table if empty) TableDoesNotExists=The table %s does not exists TableDropped=Table %s deleted InitStructureFromExistingTable=Build the structure array string of an existing table +UseAboutPage=Disallow the about page +UseDocFolder=Disallow the documentation folder +UseSpecificReadme=Use a specific ReadMe diff --git a/htdocs/langs/fa_IR/other.lang b/htdocs/langs/fa_IR/other.lang index 1c15114b54787..2f18cd41b6732 100644 --- a/htdocs/langs/fa_IR/other.lang +++ b/htdocs/langs/fa_IR/other.lang @@ -80,8 +80,8 @@ LinkedObject=شی مرتبط NbOfActiveNotifications=Number of notifications (nb of recipient emails) PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe two lines are separated by a carriage return.\n\n__USER_SIGNATURE__ PredefinedMailTestHtml=__(Hello)__\nThis is a test mail (the word test must be in bold).
The two lines are separated by a carriage return.

__USER_SIGNATURE__ -PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\nThis is the link to make your online payment if this invoice is not already payed:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\nThis is the link to make your online payment:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendProposal=__(Hello)__\n\nYou will find here the commercial proposal __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendSupplierProposal=__(Hello)__\n\nYou will find here the price request __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendOrder=__(Hello)__\n\nYou will find here the order __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ @@ -91,6 +91,7 @@ PredefinedMailContentSendShipping=__(Hello)__\n\nYou will find here the shipping PredefinedMailContentSendFichInter=__(Hello)__\n\nYou will find here the intervention __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentThirdparty=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentUser=__(Hello)__\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 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) @@ -218,7 +219,7 @@ FileIsTooBig=فایل های بیش از حد بزرگ است PleaseBePatient=لطفا صبور باشید ... NewPassword=New password ResetPassword=Reset password -RequestToResetPasswordReceived=A request to change your password has been received +RequestToResetPasswordReceived=A request to change your password has been received. NewKeyIs=این کلید جدید خود را برای ورود به سایت است NewKeyWillBe=کلید جدید را برای ورود به نرم افزار خواهد بود ClickHereToGoTo=برای رفتن به٪ s اینجا را کلیک کنید diff --git a/htdocs/langs/fa_IR/paypal.lang b/htdocs/langs/fa_IR/paypal.lang index 2f710b3bec144..24c34246b7ae5 100644 --- a/htdocs/langs/fa_IR/paypal.lang +++ b/htdocs/langs/fa_IR/paypal.lang @@ -14,7 +14,6 @@ PaypalModeOnlyPaypal=پی پال تنها ONLINE_PAYMENT_CSS_URL=Optionnal URL of CSS style sheet on online payment page ThisIsTransactionId=این شناسه از معامله است:٪ s PAYPAL_ADD_PAYMENT_URL=اضافه کردن آدرس از پرداخت پی پال زمانی که شما یک سند ارسال از طریق پست -PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.

%s

YouAreCurrentlyInSandboxMode=You are currently in the %s "sandbox" mode NewOnlinePaymentReceived=New online payment received NewOnlinePaymentFailed=New online payment tried but failed diff --git a/htdocs/langs/fa_IR/products.lang b/htdocs/langs/fa_IR/products.lang index 7fb584460aeb4..0d43a74aa392d 100644 --- a/htdocs/langs/fa_IR/products.lang +++ b/htdocs/langs/fa_IR/products.lang @@ -251,8 +251,8 @@ PriceNumeric=شماره DefaultPrice=Default price ComposedProductIncDecStock=Increase/Decrease stock on parent change ComposedProduct=Sub-product -MinSupplierPrice=Minimum supplier price -MinCustomerPrice=Minimum customer price +MinSupplierPrice=حداقل قیمت خرید +MinCustomerPrice=Minimum selling price DynamicPriceConfiguration=Dynamic price configuration DynamicPriceDesc=On product card, with this module enabled, you should be able to set mathematic functions to calculate Customer or Supplier prices. Such function can use all mathematic operators, some constants and variables. You can set here the variables you want to be able to use and if the variable need an automatic update, the external URL to use to ask Dolibarr to update automaticaly the value. AddVariable=Add Variable diff --git a/htdocs/langs/fa_IR/propal.lang b/htdocs/langs/fa_IR/propal.lang index e08716db9fe91..fce5360e22ca2 100644 --- a/htdocs/langs/fa_IR/propal.lang +++ b/htdocs/langs/fa_IR/propal.lang @@ -75,6 +75,7 @@ AvailabilityTypeAV_1M=1 ماه TypeContact_propal_internal_SALESREPFOLL=نماینده زیر تا پیشنهاد TypeContact_propal_external_BILLING=تماس با فاکتور به مشتری TypeContact_propal_external_CUSTOMER=تماس با مشتری را در پی بالا پیشنهاد +TypeContact_propal_external_SHIPPING=Customer contact for delivery # Document models DocModelAzurDescription=یک مدل پیشنهاد کامل (logo. ..) DefaultModelPropalCreate=ایجاد مدل پیش فرض diff --git a/htdocs/langs/fa_IR/sendings.lang b/htdocs/langs/fa_IR/sendings.lang index 810b5eaa87cd9..9bbfbe9e94feb 100644 --- a/htdocs/langs/fa_IR/sendings.lang +++ b/htdocs/langs/fa_IR/sendings.lang @@ -52,8 +52,8 @@ ActionsOnShipping=رویدادهای در حمل و نقل LinkToTrackYourPackage=لینک به پیگیری بسته بندی خود را ShipmentCreationIsDoneFromOrder=برای لحظه ای، ایجاد یک محموله های جدید از کارت منظور انجام می شود. ShipmentLine=خط حمل و نقل -ProductQtyInCustomersOrdersRunning=Product quantity into open customers orders -ProductQtyInSuppliersOrdersRunning=Product quantity into open suppliers orders +ProductQtyInCustomersOrdersRunning=Product quantity into open customer orders +ProductQtyInSuppliersOrdersRunning=Product quantity into open purchase orders ProductQtyInShipmentAlreadySent=Product quantity from open customer order already sent ProductQtyInSuppliersShipmentAlreadyRecevied=Product quantity from open supplier order already received NoProductToShipFoundIntoStock=No product to ship found into warehouse %s. Correct stock or go back to choose another warehouse. diff --git a/htdocs/langs/fa_IR/stocks.lang b/htdocs/langs/fa_IR/stocks.lang index 524bba76502b1..e9730c0c9894d 100644 --- a/htdocs/langs/fa_IR/stocks.lang +++ b/htdocs/langs/fa_IR/stocks.lang @@ -67,7 +67,7 @@ DeStockOnValidateOrder=کاهش سهام واقعی در اعتبار سنجی DeStockOnShipment=Decrease real stocks on shipping validation DeStockOnShipmentOnClosing=Decrease real stocks on shipping classification closed ReStockOnBill=افزایش سهام واقعی در تامین کنندگان فاکتورها / یادداشت های اعتباری اعتبار -ReStockOnValidateOrder=افزایش سهام واقعی در سفارشات تامین کنندگان موافقت +ReStockOnValidateOrder=Increase real stocks on purchase orders approbation ReStockOnDispatchOrder=Increase real stocks on manual dispatching into warehouses, after supplier order receipt of goods OrderStatusNotReadyToDispatch=منظور هنوز رتبهدهی نشده است و یا بیشتر یک وضعیت است که اجازه می دهد تا اعزام از محصولات در انبارها سهام. StockDiffPhysicTeoric=Explanation for difference between physical and virtual stock @@ -203,4 +203,4 @@ RegulateStock=Regulate Stock ListInventory=فهرست StockSupportServices=Stock management support services StockSupportServicesDesc=By default, you can stock only product with type "product". If on, and if module service is on, you can also stock a product with type "service" -ReceiveProducts=Receive products +ReceiveProducts=Receive items diff --git a/htdocs/langs/fa_IR/users.lang b/htdocs/langs/fa_IR/users.lang index 52a006eff3f18..de8cf7104673e 100644 --- a/htdocs/langs/fa_IR/users.lang +++ b/htdocs/langs/fa_IR/users.lang @@ -48,7 +48,7 @@ PasswordChangeRequest=Request to change password for %s PasswordChangeRequestSent=درخواست تغییر رمز عبور برای٪ s ارسال به٪ s. ConfirmPasswordReset=Confirm password reset MenuUsersAndGroups=کاربران و گروهها -LastGroupsCreated=Latest %s created groups +LastGroupsCreated=Latest %s groups created LastUsersCreated=Latest %s users created ShowGroup=نمایش گروه ShowUser=نمایش کاربر diff --git a/htdocs/langs/fi_FI/accountancy.lang b/htdocs/langs/fi_FI/accountancy.lang index 60296957996ee..6612dd6c899a3 100644 --- a/htdocs/langs/fi_FI/accountancy.lang +++ b/htdocs/langs/fi_FI/accountancy.lang @@ -55,6 +55,7 @@ AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from m AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s AccountancyAreaDescVat=STEP %s: Define accounting accounts for each VAT Rates. For this, use the menu entry %s. +AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. AccountancyAreaDescExpenseReport=STEP %s: Define default accounting accounts for each type of expense report. For this, use the menu entry %s. AccountancyAreaDescSal=STEP %s: Define default accounting accounts for payment of salaries. For this, use the menu entry %s. AccountancyAreaDescContrib=STEP %s: Define default accounting accounts for special expences (miscellaneous taxes). For this, use the menu entry %s. @@ -131,6 +132,7 @@ ACCOUNTING_LENGTH_GACCOUNT=Length of the general accounting accounts (If you set 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 zero at the end of an accounting account. Needed by some countries (like switzerland). If keep to off (default), you can set the 2 following parameters to ask application to add virtual zero. BANK_DISABLE_DIRECT_INPUT=Disable direct recording of transaction in bank account +ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Enable draft export on journal ACCOUNTING_SELL_JOURNAL=Myyntipäiväkirja ACCOUNTING_PURCHASE_JOURNAL=Ostopäiväkirja diff --git a/htdocs/langs/fi_FI/admin.lang b/htdocs/langs/fi_FI/admin.lang index 14785cd43901b..d5506e794b798 100644 --- a/htdocs/langs/fi_FI/admin.lang +++ b/htdocs/langs/fi_FI/admin.lang @@ -454,7 +454,7 @@ ModuleCompanyCodeDigitaria=Accounting code depends on third party code. The code Use3StepsApproval=By default, Purchase Orders need to be created and approved by 2 different users (one step/user to create and one step/user to approve. Note that if user has both permission to create and approve, one step/user will be enough). You can ask with this option to introduce a third step/user approval, if amount is higher than a dedicated value (so 3 steps will be necessary: 1=validation, 2=first approval and 3=second approval if amount is enough).
Set this to empty if one approval (2 steps) is enough, set it to a very low value (0.1) if a second approval (3 steps) is always required. UseDoubleApproval=Use a 3 steps approval when amount (without tax) is higher than... WarningPHPMail=WARNING: It is often better to setup outgoing emails to use the email server of your provider instead of the default setup. Some email providers (like Yahoo) does not allow you to send an email from another server than their own server. Your current setup use 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 a server of them, so few of your sent Emails may not be accepted (be carefull also to your email provider sending quota).
If your Email provider (like Yahoo) has this restriction, you must change Email setup to choose the other method "SMTP server" and enter the SMTP server and credentials provided by your Email provider (ask your EMail provider to get SMTP credentials for your account). -WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of your ERP CRM application: %s. +WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of the mail user agent (MUA) for your ERP CRM application: %s. ClickToShowDescription=Klikkaa näyttääksesi kuvaus DependsOn=This module need the module(s) RequiredBy=This module is required by module(s) @@ -497,7 +497,7 @@ Module25Desc=Asiakastilausten hallinnointi Module30Name=Laskut Module30Desc=Laskut ja hyvityslaskut hallinto-asiakkaille. Laskut hallinto-toimittajille Module40Name=Tavarantoimittajat -Module40Desc=Toimittajien hallinta ja ostomenoista (tilaukset ja laskut) +Module40Desc=Suppliers and purchase management (purchase orders and billing) Module42Name=Debug Logit Module42Desc=Logging facilities (file, syslog, ...). Such logs are for technical/debug purposes. Module49Name=Toimitus @@ -605,7 +605,7 @@ Module4000Desc=Human resources management (management of department, employee co Module5000Name=Multi-yhtiö Module5000Desc=Avulla voit hallita useita yrityksiä Module6000Name=Työtehtävät -Module6000Desc=Työtehtävien hallinta +Module6000Desc=Workflow management (automatic creation of object and/or automatic status change) Module10000Name=Nettisivut Module10000Desc=Create public websites with a WYSIWG editor. Just setup your web server (Apache, Nginx, ...) to point to the dedicated Dolibarr directory to have it online on the Internet with your own domain name. Module20000Name=Leave Requests management @@ -891,7 +891,7 @@ DictionaryCivility=Personal and professional titles DictionaryActions=Types of agenda events DictionarySocialContributions=Social or fiscal taxes types DictionaryVAT=Alv -DictionaryRevenueStamp=Amount of revenue stamps +DictionaryRevenueStamp=Amount of tax stamps DictionaryPaymentConditions=Maksuehdot DictionaryPaymentModes=Maksutavat DictionaryTypeContact=Yhteystiedot tyypit @@ -919,7 +919,7 @@ SetupSaved=Setup tallennettu SetupNotSaved=Asetuksia ei tallennettu BackToModuleList=Palaa moduulien luetteloon BackToDictionaryList=Palaa sanakirjat luettelo -TypeOfRevenueStamp=Type of revenue stamp +TypeOfRevenueStamp=Type of tax stamp VATManagement=Alv Management VATIsUsedDesc=By default when creating prospects, invoices, orders etc the VAT rate follows the active standard rule:
If the seller is not subjected to VAT, then VAT defaults to 0. End of rule.
If the (selling country= buying country), then the VAT by default equals the VAT of the product in the selling country. End of rule.
If seller and buyer are both in the European Community and goods are transport products (car, ship, plane), the default VAT is 0 ( The VAT should be paid by the buyer to the customoffice of his country and not to the seller). End of rule.
If seller and buyer are both in the European Community and the buyer is not a company, then the VAT by defaults to the VAT of the product sold. End of rule.
If seller and buyer are both in the European Community and the buyer is a company, then the VAT is 0 by default . End of rule.
In any othe case the proposed default is VAT=0. End of rule. VATIsNotUsedDesc=Oletusarvon ehdotettu alv on 0, jota voidaan käyttää tapauksissa, kuten yhdistysten, yksityishenkilöiden tai pieniä yrityksiä. @@ -1027,7 +1027,7 @@ Delays_MAIN_DELAY_ACTIONS_TODO=Delay tolerance (in days) before alert on planned Delays_MAIN_DELAY_PROJECT_TO_CLOSE=Delay tolerance (in days) before alert on project not closed in time Delays_MAIN_DELAY_TASKS_TODO=Delay tolerance (in days) before alert on planned tasks (project tasks) not completed yet Delays_MAIN_DELAY_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on orders not processed yet -Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on suppliers orders not processed yet +Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on purchase orders not processed yet Delays_MAIN_DELAY_PROPALS_TO_CLOSE=Viive toleranssi (päivinä) ennen varoituskynnysten ehdotuksista lopettaa Delays_MAIN_DELAY_PROPALS_TO_BILL=Viive toleranssi (päivinä) ennen varoituskynnysten ehdotuksista ei laskuteta Delays_MAIN_DELAY_NOT_ACTIVATED_SERVICES=Suvaitsevaisuus viive (päivinä) ennen varoituskynnysten palveluista aktivoida @@ -1458,7 +1458,7 @@ SyslogFilename=Tiedoston nimi ja polku YouCanUseDOL_DATA_ROOT=Voit käyttää DOL_DATA_ROOT / dolibarr.log varten lokitiedoston Dolibarr "asiakirjoihin" hakemistoon. Voit valita eri reitin tallentaa tiedoston. ErrorUnknownSyslogConstant=Constant %s ei ole tunnettu syslog vakio OnlyWindowsLOG_USER=Windows only supports LOG_USER -CompressSyslogs=Syslog files compression and backup +CompressSyslogs=Compression and backup of debug log files (generated by module Log for debug) SyslogFileNumberOfSaves=Log backups ConfigureCleaningCronjobToSetFrequencyOfSaves=Configure cleaning scheduled job to set log backup frequency ##### Donations ##### diff --git a/htdocs/langs/fi_FI/banks.lang b/htdocs/langs/fi_FI/banks.lang index 677b6e428cbc8..c26e2203480d2 100644 --- a/htdocs/langs/fi_FI/banks.lang +++ b/htdocs/langs/fi_FI/banks.lang @@ -1,12 +1,13 @@ # Dolibarr language file - Source file is en_US - banks Bank=Pankki -MenuBankCash=Pankki / Käteinen -MenuVariousPayment=Miscellaneous payments -MenuNewVariousPayment=New Miscellaneous payment +MenuBankCash=Bank | Cash +MenuVariousPayment=Muut maksut +MenuNewVariousPayment=Uusi muu maksu BankName=Pankin nimi FinancialAccount=Tili BankAccount=Pankkitili BankAccounts=Pankkitilit +BankAccountsAndGateways=Bank accounts | Gateways ShowAccount=Näytä tili AccountRef=Rahoitustase viite AccountLabel=Rahoitustase etiketti @@ -77,7 +78,7 @@ Conciliate=Sovita Conciliation=Yhteensovita ReconciliationLate=Täsmäytys myöhässä IncludeClosedAccount=Sisällytä suljettu tilit -OnlyOpenedAccount=Only open accounts +OnlyOpenedAccount=Vain avoimet tilit AccountToCredit=Luottotili AccountToDebit=Käteistili DisableConciliation=Poista sovittelu ominaisuus tämän tilin @@ -131,7 +132,7 @@ PaymentDateUpdateSucceeded=Maksun päivämäärä päivitettiin onnistuneesti PaymentDateUpdateFailed=Maksupäivä ei voi päivittää Transactions=Tapahtumat BankTransactionLine=Pankkimerkintä -AllAccounts=Kaikki pankin/tilit +AllAccounts=All bank and cash accounts BackToAccount=Takaisin tiliin ShowAllAccounts=Näytä kaikki tilit FutureTransaction=Tapahtuma on tulevaisuudessa. Ei soviteltavissa. @@ -154,10 +155,11 @@ CheckRejectedAndInvoicesReopened=Shekki palautunut ja lasku avautunut uudelleen BankAccountModelModule=Pankkitilien dokumenttimallit DocumentModelSepaMandate=SEPA valtuuden malli. Käyttökelpoinen vain EEC alueen valtioissa DocumentModelBan=BAN tiedon sisältävä tulostusmalli -NewVariousPayment=New miscellaneous payments -VariousPayment=Miscellaneous payments -VariousPayments=Miscellaneous payments -ShowVariousPayment=Show miscellaneous payments -AddVariousPayment=Add miscellaneous payments -YourSEPAMandate=Your SEPA mandate -FindYourSEPAMandate=This is your SEPA mandate to authorize our company to make direct debit order to your bank. Thanks to return it signed (scan of the signed document) or sent it by mail to +NewVariousPayment=Uudet muut maksut +VariousPayment=Muut maksut +VariousPayments=Muut maksut +ShowVariousPayment=Näytä muut maksut +AddVariousPayment=Lisää muita maksuja +SEPAMandate=SEPA mandate +YourSEPAMandate=SEPA-toimeksiantonne +FindYourSEPAMandate=Tämä on SEPA-valtuutuksesi valtuuttaa yhtiömme suorittamaan suoraveloitusjärjestelyt pankillesi. Palautathan sen allekirjoitettuna (skannattuna allekirjoitettu asiakirja) tai lähettä sen postitse osoitteeseen diff --git a/htdocs/langs/fi_FI/bills.lang b/htdocs/langs/fi_FI/bills.lang index 4d13ff493b824..7215e0c70c969 100644 --- a/htdocs/langs/fi_FI/bills.lang +++ b/htdocs/langs/fi_FI/bills.lang @@ -110,8 +110,8 @@ SendRemindByMail=EMail muistutus DoPayment=Syötä suoritus DoPaymentBack=Syötä hyvitys ConvertToReduc=Mark as credit available -ConvertExcessReceivedToReduc=Convert excess received into future discount -ConvertExcessPaidToReduc=Convert excess paid into future discount +ConvertExcessReceivedToReduc=Convert excess received into available credit +ConvertExcessPaidToReduc=Convert excess paid into available discount EnterPaymentReceivedFromCustomer=Kirjoita maksun saanut asiakas EnterPaymentDueToCustomer=Tee maksun asiakkaan DisabledBecauseRemainderToPayIsZero=Suljettu, koska maksettavaa ei ole jäljellä @@ -282,6 +282,7 @@ RelativeDiscount=Suhteellinen edullisista GlobalDiscount=Global edullisista CreditNote=Menoilmoitus CreditNotes=Hyvityslaskuja +CreditNotesOrExcessReceived=Credit notes or excess received Deposit=Down payment Deposits=Down payments DiscountFromCreditNote=Alennus menoilmoitus %s @@ -393,6 +394,7 @@ PaymentConditionShort14DENDMONTH=14 päivää kuun lopusta PaymentCondition14DENDMONTH=14 päivää kuun loputtua FixAmount=Fix amount VarAmount=Variable amount (%% tot.) +VarAmountOneLine=Variable amount (%% tot.) - 1 line with label '%s' # PaymentType PaymentTypeVIR=Pankkisiirto PaymentTypeShortVIR=Pankkisiirto diff --git a/htdocs/langs/fi_FI/compta.lang b/htdocs/langs/fi_FI/compta.lang index f761ec1d19a82..8131049c11f27 100644 --- a/htdocs/langs/fi_FI/compta.lang +++ b/htdocs/langs/fi_FI/compta.lang @@ -19,7 +19,8 @@ Income=Tuotto Outcome=Kulu MenuReportInOut=Tulot / tulokset ReportInOut=Tulojen ja menojen saldo -ReportTurnover=Liikevaihto +ReportTurnover=Turnover invoiced +ReportTurnoverCollected=Turnover collected PaymentsNotLinkedToInvoice=Maksut eivät ole sidoksissa mihinkään lasku, joten ei liity mihinkään kolmannen osapuolen PaymentsNotLinkedToUser=Maksut eivät ole sidoksissa mihinkään käyttäjä Profit=Voitto @@ -77,7 +78,7 @@ MenuNewSocialContribution=New social/fiscal tax NewSocialContribution=New social/fiscal tax AddSocialContribution=Add social/fiscal tax ContributionsToPay=Social/fiscal taxes to pay -AccountancyTreasuryArea=Kirjanpito / Treasury alueella +AccountancyTreasuryArea=Billing and payment area NewPayment=Uusi maksu Payments=Maksut PaymentCustomerInvoice=Asiakas laskun maksu @@ -105,6 +106,7 @@ VATPayment=Sales tax payment VATPayments=Sales tax payments VATRefund=Sales tax refund NewVATPayment=New sales tax payment +NewLocalTaxPayment=New tax %s payment Refund=Refund SocialContributionsPayments=Social/fiscal taxes payments ShowVatPayment=Näytä arvonlisäveron maksaminen @@ -116,8 +118,9 @@ CustomerAccountancyCodeShort=Cust. account. code SupplierAccountancyCodeShort=Sup. account. code AccountNumber=Tilinumero NewAccountingAccount=Uusi tili -SalesTurnover=Myynnin liikevaihto -SalesTurnoverMinimum=Minimum sales turnover +Turnover=Turnover invoiced +TurnoverCollected=Turnover collected +SalesTurnoverMinimum=Minimum turnover ByExpenseIncome=By expenses & incomes ByThirdParties=Bu kolmansien osapuolten ByUserAuthorOfInvoice=Laskulla tekijä @@ -137,8 +140,8 @@ 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=Mode %sClaims-Debts%s said Commitment accounting. -CalcModeEngagement=Mode %sIncomes-Expenses%s said cash accounting +CalcModeDebt=Analysis of known recorded invoices 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 CalcModeLT1Debt=Mode %sRE on customer invoices%s @@ -151,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=Voir le rapport %sRecettes-Dpenses %s dit comptabilit de caisse pour un calcul sur les paiements effectivement raliss -SeeReportInDueDebtMode=Voir le rapport %sCrances-dettes %s dit comptabilit d'engagement pour un calcul sur les valmistaa Mises -SeeReportInBookkeepingMode=See report %sBookeeping%s for a calculation on bookkeeping table analysis +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 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 validation date of invoices and VAT and on the due date for expenses. 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. @@ -218,8 +221,8 @@ 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 supplier, choose appropriate method to apply same calculation rule and get same result expected by your supplier. -TurnoverPerProductInCommitmentAccountingNotRelevant=The Turnover report per product, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). -TurnoverPerSaleTaxRateInCommitmentAccountingNotRelevant=The Turnover report per sale tax rate, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). +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. CalculationMode=Calculation mode AccountancyJournal=Accounting code journal ACCOUNTING_VAT_SOLD_ACCOUNT=Accounting account by default for VAT on sales (used if not defined on VAT dictionary setup) @@ -251,5 +254,6 @@ VATDue=Sale tax claimed ClaimedForThisPeriod=Claimed for the period PaidDuringThisPeriod=Paid during this period ByVatRate=By sale tax rate -TurnoverbyVatrate=Turnover by sale tax rate +TurnoverbyVatrate=Turnover invoiced by sale tax rate +TurnoverCollectedbyVatrate=Turnover collected by sale tax rate PurchasebyVatrate=Purchase by sale tax rate diff --git a/htdocs/langs/fi_FI/install.lang b/htdocs/langs/fi_FI/install.lang index 0e1bcf77c6158..53f91c364dc06 100644 --- a/htdocs/langs/fi_FI/install.lang +++ b/htdocs/langs/fi_FI/install.lang @@ -204,3 +204,7 @@ MigrationResetBlockedLog=Reset module BlockedLog for v7 algorithm ShowNotAvailableOptions=Näytä ei saatavilla olevat valinnat HideNotAvailableOptions=Piilota ei saatavilla olevat valinnat ErrorFoundDuringMigration=Error were reported during migration process so next step is not available. To ignore errors, you can click here, but application or some features may not work correctly until fixed. +YouTryInstallDisabledByDirLock=The application try to sefl upgrade, but install/upgrade pages have been disabled for security reason (directory renamed with .lock suffix).
+YouTryInstallDisabledByFileLock=The application try to sefl upgrade, but install/upgrade pages pages have been disabled for security reason (by lock file install.lock into dolibarr documents directory).
+ClickHereToGoToApp=Click here to go to your application +ClickOnLinkOrRemoveManualy=Click on following link and if you always reach this page, you must remove the file install.lock into documents directory manually diff --git a/htdocs/langs/fi_FI/main.lang b/htdocs/langs/fi_FI/main.lang index cc880fac24ef9..973e4b7867a4a 100644 --- a/htdocs/langs/fi_FI/main.lang +++ b/htdocs/langs/fi_FI/main.lang @@ -507,6 +507,7 @@ NoneF=Ei mitään NoneOrSeveral=Ei yhtään tai useita Late=Myöhässä LateDesc=Delay to define if a record is late or not depends on your setup. Ask your admin to change delay from menu Home - Setup - Alerts. +NoItemLate=No late item Photo=Kuva Photos=Kuvat AddPhoto=Lisää kuva @@ -945,3 +946,5 @@ KeyboardShortcut=Keyboard shortcut AssignedTo=Vaikuttaa Deletedraft=Delete draft ConfirmMassDraftDeletion=Draft Bulk delete confirmation +FileSharedViaALink=File shared via a link + diff --git a/htdocs/langs/fi_FI/modulebuilder.lang b/htdocs/langs/fi_FI/modulebuilder.lang index a3fee23cb53b5..9d6661eda41d6 100644 --- a/htdocs/langs/fi_FI/modulebuilder.lang +++ b/htdocs/langs/fi_FI/modulebuilder.lang @@ -74,6 +74,7 @@ NoWidget=No widget GoToApiExplorer=Go to API explorer ListOfMenusEntries=List of menu entries ListOfPermissionsDefined=List of defined permissions +SeeExamples=See examples here EnabledDesc=Condition to have this field active (Examples: 1 or $conf->global->MYMODULE_MYOPTION) VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only. Using a negative value means field is not shown by default on list but can be selected for viewing) IsAMeasureDesc=Can the value of field be cumulated to get a total into list ? (Examples: 1 or 0) @@ -95,3 +96,6 @@ DropTableIfEmpty=(Delete table if empty) TableDoesNotExists=The table %s does not exists TableDropped=Table %s deleted InitStructureFromExistingTable=Build the structure array string of an existing table +UseAboutPage=Disallow the about page +UseDocFolder=Disallow the documentation folder +UseSpecificReadme=Use a specific ReadMe diff --git a/htdocs/langs/fi_FI/other.lang b/htdocs/langs/fi_FI/other.lang index fc684634f792c..021b4b712bdfd 100644 --- a/htdocs/langs/fi_FI/other.lang +++ b/htdocs/langs/fi_FI/other.lang @@ -80,8 +80,8 @@ LinkedObject=Linkitettyä objektia NbOfActiveNotifications=Number of notifications (nb of recipient emails) PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe two lines are separated by a carriage return.\n\n__USER_SIGNATURE__ PredefinedMailTestHtml=__(Hello)__\nThis is a test mail (the word test must be in bold).
The two lines are separated by a carriage return.

__USER_SIGNATURE__ -PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\nThis is the link to make your online payment if this invoice is not already payed:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\nThis is the link to make your online payment:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendProposal=__(Hello)__\n\nYou will find here the commercial proposal __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendSupplierProposal=__(Hello)__\n\nYou will find here the price request __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendOrder=__(Hello)__\n\nYou will find here the order __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ @@ -91,6 +91,7 @@ PredefinedMailContentSendShipping=__(Hello)__\n\nYou will find here the shipping PredefinedMailContentSendFichInter=__(Hello)__\n\nYou will find here the intervention __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentThirdparty=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentUser=__(Hello)__\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 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) @@ -218,7 +219,7 @@ FileIsTooBig=Files on liian suuri PleaseBePatient=Ole kärsivällinen ... NewPassword=New password ResetPassword=Reset password -RequestToResetPasswordReceived=A request to change your password has been received +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 diff --git a/htdocs/langs/fi_FI/paypal.lang b/htdocs/langs/fi_FI/paypal.lang index 7b831d6632662..b877e8b9e1c13 100644 --- a/htdocs/langs/fi_FI/paypal.lang +++ b/htdocs/langs/fi_FI/paypal.lang @@ -14,7 +14,6 @@ PaypalModeOnlyPaypal=PayPal only ONLINE_PAYMENT_CSS_URL=Optionnal URL of CSS style sheet on online payment page ThisIsTransactionId=Tämä on id liiketoimen: %s PAYPAL_ADD_PAYMENT_URL=Lisää URL Paypal-maksujärjestelmää, kun lähetät asiakirjan postitse -PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.

%s

YouAreCurrentlyInSandboxMode=You are currently in the %s "sandbox" mode NewOnlinePaymentReceived=New online payment received NewOnlinePaymentFailed=New online payment tried but failed diff --git a/htdocs/langs/fi_FI/products.lang b/htdocs/langs/fi_FI/products.lang index bcba94e508e99..41d138bb12360 100644 --- a/htdocs/langs/fi_FI/products.lang +++ b/htdocs/langs/fi_FI/products.lang @@ -251,8 +251,8 @@ PriceNumeric=Numero DefaultPrice=Oletus hinta ComposedProductIncDecStock=Increase/Decrease stock on parent change ComposedProduct=Sub-product -MinSupplierPrice=Minimum supplier price -MinCustomerPrice=Minimum customer price +MinSupplierPrice=Minimi ostohinta +MinCustomerPrice=Minimum selling price DynamicPriceConfiguration=Dynamic price configuration DynamicPriceDesc=On product card, with this module enabled, you should be able to set mathematic functions to calculate Customer or Supplier prices. Such function can use all mathematic operators, some constants and variables. You can set here the variables you want to be able to use and if the variable need an automatic update, the external URL to use to ask Dolibarr to update automaticaly the value. AddVariable=Add Variable diff --git a/htdocs/langs/fi_FI/propal.lang b/htdocs/langs/fi_FI/propal.lang index 953bc00511fae..df4f10ce5fa57 100644 --- a/htdocs/langs/fi_FI/propal.lang +++ b/htdocs/langs/fi_FI/propal.lang @@ -75,6 +75,7 @@ AvailabilityTypeAV_1M=1 kuukausi TypeContact_propal_internal_SALESREPFOLL=Edustaja seuraamaan tarjousta TypeContact_propal_external_BILLING=Asiakkaan lasku yhteystiedot TypeContact_propal_external_CUSTOMER=Asiakkaan yhteystiedot tarjouksen seurantaan +TypeContact_propal_external_SHIPPING=Customer contact for delivery # Document models DocModelAzurDescription=Kokonainen tarjouspohja (logo...) DefaultModelPropalCreate=Oletusmallin luonti diff --git a/htdocs/langs/fi_FI/sendings.lang b/htdocs/langs/fi_FI/sendings.lang index 47ae27c9fa8a6..4e1ffd2fc4087 100644 --- a/htdocs/langs/fi_FI/sendings.lang +++ b/htdocs/langs/fi_FI/sendings.lang @@ -52,8 +52,8 @@ ActionsOnShipping=Tapahtumat lähetystä LinkToTrackYourPackage=Linkki seurata pakettisi ShipmentCreationIsDoneFromOrder=Tällä hetkellä uuden lähetys tehdään tilauksesta kortin. ShipmentLine=Shipment line -ProductQtyInCustomersOrdersRunning=Product quantity into open customers orders -ProductQtyInSuppliersOrdersRunning=Product quantity into open suppliers orders +ProductQtyInCustomersOrdersRunning=Product quantity into open customer orders +ProductQtyInSuppliersOrdersRunning=Product quantity into open purchase orders ProductQtyInShipmentAlreadySent=Product quantity from open customer order already sent ProductQtyInSuppliersShipmentAlreadyRecevied=Product quantity from open supplier order already received NoProductToShipFoundIntoStock=No product to ship found into warehouse %s. Correct stock or go back to choose another warehouse. diff --git a/htdocs/langs/fi_FI/stocks.lang b/htdocs/langs/fi_FI/stocks.lang index 17e3c570e7032..b4c7cf0800a2f 100644 --- a/htdocs/langs/fi_FI/stocks.lang +++ b/htdocs/langs/fi_FI/stocks.lang @@ -67,7 +67,7 @@ DeStockOnValidateOrder=Decrease todellinen varastot tilaukset toteaa DeStockOnShipment=Decrease real stocks on shipping validation DeStockOnShipmentOnClosing=Decrease real stocks on shipping classification closed ReStockOnBill=Lisäys todellinen varastot laskuista / hyvityslaskuja -ReStockOnValidateOrder=Lisäys todellinen varastot tilaukset toteaa +ReStockOnValidateOrder=Increase real stocks on purchase orders approbation ReStockOnDispatchOrder=Increase real stocks on manual dispatching into warehouses, after supplier order receipt of goods OrderStatusNotReadyToDispatch=Tilaa ei ole vielä tai enää asema, joka mahdollistaa lähettäminen varastossa olevista tuotteista varastoissa. StockDiffPhysicTeoric=Explanation for difference between physical and virtual stock @@ -203,4 +203,4 @@ RegulateStock=Regulate Stock ListInventory=Luettelo StockSupportServices=Stock management support services StockSupportServicesDesc=By default, you can stock only product with type "product". If on, and if module service is on, you can also stock a product with type "service" -ReceiveProducts=Receive products +ReceiveProducts=Receive items diff --git a/htdocs/langs/fi_FI/users.lang b/htdocs/langs/fi_FI/users.lang index 7f11bbce9f9fc..9653074683526 100644 --- a/htdocs/langs/fi_FI/users.lang +++ b/htdocs/langs/fi_FI/users.lang @@ -48,7 +48,7 @@ PasswordChangeRequest=Request to change password for %s PasswordChangeRequestSent=Pyynnön vaihtaa salasana %s lähetetään %s. ConfirmPasswordReset=Confirm password reset MenuUsersAndGroups=Käyttäjät & ryhmät -LastGroupsCreated=Latest %s created groups +LastGroupsCreated=Latest %s groups created LastUsersCreated=Latest %s users created ShowGroup=Näytä ryhmä ShowUser=Näytä käyttäjän diff --git a/htdocs/langs/fr_BE/admin.lang b/htdocs/langs/fr_BE/admin.lang index a994014f061f9..aa389328b1806 100644 --- a/htdocs/langs/fr_BE/admin.lang +++ b/htdocs/langs/fr_BE/admin.lang @@ -26,4 +26,5 @@ Module20Name=Propales Module30Name=Factures DictionaryPaymentConditions=Conditions de paiement SuppliersPayment=Paiements fournisseurs +ViewProductDescInThirdpartyLanguageAbility=Visualization of products descriptions in the third party language Target=Objectif diff --git a/htdocs/langs/fr_BE/compta.lang b/htdocs/langs/fr_BE/compta.lang index e2c889c3ed2fc..488b53843a606 100644 --- a/htdocs/langs/fr_BE/compta.lang +++ b/htdocs/langs/fr_BE/compta.lang @@ -1,4 +1,5 @@ # Dolibarr language file - Source file is en_US - compta -SalesTurnover=Chiffre d'affaires des ventes +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. Dispatched=Envoyé ToDispatch=Envoyer diff --git a/htdocs/langs/fr_CA/admin.lang b/htdocs/langs/fr_CA/admin.lang index 4e35b54197127..a7fdc2395cd49 100644 --- a/htdocs/langs/fr_CA/admin.lang +++ b/htdocs/langs/fr_CA/admin.lang @@ -1,4 +1,5 @@ # Dolibarr language file - Source file is en_US - admin +Publisher=Éditeur VersionLastInstall=Version d'installation initiale VersionLastUpgrade=Version de la dernière mise à jour FileCheck=Vérificateur d'intégrité des fichiers @@ -16,6 +17,7 @@ AvailableOnlyOnPackagedVersions=Le fichier local pour la vérification de l'int XmlNotFound=Xml Integrity Fichier de l'application introuvable ConfirmPurgeSessions=Voulez-vous vraiment purger toutes les sessions? Cela déconnectera tous les utilisateurs (sauf vous). WebUserGroup=Utilisateur/groupe du serveur Web +ClientCharset=Encodage Client UploadNewTemplate=Télécharger un nouveau modèle (s) SecurityFilesDesc=Définissez ici les options liées à la sécurité concernant le téléchargement de fichiers. DelaiedFullListToSelectCompany=Attendez que vous appuyez sur une touche avant de charger le contenu de la liste des combinaisons de tiers (cela peut augmenter les performances si vous avez un grand nombre de tiers, mais cela est moins pratique) @@ -26,20 +28,34 @@ MultiCurrencySetup=Configuration multi-devises NotConfigured=Module / Application non configuré HoursOnThisPageAreOnServerTZ=Avertissement, contrairement à d'autres écrans, les heures sur cette page ne sont pas dans votre fuseau horaire local, mais pour le fuseau horaire du serveur. MaxNbOfLinesForBoxes=Nombre maximum de lignes pour les widgets +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. PurgeAreaDesc=Cette page vous permet de supprimer tous les fichiers générés ou stockés par Dolibarr (fichiers temporaires ou tous les fichiers dans le répertoire %s). L'utilisation de cette fonctionnalité n'est pas nécessaire. Il est fourni en tant que solution de contournement pour les utilisateurs dont Dolibarr est hébergé par un fournisseur qui n'offre pas d'autorisations pour supprimer les fichiers générés par le serveur Web. +PurgeDeleteLogFile=Supprimer les fichiers journaux, y compris ceux%s définis pour le module Syslog (pas de risque de perte de données) PurgeDeleteTemporaryFiles=Supprimez tous les fichiers temporaires (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. IgnoreDuplicateRecords=Ignorer les erreurs d'enregistrement en double (INSERT IGNORE) FeatureAvailableOnlyOnStable=La fonctionnalité est uniquement disponible sur les versions officielles stables BoxesDesc=Les widgets sont des composants montrant des informations que vous pouvez ajouter pour personnaliser certaines pages. Vous pouvez choisir entre afficher le widget ou non en sélectionnant la page cible et en cliquant sur 'Activer', ou en cliquant sur la poubelle pour la désactiver. ModulesMarketPlaceDesc=Vous pouvez trouver plus de modules à télécharger sur des sites Web externes sur Internet ... ModulesDeployDesc=Si les autorisations sur votre système de fichiers le permettent, vous pouvez utiliser cet outil pour déployer un module externe. Le module sera alors visible sur l'onglet %s. +ModulesMarketPlaces=Trouver des applications / modules externes +ModulesDevelopYourModule=Développez votre propre application / modules +ModulesDevelopDesc=Vous pouvez développer ou trouver un partenaire pour développer pour vous, votre module personnalisé +DOLISTOREdescriptionLong=Au lieu d'activer le site web www.dolistore.com pour trouver un module externe, vous pouvez utiliser cet outil embarqué qui rendra la recherche sur le marché externe pour vous (peut être lent, dépendant de votre accès internet) ... +NotCompatible=Ce module ne semble pas compatible avec votre Dolibarr %s (Min %s - Max %s). +CompatibleAfterUpdate=Ce module nécessite une mise à jour de votre Dolibarr %s (Min %s - Max %s). +SeeInMarkerPlace=Voir dans Market place +Updated=Mis à jour +AchatTelechargement=Acheter / Télécharger GoModuleSetupArea=Pour déployer / installer un nouveau module, accédez à la zone de configuration du module à %s . DoliPartnersDesc=Liste des entreprises proposant des modules ou des fonctionnalités développés personnalisés (Remarque: toute personne expérimentée dans la programmation PHP peut fournir un développement personnalisé pour un projet open source) WebSiteDesc=Les sites Web de référence pour trouver plus de modules ... +DevelopYourModuleDesc=Quelques solutions pour développer votre propre module ... InstrucToEncodePass=Pour chiffrer le mot de passe de la base dans le fichier de configuration conf.php, remplacer la ligne
$dolibarr_main_db_pass="...";
par
$dolibarr_main_db_pass="crypted:%s"; InstrucToClearPass=Pour avoir le mot de passe de la base décodé (en clair) dans le fichier de configuration conf.php, remplacer dans ce fichier la ligne
$dolibarr_main_db_pass="crypted:..."
par
$dolibarr_main_db_pass="%s" ProtectAndEncryptPdfFilesDesc=La protection d'un document PDF le permet de lire et d'imprimer avec n'importe quel navigateur PDF. Cependant, l'édition et la copie ne sont plus possibles. Notez que l'utilisation de cette fonctionnalité rend le développement d'un PDF fusionné global ne fonctionnant pas. @@ -47,8 +63,15 @@ NoticePeriod=Période de préavis NewByMonth=Nouveau par mois Emails=Courriels EMailsSetup=Configuration des courriels +EMailsDesc=Cette page vous permet d'écraser vos paramètres PHP pour l'envoi de mails. Dans la plupart des cas sur Unix / Linux OS, votre configuration PHP est correcte et ces paramètres sont inutiles. +EmailSenderProfiles=Profils d'expéditeurs d'e-mails +MAIN_MAIL_EMAIL_FROM=Courriel de l'expéditeur pour les courriels automatiques (Par défaut dans php.ini:%s) +MAIN_MAIL_ERRORS_TO=L'e-mail utilisé pour les erreurs renvoie les e-mails (champs "Erreurs-A" dans les e-mails envoyés) MAIN_DISABLE_ALL_MAILS=Désactiver toutes les envois de courriels (pour des fins de démonstration ou de tests) +MAIN_MAIL_FORCE_SENDTO=Envoyer tous les emails à (au lieu des destinataires réels, à des fins de test) +MAIN_MAIL_ENABLED_USER_DEST_SELECT=Ajouter les utilisateurs des employés avec email dans la liste des destinataires autorisés MAIN_MAIL_EMAIL_STARTTLS=Utilisation du chiffrement TLS (SSL) +MAIN_MAIL_DEFAULT_FROMTYPE=Courriel de l'expéditeur par défaut pour les envois manuels (courriel de l'utilisateur ou courriel de la société) UserEmail=Courrier électronique de l'utilisateur CompanyEmail=Courrier électronique de la société SubmitTranslation=Si la traduction de cette langue est incomplète ou vous trouvez des erreur , vous pouvez corriger cela en modifiant les fichiers dans le répertoire langs/%s et soumettre votre changement à www.transifex.com/dolibarr-association/dolibarr/ @@ -60,6 +83,7 @@ ModuleFamilyPortal=Site internet et autres applications frontales ModuleFamilyInterface=Interfaces avec les systèmes externes ThisIsProcessToFollow=Voici des étapes à suivre pour traiter: ThisIsAlternativeProcessToFollow=Il s'agit d'une configuration alternative à traiter manuellement: +FindPackageFromWebSite=Recherche le paquet qui répond à votre besoin (par exemple sur le site web %s). DownloadPackageFromWebSite=Télécharger le package %s. UnpackPackageInDolibarrRoot=Décompressez les fichiers emballés dans le répertoire du serveur dédié à Dolibarr: %s UnpackPackageInModulesRoot=Pour déployer / installer un module externe, décompressez les fichiers emballés dans le répertoire du serveur dédié aux modules: %s @@ -192,7 +216,6 @@ Delays_MAIN_DELAY_ACTIONS_TODO=Tolérance retardée (en jours) avant l'alerte su Delays_MAIN_DELAY_PROJECT_TO_CLOSE=Tolérance retardée (en jours) avant l'alerte sur le projet non fermé dans le temps Delays_MAIN_DELAY_TASKS_TODO=Tolérance retardée (en jours) avant l'alerte sur les tâches planifiées (tâches du projet) non complétées encore Delays_MAIN_DELAY_ORDERS_TO_PROCESS=Tolérance de retard (en jours) avant l'alerte sur les commandes non traitées encore -Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Tolérance de retard (en jours) avant l'alerte sur les commandes des fournisseurs non encore traitées Delays_MAIN_DELAY_EXPENSEREPORTS=Tolérance de retard (en jours) avant alerte pour les rapports de dépenses à approuver SetupDescription1=La zone de configuration est pour les paramètres de configuration initiale avant de commencer à utiliser Dolibarr. InfoDolibarr=À propos de Dolibarr diff --git a/htdocs/langs/fr_CA/bills.lang b/htdocs/langs/fr_CA/bills.lang index b823446a0ea80..b1a77171b31f1 100644 --- a/htdocs/langs/fr_CA/bills.lang +++ b/htdocs/langs/fr_CA/bills.lang @@ -14,7 +14,6 @@ LabelPaymentMode=Mode de règlement (étiquette) CreateCreditNote=Créer avoir DoPayment=Entrez le paiement DoPaymentBack=Saisissez le remboursement -ConvertExcessReceivedToReduc=Convertir l'excédent reçu en réduction future StatusOfGeneratedInvoices=État des factures générées BillShortStatusPaidBackOrConverted=Remboursement ou conversion NoQualifiedRecurringInvoiceTemplateFound=Aucune facture de modèle récurrent qualifié pour la génération. diff --git a/htdocs/langs/fr_CA/compta.lang b/htdocs/langs/fr_CA/compta.lang index b7119dae0220b..49ac7c03439d4 100644 --- a/htdocs/langs/fr_CA/compta.lang +++ b/htdocs/langs/fr_CA/compta.lang @@ -45,6 +45,8 @@ ConfirmDeleteSocialContribution=Êtes-vous sûr de vouloir supprimer cette charg ExportDataset_tax_1=Charges sociales et paiements CalcModeVATDebt=Mode %sTPS/TVH sur débit%s. CalcModeVATEngagement=Mode %s TPS/TVH sur encaissement%s. +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. RulesResultDue=- Il comprend les factures, les dépenses, la TVA, les dons, qu'ils soient payés ou non. Comprend également les salaires payés.
- Il est basé sur la date de validation des factures et la TVA et à la date d'échéance des dépenses. 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, des dépenses, de la TVA et des salaires. La date de donation pour le don. RulesCADue=- Il comprend les factures exigibles du client, qu'elles soient payées ou non.
- Il est basé sur la date de validation de ces factures.
diff --git a/htdocs/langs/fr_CA/paypal.lang b/htdocs/langs/fr_CA/paypal.lang index b6fcfbde64801..7717c5c1f65d4 100644 --- a/htdocs/langs/fr_CA/paypal.lang +++ b/htdocs/langs/fr_CA/paypal.lang @@ -10,7 +10,6 @@ PAYPAL_API_INTEGRAL_OR_PAYPALONLY=Offre de paiement "intégral" (carte de crédi PaypalModeOnlyPaypal=PayPal uniquement ThisIsTransactionId=Ceci est un identifiant de transaction: %s PAYPAL_ADD_PAYMENT_URL=Ajoutez l'URL du paiement Paypal lorsque vous envoyez un document par mail -PredefinedMailContentLink=Vous pouvez cliquer sur le lien sécurisé ci-dessous pour effectuer votre paiement (PayPal) si ce n'est pas déjà fait.\n\n%s\n\n NewOnlinePaymentFailed=Nouveau paiement en ligne essayé mais échoué ONLINE_PAYMENT_SENDEMAIL=EMail à avertir après un paiement (succès ou non) ReturnURLAfterPayment=Retourner l'URL après le paiement diff --git a/htdocs/langs/fr_CA/products.lang b/htdocs/langs/fr_CA/products.lang index 732ecfa5a239c..b12ccf56bf2d2 100644 --- a/htdocs/langs/fr_CA/products.lang +++ b/htdocs/langs/fr_CA/products.lang @@ -174,8 +174,7 @@ PriceNumeric=Numéro DefaultPrice=Prix ​​par défaut ComposedProductIncDecStock=Augmenter / diminuer le stock sur le changement de parent ComposedProduct=Sous-produit -MinSupplierPrice=Prix ​​minimum fournisseur -MinCustomerPrice=Prix ​​minimum du client +MinSupplierPrice=Prix minimum d'achat DynamicPriceConfiguration=Configuration de prix dynamique AddVariable=Ajouter une variable AddUpdater=Ajouter une mise à jour diff --git a/htdocs/langs/fr_CA/sendings.lang b/htdocs/langs/fr_CA/sendings.lang index 7b30519b12e5c..b41ab0e46a871 100644 --- a/htdocs/langs/fr_CA/sendings.lang +++ b/htdocs/langs/fr_CA/sendings.lang @@ -38,8 +38,6 @@ ActionsOnShipping=Évènements à l'expédition LinkToTrackYourPackage=Lien pour suivre votre colis ShipmentCreationIsDoneFromOrder=Pour l'instant, la création d'un nouvel envoi se fait à partir de la carte de commande. ShipmentLine=Ligne de livraison -ProductQtyInCustomersOrdersRunning=Quantité de produit dans les commandes de clients ouverts -ProductQtyInSuppliersOrdersRunning=Quantité de produit en commandes de fournisseurs ouverts ProductQtyInShipmentAlreadySent=La quantité de produit provenant de l'ordre client ouvert déjà envoyé ProductQtyInSuppliersShipmentAlreadyRecevied=La quantité de produit provenant de l'ordre fournisseur ouvert déjà reçu NoProductToShipFoundIntoStock=Aucun produit à expédier dans l'entrepôt %s. Corrigez le stock ou reviens pour choisir un autre entrepôt. diff --git a/htdocs/langs/fr_CA/stocks.lang b/htdocs/langs/fr_CA/stocks.lang index cdb90a1b59c8b..4cb04eb36dae7 100644 --- a/htdocs/langs/fr_CA/stocks.lang +++ b/htdocs/langs/fr_CA/stocks.lang @@ -36,7 +36,6 @@ DeStockOnValidateOrder=Diminuer les stocks réels sur la validation des commande DeStockOnShipment=Diminuer les stocks réels lors de la validation de l'expédition DeStockOnShipmentOnClosing=Diminuer les stocks réels sur la classification de l'expédition fermée ReStockOnBill=Augmenter les stocks réels sur les factures des fournisseurs / validation des notes de crédit -ReStockOnValidateOrder=Augmenter les stocks réels sur l'approbation des commandes des fournisseurs ReStockOnDispatchOrder=Augmenter les stocks réels lors de l'expédition manuelle dans les entrepôts, après réception de la facture fournisseur des marchandises OrderStatusNotReadyToDispatch=L'ordre n'a pas encore ou pas plus un statut qui permet l'envoi de produits dans des entrepôts de stock. StockDiffPhysicTeoric=Explication de la différence entre le stock physique et le stock virtuel diff --git a/htdocs/langs/fr_CA/users.lang b/htdocs/langs/fr_CA/users.lang index b2fec9afe9011..81db7ef3370af 100644 --- a/htdocs/langs/fr_CA/users.lang +++ b/htdocs/langs/fr_CA/users.lang @@ -6,7 +6,6 @@ ConfirmDeleteGroup=Êtes-vous sûr de vouloir supprimer le groupe %s? ConfirmEnableUser=Êtes-vous sûr de vouloir activer l'utilisateur %s? ConfirmReinitPassword=Êtes-vous sûr de vouloir générer un nouveau mot de passe pour l'utilisateur %s? ConfirmSendNewPassword=Êtes-vous sûr de vouloir générer et envoyer un nouveau mot de passe pour l'utilisateur %s? -LastGroupsCreated=Derniers groupes %s créés LastUsersCreated=Derniers %s utilisateurs créés ConfirmCreateContact=Êtes-vous sûr de vouloir créer un compte Dolibarr pour ce contact? ConfirmCreateLogin=Êtes-vous sûr de vouloir créer un compte Dolibarr pour ce membre? diff --git a/htdocs/langs/fr_CH/admin.lang b/htdocs/langs/fr_CH/admin.lang index 1c53b65c99c6f..790d1e6cd7b6a 100644 --- a/htdocs/langs/fr_CH/admin.lang +++ b/htdocs/langs/fr_CH/admin.lang @@ -2,3 +2,4 @@ AntiVirusCommandExample=Example for ClamWin: c:\\Progra~1\\ClamWin\\bin\\clamscan.exe
Example for ClamAv: /usr/bin/clamscan AntiVirusParamExample=Example for ClamWin: --database="C:\\Program Files (x86)\\ClamWin\\lib" ExampleOfDirectoriesForModelGen=Examples of syntax:
c:\\mydir
/home/mydir
DOL_DATA_ROOT/ecm/ecmdir +ViewProductDescInThirdpartyLanguageAbility=Visualization of products descriptions in the third party language diff --git a/htdocs/langs/fr_FR/accountancy.lang b/htdocs/langs/fr_FR/accountancy.lang index 6186690ec8d7e..4f546828652b1 100644 --- a/htdocs/langs/fr_FR/accountancy.lang +++ b/htdocs/langs/fr_FR/accountancy.lang @@ -55,6 +55,7 @@ AccountancyAreaDescChartModel=Étape %s : Créer un modèle de plan de compte de AccountancyAreaDescChart=Étape %s : Créer ou vérifier le contenu de votre plan de compte depuis 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. 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. @@ -131,13 +132,14 @@ ACCOUNTING_LENGTH_GACCOUNT=Longueur des comptes de la comptabilité générale ( ACCOUNTING_LENGTH_AACCOUNT=Longueur des comptes comptables de Tiers (Si vous définissez la valeur à 6 ici, le compte « 401 » apparaîtra comme « 401000 » à l'écran) ACCOUNTING_MANAGE_ZERO=Permettre de gérer un nombre différent de zéro à la fin d'un compte comptable. Nécessaire par certains pays (comme la Suisse). Si conservé à Non (par défaut), vous pouvez définir les 2 paramètres suivants pour demander à l'application d'ajouter des zéros virtuels. BANK_DISABLE_DIRECT_INPUT=Désactiver la saisie directe de transactions en banque +ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Activer l'export brouillon sur les journaux comptables ACCOUNTING_SELL_JOURNAL=Journal des ventes ACCOUNTING_PURCHASE_JOURNAL=Journal des achats ACCOUNTING_MISCELLANEOUS_JOURNAL=Journal des opérations diverses ACCOUNTING_EXPENSEREPORT_JOURNAL=Journal des notes de frais ACCOUNTING_SOCIAL_JOURNAL=Journal de paie -ACCOUNTING_HAS_NEW_JOURNAL=Journal des A nouveaux +ACCOUNTING_HAS_NEW_JOURNAL=Journal des A -nouveaux ACCOUNTING_ACCOUNT_TRANSFER_CASH=Compte comptable de tranfert ACCOUNTING_ACCOUNT_SUSPENSE=Compte comptable d'attente @@ -207,7 +209,7 @@ DescVentilDoneCustomer=Consultez ici la liste des lignes de factures clients et DescVentilTodoCustomer=Lier les lignes de factures non déjà liées à un compte comptable produits ChangeAccount=Modifier le compte comptable produit/service pour les lignes sélectionnées avec le compte comptable suivant: Vide=- -DescVentilSupplier=Consult here the list of vendor invoice lines bound or not yet bound to a product accounting account +DescVentilSupplier=Consultez ici la liste des lignes de factures fournisseurs liées ou pas encore liées à un compte comptable produit DescVentilDoneSupplier=Consultez ici la liste des lignes de factures fournisseurs et leur compte comptable DescVentilTodoExpenseReport=Lier les lignes de note de frais par encore liées à un compte comptable DescVentilExpenseReport=Consultez ici la liste des lignes de notes de frais liées (ou non) à un compte comptable @@ -300,5 +302,5 @@ UseMenuToSetBindindManualy=L'autodection n'est pas possible, utilisez le menu %s
UnpackPackageInModulesRoot=Pour installer un module externe, décompresser les fichiers de l'archive dans le répertoire dédié aux modules : %s @@ -454,7 +454,7 @@ ModuleCompanyCodeDigitaria=Renvoie un code comptable composé suivant le code ti Use3StepsApproval=Par défaut, les commandes fournisseurs nécessitent d'être créées et approuvées en deux étapes/utilisateurs (une étape/utilisateur pour créer et une étape/utilisateur pour approuver. Si un utilisateur à les deux permissions, ces deux actions sont effectuées en une seule fois). Cette option ajoute la nécessité d'une approbation par une troisième étape/utilisateur, si le montant de la commande est supérieur au montant d'une valeur définie (soit 3 étapes nécessaire: 1 =Validation, 2=Première approbation et 3=seconde approbation si le montant l'exige).
Laissez le champ vide si une seule approbation (2 étapes) sont suffisantes, placez une valeur très faibe (0.1) si une deuxième approbation (3 étapes) est toujours exigée. UseDoubleApproval=Activer l'approbation en trois étapes si le montant HT est supérieur à... WarningPHPMail=Attention : Il est préférable de configurer les emails sortant pour utiliser le serveur email de votre fournisseur plutôt que la configuration par défaut. Certains fournisseurs email (comme Yahoo) ne permettent pas l'envoi d'e-mails depuis un autre serveur que le leur si l'adresse d'envoi utilisée est une adresse autre que la leur. Votre configuration actuelle utilise le serveur de l'application pour l'envoi d'e-mails et non le serveur de votre fournisseur de messagerie, aussi certains destinataires (ceux compatibles avec le protocole restrictif DMARC) demanderont au fournisseur d'email si ils peuvent accepter l'email et certains fournisseurs (comme Yahoo) peuvent répondre "non" car le serveur utilisé pour l'envoi n'est pas un serveur appartenant au fournisseur, aussi certains de vos emails envoyés peuvent ne pas etre accepté (faites attention aussi aux quotas de votre fournisseur d'email).
SI votre fournisseur d'email (comme Yahoo) impose cette restriction, vous devrez modifier votre configuration et opter pour l'autre méthode d'envoi "SMTP server" et saisir les identifiants SMTP de votre compte fournis par votre fournisseur d'e-mail (à demander à votre fournisseur d'e-mail) -WarningPHPMail2=Si votre fournisseur de messagerie SMTP a besoin de restreindre le client de messagerie à certaines adresses IP (très rare), voici l'adresse IP de votre application CRM ERP : %s . +WarningPHPMail2=Si votre fournisseur de messagerie SMTP a besoin de restreindre le client de messagerie à certaines adresses IP (très rare), voici l'adresse IP du mail agent (MUA) de votre application CRM ERP : %s . ClickToShowDescription=Cliquer pour afficher la description DependsOn=Ce module a besoin du(des) module(s) RequiredBy=Ce module est requis par le ou les module(s) @@ -475,8 +475,8 @@ FilesAttachedToEmail=Joindre le fichier SendEmailsReminders=Envoyer des alertes agenda par e-mails davDescription=Ajout un composant pour devenir un serveur DAV DAVSetup=Configuration du module DAV -DAV_ALLOW_PUBLIC_DIR=Enable the public directory (WebDav directory with no login required) -DAV_ALLOW_PUBLIC_DIRTooltip=The WebDav public directory is a WebDAV directory everybody can access to (in read and write mode), with no need to have/use an existing login/password account. +DAV_ALLOW_PUBLIC_DIR=Activer le répertoire public (répertoire WebDav sans login requis) +DAV_ALLOW_PUBLIC_DIRTooltip=Le répertoire public WebDav est un répertoire WebDAV auquel tout le monde peut accéder (en lecture et en écriture), sans avoir besoin d'avoir/utiliser un compte de connexion/mot de passe existant. # Modules Module0Name=Utilisateurs & groupes Module0Desc=Gestion des utilisateurs / employés et groupes @@ -485,7 +485,7 @@ Module1Desc=Gestion des tiers (sociétés, particuliers) et contacts Module2Name=Commercial Module2Desc=Gestion commerciale Module10Name=Comptabilité -Module10Desc=Simple accounting reports (journals, turnover) based onto database content. Does not use any ledger table. +Module10Desc=Activation de rapports simplistes de comptabilité (chiffre d'affaires, journaux) basés sur les données directes en base. Pas de ventilation en Grand Livre comptable. Module20Name=Propositions commerciales Module20Desc=Gestion des devis/propositions commerciales Module22Name=Emailing @@ -497,7 +497,7 @@ Module25Desc=Gestion des commandes clients Module30Name=Factures et avoirs Module30Desc=Gestion des factures et avoirs clients. Gestion des factures fournisseurs Module40Name=Fournisseurs -Module40Desc=Gestion des fournisseurs et des achats (commandes et factures) +Module40Desc=Gestion des fournisseurs et des achats (commandes et factures fournisseurs) Module42Name=Journaux et traces de Debug Module42Desc=Systèmes de logs ( fichier, syslog,... ). De tels logs ont un but technique / de débogage. Module49Name=Éditeurs @@ -553,7 +553,7 @@ Module400Desc=Gestion des projets, opportunités/affaires et/ou tâches. Vous po Module410Name=Webcalendar Module410Desc=Interface avec le calendrier Webcalendar Module500Name=Taxes et dépenses spéciales -Module500Desc=Management of other expenses (sale taxes, social or fiscal taxes, dividends, ...) +Module500Desc=Gestion des dépenses autres (Impôts TVA, charges fiscales ou sociales, dividendes, ...) Module510Name=Règlement des salaires Module510Desc=Enregistrer et suivre le paiement des salaires des employés Module520Name=Emprunt @@ -582,7 +582,7 @@ Module2200Desc=Active l'usage d'expressions mathématiques Module2300Name=Travaux planifiés Module2300Desc=Gestion des travaux planifiées (alias cron ou table chrono) Module2400Name=Événements/Agenda -Module2400Desc=Follow done and upcoming events. Let application logs automatic events for tracking purposes or record manual events or rendez-vous. This is the main important module for a good Customer or Supplier Relationship Management. +Module2400Desc=Gestion des événements réalisés ou à venir. Laissez l'application tracer automatiquement les événements pour des raisons de suivi ou enregistrer manuellement les événements ou rendez-vous dans l'agenda. Ceci est le module le plus important pour une bonne Gestion de la Relation Client ou Fournisseur. Module2500Name=GED Module2500Desc=Gestion de documents (GED). Stockage automatic des documents générés ou stockés. Fonction de partage. Module2600Name=API/Web services (serveur SOAP) @@ -605,9 +605,9 @@ Module4000Desc=Gestion des ressources humaines (gestion du département, contrat Module5000Name=Multi-société Module5000Desc=Permet de gérer plusieurs sociétés Module6000Name=Workflow -Module6000Desc=Gérer le Workflow +Module6000Desc=Gestion du workflow (création automatique d'objet et / ou changement automatique d'état) Module10000Name=Sites internet -Module10000Desc=Créer des sites internet publics avec un éditeur WYSIWYG. Indiquer à votre serveur web (Apache, Nginx, ...) le chemin d'accès au à dossier pour mettre votre site en ligne avec votre propre nom de domaine. +Module10000Desc=Créer des sites internet publics (sites web) avec un éditeur WYSIWYG. Indiquer à votre serveur web (Apache, Nginx, ...) le chemin d'accès au à dossier pour mettre votre site en ligne avec votre propre nom de domaine. Module20000Name=Demandes de congés Module20000Desc=Déclaration et suivi des congés des employés Module39000Name=Numéros de Lot/Série @@ -921,7 +921,7 @@ BackToModuleList=Retour liste des modules BackToDictionaryList=Retour liste des dictionnaires TypeOfRevenueStamp=Type de timbre fiscal VATManagement=Gestion TVA -VATIsUsedDesc=Le taux de TVA proposé par défaut lors de la création de proposition commerciale, facture, commande, etc... répond à la règle standard suivante :
Si vendeur non assujetti à TVA, TVA par défaut=0. Fin de règle.
Si le (pays vendeur= pays acheteur) alors TVA par défaut=TVA du produit vendu. Fin de règle.
Si vendeur et acheteur dans Communauté européenne et bien vendu= moyen de transport neuf (auto, bateau, avion), TVA par défaut=0 (La TVA doit être payée par acheteur au centre d'impôts de son pays et non au vendeur). Fin de règle.
Si vendeur et acheteur dans Communauté européenne et acheteur= particulier alors TVA par défaut=TVA du produit vendu (TVA pays vendeur si < seuil du pays et si avant 01/01/2015, TVA pays acheteur après le 01/01/2015). Fin de règle.
Si vendeur et acheteur dans Communauté européenne et acheteur= entreprise alors TVA par défaut=0. Fin de règle.
Sinon TVA proposée par défaut=0. Fin de règle.
+VATIsUsedDesc=Le taux de TVA proposé par défaut lors de la création de propositions commerciales, factures, commandes, etc... répond à la règle standard suivante :
Si vendeur non assujetti à TVA, TVA par défaut=0. Fin de règle.
Si le (pays vendeur= pays acheteur) alors TVA par défaut=TVA du produit vendu. Fin de règle.
Si vendeur et acheteur dans Communauté européenne et bien vendu= moyen de transport neuf (auto, bateau, avion), TVA par défaut=0 (La TVA doit être payée par acheteur au centre d'impôts de son pays et non au vendeur). Fin de règle.
Si vendeur et acheteur dans Communauté européenne et acheteur= particulier alors TVA par défaut=TVA du produit vendu. Fin de règle.
Si vendeur et acheteur sont dans la Communauté européenne et que l'acheteur est une société alors TVA par défaut=0. Fin de règle.
Sinon la TVA proposée par défaut=0. Fin de règle. VATIsNotUsedDesc=Le taux de TVA proposé par défaut est 0. C'est le cas d'associations, particuliers ou certaines petites sociétés. VATIsUsedExampleFR=En France, cela signifie que les entreprises ou les organisations sont assuetis à la tva (réel ou normal). VATIsNotUsedExampleFR=En France, il s'agit des associations ne déclarant pas de TVA ou sociétés, organismes ou professions libérales ayant choisi le régime fiscal micro entreprise (TVA en franchise) et payant une TVA en franchise sans faire de déclaration de TVA. Ce choix fait de plus apparaître la mention "TVA non applicable - art-293B du CGI" sur les factures. @@ -1027,7 +1027,7 @@ Delays_MAIN_DELAY_ACTIONS_TODO=Tolérance de retard avant alerte (en jours) sur Delays_MAIN_DELAY_PROJECT_TO_CLOSE=Tolérance de retard (en jours) avant alerte pour les projets non clos à temps Delays_MAIN_DELAY_TASKS_TODO=Tolérance de retard (en jours) avant alerte sur les tâches planifiées (tâches de projets) pas encore réalisées Delays_MAIN_DELAY_ORDERS_TO_PROCESS=Tolérance de retard avant alerte (en jours) sur commandes clients non traitées -Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Tolérance de retard avant alerte (en jours) sur commandes fournisseurs non traitées +Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Tolérance de retard avant alerte (en jours) sur les commandes fournisseurs non traitées Delays_MAIN_DELAY_PROPALS_TO_CLOSE=Tolérance de retard avant alerte (en jours) sur propales à cloturer Delays_MAIN_DELAY_PROPALS_TO_BILL=Tolérance de retard avant alerte (en jours) sur propales non facturées Delays_MAIN_DELAY_NOT_ACTIVATED_SERVICES=Tolérance de retard avant alerte (en jours) sur services à activer @@ -1038,7 +1038,7 @@ Delays_MAIN_DELAY_TRANSACTIONS_TO_CONCILIATE=Tolérance de retard avant alerte ( Delays_MAIN_DELAY_MEMBERS=Tolérance de retard avant alerte (en jours) sur cotisations adhérents en retard Delays_MAIN_DELAY_CHEQUES_TO_DEPOSIT=Tolérance de retard avant alerte (en jours) sur chèques à déposer Delays_MAIN_DELAY_EXPENSEREPORTS=Tolérance de retard avant alerte (en jours) sur les notes de frais à approuver -SetupDescription1=L'espace configuration permet de réaliser le paramétrage afin de pouvoir commencer à utiliser l'application +SetupDescription1=L'espace configuration permet de réaliser le paramétrage afin de pouvoir commencer à utiliser l'application. SetupDescription2=Les deux étapes obligatoires sont les deux étapes suivantes (les 2 premières entrées dans le menu de configuration gauche) SetupDescription3=Les paramètres dans le menu
%s -> %s. Cette étape est requise car elle définie des données utilisées dans les écrans Dolibarr pour personnaliser le comportement par défaut du logiciel (pour les fonctionnalités liées à un pays par exemple). SetupDescription4=Les paramètres dans le menu %s -> %s . Cette étape est requise car Dolibarr ERP/CRM est un ensemble de plusieurs modules/applications, tous plus ou moins indépendants. Les fonctionnalités sont ajoutées aux menus pour chaque module que vous activez. @@ -1195,8 +1195,8 @@ UserMailRequired=Email requis pour créer un nouvel utilisateur HRMSetup=Configuration du module GRH ##### Company setup ##### CompanySetup=Configuration du module Tiers -CompanyCodeChecker=Module for third parties code generation and checking (customer or vendor) -AccountCodeManager=Module for accounting code generation (customer or vendor) +CompanyCodeChecker=Modèle de génération et contrôle des codes tiers (client ou fournisseur) +AccountCodeManager=Modèle de génération des codes comptables (client ou fournisseur) NotificationsDesc=Les notifications activent l'envoi d'e-mails automatiques pour certains événements de Dolibarr. L'envoi de ces e-mails automatiques est défini selon : NotificationsDescUser=* par utilisateurs, utilisateur par utilisateur. NotificationsDescContact=* par tiers de contacts (clients ou fournisseur), contact par contact. @@ -1211,7 +1211,7 @@ MustBeMandatory=Obligatoire pour créer des tiers ? MustBeInvoiceMandatory=Obligatoire pour valider des factures ? TechnicalServicesProvided=Services techniques fournis #####DAV ##### -WebDAVSetupDesc=This is the links 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 need an existing login account/password to access to. +WebDAVSetupDesc=Voici les liens pour accéder au répertoire WebDAV. Il contient un répertoire "public" ouvert à tout utilisateur connaissant l'URL (si l'accès au répertoire public est autorisé) et un répertoire "privé" qui a besoin d'un compte/mot de passe existant pour y accéder. WebDavServer=URL du serveur %s: %s ##### Webcal setup ##### WebCalUrlForVCalExport=Un lien d'exportation du calendrier au format %s sera disponible à l'url :
%s @@ -1458,7 +1458,7 @@ SyslogFilename=Nom et chemin du fichier YouCanUseDOL_DATA_ROOT=Vous pouvez utiliser DOL_DATA_ROOT/dolibarr.log pour un journal dans le répertoire "documents" de Dolibarr. Vous pouvez néanmoins définir un chemin différent pour stocker ce fichier. ErrorUnknownSyslogConstant=La constante %s n'est pas une constante syslog connue OnlyWindowsLOG_USER=Windows ne prend en charge que LOG_USER -CompressSyslogs=Compression et sauvegarde des fichiers Syslog +CompressSyslogs=Compression et sauvegarde des fichiers journaux de débogage (générés par le module Log pour le débogage) SyslogFileNumberOfSaves=Sauvegardes de Log ConfigureCleaningCronjobToSetFrequencyOfSaves=Configurer le travail planifié de nettoyage pour définir la fréquence de sauvegarde de log ##### Donations ##### @@ -1675,7 +1675,7 @@ NoAmbiCaracAutoGeneration=Ne pas utiliser des caractères ambigus ("1","l","i"," SalariesSetup=Configuration du module salaires SortOrder=Ordre de tri Format=Format -TypePaymentDesc=0:Customer payment type, 1:Vendor payment type, 2:Both customers and vendors payment type +TypePaymentDesc=0:Type paiement client, 1:Type paiement fournisseur, 2:Type paiement client et fournisseur IncludePath=Chemin Include (défini dans la variable %s) ExpenseReportsSetup=Configuration du module Notes de frais TemplatePDFExpenseReports=Modèles de documents pour générer les document de Notes de frais diff --git a/htdocs/langs/fr_FR/agenda.lang b/htdocs/langs/fr_FR/agenda.lang index 322fe871d7a2d..4894e6c80d0b9 100644 --- a/htdocs/langs/fr_FR/agenda.lang +++ b/htdocs/langs/fr_FR/agenda.lang @@ -122,7 +122,7 @@ MyAvailability=Ma disponibilité ActionType=Type événement DateActionBegin=Date début événément CloneAction=Cloner l'événement -ConfirmCloneEvent=Êtes-vous sûr de vouloir cloner cette facture %s ? +ConfirmCloneEvent=Êtes-vous sûr de vouloir cloner cet événement %s ? RepeatEvent=Evénement répétitif EveryWeek=Chaque semaine EveryMonth=Chaque mois diff --git a/htdocs/langs/fr_FR/banks.lang b/htdocs/langs/fr_FR/banks.lang index 1cd7471e660f3..c75071158beb4 100644 --- a/htdocs/langs/fr_FR/banks.lang +++ b/htdocs/langs/fr_FR/banks.lang @@ -1,6 +1,6 @@ # Dolibarr language file - Source file is en_US - banks Bank=Banque -MenuBankCash=Banques/Caisses +MenuBankCash=Banques | Caisses MenuVariousPayment=Opérations diverses MenuNewVariousPayment=Nouveau paiement divers BankName=Nom de la banque @@ -160,5 +160,6 @@ VariousPayment=Opérations diverses VariousPayments=Opérations diverses ShowVariousPayment=Afficher les opérations diverses AddVariousPayment=Créer paiements divers +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 à diff --git a/htdocs/langs/fr_FR/bills.lang b/htdocs/langs/fr_FR/bills.lang index 9705e9ccc0be1..4b088f8dea26a 100644 --- a/htdocs/langs/fr_FR/bills.lang +++ b/htdocs/langs/fr_FR/bills.lang @@ -110,8 +110,8 @@ SendRemindByMail=Envoyer rappel DoPayment=Saisir règlement DoPaymentBack=Saisir remboursement ConvertToReduc=Marquer comme crédit disponible -ConvertExcessReceivedToReduc=Convertir le trop-perçu en réduction future -ConvertExcessPaidToReduc=Convertir le trop-perçu en réduction future +ConvertExcessReceivedToReduc=Convertir le trop-perçu en crédit disponible +ConvertExcessPaidToReduc=Convertir le trop-payé en crédit disponible EnterPaymentReceivedFromCustomer=Saisie d'un règlement reçu du client EnterPaymentDueToCustomer=Saisie d'un remboursement d'un avoir client DisabledBecauseRemainderToPayIsZero=Désactivé car reste à payer est nul @@ -282,7 +282,7 @@ RelativeDiscount=Remise relative GlobalDiscount=Ligne de déduction CreditNote=Avoir CreditNotes=Avoirs -CreditNotesOrExcessReceived=Avoirs ou trop perçus +CreditNotesOrExcessReceived=Avoirs ou excédent reçu Deposit=Acompte Deposits=Acomptes DiscountFromCreditNote=Remise issue de l'avoir %s @@ -342,10 +342,10 @@ ListOfPreviousSituationInvoices=Liste des factures de situation précédentes ListOfNextSituationInvoices=Liste des factures de situation suivantes ListOfSituationInvoices=Liste des factures de situation CurrentSituationTotal=Situation actuelle totale -DisabledBecauseNotEnouthCreditNote=To remove a situation invoice from cycle, this invoice's credit note total must cover this invoice total +DisabledBecauseNotEnouthCreditNote=Pour supprimer une facture de situation du cycle, le total de la note de crédit de cette facture doit couvrir le total de cette facture. RemoveSituationFromCycle=Supprimer cette facture du cycle ConfirmRemoveSituationFromCycle=Retirer cette facture %s du cycle? -ConfirmOuting=Confirm outing +ConfirmOuting=Confirmer la sortie FrequencyPer_d=Tous les %s jour(s) FrequencyPer_m=Tous les %s mois FrequencyPer_y=Tout les %s an(s) @@ -394,6 +394,7 @@ PaymentConditionShort14DENDMONTH=14 jours fin de mois PaymentCondition14DENDMONTH=Sous 14 jours suivant la fin du mois FixAmount=Montant Fixe VarAmount=Montant variable (%% tot.) +VarAmountOneLine=Montant variable (%% tot.) - 1 ligne avec le libellé '%s' # PaymentType PaymentTypeVIR=Virement bancaire PaymentTypeShortVIR=Virement bancaire @@ -512,9 +513,9 @@ SituationAmount=Montant de facture de situation (HT) SituationDeduction=Différence de situation ModifyAllLines=Modifier toutes les lignes CreateNextSituationInvoice=Créer prochaine situation -ErrorFindNextSituationInvoice=Error unable to find next situation cycle ref -ErrorOutingSituationInvoiceOnUpdate=Unable to outing this situation invoice. -ErrorOutingSituationInvoiceCreditNote=Unable to outing linked credit note. +ErrorFindNextSituationInvoice=Erreur impossible de trouver la ref du prochain cycle de situation +ErrorOutingSituationInvoiceOnUpdate=Impossible de clore cette facture de situation. +ErrorOutingSituationInvoiceCreditNote=Impossible de clore la note de crédit liée. NotLastInCycle=Cette facture n'est pas la dernière dans le cycle et ne doit pas être modifiée DisabledBecauseNotLastInCycle=Une facture de situation suivante existe DisabledBecauseFinal=Cette situation est la dernière diff --git a/htdocs/langs/fr_FR/companies.lang b/htdocs/langs/fr_FR/companies.lang index 83b8cf6aa0c0b..fbd8bb87e4e38 100644 --- a/htdocs/langs/fr_FR/companies.lang +++ b/htdocs/langs/fr_FR/companies.lang @@ -77,11 +77,11 @@ Web=Web Poste= Poste DefaultLang=Langue par défaut VATIsUsed=Assujetti à la TVA -VATIsUsedWhenSelling=This define if this third party includes a sale tax or not when it makes an invoice to its own customers +VATIsUsedWhenSelling=Ceci définit si un tiers inclut une taxe de vente ou non lorsqu'il fait une facture à ses propres clients VATIsNotUsed=Non assujetti à la TVA CopyAddressFromSoc=Remplir avec l'adresse du tiers -ThirdpartyNotCustomerNotSupplierSoNoRef=Third party neither customer nor vendor, no available refering objects -ThirdpartyIsNeitherCustomerNorClientSoCannotHaveDiscounts=Third party neither customer nor supplier, discounts are not available +ThirdpartyNotCustomerNotSupplierSoNoRef=Ce tiers n'est ni client ni fournisseur. il n'y a pas d'objet référent. +ThirdpartyIsNeitherCustomerNorClientSoCannotHaveDiscounts=Tiers ni client ni fournisseur, les réductions ne sont pas disponibles PaymentBankAccount=Compte bancaire paiements OverAllProposals=Propositions commerciales OverAllOrders=Commandes @@ -284,8 +284,8 @@ HasCreditNoteFromSupplier=Vous avez des avoirs pour %s %s chez ce fourn CompanyHasNoAbsoluteDiscount=Ce client n'a pas ou plus de crédit disponible CustomerAbsoluteDiscountAllUsers=Remises client fixes en cours (accordées par tout utilisateur) CustomerAbsoluteDiscountMy=Remises client fixes en cours (accordées personnellement) -SupplierAbsoluteDiscountAllUsers=Absolute vendor discounts (entered by all users) -SupplierAbsoluteDiscountMy=Absolute vendor discounts (entered by yourself) +SupplierAbsoluteDiscountAllUsers=Remises fournisseurs absolues (saisies par tous les utilisateurs) +SupplierAbsoluteDiscountMy=Remises fournisseur absolues (saisies par vous-même) DiscountNone=Aucune Supplier=Fournisseur AddContact=Créer contact diff --git a/htdocs/langs/fr_FR/compta.lang b/htdocs/langs/fr_FR/compta.lang index 8da3904691850..297db2e5c13a6 100644 --- a/htdocs/langs/fr_FR/compta.lang +++ b/htdocs/langs/fr_FR/compta.lang @@ -19,7 +19,8 @@ Income=Recettes Outcome=Dépenses MenuReportInOut=Résultat / Exercice ReportInOut=Résultat / Exercice -ReportTurnover=Chiffre d'affaires +ReportTurnover=Chiffre d'affaires facturé +ReportTurnoverCollected=Chiffre d'affaires encaissé PaymentsNotLinkedToInvoice=Paiements liés à aucune facture, donc aucun tiers PaymentsNotLinkedToUser=Paiements non liés à un utilisateur Profit=Bénéfice @@ -77,7 +78,7 @@ MenuNewSocialContribution=Nouvelle charge NewSocialContribution=Nouvelle charge fiscale/sociale AddSocialContribution=Créer taxe sociale/fiscale ContributionsToPay=Charges fiscales/sociales à payer -AccountancyTreasuryArea=Espace comptabilité/trésorerie +AccountancyTreasuryArea=Espace facturation et paiement NewPayment=Nouveau règlement Payments=Règlements PaymentCustomerInvoice=Règlement facture client @@ -105,6 +106,7 @@ VATPayment=Règlement TVA VATPayments=Règlements TVA VATRefund=Remboursement TVA NewVATPayment=Nouveau paiement de TVA +NewLocalTaxPayment=Nouveau paiement charge %s Refund=Rembourser SocialContributionsPayments=Paiements de charges fiscales/sociales ShowVatPayment=Affiche paiement TVA @@ -116,7 +118,8 @@ CustomerAccountancyCodeShort=Compte comptable client SupplierAccountancyCodeShort=Compte comptable fournisseur AccountNumber=Numéro du compte NewAccountingAccount=Nouveau compte -SalesTurnover=Chiffre d'affaires +Turnover=Chiffre d'affaires facturé +TurnoverCollected=Chiffre d'affaires encaissé SalesTurnoverMinimum=Chiffre d'affaires minimum ByExpenseIncome=Par recettes et dépenses ByThirdParties=Par tiers @@ -137,8 +140,8 @@ ConfirmDeleteSocialContribution=Êtes-vous sûr de vouloir supprimer ce paiement ExportDataset_tax_1=Taxes sociales et fiscales et paiements CalcModeVATDebt=Mode %sTVA sur débit%s. CalcModeVATEngagement=Mode %sTVA sur encaissement%s. -CalcModeDebt=Mode %sCréances-Dettes%s dit comptabilité d'engagement. -CalcModeEngagement=Mode %sRecettes-Dépenses%s dit comptabilité de caisse. +CalcModeDebt=Analyse des factures enregistrées connues même si elles ne sont pas encore comptabilisées dans le Grand Livre. +CalcModeEngagement=Analyse des paiements enregistrés connus, même s'ils ne sont pas encore comptabilisés dans le Grand Livre. CalcModeBookkeeping=Analyse des données journalisées dans le grand livre CalcModeLT1= Mode %sRE sur factures clients - factures fournisseurs%s CalcModeLT1Debt=Mode %sRE sur factures clients%s @@ -151,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=Cliquer sur %sRecettes-Dépenses%s dit comptabilité de caisse pour un calcul sur les paiements effectivement réalisés -SeeReportInDueDebtMode=Cliquer sur %sCréances-Dettes%s dit comptabilité d'engagement pour un calcul sur les factures émises -SeeReportInBookkeepingMode=Voir le %sGrand livre%s pour un calcul basé sur l'analyse 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 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 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 validation des factures et de la TVA et à la date prévue pour les dépenses. Pour les salaires définis avec le module de salaire, la date de paiement de la valeur 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. @@ -188,7 +191,7 @@ RulesVATInProducts=- Pour les biens matériels, il inclut les TVA des factures e RulesVATDueServices=- Pour les services, le rapport inclut les TVA des factures dues, payées ou non en se basant sur la date de facture. RulesVATDueProducts=- Pour les biens matériels, il inclut les TVA des factures en se basant sur la date de facture. OptionVatInfoModuleComptabilite=Remarque : Pour les biens matériels, il faudrait utiliser la date de livraison pour être plus juste. -ThisIsAnEstimatedValue=This is a preview, based on business events and not from the final ledger table, so final results may differ from this preview values +ThisIsAnEstimatedValue=Il s'agit d'un aperçu, basé sur les événements métiers et non sur la table du grand livre final, de sorte que les résultats finaux peuvent différer de ces valeurs d'aperçu. PercentOfInvoice=%%/facture NotUsedForGoods=Non utilisé pour les biens ProposalStats=Statistiques sur les propales @@ -218,8 +221,8 @@ Mode1=Mode 1 Mode2=Mode 2 CalculationRuleDesc=Pour calculer le total de TVA, il existe 2 modes:
Le mode 1 consiste à arrondir la tva de chaque ligne et à sommer cet arrondi.
Le mode 2 consiste à sommer la tva de chaque ligne puis à l'arrondir.
Les résultats peuvent différer de quelques centimes. Le mode par défaut est le mode %s. CalculationRuleDescSupplier=Selon le fournisseur, choisissez le mode approprié afin d'appliquer la même règle que celle du fournisseur et obtenir ainsi le même résultat que celui du fournisseur. -TurnoverPerProductInCommitmentAccountingNotRelevant=Le chiffre d'affaires par produit, dans une comptabilité en mode comptabilité de caisse n'est pas définissable. Ce rapport n'est disponible qu'en mode de comptabilité dit comptabilité d'engagement (voir la configuration du module de comptabilité). -TurnoverPerSaleTaxRateInCommitmentAccountingNotRelevant=Le rapport de chiffre d'affaires par Taux de TVA, lorsque vous utilisez le mode comptabilité de caisse n'est pas pertinent. Ce rapport n'est disponible que lorsque vous utilisez le mode comptabilité des engagements (voir configuration du module de comptabilité). +TurnoverPerProductInCommitmentAccountingNotRelevant=Le rapport de chiffre d'affaires encaissé par produit n'est pas disponible. Ce rapport est uniquement disponible pour le chiffre d'affaires facturé. +TurnoverPerSaleTaxRateInCommitmentAccountingNotRelevant=Le rapport de Chiffre d'affaires encaissé par taux de TVA n'est pas disponible. Ce rapport est uniquement disponible pour le chiffre d'affaires facturé. CalculationMode=Mode de calcul AccountancyJournal=Code journal comptable ACCOUNTING_VAT_SOLD_ACCOUNT=Compte comptable par défaut pour la TVA - TVA sur les ventes (utilisé si non défini au niveau de la configuration du dictionnaire de TVA) @@ -251,5 +254,6 @@ VATDue=TVA réclamée ClaimedForThisPeriod=Réclamé pour la période PaidDuringThisPeriod=Payé durant la période ByVatRate=Par taux de TVA -TurnoverbyVatrate=Chiffre d'affaire par taux de TVA +TurnoverbyVatrate=Chiffre d'affaire facturé par taux de TVA +TurnoverCollectedbyVatrate=Chiffre d'affaires encaissé par taux de TVA PurchasebyVatrate=Achat par taux de TVA diff --git a/htdocs/langs/fr_FR/ecm.lang b/htdocs/langs/fr_FR/ecm.lang index daba395b32627..0f92ea1917ab0 100644 --- a/htdocs/langs/fr_FR/ecm.lang +++ b/htdocs/langs/fr_FR/ecm.lang @@ -46,6 +46,5 @@ ECMSelectASection=Sélectionner un répertoire dans l'arborescence... DirNotSynchronizedSyncFirst=Ce répertoire a été crée ou modifié en dehors du module GED. Cliquer sur le bouton "Rafraîchir" afin de resyncroniser les informations sur disque et la base pour voir le contenu de ce répertoire. ReSyncListOfDir=Resynchroniser la liste des répertoires HashOfFileContent=Hash du contenu du fichier -FileNotYetIndexedInDatabase=Fichier non indexé dans la base de données. Téléchargez le à nouveau -FileSharedViaALink=Fichier partagé via un lien NoDirectoriesFound=Aucun répertoire trouvé +FileNotYetIndexedInDatabase=Fichier non indexé dans la base de données. Téléchargez le à nouveau diff --git a/htdocs/langs/fr_FR/install.lang b/htdocs/langs/fr_FR/install.lang index 16bcb6357ce0f..b2317d7b20efb 100644 --- a/htdocs/langs/fr_FR/install.lang +++ b/htdocs/langs/fr_FR/install.lang @@ -204,3 +204,7 @@ MigrationResetBlockedLog=Réinitialiser le module BlockedLog pour l'algorithme v ShowNotAvailableOptions=Afficher les choix non disponibles HideNotAvailableOptions=Cacher les choix non disponibles ErrorFoundDuringMigration=Une erreur est survenu lors du processus de migration, aussi l'étape suivante ne peut pas être réalisée. Pour ignorer les erreurs, vous pouvez cliquer ici, mais l'application ou certaines fonctionnalités risquent de présenter des dysfonctionnements jusqu'à la résolution de la ou des erreurs +YouTryInstallDisabledByDirLock=L'application essaie de se mettre à jour, mais les pages d'installation / mise à jour ont été désactivées pour des raisons de sécurité (répertoire renommé avec le suffixe .lock).
+YouTryInstallDisabledByFileLock=L'application essaie de se mettre à jour, mais les pages d'installation / mise à jour ont été désactivées pour des raisons de sécurité (par le fichier de verrouillage install.lock dans le répertoire de documents dolibarr).
+ClickHereToGoToApp=Cliquez ici pour aller sur votre application +ClickOnLinkOrRemoveManualy=Cliquez sur le lien suivant et si vous atteignez toujours cette page, vous devez supprimer manuellement le fichier install.lock dans le répertoire documents diff --git a/htdocs/langs/fr_FR/main.lang b/htdocs/langs/fr_FR/main.lang index 1d20a38f1e1b8..6fba0af2b6432 100644 --- a/htdocs/langs/fr_FR/main.lang +++ b/htdocs/langs/fr_FR/main.lang @@ -507,6 +507,7 @@ NoneF=Aucune NoneOrSeveral=Aucun ou plusieurs Late=Retard LateDesc=Le délai qui définit si un enregistrement est en retard ou non dépend de votre configuration. Demandez à votre administrateur pour changer ce délai depuis Accueil - Configuration - Alertes +NoItemLate=Aucun élément en retard Photo=Photo Photos=Photos AddPhoto=Ajouter photo @@ -945,3 +946,5 @@ KeyboardShortcut=Raccourci clavier AssignedTo=Assigné à Deletedraft=Supprimer brouillon ConfirmMassDraftDeletion=Confirmation de suppression de brouillon en bloc +FileSharedViaALink=Fichier partagé via un lien + diff --git a/htdocs/langs/fr_FR/members.lang b/htdocs/langs/fr_FR/members.lang index aca67bab9c7bf..08a1674562108 100644 --- a/htdocs/langs/fr_FR/members.lang +++ b/htdocs/langs/fr_FR/members.lang @@ -111,7 +111,7 @@ SendingAnEMailToMember=Envoi d'informations par e-mail à un adhérent SendingEmailOnAutoSubscription=Envoi d'email lors de l'auto-inscription SendingEmailOnMemberValidation=Envoie d'email à la validation d'un nouvel adhérent SendingEmailOnNewSubscription=Envoyer un email sur un nouvel abonnement -SendingReminderForExpiredSubscription=Sending reminder for expired subscriptions +SendingReminderForExpiredSubscription=Envoi d'un rappel pour les abonnements expirés SendingEmailOnCancelation=Envoie d'email à l'annulation # Topic of email templates YourMembershipRequestWasReceived=Votre demande d'adhésion a été reçue. @@ -124,7 +124,7 @@ CardContent=Contenu de votre fiche adhérent ThisIsContentOfYourMembershipRequestWasReceived=Nous vous informons que votre demande d'adhésion a bien été reçue.

ThisIsContentOfYourMembershipWasValidated=Nous vous informons que votre adhésion a été validé avec les informations suivantes:

ThisIsContentOfYourSubscriptionWasRecorded=Nous vous informons que votre nouvelle cotisation a été enregistrée.

-ThisIsContentOfSubscriptionReminderEmail=We want to let you know thet your subscription is about to expire. We hope you can make a renewal of it.

+ThisIsContentOfSubscriptionReminderEmail=Nous voulons vous informer que votre abonnement est sur le point d'expirer. Nous espérons que vous pourrez le renouveler.

ThisIsContentOfYourCard=Ceci est un rappel des informations que nous avons vos concernant. N'hésitez pas à nous contacter en cas d'erreur.

DescADHERENT_AUTOREGISTER_NOTIF_MAIL_SUBJECT=Sujet de l'email reçu en cas d'auto-inscription d'un invité DescADHERENT_AUTOREGISTER_NOTIF_MAIL=Email reçu en cas d'auto-inscription d'un invité diff --git a/htdocs/langs/fr_FR/modulebuilder.lang b/htdocs/langs/fr_FR/modulebuilder.lang index 6b6ff9b424819..3d520889aa78c 100644 --- a/htdocs/langs/fr_FR/modulebuilder.lang +++ b/htdocs/langs/fr_FR/modulebuilder.lang @@ -2,7 +2,7 @@ ModuleBuilderDesc=Cet outil est réservé aux utilisateurs avancés ou développeurs. Il donne accès aux outil de création ou d'édition de modules additionnels (Cliquez ici pour plus d'information). EnterNameOfModuleDesc=Saisissez le nom du module/application à créer, sans espaces. Utilisez les majuscules pour identifier les mots (par exemple : MonModule, BoutiqueECommerce,...) EnterNameOfObjectDesc=Entrez le nom de l'objet à créer sans espaces. Utilisez les majuscules pour séparer des mots (par exemple: MyObject, Student, Teacher ...). Le fichier de classe CRUD, mais aussi le fichier API, les pages à afficher / ajouter / éditer / supprimer des objets et des fichiers SQL seront générés. -ModuleBuilderDesc2=Chemin ou les modules sont générés/modifiés ( premier répertoire alternatif défini dans %s):%s +ModuleBuilderDesc2=Chemin ou les modules sont générés/modifiés (premier répertoire alternatif défini dans %s):%s ModuleBuilderDesc3=Modules générés/éditables trouvés : %s ModuleBuilderDesc4=Un module est détecté comme 'modifiable' quand le fichier %s existe à la racine du répertoire du module NewModule=Nouveau module @@ -74,24 +74,28 @@ NoWidget=Aucun widget GoToApiExplorer=Se rendre sur l'explorateur d'API ListOfMenusEntries=Liste des entrées du menu ListOfPermissionsDefined=Liste des permissions +SeeExamples=Voir des exemples ici EnabledDesc=Condition pour que ce champ soit actif (Exemples: 1 ou $conf->global->MYMODULE_MYOPTION) VisibleDesc=Le champ est-il visible ? (Exemples: 0 = Jamais visible, 1 = Visible sur les listes et formulaires de création/mise à jour/visualisation, 2 = Visible uniquement sur la liste, 3 = Visible uniquement sur le formulaire de création/mise à jour/affichage. Utiliser une valeur négative signifie que le champ n'est pas affiché par défaut sur la liste mais peut être sélectionné pour l'affichage) IsAMeasureDesc=Peut-on cumuler la valeur du champ pour obtenir un total dans les listes ? (Exemples: 1 ou 0) SearchAllDesc=Le champ doit-il être utilisé pour effectuer une recherche à partir de l'outil de recherche rapide ? (Exemples: 1 ou 0) SpecDefDesc=Entrez ici toute la documentation que vous souhaitez joindre au module et qui n'a pas encore été définis dans d'autres onglets. Vous pouvez utiliser .md ou, mieux, la syntaxe enrichie .asciidoc. LanguageDefDesc=Entrez dans ces fichiers, toutes les clés et la traduction pour chaque fichier de langue. -MenusDefDesc=Define here the menus provided by your module (once defined, they are visible into the menu editor %s) +MenusDefDesc=Définissez ici les menus fournis par votre module (une fois définis, ils sont visibles dans l'éditeur de menu %s) PermissionsDefDesc=Définissez ici les nouvelles permissions fournies par votre module (une fois définies, elles sont visibles dans la configuration des permissions %s) -HooksDefDesc=Define in the module_parts['hooks'] property, in the module descriptor, the context of hooks you want to manage (list of contexts can be found by a search on 'initHooks(' in core code).
Edit the hook file to add code of your hooked functions (hookable functions can be found by a search on 'executeHooks' in core code). +HooksDefDesc=Définissez dans la propriété module_parts ['hooks'] , dans le descripteur de module, le contexte des hooks à gérer (la liste des contextes peut être trouvée par une recherche sur ' initHooks (' dans le code du noyau).
Editez le fichier hook pour ajouter le code de vos fonctions hookées (les fonctions hookables peuvent être trouvées par une recherche sur ' executeHooks ' dans le code core). TriggerDefDesc=Définissez dans le fichier trigger le code que vous souhaitez exécuter pour chaque événement métier exécuté. SeeIDsInUse=Voir les IDs utilisés dans votre installation SeeReservedIDsRangeHere=Voir la plage des ID réservés ToolkitForDevelopers=Boîte à outils pour développeurs Dolibarr -TryToUseTheModuleBuilder=If you have knowledge in SQL and PHP, you can try to use the native module builder wizard. Just enable the module and use the wizard by clicking the on the top right menu. Warning: This is a developer feature, bad use may breaks your application. +TryToUseTheModuleBuilder=Si vous avez des connaissances en SQL et PHP, vous pouvez essayer d'utiliser l'assistant de création de module natif. Activez simplement le module et utilisez l'assistant en cliquant sur dans le menu en haut à droite. Attention: Ceci est une fonctionnalité de développeur, une mauvaise utilisation peut casser votre application. 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) TableDoesNotExists=La table %s n'existe pas TableDropped=La table %s a été supprimée -InitStructureFromExistingTable=Build the structure array string of an existing table +InitStructureFromExistingTable=Construire la chaîne du tableau de structure d'une table existante +UseAboutPage=Désactiver la page à propos de +UseDocFolder=Désactiver le dossier de la documentation +UseSpecificReadme=Utiliser un fichier ReadMe spécifique diff --git a/htdocs/langs/fr_FR/orders.lang b/htdocs/langs/fr_FR/orders.lang index 8122c89372272..ba4ed1d43bff7 100644 --- a/htdocs/langs/fr_FR/orders.lang +++ b/htdocs/langs/fr_FR/orders.lang @@ -16,7 +16,7 @@ MakeOrder=Passer commande SupplierOrder=Commande fournisseur SuppliersOrders=Commandes fournisseurs SuppliersOrdersRunning=Commandes fournisseurs en cours -CustomerOrder=Opposition sur compte +CustomerOrder=Commande client CustomersOrders=Commandes clients CustomersOrdersRunning=Commandes clients en cours CustomersOrdersAndOrdersLines=Commandes clients et ligne de commandes diff --git a/htdocs/langs/fr_FR/other.lang b/htdocs/langs/fr_FR/other.lang index f6543c89a8009..e0a6b7b82dd14 100644 --- a/htdocs/langs/fr_FR/other.lang +++ b/htdocs/langs/fr_FR/other.lang @@ -80,8 +80,8 @@ LinkedObject=Objet lié NbOfActiveNotifications=Nombre de notifications (nb de destinataires emails) PredefinedMailTest=__(Hello)__,\nCeci est un mail de test envoyé à __EMAIL__.\nLes deux lignes sont séparées par un saut de ligne.\n\n__USER_SIGNATURE__ PredefinedMailTestHtml=__(Hello)__\nCeci est un message de test (le mot test doit être en gras).
Les 2 lignes sont séparées par un retour à la ligne.

__SIGNATURE__ -PredefinedMailContentSendInvoice=__(Hello)__\n\nVous trouverez ci-joint la facture __REF__\n\nVoici le lien pour effectuer votre paiement en ligne si elle n'est pas déjà été payée:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nNous souhaitons vous prévenir que la facture __REF__ ne semble pas avoir été payée. Voici donc la facture en pièce jointe, à titre de rappel.\n\nVoici le lien pour effectuer votre paiement en ligne:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoice=__(Hello)__\n\nVous trouverez ci-joint la facture __REF__\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nNous souhaitons vous prévenir que la facture __REF__ ne semble pas avoir été payée. Revoici donc la facture en pièce jointe, à titre de rappel.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendProposal=__(Hello)__\n\nVeuillez trouver, ci-joint, la proposition commerciale __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendSupplierProposal=__(Hello)__\n\nVeuillez trouver, ci-joint, une demande de prix avec la référence __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendOrder=__(Hello)__\n\nVeuillez trouver, ci-joint, la commande __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ @@ -91,6 +91,7 @@ PredefinedMailContentSendShipping=__(Hello)__\n\nVeuillez trouver, ci-joint, le 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__ 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 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) @@ -218,7 +219,7 @@ FileIsTooBig=Le fichier est trop volumineux PleaseBePatient=Merci de patienter quelques instants… NewPassword=Nouveau mot de passe ResetPassword=Réinitialiser le mot de passe -RequestToResetPasswordReceived=Une demande de modification de mot de passe a été reçue +RequestToResetPasswordReceived=Une requête pour changer de mot de passe a été reçue. NewKeyIs=Voici vos nouveaux identifiants pour vous connecter NewKeyWillBe=Vos nouveaux identifiants pour vous connecter à l'application seront ClickHereToGoTo=Cliquez ici pour aller sur %s diff --git a/htdocs/langs/fr_FR/paybox.lang b/htdocs/langs/fr_FR/paybox.lang index f3848c19b3315..d2b313cc81c5c 100644 --- a/htdocs/langs/fr_FR/paybox.lang +++ b/htdocs/langs/fr_FR/paybox.lang @@ -23,7 +23,7 @@ ToOfferALinkForOnlinePaymentOnMemberSubscription=URL offrant une interface de pa YouCanAddTagOnUrl=Vous pouvez de plus ajouter le paramètre URL &tag=value à n'importe quelles de ces URL (obligatoire pour le paiement libre uniquement) pour ajouter votre propre "code commentaire" du paiement. SetupPayBoxToHavePaymentCreatedAutomatically=Configurez votre URL PayBox à %s pour avoir le paiement créé automatiquement si validé. YourPaymentHasBeenRecorded=Cette page confirme que votre paiement a bien été enregistré. Merci. -YourPaymentHasNotBeenRecorded=Votre paiement n'a pas été enregistré et la transaction a été annulée. +YourPaymentHasNotBeenRecorded=Votre paiement n'a PAS été enregistré et la transaction a été annulée. Merci. AccountParameter=Paramètres du compte UsageParameter=Paramètres d'utilisation InformationToFindParameters=Informations pour trouver vos paramètres de compte %s diff --git a/htdocs/langs/fr_FR/paypal.lang b/htdocs/langs/fr_FR/paypal.lang index bfb9f49b49b5e..7177b1684fe78 100644 --- a/htdocs/langs/fr_FR/paypal.lang +++ b/htdocs/langs/fr_FR/paypal.lang @@ -14,7 +14,6 @@ PaypalModeOnlyPaypal=PayPal seul ONLINE_PAYMENT_CSS_URL=URL optionnelle de la feuille de style CSS sur la page de paiement en ligne ThisIsTransactionId=Voici l'identifiant de la transaction: %s PAYPAL_ADD_PAYMENT_URL=Ajouter l'URL de paiement Paypal lors de l'envoi d'un document par email -PredefinedMailContentLink=Vous pouvez cliquer sur le lien sécurisé ci-dessous pour effectuer votre paiement si ce dernier n'a pas encore été fait:

%s

YouAreCurrentlyInSandboxMode=Vous travaillez actuellement dans le mode "bac à sable" de %s NewOnlinePaymentReceived=Nouveau paiement en ligne reçu NewOnlinePaymentFailed=Nouvelle tentative de paiement en ligne échouée diff --git a/htdocs/langs/fr_FR/products.lang b/htdocs/langs/fr_FR/products.lang index fd797b2952411..362f065043a4b 100644 --- a/htdocs/langs/fr_FR/products.lang +++ b/htdocs/langs/fr_FR/products.lang @@ -251,8 +251,8 @@ PriceNumeric=Nombre DefaultPrice=Prix par défaut ComposedProductIncDecStock=Augmenter/Réduire le stock sur changement du stock du père ComposedProduct=Sous-produits -MinSupplierPrice=Prix minimum fournisseur -MinCustomerPrice=Prix client minimum +MinSupplierPrice=Prix d'achat minimum +MinCustomerPrice=Prix de vente minimum DynamicPriceConfiguration=Configuration du prix dynamique DynamicPriceDesc=L'activation de ce module ajoute au fiches des produits une fonction d'enregistrement de formules de calcul des prix sur les prix de vente et d'achat. Ces formules supportent tous les opérateurs mathématiques, quelques constantes et variables. Définissez ici les variables que que vous voulez pouvoir utiliser, et si la variable nécessite d'être actualisée, l'URL externe ou Dolibarr ira chercher la nouvelle valeur AddVariable=Ajouter une Variable diff --git a/htdocs/langs/fr_FR/propal.lang b/htdocs/langs/fr_FR/propal.lang index 089a6a9ddbcd4..f35f63cf34d80 100644 --- a/htdocs/langs/fr_FR/propal.lang +++ b/htdocs/langs/fr_FR/propal.lang @@ -75,6 +75,7 @@ AvailabilityTypeAV_1M=1 mois TypeContact_propal_internal_SALESREPFOLL=Commercial suivi proposition TypeContact_propal_external_BILLING=Contact client facturation proposition TypeContact_propal_external_CUSTOMER=Contact client suivi proposition +TypeContact_propal_external_SHIPPING=Contact client pour la livraison # Document models DocModelAzurDescription=Modèle de proposition commerciale complet (logo…) DefaultModelPropalCreate=Modèle par défaut à la création diff --git a/htdocs/langs/fr_FR/ticket.lang b/htdocs/langs/fr_FR/ticket.lang index fb34bd615fa21..0c38f72dd78bd 100644 --- a/htdocs/langs/fr_FR/ticket.lang +++ b/htdocs/langs/fr_FR/ticket.lang @@ -25,7 +25,7 @@ Permission56001=Voir tickets Permission56002=Modifier des tickets Permission56003=Supprimer tickets Permission56004=Gérer les tickets -Permission56005=See tickets of all third parties (not effective for external users, always be limited to the thirdparty they depend on) +Permission56005=Voir les tickets de tous les tiers (sauf pour les utilisateurs externes, toujours limité au tiers dont ils dépendent) TicketDictType=Type de ticket TicketDictCategory=Catégories de tickets @@ -49,17 +49,17 @@ MenuListNonClosed=Tickets ouverts TypeContact_ticket_internal_CONTRIBUTOR=Contributeur TypeContact_ticket_internal_SUPPORTTEC=Utilisateur assigné -TypeContact_ticket_external_SUPPORTCLI=Customer contact / incident tracking +TypeContact_ticket_external_SUPPORTCLI=Contact client / suivi des tickets TypeContact_ticket_external_CONTRIBUTOR=Contributeur externe -OriginEmail=Email source -Notify_TICKETMESSAGE_SENTBYMAIL=Envoyée la réponse par email +OriginEmail=E-mail source +Notify_TICKETMESSAGE_SENTBYMAIL=Envoyer la réponse par email # Status NotRead=Non lu Read=Lu Answered=Répondu -Assigned=assigné +Assigned=Assigné InProgress=En cours Waiting=En attente Closed=Fermé @@ -71,67 +71,59 @@ Category=Catégorie Severity=Sévérité # Email templates -MailToSendTicketMessage=To send email from ticket message +MailToSendTicketMessage=Pour envoyer un e-mail depuis un ticket # # Admin page # -TicketSetup=Ticket module setup +TicketSetup=Configuration du module de ticket TicketSettings=Paramètres TicketSetupPage= -TicketPublicAccess=A public interface requiring no identification is available at the following url -TicketSetupDictionaries=The type of application categories and severity level are configurable from dictionaries -TicketParamModule=Module variable setup +TicketPublicAccess=Une interface publique ne nécessitant aucune identification est disponible à l'url suivante +TicketSetupDictionaries=Le type de catégories d'application et le niveau de gravité sont configurables à partir de dictionnaires +TicketParamModule=Configuration des variables du module TicketParamMail=Configuration de la messagerie TicketEmailNotificationFrom=Email from de notification -TicketEmailNotificationFromHelp=Used into ticket message answer by example -TicketEmailNotificationTo=Email de notification à -TicketEmailNotificationToHelp=Send email notifications to this address. -TicketNewEmailBodyLabel=Text message sent after creating a ticket (public interface) -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. +TicketEmailNotificationFromHelp=Utilisé dans les messages de réponses des tickets par exemple +TicketEmailNotificationTo=E-mail de notification à +TicketEmailNotificationToHelp=Envoyer des notifications par e-mail à cette adresse. +TicketNewEmailBodyLabel=Texte du message envoyé après la création d'un ticket (interface publique) +TicketNewEmailBodyHelp=Le texte spécifié ici sera inséré dans l'e-mail confirmant la création d'un nouveau ticket depuis l'interface publique. Les informations sur la consultation du ticket sont automatiquement ajoutées. TicketParamPublicInterface=Configuration de l'interface publique\n -TicketsEmailMustExist=Une adresse mail existante est requise pour créer un ticket +TicketsEmailMustExist=Une adresse e-mail existante est requise pour créer un ticket TicketsEmailMustExistHelp=Pour accéder à l'interface publique et créer un nouveau ticket, votre compte doit déjà être existant. PublicInterface=Interface publique TicketUrlPublicInterfaceLabelAdmin=URL interface publique -TicketUrlPublicInterfaceHelpAdmin=It is possible to define an alias to the web server and thus make available the public interface to another IP address. -TicketPublicInterfaceTextHomeLabelAdmin=Texte de bienvenu dans l'interface publique -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. +TicketUrlPublicInterfaceHelpAdmin=Il est possible de définir un alias vers le serveur Web et de rendre ainsi l'interface publique accessible à une autre adresse IP. +TicketPublicInterfaceTextHomeLabelAdmin=Texte de bienvenue dans l'interface publique +TicketPublicInterfaceTextHome=Vous pouvez créer un ticket ou consulter à partir d'un ID de ticket existant. +TicketPublicInterfaceTextHomeHelpAdmin=Le texte défini ici apparaîtra sur la page d'accueil de l'interface publique. TicketPublicInterfaceTopicLabelAdmin=Titre de l'interface TicketPublicInterfaceTopicHelp=Ce texte apparaîtra comme titre sur l'interface publique. -TicketPublicInterfaceTextHelpMessageLabelAdmin=Help text to the message entry -TicketPublicInterfaceTextHelpMessageHelpAdmin=This text will appear above the message input area of the user. +TicketPublicInterfaceTextHelpMessageLabelAdmin=Texte d'aide pour la saisie du message +TicketPublicInterfaceTextHelpMessageHelpAdmin=Ce texte apparaîtra au-dessus de la zone de saisie du message de l'utilisateur. ExtraFieldsTicket=Attributs complémentaires -TicketCkEditorEmailNotActivated=HTML editor is not activated. Please put FCKEDITOR_ENABLE_MAIL contant equal to 1 -TicketsDisableEmail=Do not send ticket creation or message send emails -TicketsDisableEmailHelp=By default, emails are sent when new tickets or messages created. Enable this option to disable *all* email notifications -TicketsLogEnableEmail=Activer l'alerte par mail -TicketsLogEnableEmailHelp=A chaque changements, un email sera envoyé à chaque contact associé à ce 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 +TicketCkEditorEmailNotActivated=L'éditeur HTML n'est pas activé. Veuillez mettre la constante FCKEDITOR_ENABLE_MAIL à 1 pour l'avoir. +TicketsDisableEmail=N'envoyez pas d'e-mails pour la création de ticket ou l'enregistrement de message +TicketsDisableEmailHelp=Par défaut, les e-mails sont envoyés lorsque de nouveaux tickets ou messages sont créés. Activer cette option pour désactiver *toutes* les notifications par e-mail +TicketsLogEnableEmail=Activer l'alerte par e-mail +TicketsLogEnableEmailHelp=A chaque changement, un e-mail sera envoyé aux contacts associés à ce ticket +TicketParams=Paramètres +TicketsShowModuleLogo=Afficher le logo du module dans l'interface publique +TicketsShowModuleLogoHelp=Activer cette option pour cacher le logo du module dans les pages de l'interface publique TicketsShowCompanyLogo=Afficher le logo de la société dans l'interface publique -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 thirdparty they depend on) +TicketsShowCompanyLogoHelp=Activez cette option pour masquer le logo de la société dans les pages de l'interface publique +TicketsEmailAlsoSendToMainAddress=Envoyer également une notification à l'adresse e-mail principale +TicketsEmailAlsoSendToMainAddressHelp=Activer cette option pour envoyer un email à "Email de notification de" adresse (voir configuration ci-dessous) +TicketsLimitViewAssignedOnly=Limiter l'afficher des tickets assignés à l'utilisateur courant (non valable pour les utilisateurs externes, toujours limité par le tiers dont ils dépendent) TicketsLimitViewAssignedOnlyHelp=Seuls les tickets affectés à l'utilisateur actuel seront visibles. Ne s'applique pas à un utilisateur disposant de droits de gestion des tickets. TicketsActivatePublicInterface=Activer l'interface publique -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 +TicketsActivatePublicInterfaceHelp=L'interface publique permet à tous les visiteurs de créer des tickets. +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 TicketNotifyTiersAtCreation=Notifier le tiers à la création -# -# About page -# -TicketAboutModule=The development of this module has been initiated by the company Libr&thic. -TicketAboutModuleHelp=You can get help by using the contact form on the website librethic.io -TicketAboutModuleImprove=Feel free to suggest improvements! Please visit the project page on Doliforge website to report bugs and add tasks. -TicketAboutModuleThanks=Thanks to nwa who creates icons for this module./ - # # Index & list page # @@ -140,43 +132,42 @@ TicketList=Liste des tickets TicketAssignedToMeInfos=Cette page présente la liste des tickets assignés à l'utilisateur actuel NoTicketsFound=Aucun ticket trouvé TicketViewAllTickets=Voir tous les tickets -TicketViewNonClosedOnly=View only open tickets +TicketViewNonClosedOnly=Voir seulement les tickets ouverts TicketStatByStatus=Tickets par statut # # Ticket card # Ticket=Ticket -TicketCard=Ticket card -CreateTicket=Créer nouveau ticket +TicketCard=Fiche ticket +CreateTicket=Créer ticket EditTicket=Modifier ticket TicketsManagement=Gestion de tickets CreatedBy=Créé par NewTicket=Nouveau ticket SubjectAnswerToTicket=Réponse ticket -TicketTypeRequest=Request type +TicketTypeRequest=Type de demande TicketCategory=Catégorie SeeTicket=Voir le ticket TicketMarkedAsRead=Le ticket a été marqué comme lu TicketReadOn=Lu TicketCloseOn=Fermé le -MarkAsRead=Mark ticket as read +MarkAsRead=Marquer le ticket comme lu TicketMarkedAsReadButLogActionNotSaved=Ticket marqué comme Clos mais aucune action enregistrée TicketHistory=Historique des tickets AssignUser=Assigner à l'utilisateur TicketAssigned=Le ticket est à présent assigné -TicketChangeType=Change type +TicketChangeType=Changer le type TicketChangeCategory=Changer la catégorie TicketChangeSeverity=Changer la sévérité TicketAddMessage=Ajouter un message -TicketEditProperties=Éditer les propriétés AddMessage=Ajouter un message MessageSuccessfullyAdded=Ticket créé TicketMessageSuccessfullyAdded=Message ajouté avec succès -TicketMessagesList=Message list +TicketMessagesList=Liste des messages NoMsgForThisTicket=Pas de message pour ce ticket Properties=Classification -LatestNewTickets=Latest %s newest tickets (not read) +LatestNewTickets=Les %s derniers billets (non lus) TicketSeverity=Sévérité ShowTicket=Voir le ticket RelatedTickets=Tickets liés @@ -189,54 +180,54 @@ TicketDeletedSuccess=Ticket supprimé avec succès TicketMarkedAsClosed=Ticket indiqué fermé TicketMarkedAsClosedButLogActionNotSaved=Ticket marqué comme fermé mais pas commenté ! TicketDurationAuto=Durée calculée -TicketDurationAutoInfos=Duration calculated automatically from intervention related +TicketDurationAutoInfos=Durée calculée automatiquement à partir de l'intervention liée TicketUpdated=Ticket mis à jour SendMessageByEmail=Envoyer ce message par email TicketNewMessage=Nouveau message ErrorMailRecipientIsEmptyForSendTicketMessage=Le destinataire est vide. Aucun e-mail envoyé -TicketGoIntoContactTab=Please go into "Contacts" tab to select them +TicketGoIntoContactTab=Rendez-vous dans le tableau "Contacts" pour les sélectionner 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 +TicketMessageMailIntroHelp=Ce texte est ajouté seulement au début de l'email et ne sera pas sauvegardé. +TicketMessageMailIntroLabelAdmin=Introduction au message lors de l'envoi d'un e-mail TicketMessageMailIntroText=

Bonjour Une nouvelle réponse a été ajoutée à un ticket que vous suivez. Voici le message : -TicketMessageMailIntroHelpAdmin=This text will be inserted before the text of the response to a ticket. +TicketMessageMailIntroHelpAdmin=Ce texte sera inséré après le message de réponse. TicketMessageMailSignature=Signature -TicketMessageMailSignatureHelp=This text is added only at the end of the email and will not be saved. +TicketMessageMailSignatureHelp=Ce texte est ajouté seulement à la fin de l'email et ne sera pas sauvegardé. TicketMessageMailSignatureText=

Cordialement,

--

-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. +TicketMessageMailSignatureLabelAdmin=Signature de l'email de réponse +TicketMessageMailSignatureHelpAdmin=Ce texte sera inséré après le message de réponse. +TicketMessageHelp=Seul ce texte sera sauvegardé dans la liste des messages sur la fiche ticket. +TicketMessageSubstitutionReplacedByGenericValues=Les variables de substitution sont remplacées par des valeurs génériques. TicketTimeToRead=Temps écoulé avant la lecture du ticket TicketContacts=Contacts ticket TicketDocumentsLinked=Documents liés ConfirmReOpenTicket=Voulez-vous ré-ouvrir ce ticket ? -TicketMessageMailIntroAutoNewPublicMessage=A new message was posted on the ticket with the subject %s : +TicketMessageMailIntroAutoNewPublicMessage=Un nouveau message a été posté sur le billet avec le sujet %s: TicketAssignedToYou=Ticket attribué -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 +TicketAssignedEmailBody=Vous avez été assigné au ticket #%s par %s +MarkMessageAsPrivate=Marquer message comme privé +TicketMessagePrivateHelp=Ce message ne s'affichera pas pour les utilisateurs externes +TicketEmailOriginIssuer=Émetteur à l'origine des tickets InitialMessage=Message initial -LinkToAContract=Link to a contract +LinkToAContract=Lien vers un contrat TicketPleaseSelectAContract=Sélectionner un contrat UnableToCreateInterIfNoSocid=Impossible de créer une intervention si aucun tiers n'est défini -TicketMailExchanges=Mail exchanges +TicketMailExchanges=Échanges de courrier TicketInitialMessageModified=Message initial modifié -TicketMessageSuccesfullyUpdated=Message successfully updated +TicketMessageSuccesfullyUpdated=Message mis à jour avec succès TicketChangeStatus=Changer l'état -TicketConfirmChangeStatus=Confirm the status change : %s ? -TicketLogStatusChanged=Status changed : %s to %s +TicketConfirmChangeStatus=Confirmez le changement d'état: %s? +TicketLogStatusChanged=Statut changé: %s à %s TicketNotNotifyTiersAtCreate=Ne pas notifier l'entreprise à la création # # Logs # TicketLogMesgReadBy=Ticket lu par %s -NoLogForThisTicket=No log for this ticket yet -TicketLogAssignedTo=Ticket assigned to %s -TicketAssignedButLogActionNotSaved=Ticket assigned but no log saved ! -TicketLogPropertyChanged=Change classification : from %s to %s +NoLogForThisTicket=Pas encore de log pour ce ticket +TicketLogAssignedTo=Ticket attribué à %s +TicketAssignedButLogActionNotSaved=Ticket assigné mais pas de log sauvegardé ! +TicketLogPropertyChanged=Changer la classification: de %s à %s TicketLogClosedBy=Ticket clôt par %s TicketLogProgressSetTo=Progression de %s pour-cent appliquée TicketLogReopen=Ticket ré-ouvert @@ -247,40 +238,40 @@ TicketLogReopen=Ticket ré-ouvert TicketSystem=Gestionnaire de tickets ShowListTicketWithTrackId=Afficher la liste des tickets à partir de l'ID de suivi ShowTicketWithTrackId=Afficher le ticket à partir de l'ID de suivi -TicketPublicDesc=You can create a support ticket or check from an existing ID. +TicketPublicDesc=Vous pouvez créer un ticket ou consulter à partir d'un ID de ticket existant. YourTicketSuccessfullySaved=Le ticket a été enregistré avec succès -MesgInfosPublicTicketCreatedWithTrackId=A new ticket has been created with ID %s. +MesgInfosPublicTicketCreatedWithTrackId=Un nouveau ticket a été créé avec l'ID %s. PleaseRememberThisId=Merci de conserver le code de suivi du ticket, il vous sera peut-être nécessaire ultérieurement -TicketNewEmailSubject=Ticket creation confirmation +TicketNewEmailSubject=Confirmation de création de ticket TicketNewEmailSubjectCustomer=Nouveau ticket TicketNewEmailBody=Ceci est un message automatique pour confirmer l'enregistrement de votre 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 +TicketNewEmailBodyCustomer=Ceci est un email automatique pour confirmer qu'un nouveau ticket vient d'être créé dans votre compte. +TicketNewEmailBodyInfosTicket=Informations pour la surveillance du ticket TicketNewEmailBodyInfosTrackId=Numéro de suivi du ticket : %s TicketNewEmailBodyInfosTrackUrl=Vous pouvez voir la progression du ticket en cliquant sur le lien ci-dessus. -TicketNewEmailBodyInfosTrackUrlCustomer=You can view the progress of the ticket in the specific interface by clicking the following link +TicketNewEmailBodyInfosTrackUrlCustomer=Vous pouvez voir la progression du ticket en cliquant sur le lien ci-dessus. TicketEmailPleaseDoNotReplyToThisEmail=Merci de ne pas répondre directement à ce courriel ! Utilisez le lien pour répondre via l'interface. -TicketPublicInfoCreateTicket=This form allows you to record a trouble ticket in our management system. +TicketPublicInfoCreateTicket=Ce formulaire vous permet d'enregistrer un ticket dans notre système de gestion. TicketPublicPleaseBeAccuratelyDescribe=Veuillez décrire avec précision le problème. Fournissez le plus d'informations possibles pour nous permettre d'identifier correctement votre demande. TicketPublicMsgViewLogIn=Merci d'entrer le code de suivi du ticket TicketTrackId=Tracking ID -OneOfTicketTrackId=One of yours tracking ID +OneOfTicketTrackId=Un de vos ID de suivi ErrorTicketNotFound=Ticket avec numéro de suivi %s non trouvé! Subject=Sujet ViewTicket=Voir le ticket ViewMyTicketList=Voir la liste de mes tickets ErrorEmailMustExistToCreateTicket=Erreur : Email introuvable dans notre base de données TicketNewEmailSubjectAdmin=Nouveau ticket créé -TicketNewEmailBodyAdmin=

Ticket has just been created with ID #%s, see informations :

-SeeThisTicketIntomanagementInterface=See ticket in management interface +TicketNewEmailBodyAdmin=

Le ticket vient d'être créé avec l'ID # %s, voir les informations:

+SeeThisTicketIntomanagementInterface=Voir ticket dans l'interface de gestion TicketPublicInterfaceForbidden=Accès à cette partie : interdit # notifications TicketNotificationEmailSubject=Ticket %s mis à jour -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 +TicketNotificationEmailBody=Ceci est un message automatique pour vous informer que le ticket %s vient d'être mis à jour +TicketNotificationRecipient=Destinataire de la notification +TicketNotificationLogMessage=Message de log +TicketNotificationEmailBodyInfosTrackUrlinternal=Afficher le ticket dans l'interface TicketNotificationNumberEmailSent=Email de notification envoyé: %s @@ -288,10 +279,10 @@ TicketNotificationNumberEmailSent=Email de notification envoyé: %s # Boxes # BoxLastTicket=Derniers tickets créés -BoxLastTicketDescription=Latest %s created tickets +BoxLastTicketDescription=Les %s derniers tickets créés BoxLastTicketContent= BoxLastTicketNoRecordedTickets=Pas de ticket non lu -BoxLastModifiedTicket=Latest modified tickets -BoxLastModifiedTicketDescription=Latest %s modified tickets +BoxLastModifiedTicket=Derniers tickets modifiés +BoxLastModifiedTicketDescription=Les %s derniers tickets modifiés BoxLastModifiedTicketContent= BoxLastModifiedTicketNoRecordedTickets=Pas de tickets modifiés récemment diff --git a/htdocs/langs/fr_FR/website.lang b/htdocs/langs/fr_FR/website.lang index 5bb1dde86a01f..1076726c110f0 100644 --- a/htdocs/langs/fr_FR/website.lang +++ b/htdocs/langs/fr_FR/website.lang @@ -7,6 +7,7 @@ WEBSITE_TYPE_CONTAINER=Type de page / conteneur WEBSITE_PAGE_EXAMPLE=Page Web à utiliser comme exemple WEBSITE_PAGENAME=Nom/alias de la page WEBSITE_ALIASALT=Noms de page / alias alternatifs +WEBSITE_ALIASALTDesc=Utilisez ici la liste des autres noms / alias afin que la page soit également accessible en utilisant ces autres noms / alias (par exemple l'ancien nom après avoir renommé l'alias pour garder opérationnel les backlinks sur l'ancien lien). La syntaxe est:
alternativename1, alternativename2, ... WEBSITE_CSS_URL=URL du fichier de la feuille de style (CSS) externe WEBSITE_CSS_INLINE=Contenu du fichier CSS (commun à toute les pages) WEBSITE_JS_INLINE=Contenu du fichier Javascript (commun à toutes les pages) @@ -82,3 +83,4 @@ SubdirOfPage=Sous-répertoire dédié à la page AliasPageAlreadyExists=L'alias de page %s existe déjà CorporateHomePage=Page d'accueil Entreprise EmptyPage=Page vide +ExternalURLMustStartWithHttp=l'URL externe doit commencer par http:// ou https:// diff --git a/htdocs/langs/he_IL/accountancy.lang b/htdocs/langs/he_IL/accountancy.lang index daa159280969a..04bbaa447e791 100644 --- a/htdocs/langs/he_IL/accountancy.lang +++ b/htdocs/langs/he_IL/accountancy.lang @@ -55,6 +55,7 @@ AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from m AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s AccountancyAreaDescVat=STEP %s: Define accounting accounts for each VAT Rates. For this, use the menu entry %s. +AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. AccountancyAreaDescExpenseReport=STEP %s: Define default accounting accounts for each type of expense report. For this, use the menu entry %s. AccountancyAreaDescSal=STEP %s: Define default accounting accounts for payment of salaries. For this, use the menu entry %s. AccountancyAreaDescContrib=STEP %s: Define default accounting accounts for special expences (miscellaneous taxes). For this, use the menu entry %s. @@ -131,6 +132,7 @@ ACCOUNTING_LENGTH_GACCOUNT=Length of the general accounting accounts (If you set 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 zero at the end of an accounting account. Needed by some countries (like switzerland). If keep to off (default), you can set the 2 following parameters to ask application to add virtual zero. BANK_DISABLE_DIRECT_INPUT=Disable direct recording of transaction in bank account +ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Enable draft export on journal ACCOUNTING_SELL_JOURNAL=Sell journal ACCOUNTING_PURCHASE_JOURNAL=Purchase journal diff --git a/htdocs/langs/he_IL/admin.lang b/htdocs/langs/he_IL/admin.lang index 1ffb6e16da31c..f8218cdd733a5 100644 --- a/htdocs/langs/he_IL/admin.lang +++ b/htdocs/langs/he_IL/admin.lang @@ -454,7 +454,7 @@ ModuleCompanyCodeDigitaria=Accounting code depends on third party code. The code Use3StepsApproval=By default, Purchase Orders need to be created and approved by 2 different users (one step/user to create and one step/user to approve. Note that if user has both permission to create and approve, one step/user will be enough). You can ask with this option to introduce a third step/user approval, if amount is higher than a dedicated value (so 3 steps will be necessary: 1=validation, 2=first approval and 3=second approval if amount is enough).
Set this to empty if one approval (2 steps) is enough, set it to a very low value (0.1) if a second approval (3 steps) is always required. UseDoubleApproval=Use a 3 steps approval when amount (without tax) is higher than... WarningPHPMail=WARNING: It is often better to setup outgoing emails to use the email server of your provider instead of the default setup. Some email providers (like Yahoo) does not allow you to send an email from another server than their own server. Your current setup use 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 a server of them, so few of your sent Emails may not be accepted (be carefull also to your email provider sending quota).
If your Email provider (like Yahoo) has this restriction, you must change Email setup to choose the other method "SMTP server" and enter the SMTP server and credentials provided by your Email provider (ask your EMail provider to get SMTP credentials for your account). -WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of your ERP CRM application: %s. +WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of the mail user agent (MUA) for your ERP CRM application: %s. ClickToShowDescription=Click to show description DependsOn=This module need the module(s) RequiredBy=This module is required by module(s) @@ -497,7 +497,7 @@ Module25Desc=כדי לקוחות של ההנהלה Module30Name=חשבוניות Module30Desc=חשבוניות וניהול הערת אשראי ללקוחות. חשבונית של ניהול ספקים Module40Name=ספקים -Module40Desc=הספק של ניהול הקנייה (הזמנות וחשבוניות) +Module40Desc=Suppliers and purchase management (purchase orders and billing) Module42Name=Debug Logs Module42Desc=Logging facilities (file, syslog, ...). Such logs are for technical/debug purposes. Module49Name=העורכים @@ -605,7 +605,7 @@ Module4000Desc=Human resources management (management of department, employee co Module5000Name=רב החברה Module5000Desc=מאפשר לך לנהל מספר רב של חברות Module6000Name=Workflow -Module6000Desc=Workflow management +Module6000Desc=Workflow management (automatic creation of object and/or automatic status change) Module10000Name=Websites Module10000Desc=Create public websites with a WYSIWG editor. Just setup your web server (Apache, Nginx, ...) to point to the dedicated Dolibarr directory to have it online on the Internet with your own domain name. Module20000Name=Leave Requests management @@ -891,7 +891,7 @@ DictionaryCivility=Personal and professional titles DictionaryActions=Types of agenda events DictionarySocialContributions=Social or fiscal taxes types DictionaryVAT=שיעורי מע"מ או מכירות שיעורי מס -DictionaryRevenueStamp=Amount of revenue stamps +DictionaryRevenueStamp=Amount of tax stamps DictionaryPaymentConditions=תנאי תשלום DictionaryPaymentModes=תשלום מצבי DictionaryTypeContact=צור סוגים @@ -919,7 +919,7 @@ SetupSaved=הגדרת הציל SetupNotSaved=Setup not saved BackToModuleList=חזרה לרשימת מודולים BackToDictionaryList=חזרה לרשימת המילונים -TypeOfRevenueStamp=Type of revenue stamp +TypeOfRevenueStamp=Type of tax stamp VATManagement=מע"מ ניהול VATIsUsedDesc=By default when creating prospects, invoices, orders etc the VAT rate follows the active standard rule:
If the seller is not subjected to VAT, then VAT defaults to 0. End of rule.
If the (selling country= buying country), then the VAT by default equals the VAT of the product in the selling country. End of rule.
If seller and buyer are both in the European Community and goods are transport products (car, ship, plane), the default VAT is 0 ( The VAT should be paid by the buyer to the customoffice of his country and not to the seller). End of rule.
If seller and buyer are both in the European Community and the buyer is not a company, then the VAT by defaults to the VAT of the product sold. End of rule.
If seller and buyer are both in the European Community and the buyer is a company, then the VAT is 0 by default . End of rule.
In any othe case the proposed default is VAT=0. End of rule. VATIsNotUsedDesc=כברירת מחדל המע"מ המוצע הוא 0 אשר ניתן להשתמש בהם במקרים כמו עמותות, אנשים ou חברות קטנות. @@ -1027,7 +1027,7 @@ Delays_MAIN_DELAY_ACTIONS_TODO=Delay tolerance (in days) before alert on planned Delays_MAIN_DELAY_PROJECT_TO_CLOSE=Delay tolerance (in days) before alert on project not closed in time Delays_MAIN_DELAY_TASKS_TODO=Delay tolerance (in days) before alert on planned tasks (project tasks) not completed yet Delays_MAIN_DELAY_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on orders not processed yet -Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on suppliers orders not processed yet +Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on purchase orders not processed yet Delays_MAIN_DELAY_PROPALS_TO_CLOSE=סובלנות עיכוב (בימים) לפני התראה על הצעות לסגור Delays_MAIN_DELAY_PROPALS_TO_BILL=סובלנות עיכוב (בימים) לפני התראה על הצעות לא מחויב Delays_MAIN_DELAY_NOT_ACTIVATED_SERVICES=עיכוב סובלנות (בימים) לפני התראה על שירותי להפעיל @@ -1458,7 +1458,7 @@ SyslogFilename=שם קובץ ונתיב YouCanUseDOL_DATA_ROOT=ניתן להשתמש DOL_DATA_ROOT / dolibarr.log עבור קובץ יומן בספרייה Dolibarr "מסמכים". ניתן להגדיר בדרך אחרת כדי לאחסן קובץ זה. ErrorUnknownSyslogConstant=%s קבועים אינו ידוע Syslog מתמיד OnlyWindowsLOG_USER=Windows only supports LOG_USER -CompressSyslogs=Syslog files compression and backup +CompressSyslogs=Compression and backup of debug log files (generated by module Log for debug) SyslogFileNumberOfSaves=Log backups ConfigureCleaningCronjobToSetFrequencyOfSaves=Configure cleaning scheduled job to set log backup frequency ##### Donations ##### diff --git a/htdocs/langs/he_IL/banks.lang b/htdocs/langs/he_IL/banks.lang index be8f75d172b54..1d42581c34437 100644 --- a/htdocs/langs/he_IL/banks.lang +++ b/htdocs/langs/he_IL/banks.lang @@ -1,12 +1,13 @@ # Dolibarr language file - Source file is en_US - banks Bank=Bank -MenuBankCash=Bank/Cash +MenuBankCash=Bank | Cash MenuVariousPayment=Miscellaneous payments MenuNewVariousPayment=New Miscellaneous payment BankName=Bank name FinancialAccount=Account BankAccount=Bank account BankAccounts=Bank accounts +BankAccountsAndGateways=Bank accounts | Gateways ShowAccount=Show Account AccountRef=Financial account ref AccountLabel=Financial account label @@ -131,7 +132,7 @@ PaymentDateUpdateSucceeded=Payment date updated successfully PaymentDateUpdateFailed=Payment date could not be updated Transactions=Transactions BankTransactionLine=Bank entry -AllAccounts=All bank/cash accounts +AllAccounts=All bank and cash accounts BackToAccount=Back to account ShowAllAccounts=Show for all accounts FutureTransaction=Transaction in futur. No way to conciliate. @@ -159,5 +160,6 @@ VariousPayment=Miscellaneous payments VariousPayments=Miscellaneous payments ShowVariousPayment=Show miscellaneous payments AddVariousPayment=Add miscellaneous payments +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. Thanks to return it signed (scan of the signed document) or sent it by mail to diff --git a/htdocs/langs/he_IL/bills.lang b/htdocs/langs/he_IL/bills.lang index ca06b1106a33f..cb7c931197b09 100644 --- a/htdocs/langs/he_IL/bills.lang +++ b/htdocs/langs/he_IL/bills.lang @@ -110,8 +110,8 @@ SendRemindByMail=Send reminder by EMail DoPayment=Enter payment DoPaymentBack=Enter refund ConvertToReduc=Mark as credit available -ConvertExcessReceivedToReduc=Convert excess received into future discount -ConvertExcessPaidToReduc=Convert excess paid into future discount +ConvertExcessReceivedToReduc=Convert excess received into available credit +ConvertExcessPaidToReduc=Convert excess paid into available discount EnterPaymentReceivedFromCustomer=Enter payment received from customer EnterPaymentDueToCustomer=Make payment due to customer DisabledBecauseRemainderToPayIsZero=Disabled because remaining unpaid is zero @@ -282,6 +282,7 @@ RelativeDiscount=Relative discount GlobalDiscount=Global discount CreditNote=כתב זכויות CreditNotes=אשראי הערות +CreditNotesOrExcessReceived=Credit notes or excess received Deposit=Down payment Deposits=Down payments DiscountFromCreditNote=Discount from credit note %s @@ -393,6 +394,7 @@ PaymentConditionShort14DENDMONTH=14 days of month-end PaymentCondition14DENDMONTH=Within 14 days following the end of the month FixAmount=Fix amount VarAmount=Variable amount (%% tot.) +VarAmountOneLine=Variable amount (%% tot.) - 1 line with label '%s' # PaymentType PaymentTypeVIR=Bank transfer PaymentTypeShortVIR=Bank transfer diff --git a/htdocs/langs/he_IL/compta.lang b/htdocs/langs/he_IL/compta.lang index 959d0bd94f723..ad349364755a4 100644 --- a/htdocs/langs/he_IL/compta.lang +++ b/htdocs/langs/he_IL/compta.lang @@ -19,7 +19,8 @@ Income=Income Outcome=Expense MenuReportInOut=Income / Expense ReportInOut=Balance of income and expenses -ReportTurnover=Turnover +ReportTurnover=Turnover invoiced +ReportTurnoverCollected=Turnover collected PaymentsNotLinkedToInvoice=Payments not linked to any invoice, so not linked to any third party PaymentsNotLinkedToUser=Payments not linked to any user Profit=Profit @@ -77,7 +78,7 @@ MenuNewSocialContribution=New social/fiscal tax NewSocialContribution=New social/fiscal tax AddSocialContribution=Add social/fiscal tax ContributionsToPay=Social/fiscal taxes to pay -AccountancyTreasuryArea=Accountancy/Treasury area +AccountancyTreasuryArea=Billing and payment area NewPayment=New payment Payments=Payments PaymentCustomerInvoice=Customer invoice payment @@ -105,6 +106,7 @@ VATPayment=Sales tax payment VATPayments=Sales tax payments VATRefund=Sales tax refund NewVATPayment=New sales tax payment +NewLocalTaxPayment=New tax %s payment Refund=Refund SocialContributionsPayments=Social/fiscal taxes payments ShowVatPayment=Show VAT payment @@ -116,8 +118,9 @@ CustomerAccountancyCodeShort=Cust. account. code SupplierAccountancyCodeShort=Sup. account. code AccountNumber=Account number NewAccountingAccount=New account -SalesTurnover=Sales turnover -SalesTurnoverMinimum=Minimum sales turnover +Turnover=Turnover invoiced +TurnoverCollected=Turnover collected +SalesTurnoverMinimum=Minimum turnover ByExpenseIncome=By expenses & incomes ByThirdParties=By third parties ByUserAuthorOfInvoice=By invoice author @@ -137,8 +140,8 @@ 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=Mode %sClaims-Debts%s said Commitment accounting. -CalcModeEngagement=Mode %sIncomes-Expenses%s said cash accounting +CalcModeDebt=Analysis of known recorded invoices 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 CalcModeLT1Debt=Mode %sRE on customer invoices%s @@ -151,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 report %sIncomes-Expenses%s said cash accounting for a calculation on actual payments made -SeeReportInDueDebtMode=See report %sClaims-Debts%s said commitment accounting for a calculation on issued invoices -SeeReportInBookkeepingMode=See report %sBookeeping%s for a calculation on bookkeeping table analysis +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 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 validation date of invoices and VAT and on the due date for expenses. 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. @@ -218,8 +221,8 @@ 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 supplier, choose appropriate method to apply same calculation rule and get same result expected by your supplier. -TurnoverPerProductInCommitmentAccountingNotRelevant=The Turnover report per product, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). -TurnoverPerSaleTaxRateInCommitmentAccountingNotRelevant=The Turnover report per sale tax rate, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). +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. CalculationMode=Calculation mode AccountancyJournal=Accounting code journal ACCOUNTING_VAT_SOLD_ACCOUNT=Accounting account by default for VAT on sales (used if not defined on VAT dictionary setup) @@ -251,5 +254,6 @@ VATDue=Sale tax claimed ClaimedForThisPeriod=Claimed for the period PaidDuringThisPeriod=Paid during this period ByVatRate=By sale tax rate -TurnoverbyVatrate=Turnover by sale tax rate +TurnoverbyVatrate=Turnover invoiced by sale tax rate +TurnoverCollectedbyVatrate=Turnover collected by sale tax rate PurchasebyVatrate=Purchase by sale tax rate diff --git a/htdocs/langs/he_IL/install.lang b/htdocs/langs/he_IL/install.lang index 15f29a52ddd40..6dd5dc980533f 100644 --- a/htdocs/langs/he_IL/install.lang +++ b/htdocs/langs/he_IL/install.lang @@ -204,3 +204,7 @@ MigrationResetBlockedLog=Reset module BlockedLog for v7 algorithm ShowNotAvailableOptions=Show not available options HideNotAvailableOptions=Hide not available options ErrorFoundDuringMigration=Error were reported during migration process so next step is not available. To ignore errors, you can click here, but application or some features may not work correctly until fixed. +YouTryInstallDisabledByDirLock=The application try to sefl upgrade, but install/upgrade pages have been disabled for security reason (directory renamed with .lock suffix).
+YouTryInstallDisabledByFileLock=The application try to sefl upgrade, but install/upgrade pages pages have been disabled for security reason (by lock file install.lock into dolibarr documents directory).
+ClickHereToGoToApp=Click here to go to your application +ClickOnLinkOrRemoveManualy=Click on following link and if you always reach this page, you must remove the file install.lock into documents directory manually diff --git a/htdocs/langs/he_IL/main.lang b/htdocs/langs/he_IL/main.lang index 61229fca58e99..2bcda8ba4a517 100644 --- a/htdocs/langs/he_IL/main.lang +++ b/htdocs/langs/he_IL/main.lang @@ -507,6 +507,7 @@ NoneF=None NoneOrSeveral=None or several Late=Late LateDesc=Delay to define if a record is late or not depends on your setup. Ask your admin to change delay from menu Home - Setup - Alerts. +NoItemLate=No late item Photo=Picture Photos=Pictures AddPhoto=Add picture @@ -945,3 +946,5 @@ KeyboardShortcut=Keyboard shortcut AssignedTo=Assigned to Deletedraft=Delete draft ConfirmMassDraftDeletion=Draft Bulk delete confirmation +FileSharedViaALink=File shared via a link + diff --git a/htdocs/langs/he_IL/modulebuilder.lang b/htdocs/langs/he_IL/modulebuilder.lang index a3fee23cb53b5..9d6661eda41d6 100644 --- a/htdocs/langs/he_IL/modulebuilder.lang +++ b/htdocs/langs/he_IL/modulebuilder.lang @@ -74,6 +74,7 @@ NoWidget=No widget GoToApiExplorer=Go to API explorer ListOfMenusEntries=List of menu entries ListOfPermissionsDefined=List of defined permissions +SeeExamples=See examples here EnabledDesc=Condition to have this field active (Examples: 1 or $conf->global->MYMODULE_MYOPTION) VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only. Using a negative value means field is not shown by default on list but can be selected for viewing) IsAMeasureDesc=Can the value of field be cumulated to get a total into list ? (Examples: 1 or 0) @@ -95,3 +96,6 @@ DropTableIfEmpty=(Delete table if empty) TableDoesNotExists=The table %s does not exists TableDropped=Table %s deleted InitStructureFromExistingTable=Build the structure array string of an existing table +UseAboutPage=Disallow the about page +UseDocFolder=Disallow the documentation folder +UseSpecificReadme=Use a specific ReadMe diff --git a/htdocs/langs/he_IL/other.lang b/htdocs/langs/he_IL/other.lang index e09d8d947005b..d4db81e5c6bdc 100644 --- a/htdocs/langs/he_IL/other.lang +++ b/htdocs/langs/he_IL/other.lang @@ -80,8 +80,8 @@ LinkedObject=Linked object NbOfActiveNotifications=Number of notifications (nb of recipient emails) PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe two lines are separated by a carriage return.\n\n__USER_SIGNATURE__ PredefinedMailTestHtml=__(Hello)__\nThis is a test mail (the word test must be in bold).
The two lines are separated by a carriage return.

__USER_SIGNATURE__ -PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\nThis is the link to make your online payment if this invoice is not already payed:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\nThis is the link to make your online payment:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendProposal=__(Hello)__\n\nYou will find here the commercial proposal __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendSupplierProposal=__(Hello)__\n\nYou will find here the price request __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendOrder=__(Hello)__\n\nYou will find here the order __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ @@ -91,6 +91,7 @@ PredefinedMailContentSendShipping=__(Hello)__\n\nYou will find here the shipping PredefinedMailContentSendFichInter=__(Hello)__\n\nYou will find here the intervention __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentThirdparty=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentUser=__(Hello)__\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 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) @@ -218,7 +219,7 @@ 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 +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 diff --git a/htdocs/langs/he_IL/paypal.lang b/htdocs/langs/he_IL/paypal.lang index 600245dc658a1..68c5b0aefa1b8 100644 --- a/htdocs/langs/he_IL/paypal.lang +++ b/htdocs/langs/he_IL/paypal.lang @@ -14,7 +14,6 @@ PaypalModeOnlyPaypal=PayPal only ONLINE_PAYMENT_CSS_URL=Optionnal URL of CSS style sheet on online payment page ThisIsTransactionId=This is id of transaction: %s PAYPAL_ADD_PAYMENT_URL=Add the url of Paypal payment when you send a document by mail -PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.

%s

YouAreCurrentlyInSandboxMode=You are currently in the %s "sandbox" mode NewOnlinePaymentReceived=New online payment received NewOnlinePaymentFailed=New online payment tried but failed diff --git a/htdocs/langs/he_IL/products.lang b/htdocs/langs/he_IL/products.lang index 55eb051bc8ae8..e14211a8ace6a 100644 --- a/htdocs/langs/he_IL/products.lang +++ b/htdocs/langs/he_IL/products.lang @@ -251,8 +251,8 @@ PriceNumeric=Number DefaultPrice=Default price ComposedProductIncDecStock=Increase/Decrease stock on parent change ComposedProduct=Sub-product -MinSupplierPrice=Minimum supplier price -MinCustomerPrice=Minimum customer price +MinSupplierPrice=Minimum buying price +MinCustomerPrice=Minimum selling price DynamicPriceConfiguration=Dynamic price configuration DynamicPriceDesc=On product card, with this module enabled, you should be able to set mathematic functions to calculate Customer or Supplier prices. Such function can use all mathematic operators, some constants and variables. You can set here the variables you want to be able to use and if the variable need an automatic update, the external URL to use to ask Dolibarr to update automaticaly the value. AddVariable=Add Variable diff --git a/htdocs/langs/he_IL/propal.lang b/htdocs/langs/he_IL/propal.lang index ded0433f7cbfe..8810e211c2fd3 100644 --- a/htdocs/langs/he_IL/propal.lang +++ b/htdocs/langs/he_IL/propal.lang @@ -75,6 +75,7 @@ AvailabilityTypeAV_1M=1 month TypeContact_propal_internal_SALESREPFOLL=Representative following-up proposal TypeContact_propal_external_BILLING=Customer invoice contact TypeContact_propal_external_CUSTOMER=Customer contact following-up proposal +TypeContact_propal_external_SHIPPING=Customer contact for delivery # Document models DocModelAzurDescription=A complete proposal model (logo...) DefaultModelPropalCreate=Default model creation diff --git a/htdocs/langs/he_IL/sendings.lang b/htdocs/langs/he_IL/sendings.lang index 8a16a7f3540f3..83f1d825b8d12 100644 --- a/htdocs/langs/he_IL/sendings.lang +++ b/htdocs/langs/he_IL/sendings.lang @@ -52,8 +52,8 @@ ActionsOnShipping=Events on shipment LinkToTrackYourPackage=Link to track your package ShipmentCreationIsDoneFromOrder=For the moment, creation of a new shipment is done from the order card. ShipmentLine=Shipment line -ProductQtyInCustomersOrdersRunning=Product quantity into open customers orders -ProductQtyInSuppliersOrdersRunning=Product quantity into open suppliers orders +ProductQtyInCustomersOrdersRunning=Product quantity into open customer orders +ProductQtyInSuppliersOrdersRunning=Product quantity into open purchase orders ProductQtyInShipmentAlreadySent=Product quantity from open customer order already sent ProductQtyInSuppliersShipmentAlreadyRecevied=Product quantity from open supplier order already received NoProductToShipFoundIntoStock=No product to ship found into warehouse %s. Correct stock or go back to choose another warehouse. diff --git a/htdocs/langs/he_IL/stocks.lang b/htdocs/langs/he_IL/stocks.lang index ab2cff1d9bb9a..b3fb63de3c5d9 100644 --- a/htdocs/langs/he_IL/stocks.lang +++ b/htdocs/langs/he_IL/stocks.lang @@ -67,7 +67,7 @@ DeStockOnValidateOrder=Decrease real stocks on customers orders validation DeStockOnShipment=Decrease real stocks on shipping validation DeStockOnShipmentOnClosing=Decrease real stocks on shipping classification closed ReStockOnBill=Increase real stocks on suppliers invoices/credit notes validation -ReStockOnValidateOrder=Increase real stocks on suppliers orders approbation +ReStockOnValidateOrder=Increase real stocks on purchase orders approbation ReStockOnDispatchOrder=Increase real stocks on manual dispatching into warehouses, after supplier order receipt of goods 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 @@ -203,4 +203,4 @@ RegulateStock=Regulate Stock ListInventory=List StockSupportServices=Stock management support services StockSupportServicesDesc=By default, you can stock only product with type "product". If on, and if module service is on, you can also stock a product with type "service" -ReceiveProducts=Receive products +ReceiveProducts=Receive items diff --git a/htdocs/langs/he_IL/users.lang b/htdocs/langs/he_IL/users.lang index 8079ad147874f..67868431b4b47 100644 --- a/htdocs/langs/he_IL/users.lang +++ b/htdocs/langs/he_IL/users.lang @@ -48,7 +48,7 @@ PasswordChangeRequest=Request to change password for %s PasswordChangeRequestSent=Request to change password for %s sent to %s. ConfirmPasswordReset=Confirm password reset MenuUsersAndGroups=Users & Groups -LastGroupsCreated=Latest %s created groups +LastGroupsCreated=Latest %s groups created LastUsersCreated=Latest %s users created ShowGroup=Show group ShowUser=Show user diff --git a/htdocs/langs/hr_HR/accountancy.lang b/htdocs/langs/hr_HR/accountancy.lang index 7ccb28a5b0d95..ece5fedd467dd 100644 --- a/htdocs/langs/hr_HR/accountancy.lang +++ b/htdocs/langs/hr_HR/accountancy.lang @@ -55,6 +55,7 @@ AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from m AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s AccountancyAreaDescVat=STEP %s: Define accounting accounts for each VAT Rates. For this, use the menu entry %s. +AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. AccountancyAreaDescExpenseReport=STEP %s: Define default accounting accounts for each type of expense report. For this, use the menu entry %s. AccountancyAreaDescSal=STEP %s: Define default accounting accounts for payment of salaries. For this, use the menu entry %s. AccountancyAreaDescContrib=STEP %s: Define default accounting accounts for special expences (miscellaneous taxes). For this, use the menu entry %s. @@ -131,6 +132,7 @@ ACCOUNTING_LENGTH_GACCOUNT=Length of the general accounting accounts (If you set 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 zero at the end of an accounting account. Needed by some countries (like switzerland). If keep to off (default), you can set the 2 following parameters to ask application to add virtual zero. BANK_DISABLE_DIRECT_INPUT=Disable direct recording of transaction in bank account +ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Enable draft export on journal ACCOUNTING_SELL_JOURNAL=Sell journal ACCOUNTING_PURCHASE_JOURNAL=Purchase journal diff --git a/htdocs/langs/hr_HR/admin.lang b/htdocs/langs/hr_HR/admin.lang index 52f0cdbc9da71..adc95e137a99b 100644 --- a/htdocs/langs/hr_HR/admin.lang +++ b/htdocs/langs/hr_HR/admin.lang @@ -454,7 +454,7 @@ ModuleCompanyCodeDigitaria=Accounting code depends on third party code. The code Use3StepsApproval=By default, Purchase Orders need to be created and approved by 2 different users (one step/user to create and one step/user to approve. Note that if user has both permission to create and approve, one step/user will be enough). You can ask with this option to introduce a third step/user approval, if amount is higher than a dedicated value (so 3 steps will be necessary: 1=validation, 2=first approval and 3=second approval if amount is enough).
Set this to empty if one approval (2 steps) is enough, set it to a very low value (0.1) if a second approval (3 steps) is always required. UseDoubleApproval=Koristi 3 koraka odobravanja kada je iznos (bez poreza) veći od... WarningPHPMail=WARNING: It is often better to setup outgoing emails to use the email server of your provider instead of the default setup. Some email providers (like Yahoo) does not allow you to send an email from another server than their own server. Your current setup use 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 a server of them, so few of your sent Emails may not be accepted (be carefull also to your email provider sending quota).
If your Email provider (like Yahoo) has this restriction, you must change Email setup to choose the other method "SMTP server" and enter the SMTP server and credentials provided by your Email provider (ask your EMail provider to get SMTP credentials for your account). -WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of your ERP CRM application: %s. +WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of the mail user agent (MUA) for your ERP CRM application: %s. ClickToShowDescription=Click to show description DependsOn=This module need the module(s) RequiredBy=This module is required by module(s) @@ -497,7 +497,7 @@ Module25Desc=Upravljanje narudžbama kupaca Module30Name=Računi Module30Desc=Invoice and credit note management for customers. Invoice management for suppliers Module40Name=Dobavljači -Module40Desc=Upravljanje dobavljačima i nabava (narudžbe i računi) +Module40Desc=Suppliers and purchase management (purchase orders and billing) Module42Name=Debug Logs Module42Desc=Logging facilities (file, syslog, ...). Such logs are for technical/debug purposes. Module49Name=Urednici @@ -605,7 +605,7 @@ Module4000Desc=Human resources management (management of department, employee co Module5000Name=Multi tvrtka Module5000Desc=Dozvoljava upravljanje multi tvrtkama Module6000Name=Tijek rada -Module6000Desc=Upravljanje tijekom rada +Module6000Desc=Workflow management (automatic creation of object and/or automatic status change) Module10000Name=Web lokacije Module10000Desc=Create public websites with a WYSIWG editor. Just setup your web server (Apache, Nginx, ...) to point to the dedicated Dolibarr directory to have it online on the Internet with your own domain name. Module20000Name=Upravljanje zahtjevima odlazaka @@ -891,7 +891,7 @@ DictionaryCivility=Osobni i profesionalni naslovi DictionaryActions=Tipovi događaja agende DictionarySocialContributions=Tipovi Društveni ili fiskalnih poreza DictionaryVAT=Stope PDV-a ili stope prodajnih poreza -DictionaryRevenueStamp=Iznosi biljega +DictionaryRevenueStamp=Amount of tax stamps DictionaryPaymentConditions=Uvjeti plaćanja DictionaryPaymentModes=Naćini plaćanja DictionaryTypeContact=Tipovi Kontakata/adresa @@ -919,7 +919,7 @@ SetupSaved=Postavi spremljeno SetupNotSaved=Setup not saved BackToModuleList=Povratak na popis modula BackToDictionaryList=Povratak na popis definicija -TypeOfRevenueStamp=Type of revenue stamp +TypeOfRevenueStamp=Type of tax stamp VATManagement=Upravljanje PDV VATIsUsedDesc=By default when creating prospects, invoices, orders etc the VAT rate follows the active standard rule:
If the seller is not subjected to VAT, then VAT defaults to 0. End of rule.
If the (selling country= buying country), then the VAT by default equals the VAT of the product in the selling country. End of rule.
If seller and buyer are both in the European Community and goods are transport products (car, ship, plane), the default VAT is 0 ( The VAT should be paid by the buyer to the customoffice of his country and not to the seller). End of rule.
If seller and buyer are both in the European Community and the buyer is not a company, then the VAT by defaults to the VAT of the product sold. End of rule.
If seller and buyer are both in the European Community and the buyer is a company, then the VAT is 0 by default . End of rule.
In any othe case the proposed default is VAT=0. End of rule. VATIsNotUsedDesc=By default the proposed VAT is 0 which can be used for cases like associations, individuals ou small companies. @@ -1027,7 +1027,7 @@ Delays_MAIN_DELAY_ACTIONS_TODO=Tolerancija kašnjenja (u danima) prije obavijest Delays_MAIN_DELAY_PROJECT_TO_CLOSE=Tolerancija kašnjenja (u danima) prije obavijesti o projektima koji nisu zatvoreni na vrijeme Delays_MAIN_DELAY_TASKS_TODO=Tolerancija kašnjenja (u danima) prije obavijesti o planiranim događajima (projektni zadaci) koji nisu još završeni Delays_MAIN_DELAY_ORDERS_TO_PROCESS=Tolerancija kašnjenja (u danima) prije obavijesti o narudžbama koje nisu još obrađene -Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Tolerancija kašnjenja (u danima) prije obavijesti o narudžbama dobavljača koje nisu još obrađene +Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on purchase orders not processed yet Delays_MAIN_DELAY_PROPALS_TO_CLOSE=Tolerancija kašnjenja (u danima) prije obavijesti o ponudama za zatvaranje Delays_MAIN_DELAY_PROPALS_TO_BILL=Tolerancija kašnjenja (u danima) prije obavijesti o ponudama koje nisu naplačene Delays_MAIN_DELAY_NOT_ACTIVATED_SERVICES=Tolerancija kašnjenja (u danima) prije obavijesti o uslugama za aktivaciju @@ -1458,7 +1458,7 @@ SyslogFilename=Naziv datoteke i putanja YouCanUseDOL_DATA_ROOT=You can use DOL_DATA_ROOT/dolibarr.log for a log file in Dolibarr "documents" directory. You can set a different path to store this file. ErrorUnknownSyslogConstant=Constant %s is not a known Syslog constant OnlyWindowsLOG_USER=Windows only supports LOG_USER -CompressSyslogs=Syslog files compression and backup +CompressSyslogs=Compression and backup of debug log files (generated by module Log for debug) SyslogFileNumberOfSaves=Log backups ConfigureCleaningCronjobToSetFrequencyOfSaves=Configure cleaning scheduled job to set log backup frequency ##### Donations ##### diff --git a/htdocs/langs/hr_HR/banks.lang b/htdocs/langs/hr_HR/banks.lang index ff7d470dc9146..e82084d912263 100644 --- a/htdocs/langs/hr_HR/banks.lang +++ b/htdocs/langs/hr_HR/banks.lang @@ -1,12 +1,13 @@ # Dolibarr language file - Source file is en_US - banks Bank=Banka -MenuBankCash=Banka/Gotovina +MenuBankCash=Bank | Cash MenuVariousPayment=Miscellaneous payments MenuNewVariousPayment=New Miscellaneous payment BankName=Ime banke FinancialAccount=Račun BankAccount=Bankovni račun BankAccounts=Bankovni računi +BankAccountsAndGateways=Bank accounts | Gateways ShowAccount=Prikaži račun AccountRef=Financijski račun ref. AccountLabel=Oznaka financijskog računa @@ -131,7 +132,7 @@ PaymentDateUpdateSucceeded=Datum uplate je uspješno promjenjen PaymentDateUpdateFailed=Datum uplate se ne može promjeniti Transactions=Transakcije BankTransactionLine=Bank entry -AllAccounts=Svi bankovni/gotovinski računi +AllAccounts=All bank and cash accounts BackToAccount=Povratak na račun ShowAllAccounts=Prikaži za sve račune FutureTransaction=Transakcija je u budućnosti. Ne može se uskladiti. @@ -159,5 +160,6 @@ VariousPayment=Miscellaneous payments VariousPayments=Miscellaneous payments ShowVariousPayment=Show miscellaneous payments AddVariousPayment=Add miscellaneous payments +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. Thanks to return it signed (scan of the signed document) or sent it by mail to diff --git a/htdocs/langs/hr_HR/bills.lang b/htdocs/langs/hr_HR/bills.lang index 93632b9f42621..1643e97e38074 100644 --- a/htdocs/langs/hr_HR/bills.lang +++ b/htdocs/langs/hr_HR/bills.lang @@ -110,8 +110,8 @@ SendRemindByMail=Pošalji podsjetnik putem e-pošte DoPayment=Enter payment DoPaymentBack=Enter refund ConvertToReduc=Mark as credit available -ConvertExcessReceivedToReduc=Convert excess received into future discount -ConvertExcessPaidToReduc=Convert excess paid into future discount +ConvertExcessReceivedToReduc=Convert excess received into available credit +ConvertExcessPaidToReduc=Convert excess paid into available discount EnterPaymentReceivedFromCustomer=Upiši zaprimljeno plaćanje kupca EnterPaymentDueToCustomer=Napravi DisabledBecauseRemainderToPayIsZero=Isključeno jer preostalo dugovanje je nula. @@ -282,6 +282,7 @@ RelativeDiscount=Relativni popust GlobalDiscount=Opći popust CreditNote=Bonifikacija CreditNotes=Bonifikacija +CreditNotesOrExcessReceived=Credit notes or excess received Deposit=Down payment Deposits=Down payments DiscountFromCreditNote=Popust iz bonifikacije %s @@ -393,6 +394,7 @@ PaymentConditionShort14DENDMONTH=14 days of month-end PaymentCondition14DENDMONTH=Within 14 days following the end of the month FixAmount=Utvrđeni iznos VarAmount=Promjenjivi iznos (%% tot.) +VarAmountOneLine=Variable amount (%% tot.) - 1 line with label '%s' # PaymentType PaymentTypeVIR=Bankovni prijenos PaymentTypeShortVIR=Bankovni prijenos diff --git a/htdocs/langs/hr_HR/compta.lang b/htdocs/langs/hr_HR/compta.lang index 072647856a98f..9176b9d6c2d7f 100644 --- a/htdocs/langs/hr_HR/compta.lang +++ b/htdocs/langs/hr_HR/compta.lang @@ -19,7 +19,8 @@ Income=Prihod Outcome=Trošak MenuReportInOut=Prihod / Trošak ReportInOut=Balance of income and expenses -ReportTurnover=Promet +ReportTurnover=Turnover invoiced +ReportTurnoverCollected=Turnover collected PaymentsNotLinkedToInvoice=Plaćanja nisu povezana s niti jednim računom, također nisu povezane s nijednim komitentom PaymentsNotLinkedToUser=Plaćanja nisu povezana s niti jednim korisnikom Profit=Profit @@ -77,7 +78,7 @@ MenuNewSocialContribution=Novi druš/fis porez NewSocialContribution=Novi društveni/fiskalni porez AddSocialContribution=Add social/fiscal tax ContributionsToPay=Društvni/fiskalni porez za platiti -AccountancyTreasuryArea=Sučelje Računovodstva/Financija +AccountancyTreasuryArea=Billing and payment area NewPayment=Novo plaćanje Payments=Plaćanja PaymentCustomerInvoice=Uplata računa kupca @@ -105,6 +106,7 @@ VATPayment=Plaćanje poreza prodaje VATPayments=Plaćanja poreza kod prodaje VATRefund=Sales tax refund NewVATPayment=New sales tax payment +NewLocalTaxPayment=New tax %s payment Refund=Povrat SocialContributionsPayments=Plaćanja društveni/fiskalni porez ShowVatPayment=Prikaži PDV plaćanja @@ -116,8 +118,9 @@ CustomerAccountancyCodeShort=Konto kupca SupplierAccountancyCodeShort=Konto dobavljača AccountNumber=Broj računa NewAccountingAccount=Novi račun -SalesTurnover=Promet prodaje -SalesTurnoverMinimum=Minimalni promet prodaje +Turnover=Turnover invoiced +TurnoverCollected=Turnover collected +SalesTurnoverMinimum=Minimum turnover ByExpenseIncome=Po troškovima i prihodima ByThirdParties=Po komitentima ByUserAuthorOfInvoice=Po autoru računa @@ -137,8 +140,8 @@ 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=Način %sPotraživanje-Dugovanje%s zvano Predano računovodstvo. -CalcModeEngagement=Način %sPrihodi-Troškovi%s zvano Gotovinsko računovodstvo +CalcModeDebt=Analysis of known recorded invoices 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 CalcModeLT1Debt=Način %sRE na računu kupca%s @@ -151,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=Vidi izvještaj %sPrihoda-Troškova%s zvani Gotovinsko računovodstvo za izračun po stvarno uplatama -SeeReportInDueDebtMode=Vidi izvještaj %sPotražno-Dugovno%s zvano Predano računovodstvo za izračun po izdatim računima -SeeReportInBookkeepingMode=See report %sBookeeping%s for a calculation on bookkeeping table analysis +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 RulesAmountWithTaxIncluded=Prikazani iznosi su sa uključenim svim porezima RulesResultDue=- Uključuje neplačene račune, troškove, PDV, donacije bez obzira da li su plaćene ili ne. Također uključuje isplačene plaće.
- Baziran je na datumu ovjere računa i PDV i po datumu dospjeća troškova. Za plaće definirane sa modulom Plaća, koristi se vrijednost datuma isplate. 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. @@ -218,8 +221,8 @@ Mode1=Metoda 1 Mode2=Metoda 2 CalculationRuleDesc=Za izračunavanje poreza, postoje dvije metode:
Metoda 1 je zaokruživanje PDV za svaku stavku te njihov zbroj.
Metoda 2 je zbrajanje PDV za svaku stavku te zaokruživanje rezultata.
Konačni rezultat se može razlikovati za par lipa. Zadani način je način %s. CalculationRuleDescSupplier=Sukladno dobavljaču, odaberite prikladnu metodu za primjenu istog pravila računanja i dobivanju istog rezultata očekivanog od vašeg dobavljača. -TurnoverPerProductInCommitmentAccountingNotRelevant=The Turnover report per product, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). -TurnoverPerSaleTaxRateInCommitmentAccountingNotRelevant=The Turnover report per sale tax rate, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). +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. CalculationMode=Način izračuna AccountancyJournal=Accounting code journal ACCOUNTING_VAT_SOLD_ACCOUNT=Accounting account by default for VAT on sales (used if not defined on VAT dictionary setup) @@ -251,5 +254,6 @@ VATDue=Sale tax claimed ClaimedForThisPeriod=Claimed for the period PaidDuringThisPeriod=Paid during this period ByVatRate=By sale tax rate -TurnoverbyVatrate=Turnover by sale tax rate +TurnoverbyVatrate=Turnover invoiced by sale tax rate +TurnoverCollectedbyVatrate=Turnover collected by sale tax rate PurchasebyVatrate=Purchase by sale tax rate diff --git a/htdocs/langs/hr_HR/install.lang b/htdocs/langs/hr_HR/install.lang index 398999d546f15..a4c767125a36a 100644 --- a/htdocs/langs/hr_HR/install.lang +++ b/htdocs/langs/hr_HR/install.lang @@ -204,3 +204,7 @@ MigrationResetBlockedLog=Reset module BlockedLog for v7 algorithm ShowNotAvailableOptions=Show not available options HideNotAvailableOptions=Hide not available options ErrorFoundDuringMigration=Error were reported during migration process so next step is not available. To ignore errors, you can click here, but application or some features may not work correctly until fixed. +YouTryInstallDisabledByDirLock=The application try to sefl upgrade, but install/upgrade pages have been disabled for security reason (directory renamed with .lock suffix).
+YouTryInstallDisabledByFileLock=The application try to sefl upgrade, but install/upgrade pages pages have been disabled for security reason (by lock file install.lock into dolibarr documents directory).
+ClickHereToGoToApp=Click here to go to your application +ClickOnLinkOrRemoveManualy=Click on following link and if you always reach this page, you must remove the file install.lock into documents directory manually diff --git a/htdocs/langs/hr_HR/main.lang b/htdocs/langs/hr_HR/main.lang index e08f585d857dc..4e4383270aca2 100644 --- a/htdocs/langs/hr_HR/main.lang +++ b/htdocs/langs/hr_HR/main.lang @@ -507,6 +507,7 @@ NoneF=Niti jedan NoneOrSeveral=None or several Late=Kasni LateDesc=Kašnjenje za definiranje ako podatak kasni ili ne ovisno o vašim postavkama. Tražite administratora da promjeni kašnjenje iz izbornika Naslovna - Podešavanje - Obavijesti. +NoItemLate=No late item Photo=Slika Photos=Slike AddPhoto=Dodaj sliku @@ -945,3 +946,5 @@ KeyboardShortcut=Keyboard shortcut AssignedTo=Dodjeljeno korisniku Deletedraft=Delete draft ConfirmMassDraftDeletion=Draft Bulk delete confirmation +FileSharedViaALink=File shared via a link + diff --git a/htdocs/langs/hr_HR/modulebuilder.lang b/htdocs/langs/hr_HR/modulebuilder.lang index a3fee23cb53b5..9d6661eda41d6 100644 --- a/htdocs/langs/hr_HR/modulebuilder.lang +++ b/htdocs/langs/hr_HR/modulebuilder.lang @@ -74,6 +74,7 @@ NoWidget=No widget GoToApiExplorer=Go to API explorer ListOfMenusEntries=List of menu entries ListOfPermissionsDefined=List of defined permissions +SeeExamples=See examples here EnabledDesc=Condition to have this field active (Examples: 1 or $conf->global->MYMODULE_MYOPTION) VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only. Using a negative value means field is not shown by default on list but can be selected for viewing) IsAMeasureDesc=Can the value of field be cumulated to get a total into list ? (Examples: 1 or 0) @@ -95,3 +96,6 @@ DropTableIfEmpty=(Delete table if empty) TableDoesNotExists=The table %s does not exists TableDropped=Table %s deleted InitStructureFromExistingTable=Build the structure array string of an existing table +UseAboutPage=Disallow the about page +UseDocFolder=Disallow the documentation folder +UseSpecificReadme=Use a specific ReadMe diff --git a/htdocs/langs/hr_HR/other.lang b/htdocs/langs/hr_HR/other.lang index 83c785a82a0da..40e6d1aaf8f3a 100644 --- a/htdocs/langs/hr_HR/other.lang +++ b/htdocs/langs/hr_HR/other.lang @@ -80,8 +80,8 @@ LinkedObject=Linked object NbOfActiveNotifications=Number of notifications (nb of recipient emails) PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe two lines are separated by a carriage return.\n\n__USER_SIGNATURE__ PredefinedMailTestHtml=__(Hello)__\nThis is a test mail (the word test must be in bold).
The two lines are separated by a carriage return.

__USER_SIGNATURE__ -PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\nThis is the link to make your online payment if this invoice is not already payed:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\nThis is the link to make your online payment:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendProposal=__(Hello)__\n\nYou will find here the commercial proposal __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendSupplierProposal=__(Hello)__\n\nYou will find here the price request __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendOrder=__(Hello)__\n\nYou will find here the order __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ @@ -91,6 +91,7 @@ PredefinedMailContentSendShipping=__(Hello)__\n\nYou will find here the shipping PredefinedMailContentSendFichInter=__(Hello)__\n\nYou will find here the intervention __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentThirdparty=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentUser=__(Hello)__\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 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) @@ -218,7 +219,7 @@ 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 +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 diff --git a/htdocs/langs/hr_HR/paypal.lang b/htdocs/langs/hr_HR/paypal.lang index 56cabe0207d3c..66a4bd21e08ce 100644 --- a/htdocs/langs/hr_HR/paypal.lang +++ b/htdocs/langs/hr_HR/paypal.lang @@ -14,7 +14,6 @@ PaypalModeOnlyPaypal=Samo PayPal ONLINE_PAYMENT_CSS_URL=Optionnal URL of CSS style sheet on online payment page ThisIsTransactionId=Ovo je ID tranksakcije: %s PAYPAL_ADD_PAYMENT_URL=Add the url of Paypal payment when you send a document by mail -PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.

%s

YouAreCurrentlyInSandboxMode=You are currently in the %s "sandbox" mode NewOnlinePaymentReceived=New online payment received NewOnlinePaymentFailed=New online payment tried but failed diff --git a/htdocs/langs/hr_HR/products.lang b/htdocs/langs/hr_HR/products.lang index a83f3099cad0b..881457d79dafb 100644 --- a/htdocs/langs/hr_HR/products.lang +++ b/htdocs/langs/hr_HR/products.lang @@ -251,8 +251,8 @@ PriceNumeric=Broj DefaultPrice=Predefinirana cijena ComposedProductIncDecStock=Povečaj/smanji zalihu po promjeni matičnog proizvoda ComposedProduct=Pod-proizvod -MinSupplierPrice=Minimalna cijena dobavljača -MinCustomerPrice=Minimalna cijena kupca +MinSupplierPrice=Minimum buying price +MinCustomerPrice=Minimum selling price DynamicPriceConfiguration=Dinamična konfiguracija cijene DynamicPriceDesc=On product card, with this module enabled, you should be able to set mathematic functions to calculate Customer or Supplier prices. Such function can use all mathematic operators, some constants and variables. You can set here the variables you want to be able to use and if the variable need an automatic update, the external URL to use to ask Dolibarr to update automaticaly the value. AddVariable=Dodaj varijablu diff --git a/htdocs/langs/hr_HR/propal.lang b/htdocs/langs/hr_HR/propal.lang index 039fa7767a607..037404fa5f5f8 100644 --- a/htdocs/langs/hr_HR/propal.lang +++ b/htdocs/langs/hr_HR/propal.lang @@ -75,6 +75,7 @@ AvailabilityTypeAV_1M=Mjesec dana TypeContact_propal_internal_SALESREPFOLL=Suradnik koji prati ponudu TypeContact_propal_external_BILLING=Kontakt osoba pri kupcu za račun TypeContact_propal_external_CUSTOMER=Kontakt osoba pri kupcu za ponudu +TypeContact_propal_external_SHIPPING=Customer contact for delivery # Document models DocModelAzurDescription=Cjeloviti model ponude (logo...) DefaultModelPropalCreate=Izrada osnovnog modela diff --git a/htdocs/langs/hr_HR/sendings.lang b/htdocs/langs/hr_HR/sendings.lang index 78063170bfa8d..aff0410d44a1a 100644 --- a/htdocs/langs/hr_HR/sendings.lang +++ b/htdocs/langs/hr_HR/sendings.lang @@ -52,8 +52,8 @@ ActionsOnShipping=Događaji na otpremnici LinkToTrackYourPackage=Poveznica za pračenje pošiljke ShipmentCreationIsDoneFromOrder=Trenutno, kreiranje nove otpremnice se radi iz kartice narudžbe. ShipmentLine=Stavka otpremnice -ProductQtyInCustomersOrdersRunning=Product quantity into open customers orders -ProductQtyInSuppliersOrdersRunning=Product quantity into open suppliers orders +ProductQtyInCustomersOrdersRunning=Product quantity into open customer orders +ProductQtyInSuppliersOrdersRunning=Product quantity into open purchase orders ProductQtyInShipmentAlreadySent=Product quantity from open customer order already sent ProductQtyInSuppliersShipmentAlreadyRecevied=Product quantity from open supplier order already received NoProductToShipFoundIntoStock=Nije pronađen proizvod za isporuku u skladištu %s. Ispravite zalihe ili se vratite nazad i odaberite drugo skladište. diff --git a/htdocs/langs/hr_HR/stocks.lang b/htdocs/langs/hr_HR/stocks.lang index 80524d7740ee7..27d0316c7689e 100644 --- a/htdocs/langs/hr_HR/stocks.lang +++ b/htdocs/langs/hr_HR/stocks.lang @@ -67,7 +67,7 @@ DeStockOnValidateOrder=Smanji stvarnu zalihu kod potvrde narudžbe kupca DeStockOnShipment=Smanji stvarnu zaligu kod potvrde otpreme DeStockOnShipmentOnClosing=Smanji stvarnu zalihu kod zatvaranja slanja ReStockOnBill=Povečaj stvarnu zalihu kod potvrde računa dobavljača/odobrenja -ReStockOnValidateOrder=Povečaj stvarnu zalihu kod potvrde narudžbe dobavljača +ReStockOnValidateOrder=Increase real stocks on purchase orders approbation ReStockOnDispatchOrder=Increase real stocks on manual dispatching into warehouses, after supplier order receipt of goods OrderStatusNotReadyToDispatch=Narudžba nije stigla ili nema status koji dozvoljava stavljanje proizvoda na zalihu skladišta. StockDiffPhysicTeoric=Explanation for difference between physical and virtual stock @@ -203,4 +203,4 @@ RegulateStock=Regulate Stock ListInventory=Popis StockSupportServices=Stock management support services StockSupportServicesDesc=By default, you can stock only product with type "product". If on, and if module service is on, you can also stock a product with type "service" -ReceiveProducts=Receive products +ReceiveProducts=Receive items diff --git a/htdocs/langs/hr_HR/users.lang b/htdocs/langs/hr_HR/users.lang index fb8bfe7f5a6ec..cc79120780153 100644 --- a/htdocs/langs/hr_HR/users.lang +++ b/htdocs/langs/hr_HR/users.lang @@ -48,7 +48,7 @@ PasswordChangeRequest=Request to change password for %s PasswordChangeRequestSent=Zahtjev za promjenom lozinke za %s je poslana %s. ConfirmPasswordReset=Confirm password reset MenuUsersAndGroups=Korisnici & Grupe -LastGroupsCreated=Zadnjih %s kreiranih grupa +LastGroupsCreated=Latest %s groups created LastUsersCreated=Zadnjih %s kreiranih korisnika ShowGroup=Prikaži grupu ShowUser=Prikaži korisnika diff --git a/htdocs/langs/hu_HU/accountancy.lang b/htdocs/langs/hu_HU/accountancy.lang index 9dd72d83f2aaa..82c2cbdcf0cfd 100644 --- a/htdocs/langs/hu_HU/accountancy.lang +++ b/htdocs/langs/hu_HU/accountancy.lang @@ -55,6 +55,7 @@ AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from m AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s AccountancyAreaDescVat=STEP %s: Define accounting accounts for each VAT Rates. For this, use the menu entry %s. +AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. AccountancyAreaDescExpenseReport=STEP %s: Define default accounting accounts for each type of expense report. For this, use the menu entry %s. AccountancyAreaDescSal=STEP %s: Define default accounting accounts for payment of salaries. For this, use the menu entry %s. AccountancyAreaDescContrib=STEP %s: Define default accounting accounts for special expences (miscellaneous taxes). For this, use the menu entry %s. @@ -131,6 +132,7 @@ ACCOUNTING_LENGTH_GACCOUNT=Length of the general accounting accounts (If you set 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 zero at the end of an accounting account. Needed by some countries (like switzerland). If keep to off (default), you can set the 2 following parameters to ask application to add virtual zero. BANK_DISABLE_DIRECT_INPUT=Disable direct recording of transaction in bank account +ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Enable draft export on journal ACCOUNTING_SELL_JOURNAL=Sell journal ACCOUNTING_PURCHASE_JOURNAL=Purchase journal diff --git a/htdocs/langs/hu_HU/admin.lang b/htdocs/langs/hu_HU/admin.lang index 9b8c6c3b59298..5c73ed294d2aa 100644 --- a/htdocs/langs/hu_HU/admin.lang +++ b/htdocs/langs/hu_HU/admin.lang @@ -454,7 +454,7 @@ ModuleCompanyCodeDigitaria=Accounting code depends on third party code. The code Use3StepsApproval=By default, Purchase Orders need to be created and approved by 2 different users (one step/user to create and one step/user to approve. Note that if user has both permission to create and approve, one step/user will be enough). You can ask with this option to introduce a third step/user approval, if amount is higher than a dedicated value (so 3 steps will be necessary: 1=validation, 2=first approval and 3=second approval if amount is enough).
Set this to empty if one approval (2 steps) is enough, set it to a very low value (0.1) if a second approval (3 steps) is always required. UseDoubleApproval=Use a 3 steps approval when amount (without tax) is higher than... WarningPHPMail=WARNING: It is often better to setup outgoing emails to use the email server of your provider instead of the default setup. Some email providers (like Yahoo) does not allow you to send an email from another server than their own server. Your current setup use 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 a server of them, so few of your sent Emails may not be accepted (be carefull also to your email provider sending quota).
If your Email provider (like Yahoo) has this restriction, you must change Email setup to choose the other method "SMTP server" and enter the SMTP server and credentials provided by your Email provider (ask your EMail provider to get SMTP credentials for your account). -WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of your ERP CRM application: %s. +WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of the mail user agent (MUA) for your ERP CRM application: %s. ClickToShowDescription=Click to show description DependsOn=This module need the module(s) RequiredBy=This module is required by module(s) @@ -497,7 +497,7 @@ Module25Desc=Ügyfél érdekében vezetése Module30Name=Számlák Module30Desc=Ügyfél számlák és jóváírás, beszállítói számlák kezelése Module40Name=Beszállítók -Module40Desc=Szállító menedzsment és vásárlás (megrendelések és számlák) +Module40Desc=Suppliers and purchase management (purchase orders and billing) Module42Name=Debug Logs Module42Desc=Logging facilities (file, syslog, ...). Such logs are for technical/debug purposes. Module49Name=Szerkesztők @@ -605,7 +605,7 @@ Module4000Desc=Human resources management (management of department, employee co Module5000Name=Több-cég Module5000Desc=Több vállalat kezelését teszi lehetővé Module6000Name=Workflow -Module6000Desc=Workflow management +Module6000Desc=Workflow management (automatic creation of object and/or automatic status change) Module10000Name=Weboldalak Module10000Desc=Create public websites with a WYSIWG editor. Just setup your web server (Apache, Nginx, ...) to point to the dedicated Dolibarr directory to have it online on the Internet with your own domain name. Module20000Name=Leave Requests management @@ -891,7 +891,7 @@ DictionaryCivility=Personal and professional titles DictionaryActions=Types of agenda events DictionarySocialContributions=Social or fiscal taxes types DictionaryVAT=HÉA-kulcsok vagy Értékesítés adókulcsok -DictionaryRevenueStamp=Amount of revenue stamps +DictionaryRevenueStamp=Amount of tax stamps DictionaryPaymentConditions=Fizetési feltételek DictionaryPaymentModes=Fizetési módok DictionaryTypeContact=Kapcsolat- és címtípusok @@ -919,7 +919,7 @@ SetupSaved=Beállítás mentett SetupNotSaved=Setup not saved BackToModuleList=Visszalép a modulok listáját BackToDictionaryList=Visszalép a szótárak listája -TypeOfRevenueStamp=Type of revenue stamp +TypeOfRevenueStamp=Type of tax stamp VATManagement=ÁFA kezelés VATIsUsedDesc=By default when creating prospects, invoices, orders etc the VAT rate follows the active standard rule:
If the seller is not subjected to VAT, then VAT defaults to 0. End of rule.
If the (selling country= buying country), then the VAT by default equals the VAT of the product in the selling country. End of rule.
If seller and buyer are both in the European Community and goods are transport products (car, ship, plane), the default VAT is 0 ( The VAT should be paid by the buyer to the customoffice of his country and not to the seller). End of rule.
If seller and buyer are both in the European Community and the buyer is not a company, then the VAT by defaults to the VAT of the product sold. End of rule.
If seller and buyer are both in the European Community and the buyer is a company, then the VAT is 0 by default . End of rule.
In any othe case the proposed default is VAT=0. End of rule. VATIsNotUsedDesc=Alapértelmezésben a tervezett áfa 0, amelyet fel lehet használni olyan esetekre, mint az egyesületek, magánszemélyek ou kis cégek. @@ -1027,7 +1027,7 @@ Delays_MAIN_DELAY_ACTIONS_TODO=Delay tolerance (in days) before alert on planned Delays_MAIN_DELAY_PROJECT_TO_CLOSE=Delay tolerance (in days) before alert on project not closed in time Delays_MAIN_DELAY_TASKS_TODO=Delay tolerance (in days) before alert on planned tasks (project tasks) not completed yet Delays_MAIN_DELAY_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on orders not processed yet -Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on suppliers orders not processed yet +Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on purchase orders not processed yet Delays_MAIN_DELAY_PROPALS_TO_CLOSE=Késleltetés tolerancia (napokban), mielőtt riasztást javaslatokat, hogy lezárja Delays_MAIN_DELAY_PROPALS_TO_BILL=Késleltetés tolerancia (napokban), mielőtt riasztást javaslatok nem kell fizetnie Delays_MAIN_DELAY_NOT_ACTIVATED_SERVICES=Tolerancia késleltetést (nap) előtt figyelmeztető szolgáltatások aktiválásához @@ -1458,7 +1458,7 @@ SyslogFilename=A fájl nevét és elérési útvonalát YouCanUseDOL_DATA_ROOT=Használhatja DOL_DATA_ROOT / dolibarr.log egy log fájlt Dolibarr "Dokumentumok" mappa. Beállíthatjuk, más utat kell tárolni ezt a fájlt. ErrorUnknownSyslogConstant=Constant %s nem ismert Syslog állandó OnlyWindowsLOG_USER=Windows only supports LOG_USER -CompressSyslogs=Syslog files compression and backup +CompressSyslogs=Compression and backup of debug log files (generated by module Log for debug) SyslogFileNumberOfSaves=Log backups ConfigureCleaningCronjobToSetFrequencyOfSaves=Configure cleaning scheduled job to set log backup frequency ##### Donations ##### diff --git a/htdocs/langs/hu_HU/banks.lang b/htdocs/langs/hu_HU/banks.lang index e1d3398353ca7..e4eb34af3e8a4 100644 --- a/htdocs/langs/hu_HU/banks.lang +++ b/htdocs/langs/hu_HU/banks.lang @@ -1,12 +1,13 @@ # Dolibarr language file - Source file is en_US - banks Bank=Bank -MenuBankCash=Bank / Készpénz +MenuBankCash=Bank | Cash MenuVariousPayment=Miscellaneous payments MenuNewVariousPayment=New Miscellaneous payment BankName=Bank neve FinancialAccount=Fiók BankAccount=Bankszámla BankAccounts=Bankszámlák +BankAccountsAndGateways=Bank accounts | Gateways ShowAccount=Számla fiók mutatása AccountRef=Pénzügyi mérleg ref AccountLabel=Pénzügyi mérleg címke @@ -131,7 +132,7 @@ PaymentDateUpdateSucceeded=A fizetés időpontja sikeresen frissítve PaymentDateUpdateFailed=Fizetési határidőt nem lehet frissíteni Transactions=Tranzakciók BankTransactionLine=Bank entry -AllAccounts=Minden bank / készpénzszámla +AllAccounts=All bank and cash accounts BackToAccount=Visszalép a számlához ShowAllAccounts=Mutasd az összes fióknál FutureTransaction=Jövőbeni tranzakció. Nincs lehetőség egyeztetésre. @@ -159,5 +160,6 @@ VariousPayment=Miscellaneous payments VariousPayments=Miscellaneous payments ShowVariousPayment=Show miscellaneous payments AddVariousPayment=Add miscellaneous payments +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. Thanks to return it signed (scan of the signed document) or sent it by mail to diff --git a/htdocs/langs/hu_HU/bills.lang b/htdocs/langs/hu_HU/bills.lang index 16662e9e98817..c1b982899fca5 100644 --- a/htdocs/langs/hu_HU/bills.lang +++ b/htdocs/langs/hu_HU/bills.lang @@ -110,8 +110,8 @@ SendRemindByMail=Emlékeztető küldése e-mailben DoPayment=Enter payment DoPaymentBack=Enter refund ConvertToReduc=Mark as credit available -ConvertExcessReceivedToReduc=Convert excess received into future discount -ConvertExcessPaidToReduc=Convert excess paid into future discount +ConvertExcessReceivedToReduc=Convert excess received into available credit +ConvertExcessPaidToReduc=Convert excess paid into available discount EnterPaymentReceivedFromCustomer=Írja be a vásárlótól kapott a fizetést EnterPaymentDueToCustomer=Legyen esedékes a vásárló fizetése DisabledBecauseRemainderToPayIsZero=Letiltva, mivel a maradék egyenleg 0. @@ -282,6 +282,7 @@ RelativeDiscount=Relatív kedvezmény GlobalDiscount=Globális kedvezmény CreditNote=Jóváírást CreditNotes=Jóváírások +CreditNotesOrExcessReceived=Credit notes or excess received Deposit=Down payment Deposits=Down payments DiscountFromCreditNote=Kedvezmény a jóváírásból %s @@ -393,6 +394,7 @@ PaymentConditionShort14DENDMONTH=14 days of month-end PaymentCondition14DENDMONTH=Within 14 days following the end of the month FixAmount=Fix összeg VarAmount=Változó összeg (%% össz.) +VarAmountOneLine=Variable amount (%% tot.) - 1 line with label '%s' # PaymentType PaymentTypeVIR=Banki átutalás PaymentTypeShortVIR=Banki átutalás diff --git a/htdocs/langs/hu_HU/compta.lang b/htdocs/langs/hu_HU/compta.lang index 67d7fa5b541a1..caedbc8dc6f0f 100644 --- a/htdocs/langs/hu_HU/compta.lang +++ b/htdocs/langs/hu_HU/compta.lang @@ -19,7 +19,8 @@ Income=Jövedelem Outcome=Költség MenuReportInOut=Bevétel / Kiadás ReportInOut=Balance of income and expenses -ReportTurnover=Forgalom +ReportTurnover=Turnover invoiced +ReportTurnoverCollected=Turnover collected PaymentsNotLinkedToInvoice=Kifizetések nem kapcsolódik semmilyen számlát, így nem kapcsolódik semmilyen harmadik fél PaymentsNotLinkedToUser=Kifizetések nem kapcsolódnak egyetlen felhasználó Profit=Nyereség @@ -77,7 +78,7 @@ MenuNewSocialContribution=New social/fiscal tax NewSocialContribution=New social/fiscal tax AddSocialContribution=Add social/fiscal tax ContributionsToPay=Social/fiscal taxes to pay -AccountancyTreasuryArea=Számviteli / Treasury területén +AccountancyTreasuryArea=Billing and payment area NewPayment=Új fizetési Payments=Kifizetések PaymentCustomerInvoice=Ügyfél számla fizetési @@ -105,6 +106,7 @@ VATPayment=Sales tax payment VATPayments=Sales tax payments VATRefund=Sales tax refund NewVATPayment=New sales tax payment +NewLocalTaxPayment=New tax %s payment Refund=Visszatérítés SocialContributionsPayments=Social/fiscal taxes payments ShowVatPayment=Mutasd ÁFA fizetési @@ -116,8 +118,9 @@ CustomerAccountancyCodeShort=Cust. account. code SupplierAccountancyCodeShort=Sup. account. code AccountNumber=Számlaszám NewAccountingAccount=Új számla fiók -SalesTurnover=Értékesítési árbevétele -SalesTurnoverMinimum=Minimum sales turnover +Turnover=Turnover invoiced +TurnoverCollected=Turnover collected +SalesTurnoverMinimum=Minimum turnover ByExpenseIncome=By expenses & incomes ByThirdParties=Bu harmadik fél ByUserAuthorOfInvoice=A számla szerző @@ -137,8 +140,8 @@ 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=Mode %sClaims-Debts%s said Commitment accounting. -CalcModeEngagement=Mode %sIncomes-Expenses%s said cash accounting +CalcModeDebt=Analysis of known recorded invoices 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 CalcModeLT1Debt=Mode %sRE on customer invoices%s @@ -151,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=Lásd a jelentés %sIncomes-Expenses%s mondta pénzforgalmi szemléletű elszámolás a számítás a tényleges kifizetések -SeeReportInDueDebtMode=Lásd a jelentés %sClaims-Debts%s mondta elkötelezettségét számviteli számítás kiadott számlák -SeeReportInBookkeepingMode=See report %sBookeeping%s for a calculation on bookkeeping table analysis +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 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 validation date of invoices and VAT and on the due date for expenses. 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. @@ -218,8 +221,8 @@ Mode1=Method 1 Mode2=Method 2 CalculationRuleDesc=Az összes Áfa kiszámítására 2 mód van:
1. mód: az Áfa kerekítése soronként, majd összeadva.
2. mód: összeadva soronként, majd a végeredmény kerekítve.
A végeredményben lehet némi eltérés. Az alapértelmezett: %s. CalculationRuleDescSupplier=According to supplier, choose appropriate method to apply same calculation rule and get same result expected by your supplier. -TurnoverPerProductInCommitmentAccountingNotRelevant=The Turnover report per product, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). -TurnoverPerSaleTaxRateInCommitmentAccountingNotRelevant=The Turnover report per sale tax rate, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). +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. CalculationMode=Calculation mode AccountancyJournal=Accounting code journal ACCOUNTING_VAT_SOLD_ACCOUNT=Accounting account by default for VAT on sales (used if not defined on VAT dictionary setup) @@ -251,5 +254,6 @@ VATDue=Sale tax claimed ClaimedForThisPeriod=Claimed for the period PaidDuringThisPeriod=Paid during this period ByVatRate=By sale tax rate -TurnoverbyVatrate=Turnover by sale tax rate +TurnoverbyVatrate=Turnover invoiced by sale tax rate +TurnoverCollectedbyVatrate=Turnover collected by sale tax rate PurchasebyVatrate=Purchase by sale tax rate diff --git a/htdocs/langs/hu_HU/install.lang b/htdocs/langs/hu_HU/install.lang index 17cd26ff08bc0..440de0628b4b1 100644 --- a/htdocs/langs/hu_HU/install.lang +++ b/htdocs/langs/hu_HU/install.lang @@ -204,3 +204,7 @@ MigrationResetBlockedLog=Reset module BlockedLog for v7 algorithm ShowNotAvailableOptions=Nem elérhető opciók mutatása HideNotAvailableOptions=Nem elérhető opciók elrejtése ErrorFoundDuringMigration=Migráció alatt hiba történt, így nem lehet végrehajtani a következő lépést. A hibák elvetéséhez, végrehajthatja a kattintson ide, de az alkalmazás egyes lehetőségei nem fognak megfelelően működni a hibajavítás nélkül. +YouTryInstallDisabledByDirLock=The application try to sefl upgrade, but install/upgrade pages have been disabled for security reason (directory renamed with .lock suffix).
+YouTryInstallDisabledByFileLock=The application try to sefl upgrade, but install/upgrade pages pages have been disabled for security reason (by lock file install.lock into dolibarr documents directory).
+ClickHereToGoToApp=Click here to go to your application +ClickOnLinkOrRemoveManualy=Click on following link and if you always reach this page, you must remove the file install.lock into documents directory manually diff --git a/htdocs/langs/hu_HU/main.lang b/htdocs/langs/hu_HU/main.lang index e6065284f55e7..7c8419b5d20d9 100644 --- a/htdocs/langs/hu_HU/main.lang +++ b/htdocs/langs/hu_HU/main.lang @@ -507,6 +507,7 @@ NoneF=Nincs NoneOrSeveral=Egyik sem Late=Késő LateDesc=Delay to define if a record is late or not depends on your setup. Ask your admin to change delay from menu Home - Setup - Alerts. +NoItemLate=No late item Photo=Kép Photos=Képek AddPhoto=Kép hozzáadása @@ -945,3 +946,5 @@ KeyboardShortcut=Keyboard shortcut AssignedTo=Hozzárendelve Deletedraft=Delete draft ConfirmMassDraftDeletion=Draft Bulk delete confirmation +FileSharedViaALink=File shared via a link + diff --git a/htdocs/langs/hu_HU/modulebuilder.lang b/htdocs/langs/hu_HU/modulebuilder.lang index a3fee23cb53b5..9d6661eda41d6 100644 --- a/htdocs/langs/hu_HU/modulebuilder.lang +++ b/htdocs/langs/hu_HU/modulebuilder.lang @@ -74,6 +74,7 @@ NoWidget=No widget GoToApiExplorer=Go to API explorer ListOfMenusEntries=List of menu entries ListOfPermissionsDefined=List of defined permissions +SeeExamples=See examples here EnabledDesc=Condition to have this field active (Examples: 1 or $conf->global->MYMODULE_MYOPTION) VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only. Using a negative value means field is not shown by default on list but can be selected for viewing) IsAMeasureDesc=Can the value of field be cumulated to get a total into list ? (Examples: 1 or 0) @@ -95,3 +96,6 @@ DropTableIfEmpty=(Delete table if empty) TableDoesNotExists=The table %s does not exists TableDropped=Table %s deleted InitStructureFromExistingTable=Build the structure array string of an existing table +UseAboutPage=Disallow the about page +UseDocFolder=Disallow the documentation folder +UseSpecificReadme=Use a specific ReadMe diff --git a/htdocs/langs/hu_HU/other.lang b/htdocs/langs/hu_HU/other.lang index 59b3d1a700a05..cd36c5dc2d23f 100644 --- a/htdocs/langs/hu_HU/other.lang +++ b/htdocs/langs/hu_HU/other.lang @@ -80,8 +80,8 @@ LinkedObject=Csatolt objektum NbOfActiveNotifications=Figyelmeztetések száma (nyugtázott emailek száma) PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe two lines are separated by a carriage return.\n\n__USER_SIGNATURE__ PredefinedMailTestHtml=__(Hello)__\nThis is a test mail (the word test must be in bold).
The two lines are separated by a carriage return.

__USER_SIGNATURE__ -PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\nThis is the link to make your online payment if this invoice is not already payed:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\nThis is the link to make your online payment:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendProposal=__(Hello)__\n\nYou will find here the commercial proposal __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendSupplierProposal=__(Hello)__\n\nYou will find here the price request __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendOrder=__(Hello)__\n\nYou will find here the order __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ @@ -91,6 +91,7 @@ PredefinedMailContentSendShipping=__(Hello)__\n\nYou will find here the shipping PredefinedMailContentSendFichInter=__(Hello)__\n\nYou will find here the intervention __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentThirdparty=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentUser=__(Hello)__\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 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) @@ -218,7 +219,7 @@ FileIsTooBig=Fájlok túl nagy PleaseBePatient=Kerjük legyen türelemmel... NewPassword=New password ResetPassword=Reset password -RequestToResetPasswordReceived=A request to change your password has been received +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 diff --git a/htdocs/langs/hu_HU/paypal.lang b/htdocs/langs/hu_HU/paypal.lang index 2164893cb5754..9adbf45300269 100644 --- a/htdocs/langs/hu_HU/paypal.lang +++ b/htdocs/langs/hu_HU/paypal.lang @@ -14,7 +14,6 @@ PaypalModeOnlyPaypal=PayPal only ONLINE_PAYMENT_CSS_URL=Optionnal URL of CSS style sheet on online payment page ThisIsTransactionId=Ez a tranzakció id: %s PAYPAL_ADD_PAYMENT_URL=Add az url a Paypal fizetési amikor a dokumentumot postán -PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.

%s

YouAreCurrentlyInSandboxMode=You are currently in the %s "sandbox" mode NewOnlinePaymentReceived=New online payment received NewOnlinePaymentFailed=New online payment tried but failed diff --git a/htdocs/langs/hu_HU/products.lang b/htdocs/langs/hu_HU/products.lang index 70cc062c12c11..2b4a151ed7d1d 100644 --- a/htdocs/langs/hu_HU/products.lang +++ b/htdocs/langs/hu_HU/products.lang @@ -251,8 +251,8 @@ PriceNumeric=Szám DefaultPrice=Alapár ComposedProductIncDecStock=Növelje/csökkentse a készletet a szülő termék változásakor ComposedProduct=Sub-product -MinSupplierPrice=Minimális beszállítói ár -MinCustomerPrice=Minimális végfelhasználói ár +MinSupplierPrice=Minimális vételár +MinCustomerPrice=Minimum selling price DynamicPriceConfiguration=Dynamic price configuration DynamicPriceDesc=On product card, with this module enabled, you should be able to set mathematic functions to calculate Customer or Supplier prices. Such function can use all mathematic operators, some constants and variables. You can set here the variables you want to be able to use and if the variable need an automatic update, the external URL to use to ask Dolibarr to update automaticaly the value. AddVariable=Add Variable diff --git a/htdocs/langs/hu_HU/propal.lang b/htdocs/langs/hu_HU/propal.lang index c862fca765f6f..43cf94e913bdd 100644 --- a/htdocs/langs/hu_HU/propal.lang +++ b/htdocs/langs/hu_HU/propal.lang @@ -75,6 +75,7 @@ AvailabilityTypeAV_1M=1 hónap TypeContact_propal_internal_SALESREPFOLL=Képviselő-up a következő javaslatot TypeContact_propal_external_BILLING=Ügyfél számla Kapcsolat TypeContact_propal_external_CUSTOMER=Ügyfélkapcsolati nyomon követése javaslat +TypeContact_propal_external_SHIPPING=Customer contact for delivery # Document models DocModelAzurDescription=A javaslat teljes modell (logo. ..) DefaultModelPropalCreate=Default model creation diff --git a/htdocs/langs/hu_HU/sendings.lang b/htdocs/langs/hu_HU/sendings.lang index 20d0931c44312..2730fcbf98afa 100644 --- a/htdocs/langs/hu_HU/sendings.lang +++ b/htdocs/langs/hu_HU/sendings.lang @@ -52,8 +52,8 @@ ActionsOnShipping=Események a szállítás LinkToTrackYourPackage=Link követni a csomagot ShipmentCreationIsDoneFromOrder=Ebben a pillanatban, létrejön egy új szállítmány kerül sor a sorrendben kártyát. ShipmentLine=Shipment line -ProductQtyInCustomersOrdersRunning=Product quantity into open customers orders -ProductQtyInSuppliersOrdersRunning=Product quantity into open suppliers orders +ProductQtyInCustomersOrdersRunning=Product quantity into open customer orders +ProductQtyInSuppliersOrdersRunning=Product quantity into open purchase orders ProductQtyInShipmentAlreadySent=Product quantity from open customer order already sent ProductQtyInSuppliersShipmentAlreadyRecevied=Product quantity from open supplier order already received NoProductToShipFoundIntoStock=No product to ship found into warehouse %s. Correct stock or go back to choose another warehouse. diff --git a/htdocs/langs/hu_HU/stocks.lang b/htdocs/langs/hu_HU/stocks.lang index b7286afb854ad..bdf476af89a30 100644 --- a/htdocs/langs/hu_HU/stocks.lang +++ b/htdocs/langs/hu_HU/stocks.lang @@ -67,7 +67,7 @@ DeStockOnValidateOrder=Tényleges készlet csökkentése ügyfél rendelés jóv DeStockOnShipment=Tényleges készlet csökkentése kiszállítás jóváhagyásakor DeStockOnShipmentOnClosing=Csökkentse a valós készletet a "kiszállítás megtörtént" beállítása után ReStockOnBill=Tényleges készlet növelése számla/hitel jóváhagyásakor -ReStockOnValidateOrder=Tényleges készlet növelése beszállítótól való rendelés jóváhagyásakor +ReStockOnValidateOrder=Increase real stocks on purchase orders approbation ReStockOnDispatchOrder=Tényleges készlet növelése manuális raktárba való feladáskor miután a beszállítói rendelés beérkezett OrderStatusNotReadyToDispatch=A rendelés még nincs olyan állapotban, hogy kiküldhető legyen a raktárba. StockDiffPhysicTeoric=Magyarázat a fizikai és elméleti készlet közötti eltérésről @@ -203,4 +203,4 @@ RegulateStock=Regulate Stock ListInventory=Lista StockSupportServices=Stock management support services StockSupportServicesDesc=By default, you can stock only product with type "product". If on, and if module service is on, you can also stock a product with type "service" -ReceiveProducts=Receive products +ReceiveProducts=Receive items diff --git a/htdocs/langs/hu_HU/users.lang b/htdocs/langs/hu_HU/users.lang index e9d5791516cac..03b3cc9da94ee 100644 --- a/htdocs/langs/hu_HU/users.lang +++ b/htdocs/langs/hu_HU/users.lang @@ -48,7 +48,7 @@ PasswordChangeRequest=Request to change password for %s PasswordChangeRequestSent=%s által kért jelszóváltoztatás el lett küldve ide: %s. ConfirmPasswordReset=Confirm password reset MenuUsersAndGroups=Felhasználók és csoportok -LastGroupsCreated=Utóbbi %s létrehozott csoportok +LastGroupsCreated=Latest %s groups created LastUsersCreated=Utóbbi %s létrehozott felhasználók ShowGroup=Csoport mutatása ShowUser=Felhasználó mutatása diff --git a/htdocs/langs/id_ID/accountancy.lang b/htdocs/langs/id_ID/accountancy.lang index aeb63e6101c12..cb032ea7c2899 100644 --- a/htdocs/langs/id_ID/accountancy.lang +++ b/htdocs/langs/id_ID/accountancy.lang @@ -55,6 +55,7 @@ AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from m AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s AccountancyAreaDescVat=STEP %s: Define accounting accounts for each VAT Rates. For this, use the menu entry %s. +AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. AccountancyAreaDescExpenseReport=STEP %s: Define default accounting accounts for each type of expense report. For this, use the menu entry %s. AccountancyAreaDescSal=STEP %s: Define default accounting accounts for payment of salaries. For this, use the menu entry %s. AccountancyAreaDescContrib=STEP %s: Define default accounting accounts for special expences (miscellaneous taxes). For this, use the menu entry %s. @@ -131,6 +132,7 @@ ACCOUNTING_LENGTH_GACCOUNT=Length of the general accounting accounts (If you set 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 zero at the end of an accounting account. Needed by some countries (like switzerland). If keep to off (default), you can set the 2 following parameters to ask application to add virtual zero. BANK_DISABLE_DIRECT_INPUT=Disable direct recording of transaction in bank account +ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Enable draft export on journal ACCOUNTING_SELL_JOURNAL=Jurnal Penjualan ACCOUNTING_PURCHASE_JOURNAL=Jurnal Pembelian diff --git a/htdocs/langs/id_ID/admin.lang b/htdocs/langs/id_ID/admin.lang index 3fc6960faa3d6..b90beccae1df4 100644 --- a/htdocs/langs/id_ID/admin.lang +++ b/htdocs/langs/id_ID/admin.lang @@ -454,7 +454,7 @@ ModuleCompanyCodeDigitaria=Accounting code depends on third party code. The code Use3StepsApproval=By default, Purchase Orders need to be created and approved by 2 different users (one step/user to create and one step/user to approve. Note that if user has both permission to create and approve, one step/user will be enough). You can ask with this option to introduce a third step/user approval, if amount is higher than a dedicated value (so 3 steps will be necessary: 1=validation, 2=first approval and 3=second approval if amount is enough).
Set this to empty if one approval (2 steps) is enough, set it to a very low value (0.1) if a second approval (3 steps) is always required. UseDoubleApproval=Use a 3 steps approval when amount (without tax) is higher than... WarningPHPMail=WARNING: It is often better to setup outgoing emails to use the email server of your provider instead of the default setup. Some email providers (like Yahoo) does not allow you to send an email from another server than their own server. Your current setup use 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 a server of them, so few of your sent Emails may not be accepted (be carefull also to your email provider sending quota).
If your Email provider (like Yahoo) has this restriction, you must change Email setup to choose the other method "SMTP server" and enter the SMTP server and credentials provided by your Email provider (ask your EMail provider to get SMTP credentials for your account). -WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of your ERP CRM application: %s. +WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of the mail user agent (MUA) for your ERP CRM application: %s. ClickToShowDescription=Click to show description DependsOn=This module need the module(s) RequiredBy=This module is required by module(s) @@ -497,7 +497,7 @@ Module25Desc=Customer order management Module30Name=Nota Module30Desc=Invoice and credit note management for customers. Invoice management for suppliers Module40Name=Pemasok -Module40Desc=Supplier management and buying (orders and invoices) +Module40Desc=Suppliers and purchase management (purchase orders and billing) Module42Name=Debug Logs Module42Desc=Logging facilities (file, syslog, ...). Such logs are for technical/debug purposes. Module49Name=Editors @@ -605,7 +605,7 @@ Module4000Desc=Human resources management (management of department, employee co Module5000Name=Multi-company Module5000Desc=Allows you to manage multiple companies Module6000Name=Workflow -Module6000Desc=Workflow management +Module6000Desc=Workflow management (automatic creation of object and/or automatic status change) Module10000Name=Websites Module10000Desc=Create public websites with a WYSIWG editor. Just setup your web server (Apache, Nginx, ...) to point to the dedicated Dolibarr directory to have it online on the Internet with your own domain name. Module20000Name=Leave Requests management @@ -891,7 +891,7 @@ DictionaryCivility=Personal and professional titles DictionaryActions=Types of agenda events DictionarySocialContributions=Social or fiscal taxes types DictionaryVAT=VAT Rates or Sales Tax Rates -DictionaryRevenueStamp=Amount of revenue stamps +DictionaryRevenueStamp=Amount of tax stamps DictionaryPaymentConditions=Payment terms DictionaryPaymentModes=Payment modes DictionaryTypeContact=Contact/Address types @@ -919,7 +919,7 @@ SetupSaved=Setup saved SetupNotSaved=Setup not saved BackToModuleList=Kembali Ke Daftar Modul BackToDictionaryList=Back to dictionaries list -TypeOfRevenueStamp=Type of revenue stamp +TypeOfRevenueStamp=Type of tax stamp VATManagement=VAT Management VATIsUsedDesc=By default when creating prospects, invoices, orders etc the VAT rate follows the active standard rule:
If the seller is not subjected to VAT, then VAT defaults to 0. End of rule.
If the (selling country= buying country), then the VAT by default equals the VAT of the product in the selling country. End of rule.
If seller and buyer are both in the European Community and goods are transport products (car, ship, plane), the default VAT is 0 ( The VAT should be paid by the buyer to the customoffice of his country and not to the seller). End of rule.
If seller and buyer are both in the European Community and the buyer is not a company, then the VAT by defaults to the VAT of the product sold. End of rule.
If seller and buyer are both in the European Community and the buyer is a company, then the VAT is 0 by default . End of rule.
In any othe case the proposed default is VAT=0. End of rule. VATIsNotUsedDesc=By default the proposed VAT is 0 which can be used for cases like associations, individuals ou small companies. @@ -1027,7 +1027,7 @@ Delays_MAIN_DELAY_ACTIONS_TODO=Delay tolerance (in days) before alert on planned Delays_MAIN_DELAY_PROJECT_TO_CLOSE=Delay tolerance (in days) before alert on project not closed in time Delays_MAIN_DELAY_TASKS_TODO=Delay tolerance (in days) before alert on planned tasks (project tasks) not completed yet Delays_MAIN_DELAY_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on orders not processed yet -Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on suppliers orders not processed yet +Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on purchase orders not processed yet Delays_MAIN_DELAY_PROPALS_TO_CLOSE=Delay tolerance (in days) before alert on proposals to close Delays_MAIN_DELAY_PROPALS_TO_BILL=Delay tolerance (in days) before alert on proposals not billed Delays_MAIN_DELAY_NOT_ACTIVATED_SERVICES=Tolerance delay (in days) before alert on services to activate @@ -1458,7 +1458,7 @@ SyslogFilename=File name and path YouCanUseDOL_DATA_ROOT=You can use DOL_DATA_ROOT/dolibarr.log for a log file in Dolibarr "documents" directory. You can set a different path to store this file. ErrorUnknownSyslogConstant=Constant %s is not a known Syslog constant OnlyWindowsLOG_USER=Windows only supports LOG_USER -CompressSyslogs=Syslog files compression and backup +CompressSyslogs=Compression and backup of debug log files (generated by module Log for debug) SyslogFileNumberOfSaves=Log backups ConfigureCleaningCronjobToSetFrequencyOfSaves=Configure cleaning scheduled job to set log backup frequency ##### Donations ##### diff --git a/htdocs/langs/id_ID/banks.lang b/htdocs/langs/id_ID/banks.lang index b7fb7eec92c96..01ae4bcab9a65 100644 --- a/htdocs/langs/id_ID/banks.lang +++ b/htdocs/langs/id_ID/banks.lang @@ -1,12 +1,13 @@ # Dolibarr language file - Source file is en_US - banks Bank=Bank -MenuBankCash=Bank/Cash +MenuBankCash=Bank | Cash MenuVariousPayment=Miscellaneous payments MenuNewVariousPayment=New Miscellaneous payment BankName=Bank name FinancialAccount=Akun BankAccount=Bank account BankAccounts=Bank accounts +BankAccountsAndGateways=Bank accounts | Gateways ShowAccount=Show Account AccountRef=Financial account ref AccountLabel=Financial account label @@ -131,7 +132,7 @@ PaymentDateUpdateSucceeded=Payment date updated successfully PaymentDateUpdateFailed=Payment date could not be updated Transactions=Transactions BankTransactionLine=Bank entry -AllAccounts=All bank/cash accounts +AllAccounts=All bank and cash accounts BackToAccount=Back to account ShowAllAccounts=Show for all accounts FutureTransaction=Transaction in futur. No way to conciliate. @@ -159,5 +160,6 @@ VariousPayment=Miscellaneous payments VariousPayments=Miscellaneous payments ShowVariousPayment=Show miscellaneous payments AddVariousPayment=Add miscellaneous payments +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. Thanks to return it signed (scan of the signed document) or sent it by mail to diff --git a/htdocs/langs/id_ID/bills.lang b/htdocs/langs/id_ID/bills.lang index 78ff6d7db2f8c..a7a5c56778c9d 100644 --- a/htdocs/langs/id_ID/bills.lang +++ b/htdocs/langs/id_ID/bills.lang @@ -110,8 +110,8 @@ SendRemindByMail=Kirim pengingat ke surel / email DoPayment=Enter payment DoPaymentBack=Enter refund ConvertToReduc=Mark as credit available -ConvertExcessReceivedToReduc=Convert excess received into future discount -ConvertExcessPaidToReduc=Convert excess paid into future discount +ConvertExcessReceivedToReduc=Convert excess received into available credit +ConvertExcessPaidToReduc=Convert excess paid into available discount EnterPaymentReceivedFromCustomer=Masukkan pembayaran yang diterima dari pelanggan EnterPaymentDueToCustomer=Buat tempo pembayaran ke pelanggan DisabledBecauseRemainderToPayIsZero=Disabled because remaining unpaid is zero @@ -282,6 +282,7 @@ RelativeDiscount=Relative discount GlobalDiscount=Global discount CreditNote=Catatan kredit CreditNotes=Credit notes +CreditNotesOrExcessReceived=Credit notes or excess received Deposit=Down payment Deposits=Down payments DiscountFromCreditNote=Discount from credit note %s @@ -393,6 +394,7 @@ PaymentConditionShort14DENDMONTH=14 days of month-end PaymentCondition14DENDMONTH=Within 14 days following the end of the month FixAmount=Fix amount VarAmount=Variable amount (%% tot.) +VarAmountOneLine=Variable amount (%% tot.) - 1 line with label '%s' # PaymentType PaymentTypeVIR=Bank transfer PaymentTypeShortVIR=Bank transfer diff --git a/htdocs/langs/id_ID/compta.lang b/htdocs/langs/id_ID/compta.lang index b7fb88124842a..9a60ebc87e561 100644 --- a/htdocs/langs/id_ID/compta.lang +++ b/htdocs/langs/id_ID/compta.lang @@ -19,7 +19,8 @@ Income=Income Outcome=Expense MenuReportInOut=Income / Expense ReportInOut=Balance of income and expenses -ReportTurnover=Turnover +ReportTurnover=Turnover invoiced +ReportTurnoverCollected=Turnover collected PaymentsNotLinkedToInvoice=Payments not linked to any invoice, so not linked to any third party PaymentsNotLinkedToUser=Payments not linked to any user Profit=Profit @@ -77,7 +78,7 @@ MenuNewSocialContribution=New social/fiscal tax NewSocialContribution=New social/fiscal tax AddSocialContribution=Add social/fiscal tax ContributionsToPay=Social/fiscal taxes to pay -AccountancyTreasuryArea=Accountancy/Treasury area +AccountancyTreasuryArea=Billing and payment area NewPayment=New payment Payments=Semua pembayaran PaymentCustomerInvoice=Customer invoice payment @@ -105,6 +106,7 @@ VATPayment=Sales tax payment VATPayments=Sales tax payments VATRefund=Sales tax refund NewVATPayment=New sales tax payment +NewLocalTaxPayment=New tax %s payment Refund=Refund SocialContributionsPayments=Social/fiscal taxes payments ShowVatPayment=Show VAT payment @@ -116,8 +118,9 @@ CustomerAccountancyCodeShort=Cust. account. code SupplierAccountancyCodeShort=Sup. account. code AccountNumber=Account number NewAccountingAccount=New account -SalesTurnover=Sales turnover -SalesTurnoverMinimum=Minimum sales turnover +Turnover=Turnover invoiced +TurnoverCollected=Turnover collected +SalesTurnoverMinimum=Minimum turnover ByExpenseIncome=By expenses & incomes ByThirdParties=By third parties ByUserAuthorOfInvoice=By invoice author @@ -137,8 +140,8 @@ 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=Mode %sClaims-Debts%s said Commitment accounting. -CalcModeEngagement=Mode %sIncomes-Expenses%s said cash accounting +CalcModeDebt=Analysis of known recorded invoices 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 CalcModeLT1Debt=Mode %sRE on customer invoices%s @@ -151,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 report %sIncomes-Expenses%s said cash accounting for a calculation on actual payments made -SeeReportInDueDebtMode=See report %sClaims-Debts%s said commitment accounting for a calculation on issued invoices -SeeReportInBookkeepingMode=See report %sBookeeping%s for a calculation on bookkeeping table analysis +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 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 validation date of invoices and VAT and on the due date for expenses. 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. @@ -218,8 +221,8 @@ 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 supplier, choose appropriate method to apply same calculation rule and get same result expected by your supplier. -TurnoverPerProductInCommitmentAccountingNotRelevant=The Turnover report per product, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). -TurnoverPerSaleTaxRateInCommitmentAccountingNotRelevant=The Turnover report per sale tax rate, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). +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. CalculationMode=Calculation mode AccountancyJournal=Accounting code journal ACCOUNTING_VAT_SOLD_ACCOUNT=Accounting account by default for VAT on sales (used if not defined on VAT dictionary setup) @@ -251,5 +254,6 @@ VATDue=Sale tax claimed ClaimedForThisPeriod=Claimed for the period PaidDuringThisPeriod=Paid during this period ByVatRate=By sale tax rate -TurnoverbyVatrate=Turnover by sale tax rate +TurnoverbyVatrate=Turnover invoiced by sale tax rate +TurnoverCollectedbyVatrate=Turnover collected by sale tax rate PurchasebyVatrate=Purchase by sale tax rate diff --git a/htdocs/langs/id_ID/install.lang b/htdocs/langs/id_ID/install.lang index 96c1558a004d2..15a99541abb7d 100644 --- a/htdocs/langs/id_ID/install.lang +++ b/htdocs/langs/id_ID/install.lang @@ -204,3 +204,7 @@ MigrationResetBlockedLog=Reset module BlockedLog for v7 algorithm ShowNotAvailableOptions=Show not available options HideNotAvailableOptions=Hide not available options ErrorFoundDuringMigration=Error were reported during migration process so next step is not available. To ignore errors, you can click here, but application or some features may not work correctly until fixed. +YouTryInstallDisabledByDirLock=The application try to sefl upgrade, but install/upgrade pages have been disabled for security reason (directory renamed with .lock suffix).
+YouTryInstallDisabledByFileLock=The application try to sefl upgrade, but install/upgrade pages pages have been disabled for security reason (by lock file install.lock into dolibarr documents directory).
+ClickHereToGoToApp=Click here to go to your application +ClickOnLinkOrRemoveManualy=Click on following link and if you always reach this page, you must remove the file install.lock into documents directory manually diff --git a/htdocs/langs/id_ID/main.lang b/htdocs/langs/id_ID/main.lang index 472cabe784d8d..56322de07585f 100644 --- a/htdocs/langs/id_ID/main.lang +++ b/htdocs/langs/id_ID/main.lang @@ -507,6 +507,7 @@ NoneF=None NoneOrSeveral=None or several Late=Late LateDesc=Delay to define if a record is late or not depends on your setup. Ask your admin to change delay from menu Home - Setup - Alerts. +NoItemLate=No late item Photo=Picture Photos=Pictures AddPhoto=Add picture @@ -945,3 +946,5 @@ KeyboardShortcut=Keyboard shortcut AssignedTo=Ditugaskan untuk Deletedraft=Delete draft ConfirmMassDraftDeletion=Draft Bulk delete confirmation +FileSharedViaALink=File shared via a link + diff --git a/htdocs/langs/id_ID/modulebuilder.lang b/htdocs/langs/id_ID/modulebuilder.lang index a3fee23cb53b5..9d6661eda41d6 100644 --- a/htdocs/langs/id_ID/modulebuilder.lang +++ b/htdocs/langs/id_ID/modulebuilder.lang @@ -74,6 +74,7 @@ NoWidget=No widget GoToApiExplorer=Go to API explorer ListOfMenusEntries=List of menu entries ListOfPermissionsDefined=List of defined permissions +SeeExamples=See examples here EnabledDesc=Condition to have this field active (Examples: 1 or $conf->global->MYMODULE_MYOPTION) VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only. Using a negative value means field is not shown by default on list but can be selected for viewing) IsAMeasureDesc=Can the value of field be cumulated to get a total into list ? (Examples: 1 or 0) @@ -95,3 +96,6 @@ DropTableIfEmpty=(Delete table if empty) TableDoesNotExists=The table %s does not exists TableDropped=Table %s deleted InitStructureFromExistingTable=Build the structure array string of an existing table +UseAboutPage=Disallow the about page +UseDocFolder=Disallow the documentation folder +UseSpecificReadme=Use a specific ReadMe diff --git a/htdocs/langs/id_ID/other.lang b/htdocs/langs/id_ID/other.lang index c0b7f469ff831..362a60df54f01 100644 --- a/htdocs/langs/id_ID/other.lang +++ b/htdocs/langs/id_ID/other.lang @@ -80,8 +80,8 @@ LinkedObject=Linked object NbOfActiveNotifications=Number of notifications (nb of recipient emails) PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe two lines are separated by a carriage return.\n\n__USER_SIGNATURE__ PredefinedMailTestHtml=__(Hello)__\nThis is a test mail (the word test must be in bold).
The two lines are separated by a carriage return.

__USER_SIGNATURE__ -PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\nThis is the link to make your online payment if this invoice is not already payed:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\nThis is the link to make your online payment:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendProposal=__(Hello)__\n\nYou will find here the commercial proposal __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendSupplierProposal=__(Hello)__\n\nYou will find here the price request __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendOrder=__(Hello)__\n\nYou will find here the order __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ @@ -91,6 +91,7 @@ PredefinedMailContentSendShipping=__(Hello)__\n\nYou will find here the shipping PredefinedMailContentSendFichInter=__(Hello)__\n\nYou will find here the intervention __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentThirdparty=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentUser=__(Hello)__\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 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) @@ -218,7 +219,7 @@ FileIsTooBig=Files is too big PleaseBePatient=Mohon tunggu NewPassword=New password ResetPassword=Reset password -RequestToResetPasswordReceived=A request to change your password has been received +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 diff --git a/htdocs/langs/id_ID/paypal.lang b/htdocs/langs/id_ID/paypal.lang index 600245dc658a1..68c5b0aefa1b8 100644 --- a/htdocs/langs/id_ID/paypal.lang +++ b/htdocs/langs/id_ID/paypal.lang @@ -14,7 +14,6 @@ PaypalModeOnlyPaypal=PayPal only ONLINE_PAYMENT_CSS_URL=Optionnal URL of CSS style sheet on online payment page ThisIsTransactionId=This is id of transaction: %s PAYPAL_ADD_PAYMENT_URL=Add the url of Paypal payment when you send a document by mail -PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.

%s

YouAreCurrentlyInSandboxMode=You are currently in the %s "sandbox" mode NewOnlinePaymentReceived=New online payment received NewOnlinePaymentFailed=New online payment tried but failed diff --git a/htdocs/langs/id_ID/products.lang b/htdocs/langs/id_ID/products.lang index 3f74590637987..88a77aea41951 100644 --- a/htdocs/langs/id_ID/products.lang +++ b/htdocs/langs/id_ID/products.lang @@ -251,8 +251,8 @@ PriceNumeric=Number DefaultPrice=Default price ComposedProductIncDecStock=Increase/Decrease stock on parent change ComposedProduct=Sub-product -MinSupplierPrice=Minimum supplier price -MinCustomerPrice=Minimum customer price +MinSupplierPrice=Harga beli minimal +MinCustomerPrice=Minimum selling price DynamicPriceConfiguration=Dynamic price configuration DynamicPriceDesc=On product card, with this module enabled, you should be able to set mathematic functions to calculate Customer or Supplier prices. Such function can use all mathematic operators, some constants and variables. You can set here the variables you want to be able to use and if the variable need an automatic update, the external URL to use to ask Dolibarr to update automaticaly the value. AddVariable=Add Variable diff --git a/htdocs/langs/id_ID/propal.lang b/htdocs/langs/id_ID/propal.lang index 27baa165daa7d..3e6954e4f499b 100644 --- a/htdocs/langs/id_ID/propal.lang +++ b/htdocs/langs/id_ID/propal.lang @@ -75,6 +75,7 @@ AvailabilityTypeAV_1M=1 month TypeContact_propal_internal_SALESREPFOLL=Representative following-up proposal TypeContact_propal_external_BILLING=Customer invoice contact TypeContact_propal_external_CUSTOMER=Customer contact following-up proposal +TypeContact_propal_external_SHIPPING=Customer contact for delivery # Document models DocModelAzurDescription=A complete proposal model (logo...) DefaultModelPropalCreate=Default model creation diff --git a/htdocs/langs/id_ID/sendings.lang b/htdocs/langs/id_ID/sendings.lang index dc5fe676b71e7..270a7a636ead0 100644 --- a/htdocs/langs/id_ID/sendings.lang +++ b/htdocs/langs/id_ID/sendings.lang @@ -52,8 +52,8 @@ ActionsOnShipping=Events on shipment LinkToTrackYourPackage=Link to track your package ShipmentCreationIsDoneFromOrder=For the moment, creation of a new shipment is done from the order card. ShipmentLine=Shipment line -ProductQtyInCustomersOrdersRunning=Product quantity into open customers orders -ProductQtyInSuppliersOrdersRunning=Product quantity into open suppliers orders +ProductQtyInCustomersOrdersRunning=Product quantity into open customer orders +ProductQtyInSuppliersOrdersRunning=Product quantity into open purchase orders ProductQtyInShipmentAlreadySent=Product quantity from open customer order already sent ProductQtyInSuppliersShipmentAlreadyRecevied=Product quantity from open supplier order already received NoProductToShipFoundIntoStock=No product to ship found into warehouse %s. Correct stock or go back to choose another warehouse. diff --git a/htdocs/langs/id_ID/stocks.lang b/htdocs/langs/id_ID/stocks.lang index cb07159f2c064..bbb30fe12e6d3 100644 --- a/htdocs/langs/id_ID/stocks.lang +++ b/htdocs/langs/id_ID/stocks.lang @@ -67,7 +67,7 @@ DeStockOnValidateOrder=Decrease real stocks on customers orders validation DeStockOnShipment=Decrease real stocks on shipping validation DeStockOnShipmentOnClosing=Decrease real stocks on shipping classification closed ReStockOnBill=Increase real stocks on suppliers invoices/credit notes validation -ReStockOnValidateOrder=Increase real stocks on suppliers orders approbation +ReStockOnValidateOrder=Increase real stocks on purchase orders approbation ReStockOnDispatchOrder=Increase real stocks on manual dispatching into warehouses, after supplier order receipt of goods 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 @@ -203,4 +203,4 @@ RegulateStock=Regulate Stock ListInventory=Daftar StockSupportServices=Stock management support services StockSupportServicesDesc=By default, you can stock only product with type "product". If on, and if module service is on, you can also stock a product with type "service" -ReceiveProducts=Receive products +ReceiveProducts=Receive items diff --git a/htdocs/langs/id_ID/users.lang b/htdocs/langs/id_ID/users.lang index 7ef9a152ccc0b..d1df6b700448b 100644 --- a/htdocs/langs/id_ID/users.lang +++ b/htdocs/langs/id_ID/users.lang @@ -48,7 +48,7 @@ PasswordChangeRequest=Request to change password for %s PasswordChangeRequestSent=Request to change password for %s sent to %s. ConfirmPasswordReset=Confirm password reset MenuUsersAndGroups=Users & Groups -LastGroupsCreated=Latest %s created groups +LastGroupsCreated=Latest %s groups created LastUsersCreated=Latest %s users created ShowGroup=Show group ShowUser=Show user diff --git a/htdocs/langs/is_IS/accountancy.lang b/htdocs/langs/is_IS/accountancy.lang index 725176ffa3cb0..9ff2a517324f2 100644 --- a/htdocs/langs/is_IS/accountancy.lang +++ b/htdocs/langs/is_IS/accountancy.lang @@ -55,6 +55,7 @@ AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from m AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s AccountancyAreaDescVat=STEP %s: Define accounting accounts for each VAT Rates. For this, use the menu entry %s. +AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. AccountancyAreaDescExpenseReport=STEP %s: Define default accounting accounts for each type of expense report. For this, use the menu entry %s. AccountancyAreaDescSal=STEP %s: Define default accounting accounts for payment of salaries. For this, use the menu entry %s. AccountancyAreaDescContrib=STEP %s: Define default accounting accounts for special expences (miscellaneous taxes). For this, use the menu entry %s. @@ -131,6 +132,7 @@ ACCOUNTING_LENGTH_GACCOUNT=Length of the general accounting accounts (If you set 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 zero at the end of an accounting account. Needed by some countries (like switzerland). If keep to off (default), you can set the 2 following parameters to ask application to add virtual zero. BANK_DISABLE_DIRECT_INPUT=Disable direct recording of transaction in bank account +ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Enable draft export on journal ACCOUNTING_SELL_JOURNAL=Sell journal ACCOUNTING_PURCHASE_JOURNAL=Purchase journal diff --git a/htdocs/langs/is_IS/admin.lang b/htdocs/langs/is_IS/admin.lang index 26ca15d5d56df..b24eb9e3cfd4c 100644 --- a/htdocs/langs/is_IS/admin.lang +++ b/htdocs/langs/is_IS/admin.lang @@ -454,7 +454,7 @@ ModuleCompanyCodeDigitaria=Accounting code depends on third party code. The code Use3StepsApproval=By default, Purchase Orders need to be created and approved by 2 different users (one step/user to create and one step/user to approve. Note that if user has both permission to create and approve, one step/user will be enough). You can ask with this option to introduce a third step/user approval, if amount is higher than a dedicated value (so 3 steps will be necessary: 1=validation, 2=first approval and 3=second approval if amount is enough).
Set this to empty if one approval (2 steps) is enough, set it to a very low value (0.1) if a second approval (3 steps) is always required. UseDoubleApproval=Use a 3 steps approval when amount (without tax) is higher than... WarningPHPMail=WARNING: It is often better to setup outgoing emails to use the email server of your provider instead of the default setup. Some email providers (like Yahoo) does not allow you to send an email from another server than their own server. Your current setup use 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 a server of them, so few of your sent Emails may not be accepted (be carefull also to your email provider sending quota).
If your Email provider (like Yahoo) has this restriction, you must change Email setup to choose the other method "SMTP server" and enter the SMTP server and credentials provided by your Email provider (ask your EMail provider to get SMTP credentials for your account). -WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of your ERP CRM application: %s. +WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of the mail user agent (MUA) for your ERP CRM application: %s. ClickToShowDescription=Click to show description DependsOn=This module need the module(s) RequiredBy=This module is required by module(s) @@ -497,7 +497,7 @@ Module25Desc=Viðskiptavinur röð er stjórnun Module30Name=Kvittanir Module30Desc=Reikninga og stjórnun kredit athugið fyrir viðskiptavini. Invoice's stjórnun fyrir birgja Module40Name=Birgjar -Module40Desc=Birgis stjórnun og kaupa (pöntunum og reikningum) +Module40Desc=Suppliers and purchase management (purchase orders and billing) Module42Name=Debug Logs Module42Desc=Logging facilities (file, syslog, ...). Such logs are for technical/debug purposes. Module49Name=Ritstjórar @@ -605,7 +605,7 @@ Module4000Desc=Human resources management (management of department, employee co Module5000Name=Multi-fyrirtæki Module5000Desc=Leyfir þér að stjórna mörgum fyrirtækjum Module6000Name=Workflow -Module6000Desc=Workflow management +Module6000Desc=Workflow management (automatic creation of object and/or automatic status change) Module10000Name=Websites Module10000Desc=Create public websites with a WYSIWG editor. Just setup your web server (Apache, Nginx, ...) to point to the dedicated Dolibarr directory to have it online on the Internet with your own domain name. Module20000Name=Leave Requests management @@ -891,7 +891,7 @@ DictionaryCivility=Personal and professional titles DictionaryActions=Types of agenda events DictionarySocialContributions=Social or fiscal taxes types DictionaryVAT=VSK Verð -DictionaryRevenueStamp=Amount of revenue stamps +DictionaryRevenueStamp=Amount of tax stamps DictionaryPaymentConditions=Greiðsla skilyrði DictionaryPaymentModes=Greiðsla stillingar DictionaryTypeContact=Hafðu tegundir @@ -919,7 +919,7 @@ SetupSaved=Skipulag vistuð SetupNotSaved=Setup not saved BackToModuleList=Til baka í mát lista BackToDictionaryList=Til baka orðabækur lista -TypeOfRevenueStamp=Type of revenue stamp +TypeOfRevenueStamp=Type of tax stamp VATManagement=VSK Stjórn VATIsUsedDesc=By default when creating prospects, invoices, orders etc the VAT rate follows the active standard rule:
If the seller is not subjected to VAT, then VAT defaults to 0. End of rule.
If the (selling country= buying country), then the VAT by default equals the VAT of the product in the selling country. End of rule.
If seller and buyer are both in the European Community and goods are transport products (car, ship, plane), the default VAT is 0 ( The VAT should be paid by the buyer to the customoffice of his country and not to the seller). End of rule.
If seller and buyer are both in the European Community and the buyer is not a company, then the VAT by defaults to the VAT of the product sold. End of rule.
If seller and buyer are both in the European Community and the buyer is a company, then the VAT is 0 by default . End of rule.
In any othe case the proposed default is VAT=0. End of rule. VATIsNotUsedDesc=Sjálfgefið er fyrirhuguð VSK er 0 sem hægt er að nota til tilvikum eins og samtökum, einstaklingum OU lítil fyrirtæki. @@ -1027,7 +1027,7 @@ Delays_MAIN_DELAY_ACTIONS_TODO=Delay tolerance (in days) before alert on planned Delays_MAIN_DELAY_PROJECT_TO_CLOSE=Delay tolerance (in days) before alert on project not closed in time Delays_MAIN_DELAY_TASKS_TODO=Delay tolerance (in days) before alert on planned tasks (project tasks) not completed yet Delays_MAIN_DELAY_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on orders not processed yet -Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on suppliers orders not processed yet +Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on purchase orders not processed yet Delays_MAIN_DELAY_PROPALS_TO_CLOSE=Töf umburðarlyndi (í dögum) áður en viðvörun um tillögur til að loka Delays_MAIN_DELAY_PROPALS_TO_BILL=Töf umburðarlyndi (í dögum) áður en viðvörun um tillögur billed ekki Delays_MAIN_DELAY_NOT_ACTIVATED_SERVICES=Umburðarlyndi töf (í dögum) áður en hann hringi á þjónusta að virkja @@ -1458,7 +1458,7 @@ SyslogFilename=Skráarnafn og slóði YouCanUseDOL_DATA_ROOT=Þú getur notað DOL_DATA_ROOT / dolibarr.log fyrir annálinn í Dolibarr "skjöl" skrá. Þú getur stillt mismunandi leið til að geyma þessa skrá. ErrorUnknownSyslogConstant=Constant %s er ekki þekktur skrifað fasti OnlyWindowsLOG_USER=Windows only supports LOG_USER -CompressSyslogs=Syslog files compression and backup +CompressSyslogs=Compression and backup of debug log files (generated by module Log for debug) SyslogFileNumberOfSaves=Log backups ConfigureCleaningCronjobToSetFrequencyOfSaves=Configure cleaning scheduled job to set log backup frequency ##### Donations ##### diff --git a/htdocs/langs/is_IS/banks.lang b/htdocs/langs/is_IS/banks.lang index 5d463123b6a4d..6e9c427c3f979 100644 --- a/htdocs/langs/is_IS/banks.lang +++ b/htdocs/langs/is_IS/banks.lang @@ -1,12 +1,13 @@ # Dolibarr language file - Source file is en_US - banks Bank=Bank -MenuBankCash=Banki / Sjóður +MenuBankCash=Bank | Cash MenuVariousPayment=Miscellaneous payments MenuNewVariousPayment=New Miscellaneous payment BankName=Nafn banka FinancialAccount=Reikningur BankAccount=Bankanúmer BankAccounts=Bankareikningar +BankAccountsAndGateways=Bank accounts | Gateways ShowAccount=Show Account AccountRef=Financial reikning dómari AccountLabel=Financial reikning merki @@ -131,7 +132,7 @@ PaymentDateUpdateSucceeded=Payment date updated successfully PaymentDateUpdateFailed=Gjalddagi gæti ekki verið uppfærð Transactions=Transactions BankTransactionLine=Bank entry -AllAccounts=Allar banka / peninga reikninga +AllAccounts=All bank and cash accounts BackToAccount=Til baka á reikning ShowAllAccounts=Sýna allra reikninga FutureTransaction=Færsla í futur. Engin leið til leitar sátta. @@ -159,5 +160,6 @@ VariousPayment=Miscellaneous payments VariousPayments=Miscellaneous payments ShowVariousPayment=Show miscellaneous payments AddVariousPayment=Add miscellaneous payments +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. Thanks to return it signed (scan of the signed document) or sent it by mail to diff --git a/htdocs/langs/is_IS/bills.lang b/htdocs/langs/is_IS/bills.lang index fef2e5a55d603..760a6bf1fbad0 100644 --- a/htdocs/langs/is_IS/bills.lang +++ b/htdocs/langs/is_IS/bills.lang @@ -110,8 +110,8 @@ SendRemindByMail=Senda áminningu í tölvupósti DoPayment=Enter payment DoPaymentBack=Enter refund ConvertToReduc=Mark as credit available -ConvertExcessReceivedToReduc=Convert excess received into future discount -ConvertExcessPaidToReduc=Convert excess paid into future discount +ConvertExcessReceivedToReduc=Convert excess received into available credit +ConvertExcessPaidToReduc=Convert excess paid into available discount EnterPaymentReceivedFromCustomer=Sláðu inn greiðslu frá viðskiptavini EnterPaymentDueToCustomer=Greiða vegna viðskiptavina DisabledBecauseRemainderToPayIsZero=Disabled because remaining unpaid is zero @@ -282,6 +282,7 @@ RelativeDiscount=Hlutfallsleg afsláttur GlobalDiscount=Global afsláttur CreditNote=Credit athugið CreditNotes=Credit athugasemdir +CreditNotesOrExcessReceived=Credit notes or excess received Deposit=Down payment Deposits=Down payments DiscountFromCreditNote=Afslátt af lánsfé athugið %s @@ -393,6 +394,7 @@ PaymentConditionShort14DENDMONTH=14 days of month-end PaymentCondition14DENDMONTH=Within 14 days following the end of the month FixAmount=Fix amount VarAmount=Variable amount (%% tot.) +VarAmountOneLine=Variable amount (%% tot.) - 1 line with label '%s' # PaymentType PaymentTypeVIR=Millifærslu PaymentTypeShortVIR=Millifærslu diff --git a/htdocs/langs/is_IS/compta.lang b/htdocs/langs/is_IS/compta.lang index a9df0df642bc4..07c798539fa64 100644 --- a/htdocs/langs/is_IS/compta.lang +++ b/htdocs/langs/is_IS/compta.lang @@ -19,7 +19,8 @@ Income=Tekjur Outcome=Kostnað MenuReportInOut=Tekjur / gjöld ReportInOut=Balance of income and expenses -ReportTurnover=Velta +ReportTurnover=Turnover invoiced +ReportTurnoverCollected=Turnover collected PaymentsNotLinkedToInvoice=Greiðslur ekki tengd við hvaða nótum svo ekki tengdur neinum þriðja aðila PaymentsNotLinkedToUser=Greiðslur tengist ekki allir notandi Profit=Hagnaður @@ -77,7 +78,7 @@ MenuNewSocialContribution=New social/fiscal tax NewSocialContribution=New social/fiscal tax AddSocialContribution=Add social/fiscal tax ContributionsToPay=Social/fiscal taxes to pay -AccountancyTreasuryArea=Bókhalds / ríkissjóðs area +AccountancyTreasuryArea=Billing and payment area NewPayment=Ný greiðsla Payments=Greiðslur PaymentCustomerInvoice=Viðskiptavinur Reikningar greiðslu @@ -105,6 +106,7 @@ VATPayment=Sales tax payment VATPayments=Sales tax payments VATRefund=Sales tax refund NewVATPayment=New sales tax payment +NewLocalTaxPayment=New tax %s payment Refund=Refund SocialContributionsPayments=Social/fiscal taxes payments ShowVatPayment=Sýna VSK greiðslu @@ -116,8 +118,9 @@ CustomerAccountancyCodeShort=Cust. account. code SupplierAccountancyCodeShort=Sup. account. code AccountNumber=Reikningsnúmer NewAccountingAccount=Nýr reikningur -SalesTurnover=Velta Velta -SalesTurnoverMinimum=Minimum sales turnover +Turnover=Turnover invoiced +TurnoverCollected=Turnover collected +SalesTurnoverMinimum=Minimum turnover ByExpenseIncome=By expenses & incomes ByThirdParties=Bu þriðja aðila ByUserAuthorOfInvoice=Eftir nótum Höfundur @@ -137,8 +140,8 @@ 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=Mode %sClaims-Debts%s said Commitment accounting. -CalcModeEngagement=Mode %sIncomes-Expenses%s said cash accounting +CalcModeDebt=Analysis of known recorded invoices 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 CalcModeLT1Debt=Mode %sRE on customer invoices%s @@ -151,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=Sjá skýrslu %s Incomes-Útgjöld %s segir reiðufé bókhald um útreikning á raunverulegum greiðslum -SeeReportInDueDebtMode=Sjá skýrslu %s Claims-Skuldir %s segir skuldbinding bókhald um útreikning á útgefnum reikningum -SeeReportInBookkeepingMode=See report %sBookeeping%s for a calculation on bookkeeping table analysis +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 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 validation date of invoices and VAT and on the due date for expenses. 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. @@ -218,8 +221,8 @@ 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 supplier, choose appropriate method to apply same calculation rule and get same result expected by your supplier. -TurnoverPerProductInCommitmentAccountingNotRelevant=The Turnover report per product, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). -TurnoverPerSaleTaxRateInCommitmentAccountingNotRelevant=The Turnover report per sale tax rate, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). +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. CalculationMode=Calculation mode AccountancyJournal=Accounting code journal ACCOUNTING_VAT_SOLD_ACCOUNT=Accounting account by default for VAT on sales (used if not defined on VAT dictionary setup) @@ -251,5 +254,6 @@ VATDue=Sale tax claimed ClaimedForThisPeriod=Claimed for the period PaidDuringThisPeriod=Paid during this period ByVatRate=By sale tax rate -TurnoverbyVatrate=Turnover by sale tax rate +TurnoverbyVatrate=Turnover invoiced by sale tax rate +TurnoverCollectedbyVatrate=Turnover collected by sale tax rate PurchasebyVatrate=Purchase by sale tax rate diff --git a/htdocs/langs/is_IS/install.lang b/htdocs/langs/is_IS/install.lang index 3591ea67327f5..b9b09c6d06be9 100644 --- a/htdocs/langs/is_IS/install.lang +++ b/htdocs/langs/is_IS/install.lang @@ -204,3 +204,7 @@ MigrationResetBlockedLog=Reset module BlockedLog for v7 algorithm ShowNotAvailableOptions=Show not available options HideNotAvailableOptions=Hide not available options ErrorFoundDuringMigration=Error were reported during migration process so next step is not available. To ignore errors, you can click here, but application or some features may not work correctly until fixed. +YouTryInstallDisabledByDirLock=The application try to sefl upgrade, but install/upgrade pages have been disabled for security reason (directory renamed with .lock suffix).
+YouTryInstallDisabledByFileLock=The application try to sefl upgrade, but install/upgrade pages pages have been disabled for security reason (by lock file install.lock into dolibarr documents directory).
+ClickHereToGoToApp=Click here to go to your application +ClickOnLinkOrRemoveManualy=Click on following link and if you always reach this page, you must remove the file install.lock into documents directory manually diff --git a/htdocs/langs/is_IS/main.lang b/htdocs/langs/is_IS/main.lang index 81e9465924215..1068c7078bc7d 100644 --- a/htdocs/langs/is_IS/main.lang +++ b/htdocs/langs/is_IS/main.lang @@ -507,6 +507,7 @@ NoneF=None NoneOrSeveral=None or several Late=Seint LateDesc=Delay to define if a record is late or not depends on your setup. Ask your admin to change delay from menu Home - Setup - Alerts. +NoItemLate=No late item Photo=Mynd augnabliksins Photos=Myndir AddPhoto=Bæta við mynd @@ -945,3 +946,5 @@ KeyboardShortcut=Keyboard shortcut AssignedTo=Áhrifum á Deletedraft=Delete draft ConfirmMassDraftDeletion=Draft Bulk delete confirmation +FileSharedViaALink=File shared via a link + diff --git a/htdocs/langs/is_IS/modulebuilder.lang b/htdocs/langs/is_IS/modulebuilder.lang index a3fee23cb53b5..9d6661eda41d6 100644 --- a/htdocs/langs/is_IS/modulebuilder.lang +++ b/htdocs/langs/is_IS/modulebuilder.lang @@ -74,6 +74,7 @@ NoWidget=No widget GoToApiExplorer=Go to API explorer ListOfMenusEntries=List of menu entries ListOfPermissionsDefined=List of defined permissions +SeeExamples=See examples here EnabledDesc=Condition to have this field active (Examples: 1 or $conf->global->MYMODULE_MYOPTION) VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only. Using a negative value means field is not shown by default on list but can be selected for viewing) IsAMeasureDesc=Can the value of field be cumulated to get a total into list ? (Examples: 1 or 0) @@ -95,3 +96,6 @@ DropTableIfEmpty=(Delete table if empty) TableDoesNotExists=The table %s does not exists TableDropped=Table %s deleted InitStructureFromExistingTable=Build the structure array string of an existing table +UseAboutPage=Disallow the about page +UseDocFolder=Disallow the documentation folder +UseSpecificReadme=Use a specific ReadMe diff --git a/htdocs/langs/is_IS/other.lang b/htdocs/langs/is_IS/other.lang index 0cc680f1089b5..2ec6f3b2f92f4 100644 --- a/htdocs/langs/is_IS/other.lang +++ b/htdocs/langs/is_IS/other.lang @@ -80,8 +80,8 @@ LinkedObject=Tengd mótmæla NbOfActiveNotifications=Number of notifications (nb of recipient emails) PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe two lines are separated by a carriage return.\n\n__USER_SIGNATURE__ PredefinedMailTestHtml=__(Hello)__\nThis is a test mail (the word test must be in bold).
The two lines are separated by a carriage return.

__USER_SIGNATURE__ -PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\nThis is the link to make your online payment if this invoice is not already payed:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\nThis is the link to make your online payment:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendProposal=__(Hello)__\n\nYou will find here the commercial proposal __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendSupplierProposal=__(Hello)__\n\nYou will find here the price request __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendOrder=__(Hello)__\n\nYou will find here the order __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ @@ -91,6 +91,7 @@ PredefinedMailContentSendShipping=__(Hello)__\n\nYou will find here the shipping PredefinedMailContentSendFichInter=__(Hello)__\n\nYou will find here the intervention __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentThirdparty=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentUser=__(Hello)__\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 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) @@ -218,7 +219,7 @@ FileIsTooBig=Skrár er of stór PleaseBePatient=Vinsamlegast sýnið þolinmæði ... NewPassword=New password ResetPassword=Reset password -RequestToResetPasswordReceived=A request to change your password has been received +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 diff --git a/htdocs/langs/is_IS/paypal.lang b/htdocs/langs/is_IS/paypal.lang index c2709f2574bba..c6158fd6c2932 100644 --- a/htdocs/langs/is_IS/paypal.lang +++ b/htdocs/langs/is_IS/paypal.lang @@ -14,7 +14,6 @@ PaypalModeOnlyPaypal=PayPal only ONLINE_PAYMENT_CSS_URL=Optionnal URL of CSS style sheet on online payment page ThisIsTransactionId=Þetta er id viðskipta: %s PAYPAL_ADD_PAYMENT_URL=Bæta við slóð Paypal greiðslu þegar þú sendir skjal með pósti -PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.

%s

YouAreCurrentlyInSandboxMode=You are currently in the %s "sandbox" mode NewOnlinePaymentReceived=New online payment received NewOnlinePaymentFailed=New online payment tried but failed diff --git a/htdocs/langs/is_IS/products.lang b/htdocs/langs/is_IS/products.lang index d4371bfc658d4..6ed78ef9ee8f9 100644 --- a/htdocs/langs/is_IS/products.lang +++ b/htdocs/langs/is_IS/products.lang @@ -251,8 +251,8 @@ PriceNumeric=Fjöldi DefaultPrice=Default price ComposedProductIncDecStock=Increase/Decrease stock on parent change ComposedProduct=Sub-product -MinSupplierPrice=Minimum supplier price -MinCustomerPrice=Minimum customer price +MinSupplierPrice=Lágmark Kaupverð +MinCustomerPrice=Minimum selling price DynamicPriceConfiguration=Dynamic price configuration DynamicPriceDesc=On product card, with this module enabled, you should be able to set mathematic functions to calculate Customer or Supplier prices. Such function can use all mathematic operators, some constants and variables. You can set here the variables you want to be able to use and if the variable need an automatic update, the external URL to use to ask Dolibarr to update automaticaly the value. AddVariable=Add Variable diff --git a/htdocs/langs/is_IS/propal.lang b/htdocs/langs/is_IS/propal.lang index 062b580f0be5d..1d1a595e7dd13 100644 --- a/htdocs/langs/is_IS/propal.lang +++ b/htdocs/langs/is_IS/propal.lang @@ -75,6 +75,7 @@ AvailabilityTypeAV_1M=1 mánuður TypeContact_propal_internal_SALESREPFOLL=Fulltrúi eftirfarandi upp tillögu TypeContact_propal_external_BILLING=Viðskiptavinur Reikningar samband TypeContact_propal_external_CUSTOMER=Viðskiptavinur samband eftirfarandi upp tillögu +TypeContact_propal_external_SHIPPING=Customer contact for delivery # Document models DocModelAzurDescription=A heill tillögu líkan (logo. ..) DefaultModelPropalCreate=Default model creation diff --git a/htdocs/langs/is_IS/sendings.lang b/htdocs/langs/is_IS/sendings.lang index 14fd60610c32a..e410485a005ce 100644 --- a/htdocs/langs/is_IS/sendings.lang +++ b/htdocs/langs/is_IS/sendings.lang @@ -52,8 +52,8 @@ ActionsOnShipping=Viðburðir á sendingunni LinkToTrackYourPackage=Tengill til að fylgjast með pakka ShipmentCreationIsDoneFromOrder=Í augnablikinu er sköpun af a nýr sendingunni gert úr þeirri röð kortinu. ShipmentLine=Shipment line -ProductQtyInCustomersOrdersRunning=Product quantity into open customers orders -ProductQtyInSuppliersOrdersRunning=Product quantity into open suppliers orders +ProductQtyInCustomersOrdersRunning=Product quantity into open customer orders +ProductQtyInSuppliersOrdersRunning=Product quantity into open purchase orders ProductQtyInShipmentAlreadySent=Product quantity from open customer order already sent ProductQtyInSuppliersShipmentAlreadyRecevied=Product quantity from open supplier order already received NoProductToShipFoundIntoStock=No product to ship found into warehouse %s. Correct stock or go back to choose another warehouse. diff --git a/htdocs/langs/is_IS/stocks.lang b/htdocs/langs/is_IS/stocks.lang index 8ba4c8619e4de..cae9fa98dcf0e 100644 --- a/htdocs/langs/is_IS/stocks.lang +++ b/htdocs/langs/is_IS/stocks.lang @@ -67,7 +67,7 @@ DeStockOnValidateOrder=Minnka raunverulegur birgðir á viðskiptavini pantanir DeStockOnShipment=Decrease real stocks on shipping validation DeStockOnShipmentOnClosing=Decrease real stocks on shipping classification closed ReStockOnBill=Auka raunverulegur birgðir birgja reikningum / kredit athugasemdir löggilding -ReStockOnValidateOrder=Auka raunverulegur birgðir birgja pantanir approbation +ReStockOnValidateOrder=Increase real stocks on purchase orders approbation ReStockOnDispatchOrder=Increase real stocks on manual dispatching into warehouses, after supplier order receipt of goods OrderStatusNotReadyToDispatch=Panta hefur ekki enn eða ekki meira stöðu sem gerir dispatching af vörum í vöruhús lager. StockDiffPhysicTeoric=Explanation for difference between physical and virtual stock @@ -203,4 +203,4 @@ RegulateStock=Regulate Stock ListInventory=Listi StockSupportServices=Stock management support services StockSupportServicesDesc=By default, you can stock only product with type "product". If on, and if module service is on, you can also stock a product with type "service" -ReceiveProducts=Receive products +ReceiveProducts=Receive items diff --git a/htdocs/langs/is_IS/users.lang b/htdocs/langs/is_IS/users.lang index d93334dfdc199..eccef95868419 100644 --- a/htdocs/langs/is_IS/users.lang +++ b/htdocs/langs/is_IS/users.lang @@ -48,7 +48,7 @@ PasswordChangeRequest=Request to change password for %s PasswordChangeRequestSent=Beiðni um að breyta lykilorðinu fyrir %s sent til %s . ConfirmPasswordReset=Confirm password reset MenuUsersAndGroups=Notendur & Groups -LastGroupsCreated=Latest %s created groups +LastGroupsCreated=Latest %s groups created LastUsersCreated=Latest %s users created ShowGroup=Sýna hópur ShowUser=Sýna notanda diff --git a/htdocs/langs/it_IT/accountancy.lang b/htdocs/langs/it_IT/accountancy.lang index b581970d63a0e..270ac404b286a 100644 --- a/htdocs/langs/it_IT/accountancy.lang +++ b/htdocs/langs/it_IT/accountancy.lang @@ -55,6 +55,7 @@ AccountancyAreaDescChartModel=STEP %s: Crea un modello di piano dei conti dal me AccountancyAreaDescChart=STEP %s: Crea o seleziona il tuo piano dei conti dal menu %s AccountancyAreaDescVat=STEP %s: Definisci le voci del piano dei conti per ogni IVA/tassa. Per fare ciò usa il menu %s. +AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. AccountancyAreaDescExpenseReport=STEP %s: Define default accounting accounts for each type of expense report. For this, use the menu entry %s. AccountancyAreaDescSal=STEP %s: Definisci le voci del piano dei conti per gli stipendi. Per fare ciò usa il menu %s. AccountancyAreaDescContrib=STEP %s: Definisci le voci del piano dei conti per le note spese (o altre tasse). Per fare ciò usa il menu %s; @@ -131,6 +132,7 @@ ACCOUNTING_LENGTH_GACCOUNT=Lunghezza generale del piano dei conti (se imposti co ACCOUNTING_LENGTH_AACCOUNT=Lunghezza del piano dei conti dei soggetti terzi (se è impostato a 6, il piano '401' apparirà come '401000') ACCOUNTING_MANAGE_ZERO=Allow to manage different number of zero at the end of an accounting account. Needed by some countries (like switzerland). If keep to off (default), you can set the 2 following parameters to ask application to add virtual zero. BANK_DISABLE_DIRECT_INPUT=Disabilita la registrazione diretta della transazione sul conto banca +ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Enable draft export on journal ACCOUNTING_SELL_JOURNAL=Giornale Vendite ACCOUNTING_PURCHASE_JOURNAL=Giornale Acquisti diff --git a/htdocs/langs/it_IT/admin.lang b/htdocs/langs/it_IT/admin.lang index dedfc55faae5e..6467683d16467 100644 --- a/htdocs/langs/it_IT/admin.lang +++ b/htdocs/langs/it_IT/admin.lang @@ -1,7 +1,7 @@ # Dolibarr language file - Source file is en_US - admin Foundation=Fondazione Version=Versione -Publisher=Publisher +Publisher=Editore VersionProgram=Versione programma VersionLastInstall=Versione della prima installazione VersionLastUpgrade=Ultimo aggiornamento di versione @@ -10,14 +10,14 @@ VersionDevelopment=Sviluppo VersionUnknown=Sconosciuta VersionRecommanded=Raccomandata FileCheck=Controllo di integrità dei file -FileCheckDesc=This tool allows you to check the integrity of files and setup of your application, comparing each files with the official ones. Value of some setup constants may also be checked. You can use this tool to detect if some files were modified by a hacker for example. -FileIntegrityIsStrictlyConformedWithReference=Files integrity is strictly conformed with the reference. -FileIntegrityIsOkButFilesWereAdded=Files integrity check has passed, however some new files were added. -FileIntegritySomeFilesWereRemovedOrModified=Files integrity check has failed. Some files were modified, removed or added. +FileCheckDesc=Questo strumento ti consente di verificare l'integrità dei file e la configurazione della tua applicazione, confrontando ogni file con quelli ufficiali. Il valore di alcune impostazioni può anche essere controllato. È possibile utilizzare questo strumento per rilevare se alcuni file sono stati modificati, per esempio, da un hacker. +FileIntegrityIsStrictlyConformedWithReference=L'integrità dei file è strettamente conforme al riferimento. +FileIntegrityIsOkButFilesWereAdded=È stato superato il controllo dell'integrità dei file, tuttavia sono stati aggiunti alcuni nuovi file. +FileIntegritySomeFilesWereRemovedOrModified=Il controllo dell'integrità dei file è fallito. Alcuni file sono stati modificati, rimossi o aggiunti. GlobalChecksum=Global checksum MakeIntegrityAnalysisFrom=Make integrity analysis of application files from -LocalSignature=Embedded local signature (less reliable) -RemoteSignature=Remote distant signature (more reliable) +LocalSignature=Firma locale incorporata (meno affidabile) +RemoteSignature=Firma remota (più affidabile) FilesMissing=File mancanti FilesUpdated=File aggiornati FilesModified=Files modificati @@ -151,7 +151,7 @@ PurgeDeleteAllFilesInDocumentsDir=Elimina tutti i file nella directory %s %s di file o directory eliminati. -PurgeNDirectoriesFailed=Failed to delete %s files or directories. +PurgeNDirectoriesFailed=Impossibile eliminare i file o le directory %s. PurgeAuditEvents=Elimina tutti gli eventi di sicurezza ConfirmPurgeAuditEvents=Vuoi davvero eliminare tutti gli eventi di sicurezza? Tutti i log di sicurezza verranno cancellati, nessun altro dato verrà rimosso. GenerateBackup=Genera il backup @@ -203,8 +203,8 @@ DOLISTOREdescriptionLong=Instead of switching on If your Email provider (like Yahoo) has this restriction, you must change Email setup to choose the other method "SMTP server" and enter the SMTP server and credentials provided by your Email provider (ask your EMail provider to get SMTP credentials for your account). -WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of your ERP CRM application: %s. +WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of the mail user agent (MUA) for your ERP CRM application: %s. ClickToShowDescription=Clicca per mostrare la descrizione DependsOn=A questo modulo serve il modulo RequiredBy=Questo modulo è richiesto dal modulo @@ -497,7 +497,7 @@ Module25Desc=Gestione ordini clienti Module30Name=Fatture Module30Desc=Gestione Fatture e note di credito per i clienti. Gestione Fatture per i fornitori Module40Name=Fornitori -Module40Desc=Gestione fornitori e acquisti (ordini e fatture) +Module40Desc=Suppliers and purchase management (purchase orders and billing) Module42Name=Debug Logs Module42Desc=Strumenti di tracciamento (file, syslog, ...). Questi strumenti sono per scopi tecnici/correzione. Module49Name=Redazione @@ -605,7 +605,7 @@ Module4000Desc=Human resources management (management of department, employee co Module5000Name=Multiazienda Module5000Desc=Permette la gestione di diverse aziende Module6000Name=Flusso di lavoro -Module6000Desc=Gestione flussi di lavoro +Module6000Desc=Workflow management (automatic creation of object and/or automatic status change) Module10000Name=Siti web Module10000Desc=Create public websites with a WYSIWG editor. Just setup your web server (Apache, Nginx, ...) to point to the dedicated Dolibarr directory to have it online on the Internet with your own domain name. Module20000Name=Gestione delle richieste di permesso @@ -891,7 +891,7 @@ DictionaryCivility=Titoli personali e professionali DictionaryActions=Tipi di azioni/eventi DictionarySocialContributions=Social or fiscal taxes types DictionaryVAT=Aliquote IVA o Tasse di vendita -DictionaryRevenueStamp=Ammontare dei valori bollati +DictionaryRevenueStamp=Amount of tax stamps DictionaryPaymentConditions=Termini di pagamento DictionaryPaymentModes=Modalità di pagamento DictionaryTypeContact=Tipi di contatti/indirizzi @@ -919,7 +919,7 @@ SetupSaved=Impostazioni salvate SetupNotSaved=Impostazioni non salvate BackToModuleList=Torna alla lista moduli BackToDictionaryList=Torna alla lista dei dizionari -TypeOfRevenueStamp=Type of revenue stamp +TypeOfRevenueStamp=Type of tax stamp VATManagement=Gestione IVA VATIsUsedDesc=Per impostazione predefinita l'aliquota IVA usata per la creazione di prospetti, fatture, ordini, ecc. segue la regola attiva:
- Se il venditore non è un soggetto IVA, l'aliquota IVA è pari a 0.
- Se i paesi di vendita e di acquisto coincidono, il valore predefinito dell'aliquota IVA è quello del prodotto nel paese di vendita.
- Se il venditore e l'acquirente si trovano entrambi all'interno della Comunità Europea ed i beni consistono in servizi di trasporto (auto, nave, aereo), il valore predefinito dell'aliquota IVA è 0 (L'IVA dovrebbe essere pagata dall'acquirente all'ufficio doganale del suo paese e non al venditore).
- Se il venditore e l'acquirente si trovano entrambi all'interno della Comunità Europea e l'acquirente non è una società, l'aliquota IVA predefinita è quella del prodotto venduto.
- Se il venditore e l'acquirente si trovano entrambi all'interno della Comunità Europea e l'acquirente è una società, l'aliquota IVA predefinita è 0.
In tutti gli altri casi l'aliquota IVA predefinita è 0. VATIsNotUsedDesc=Impostazione predefinita in cui l'aliquota IVA è pari a 0. Adatto a soggetti come associazioni, persone fisiche o piccole imprese con regime semplificato o a forfait. @@ -1027,7 +1027,7 @@ Delays_MAIN_DELAY_ACTIONS_TODO=Tolleranza sul ritardo (in giorni) prima di un av Delays_MAIN_DELAY_PROJECT_TO_CLOSE=Tolleranza sul ritardo (in giorni) prima di un avvertimento per progetti non terminati nei tempi previsti Delays_MAIN_DELAY_TASKS_TODO=Tolleranza sul ritardo (in giorni) prima di un avvertimento per attività di progetto pianificate e non ancora completate Delays_MAIN_DELAY_ORDERS_TO_PROCESS=Tolleranza sul ritardo (in giorni) prima di un avvertimento per ordini non ancora lavorati -Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Tolleranza sul ritardo (in giorni) prima di un avvertimento per ordini fornitore non ancora elaborati +Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on purchase orders not processed yet Delays_MAIN_DELAY_PROPALS_TO_CLOSE=Tolleranza sul ritardo (in giorni) prima di un avvertimento per proposte da chiudere Delays_MAIN_DELAY_PROPALS_TO_BILL=Tolleranza sul ritardo (in giorni) prima di un avvertimento per proposte non fatturate Delays_MAIN_DELAY_NOT_ACTIVATED_SERVICES=Tolleranza sul ritardo (in giorni) prima di un avvertimento per servizi da attivare @@ -1458,7 +1458,7 @@ SyslogFilename=Nome file e percorso YouCanUseDOL_DATA_ROOT=È possibile utilizzare DOL_DATA_ROOT/dolibarr.log come file di log per la directory "documenti". È anche possibile impostare un percorso diverso per tale file. ErrorUnknownSyslogConstant=La costante %s è sconosciuta a syslog. OnlyWindowsLOG_USER=Solo utenti Windows supportano LOG_USER -CompressSyslogs=Syslog files compression and backup +CompressSyslogs=Compression and backup of debug log files (generated by module Log for debug) SyslogFileNumberOfSaves=Backup dei registri ConfigureCleaningCronjobToSetFrequencyOfSaves=Configure cleaning scheduled job to set log backup frequency ##### Donations ##### @@ -1697,9 +1697,9 @@ InstallModuleFromWebHasBeenDisabledByFile=Install of external module from applic 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=Evidenzia le righe delle tabelle passandoci sopra con il mouse -TextTitleColor=Text color of Page title +TextTitleColor=Colore del testo del titolo della pagina LinkColor=Colore dei link -PressF5AfterChangingThis=Press CTRL+F5 on keyboard or clear your browser cache after changing this value to have it effective +PressF5AfterChangingThis=Premi CTRL + F5 sulla tastiera o cancella la cache del browser per rendere effettiva la modifica di questo parametro NotSupportedByAllThemes=Funziona con il tema Eldy ma non è supportato da tutti gli altri temi BackgroundColor=Background color TopMenuBackgroundColor=Background color for Top menu @@ -1710,8 +1710,8 @@ BackgroundTableTitleTextColor=Text color for Table title line BackgroundTableLineOddColor=Background color for odd table lines BackgroundTableLineEvenColor=Background color for even table lines MinimumNoticePeriod=Periodo minimo di avviso (le richieste di ferie/permesso dovranno essere effettuate prima di questo periodo) -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. +NbAddedAutomatically=Numero di giorni aggiunti ai contatori di utenti (automaticamente) ogni mese +EnterAnyCode=Questo campo contiene un riferimento per identificare la linea. Inserisci qualsiasi valore di tua scelta, ma senza caratteri speciali. UnicodeCurrency=Enter here between braces, list of byte number that represent the currency symbol. For exemple: for $, enter [36] - for brazil real R$ [82,36] - for €, enter [8364] ColorFormat=Il colore RGB è nel formato HEX, es:FF0000 PositionIntoComboList=Posizione di questo modello nella menu a tendina @@ -1723,29 +1723,29 @@ TemplateForElement=L'elemento a cui è abbinato questo modello TypeOfTemplate=Tipo di modello TemplateIsVisibleByOwnerOnly=Template visibile solo al proprietario VisibleEverywhere=Visibile ovunque -VisibleNowhere=Visible nowhere +VisibleNowhere=Invisibile FixTZ=Correzione del fuso orario -FillFixTZOnlyIfRequired=Example: +2 (fill only if problem experienced) +FillFixTZOnlyIfRequired=Esempio: +2 (compilare solo se si è verificato un problema) ExpectedChecksum=Checksum previsto CurrentChecksum=Checksum attuale -ForcedConstants=Required constant values +ForcedConstants=E' richiesto un valore costante MailToSendProposal=Proposte del cliente MailToSendOrder=Ordini dei clienti MailToSendInvoice=Fatture attive MailToSendShipment=Spedizioni MailToSendIntervention=Interventi -MailToSendSupplierRequestForQuotation=Quotation request -MailToSendSupplierOrder=Purchase orders -MailToSendSupplierInvoice=Vendor invoices +MailToSendSupplierRequestForQuotation=Richiesta di preventivo +MailToSendSupplierOrder=Ordini d'acquisto +MailToSendSupplierInvoice=Fatture fornitore MailToSendContract=Contratti MailToThirdparty=Soggetti terzi MailToMember=Membri MailToUser=Utenti -MailToProject=Projects page -ByDefaultInList=Show by default on list view +MailToProject=Pagina dei progetti +ByDefaultInList=Mostra per impostazione predefinita nella visualizzazione elenco YouUseLastStableVersion=Stai usando l'ultima versione stabile -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) +TitleExampleForMajorRelease=Esempio di messaggio che puoi usare per annunciare questa major release (sentiti libero di usarlo sui tuoi siti web) +TitleExampleForMaintenanceRelease=Esempio di messaggio che puoi usare per annunciare questa versione di manutenzione (sentiti libero di usarla sui tuoi siti web) 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 it contains only fixes of bugs. We recommend everybody using an older version to upgrade to this one. As any maintenance release, no new features, nor data structure change is present into this version. 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. MultiPriceRuleDesc=When option "Several level of prices per product/service" is on, you can define different prices (one per price level) for each product. To save you time, you can enter here rule to have price for each level autocalculated according to price of first level, so you will have to enter only price for first level on each product. This page is here to save you time and can be usefull only if your prices for each leve are relative to first level. You can ignore this page in most cases. @@ -1756,9 +1756,9 @@ SeeChangeLog=Guarda ChangeLog file (in inglese) AllPublishers=Tutti gli editori UnknownPublishers=Editore sconosciuto AddRemoveTabs=Aggiungi o elimina schede -AddDataTables=Add object tables -AddDictionaries=Add dictionaries tables -AddData=Add objects or dictionaries data +AddDataTables=Aggiungi tabelle di oggetti +AddDictionaries=Aggiungi tabelle di dizionari +AddData=Aggiungi oggetti o dati ai dizionari AddBoxes=Aggiungi widget AddSheduledJobs=Aggiungi processi pianificati AddHooks=Aggiungi hook @@ -1777,27 +1777,27 @@ activateModuleDependNotSatisfied=Module "%s" depends on module "%s" that is miss CommandIsNotInsideAllowedCommands=The command you try to run is not inside list of allowed commands defined into parameter $dolibarr_main_restrict_os_commands into conf.php file. LandingPage=Landing page SamePriceAlsoForSharedCompanies=If you use a multicompany module, with the choice "Single price", price will be also 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. +ModuleEnabledAdminMustCheckRights=Il modulo è stato attivato. Le autorizzazioni per i moduli attivati ​​sono state fornite solo agli utenti amministratori. Potrebbe essere necessario concedere le autorizzazioni ad altri utenti o gruppi manualmente, se necessario. UserHasNoPermissions=Questo utente non ha alcun permesso impostato -TypeCdr=Use "None" if the date of payment term is date of invoice plus a delta in days (delta is field "Nb of days")
Use "At end of month", if, after delta, the date must be increased to reach the end of month (+ an optional "Offset" in days)
Use "Current/Next" to have payment term date being the first Nth of the month (N is stored into field "Nb of days") -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 try to install the module %s that is an external module. Activating an external module means you trust the publisher of the module and you are sure that this module does not alterate negatively the behavior of your application and is compliant with laws of your country (%s). If the module bring a non legal feature, you become responsible for the use of a non legal software. +TypeCdr=Utilizzare "Nessuno" se la data del termine di pagamento è la data della fattura più un delta in giorni (delta è il campo "Nb di giorni")
Utilizzare "Alla fine del mese", se, dopo il delta, la data deve essere aumentata per raggiungere la fine del mese (+ un "Offset" facoltativo in giorni)
Utilizzare "Corrente / Avanti" per impostare la data del termine di pagamento come il primo giorno del mese (N è memorizzato nel campo "Nb of days") +BaseCurrency=Valuta di riferimento della compagnia (vai nella configurazione della compagnia per cambiarla) +WarningNoteModuleInvoiceForFrenchLaw=Questo modulo %s è conforme alle leggi francesi (Loi Finance 2016). +WarningNoteModulePOSForFrenchLaw=Questo modulo %s è conforme alle leggi francesi (Loi Finance 2016) poichè il modulo Registri non reversibili viene attivato automaticamente. +WarningInstallationMayBecomeNotCompliantWithLaw=hai cercato di installare un modulo %s esterno. L'attivazione di un modulo esterno significa che si ha fiducia nell'editore del modulo e si è sicuri che questo modulo non altera in modo negativo il comportamento dell'applicazione e sia conforme alle leggi del proprio paese (%s). Se il modulo presenta una funzione illegale, diventi responsabile per l'uso di un software illegale. MAIN_PDF_MARGIN_LEFT=Margine sinistro sul PDF MAIN_PDF_MARGIN_RIGHT=Margine destro sul PDF MAIN_PDF_MARGIN_TOP=Margine superiore sul PDF MAIN_PDF_MARGIN_BOTTOM=Margine inferiore su PDF SetToYesIfGroupIsComputationOfOtherGroups=Set this to yes if this group is a computation of other groups -EnterCalculationRuleIfPreviousFieldIsYes=Enter calculcation rule if previous field was set to Yes (For example 'CODEGRP1+CODEGRP2') -SeveralLangugeVariatFound=Several language variants found -COMPANY_AQUARIUM_REMOVE_SPECIAL=Remove special characters +EnterCalculationRuleIfPreviousFieldIsYes=Immettere la regola di calcolo se il campo precedente era impostato su Sì (ad esempio 'CODEGRP1 + CODEGRP2') +SeveralLangugeVariatFound=Sono state trovate diverse varianti linguistiche +COMPANY_AQUARIUM_REMOVE_SPECIAL=Rimuovi caratteri speciali COMPANY_AQUARIUM_CLEAN_REGEX=Regex filter to clean value (COMPANY_AQUARIUM_CLEAN_REGEX) -GDPRContact=GDPR contact -GDPRContactDesc=If you store data about European companies/citizen, you can store here the contact who is responsible for the General Data Protection Regulation +GDPRContact=Contatto GDPR +GDPRContactDesc=Se memorizzi dati relativi a società / cittadini europei, puoi memorizzare qui il contatto responsabile del trattamento dei dati personali/sensibili ##### Resource #### ResourceSetup=Configurazione del modulo Risorse UseSearchToSelectResource=Utilizza il form di ricerca per scegliere una risorsa (invece della lista a tendina) -DisabledResourceLinkUser=Disable feature to link a resource to users -DisabledResourceLinkContact=Disable feature to link a resource to contacts +DisabledResourceLinkUser=Disattiva funzionalità per collegare una risorsa agli utenti +DisabledResourceLinkContact=Disattiva funzionalità per collegare una risorsa ai contatti ConfirmUnactivation=Conferma reset del modulo diff --git a/htdocs/langs/it_IT/banks.lang b/htdocs/langs/it_IT/banks.lang index aa615c2de379e..041bc986a20a9 100644 --- a/htdocs/langs/it_IT/banks.lang +++ b/htdocs/langs/it_IT/banks.lang @@ -1,12 +1,13 @@ # Dolibarr language file - Source file is en_US - banks Bank=Banca -MenuBankCash=Banca/Cassa +MenuBankCash=Banca | Cassa MenuVariousPayment=Pagamenti vari MenuNewVariousPayment=Nuovo pagamento vario BankName=Nome della Banca FinancialAccount=Conto BankAccount=Conto bancario BankAccounts=Conti bancari +BankAccountsAndGateways=Conti bancari | Gateways ShowAccount=Mostra conto AccountRef=Rif. conto AccountLabel=Etichetta conto @@ -131,7 +132,7 @@ PaymentDateUpdateSucceeded=Data del pagamento aggiornata correttamente PaymentDateUpdateFailed=La data di pagamento potrebbe non essere stata aggiornata Transactions=Transazioni BankTransactionLine=Transazione bancaria -AllAccounts=Tutte le banche/casse +AllAccounts=Tutte le banche e le casse BackToAccount=Torna al conto ShowAllAccounts=Mostra per tutti gli account FutureTransaction=Transazione futura. Non è possibile conciliare. @@ -159,5 +160,6 @@ VariousPayment=Pagamenti vari VariousPayments=Pagamenti vari ShowVariousPayment=Mostra pagamenti vari AddVariousPayment=Aggiungi pagamenti vari +SEPAMandate=Mandato SEPA YourSEPAMandate=I tuoi mandati SEPA FindYourSEPAMandate=Questo è il tuo mandato SEPA che autorizza la nostra azienda ad effettuare un addebito diretto alla tua banca. Da restituire firmata (scan del documento firmato) o via email. diff --git a/htdocs/langs/it_IT/bills.lang b/htdocs/langs/it_IT/bills.lang index 40d4bb983ecb4..cb8fe65a01765 100644 --- a/htdocs/langs/it_IT/bills.lang +++ b/htdocs/langs/it_IT/bills.lang @@ -110,8 +110,8 @@ SendRemindByMail=Promemoria tramite email DoPayment=Registra pagamento DoPaymentBack=Emetti rimborso ConvertToReduc=Mark as credit available -ConvertExcessReceivedToReduc=Converti l'eccedenza ricevuta in un futuro sconto -ConvertExcessPaidToReduc=Converti l'eccesso pagato in sconto futuro +ConvertExcessReceivedToReduc=Convert excess received into available credit +ConvertExcessPaidToReduc=Convert excess paid into available discount EnterPaymentReceivedFromCustomer=Inserisci il pagamento ricevuto dal cliente EnterPaymentDueToCustomer=Emettere il pagamento dovuto al cliente DisabledBecauseRemainderToPayIsZero=Disabilitato perché il restante da pagare vale zero @@ -282,6 +282,7 @@ RelativeDiscount=Sconto relativo GlobalDiscount=Sconto assoluto CreditNote=Nota di credito CreditNotes=Note di credito +CreditNotesOrExcessReceived=Credit notes or excess received Deposit=Anticipo Deposits=Anticipi DiscountFromCreditNote=Sconto da nota di credito per %s @@ -393,6 +394,7 @@ PaymentConditionShort14DENDMONTH=14 giorni fine mese PaymentCondition14DENDMONTH=Pagamento a 14 giorni fine mese FixAmount=Correggi importo VarAmount=Importo variabile (%% tot.) +VarAmountOneLine=Variable amount (%% tot.) - 1 line with label '%s' # PaymentType PaymentTypeVIR=Bonifico bancario PaymentTypeShortVIR=Bonifico bancario diff --git a/htdocs/langs/it_IT/commercial.lang b/htdocs/langs/it_IT/commercial.lang index 21e2bd41b1ded..b77dfd0cc60d6 100644 --- a/htdocs/langs/it_IT/commercial.lang +++ b/htdocs/langs/it_IT/commercial.lang @@ -60,8 +60,8 @@ ActionAC_CLO=Chiudere ActionAC_EMAILING=Invia email di massa ActionAC_COM=Per inviare via email ActionAC_SHIP=Invia spedizione per posta -ActionAC_SUP_ORD=Send purchase order by mail -ActionAC_SUP_INV=Send vendor invoice by mail +ActionAC_SUP_ORD=Invia ordine di acquisto tramite mail +ActionAC_SUP_INV=Invia fattura fornitore tramite mail ActionAC_OTH=Altro ActionAC_OTH_AUTO=Eventi aggiunti automaticamente ActionAC_MANUAL=Eventi inseriti a mano diff --git a/htdocs/langs/it_IT/companies.lang b/htdocs/langs/it_IT/companies.lang index 92d91250a90c8..f8205d187de03 100644 --- a/htdocs/langs/it_IT/companies.lang +++ b/htdocs/langs/it_IT/companies.lang @@ -8,11 +8,11 @@ ConfirmDeleteContact=Vuoi davvero eliminare questo contatto e tutte le informazi MenuNewThirdParty=Nuovo soggetto terzo MenuNewCustomer=Nuovo cliente MenuNewProspect=Nuovo cliente potenziale -MenuNewSupplier=New vendor +MenuNewSupplier=Nuovo fornitore MenuNewPrivateIndividual=Nuovo privato -NewCompany=New company (prospect, customer, vendor) -NewThirdParty=New third party (prospect, customer, vendor) -CreateDolibarrThirdPartySupplier=Create a third party (vendor) +NewCompany=Nuova società (cliente, cliente potenziale, fornitore) +NewThirdParty=Nuovo soggetto terzo (cliente, cliente potenziale, fornitore) +CreateDolibarrThirdPartySupplier=Crea una terza parte (fornitore) CreateThirdPartyOnly=Crea soggetto terzo CreateThirdPartyAndContact=Crea un soggetto terzo + un contatto ProspectionArea=Area clienti potenziali @@ -37,7 +37,7 @@ ThirdPartyProspectsStats=Clienti potenziali ThirdPartyCustomers=Clienti ThirdPartyCustomersStats=Clienti ThirdPartyCustomersWithIdProf12=Clienti con %s o %s -ThirdPartySuppliers=Vendors +ThirdPartySuppliers=Fornitori ThirdPartyType=Tipo di soggetto terzo Individual=Privato ToCreateContactWithSameName=Sarà creato automaticamente un contatto/indirizzo con le stesse informazione del soggetto terzo. Nella maggior parte dei casi, anche se il soggetto terzo è una persona fisica, creare solo la terza parte è sufficiente. @@ -77,11 +77,11 @@ Web=Sito web Poste= Posizione DefaultLang=Lingua predefinita VATIsUsed=L'imposta sulle vendite viene utilizzata -VATIsUsedWhenSelling=This define if this third party includes a sale tax or not when it makes an invoice to its own customers +VATIsUsedWhenSelling=Definisce se questa terza parte include una tassa di vendita o meno quando emette una fattura ai propri clienti VATIsNotUsed=L'imposta sulle vendite non viene utilizzata CopyAddressFromSoc=Compila l'indirizzo con l'indirizzo del soggetto terzo -ThirdpartyNotCustomerNotSupplierSoNoRef=Third party neither customer nor vendor, no available refering objects -ThirdpartyIsNeitherCustomerNorClientSoCannotHaveDiscounts=Third party neither customer nor supplier, discounts are not available +ThirdpartyNotCustomerNotSupplierSoNoRef=Terza parte né cliente né fornitore, nessun oggetto di riferimento disponibile +ThirdpartyIsNeitherCustomerNorClientSoCannotHaveDiscounts=Terza parte né cliente né fornitore, sconti non disponibili PaymentBankAccount=Conto bancario usato per il pagamento: OverAllProposals=Proposte OverAllOrders=Ordini @@ -99,9 +99,9 @@ LocalTax2ES=IRPF TypeLocaltax1ES=Re-inserisci TypeLocaltax2ES=Tipo IRPF WrongCustomerCode=Codice cliente non valido -WrongSupplierCode=Vendor code invalid +WrongSupplierCode=Codice fornitore non valido CustomerCodeModel=Modello codice cliente -SupplierCodeModel=Vendor code model +SupplierCodeModel=Modello codice fornitore Gencod=Codice a barre ##### Professional ID ##### ProfId1Short=C.C.I.A.A. @@ -267,7 +267,7 @@ Prospect=Cliente potenziale CustomerCard=Scheda del cliente Customer=Cliente CustomerRelativeDiscount=Sconto relativo del cliente -SupplierRelativeDiscount=Relative vendor discount +SupplierRelativeDiscount=Sconto relativo fornitore CustomerRelativeDiscountShort=Sconto relativo CustomerAbsoluteDiscountShort=Sconto assoluto CompanyHasRelativeDiscount=Il cliente ha uno sconto del %s%% @@ -284,8 +284,8 @@ HasCreditNoteFromSupplier=Hai note di credito per %s %s da questo fornito CompanyHasNoAbsoluteDiscount=Il cliente non ha disponibile alcuno sconto assoluto per credito CustomerAbsoluteDiscountAllUsers=Sconti assoluti per il cliente (concessi da tutti gli utenti) CustomerAbsoluteDiscountMy=Sconti assoluti per il cliente (concesso da te) -SupplierAbsoluteDiscountAllUsers=Absolute vendor discounts (entered by all users) -SupplierAbsoluteDiscountMy=Absolute vendor discounts (entered by yourself) +SupplierAbsoluteDiscountAllUsers=Sconti globali fornitore (inseriti da tutti gli utenti) +SupplierAbsoluteDiscountMy=Sconti globali fornitore (inseriti da me stesso) DiscountNone=Nessuno Supplier=Fornitore AddContact=Crea contatto @@ -304,13 +304,13 @@ DeleteACompany=Elimina una società PersonalInformations=Dati personali AccountancyCode=Account di contabilità CustomerCode=Codice cliente -SupplierCode=Vendor code +SupplierCode=Codice fornitore CustomerCodeShort=Codice cliente -SupplierCodeShort=Vendor code +SupplierCodeShort=Codice fornitore CustomerCodeDesc=Codice cliente, univoco -SupplierCodeDesc=Vendor code, unique for all vendors +SupplierCodeDesc=Codice fornitore, unico per tutti i fornitori RequiredIfCustomer=Obbligatorio se il soggetto terzo è un cliente o un cliente potenziale -RequiredIfSupplier=Required if third party is a vendor +RequiredIfSupplier=Obbligatorio se il soggetto terzo è un fornitore ValidityControledByModule=Validità controllata dal modulo ThisIsModuleRules=Regole per questo modulo ProspectToContact=Cliente potenziale da contattare @@ -338,7 +338,7 @@ MyContacts=I miei contatti Capital=Capitale CapitalOf=Capitale di %s EditCompany=Modifica società -ThisUserIsNot=This user is not a prospect, customer nor vendor +ThisUserIsNot=Questo utente non è un cliente , né un cliente potenziale, né un fornitore VATIntraCheck=Controllo partita IVA VATIntraCheckDesc=Il link %s permette di controllare la partita IVA tramite un servizio esterno. È necessario che il server possa accedere ad internet. VATIntraCheckURL=http://ec.europa.eu/taxation_customs/vies/vieshome.do @@ -396,7 +396,7 @@ ImportDataset_company_4=Terze parti/Rappresentanti di vendita (Assegna utenti ra PriceLevel=Livello dei prezzi DeliveryAddress=Indirizzo di consegna AddAddress=Aggiungi un indirizzo -SupplierCategory=Vendor category +SupplierCategory=Categoria fornitore JuridicalStatus200=Indipendente DeleteFile=Cancella il file ConfirmDeleteFile=Vuoi davvero cancellare questo file? @@ -406,7 +406,7 @@ FiscalYearInformation=Informazioni sull'anno fiscale FiscalMonthStart=Il mese di inizio dell'anno fiscale YouMustAssignUserMailFirst=E' necessario creare una email per questo utente per poter mandargli una notifica via email YouMustCreateContactFirst=Per poter inviare notifiche via email, è necessario definire almeno un contatto con una email valida all'interno del soggetto terzo -ListSuppliersShort=List of vendors +ListSuppliersShort=Elenco fornitori ListProspectsShort=Elenco clienti potenziali ListCustomersShort=Elenco clienti ThirdPartiesArea=Area soggetti terzi e contatti @@ -420,7 +420,7 @@ CurrentOutstandingBill=Fatture scadute OutstandingBill=Max. fattura in sospeso OutstandingBillReached=Raggiunto il massimo numero di fatture scadute OrderMinAmount=Quantità minima per l'ordine -MonkeyNumRefModelDesc=Return numero with format %syymm-nnnn for customer code and %syymm-nnnn for vendor code where yy is year, mm is month and nnnn is a sequence with no break and no return to 0. +MonkeyNumRefModelDesc=Restituisce un numero con formato %syymm-nnnn per codice cliente e %syymm-nnnn per il fornitore, in cui yy è l'anno, mm è il mese e nnnn è una sequenza progressiva che non ritorna a 0. LeopardNumRefModelDesc=Codice cliente/fornitore libero. Questo codice può essere modificato in qualsiasi momento. ManagingDirectors=Nome Manager(s) (CEO, direttore, presidente...) MergeOriginThirdparty=Duplica soggetto terzo (soggetto terzo che stai eliminando) @@ -431,4 +431,4 @@ SaleRepresentativeLogin=Login del rappresentante commerciale SaleRepresentativeFirstname=Nome del commerciale SaleRepresentativeLastname=Cognome del commerciale ErrorThirdpartiesMerge=Si è verificato un errore durante l'eliminazione di terze parti. Si prega di controllare il registro. Le modifiche sono state ripristinate. -NewCustomerSupplierCodeProposed=New customer or vendor code suggested on duplicate code +NewCustomerSupplierCodeProposed=Il nuovo codice cliente o codice fornitore suggerito è duplicato. diff --git a/htdocs/langs/it_IT/compta.lang b/htdocs/langs/it_IT/compta.lang index e38d574dda37a..29f5d1de6fd8e 100644 --- a/htdocs/langs/it_IT/compta.lang +++ b/htdocs/langs/it_IT/compta.lang @@ -1,5 +1,5 @@ # Dolibarr language file - Source file is en_US - compta -MenuFinancial=Billing | Payment +MenuFinancial=Fatturazione | Pagamento TaxModuleSetupToModifyRules=Per modificare il modo in cui viene effettuato il calcolo, vai al modulo di configurazione delle tasse. TaxModuleSetupToModifyRulesLT=Vai a Impostazioni Azienda per modificare le regole del calcolo OptionMode=Opzione per la gestione contabile @@ -19,7 +19,8 @@ Income=Entrate Outcome=Uscite MenuReportInOut=Entrate/Uscite ReportInOut=Bilancio di entrate e uscite -ReportTurnover=Fatturato +ReportTurnover=Turnover invoiced +ReportTurnoverCollected=Turnover collected PaymentsNotLinkedToInvoice=I pagamenti non legati ad una fattura, quindi non legati ad alcun soggetto terzo PaymentsNotLinkedToUser=Pagamenti non legati ad alcun utente Profit=Utile @@ -77,7 +78,7 @@ MenuNewSocialContribution=Nuova tassa/contributo NewSocialContribution=Nuova tassa/contributo AddSocialContribution=Add social/fiscal tax ContributionsToPay=Tasse/contributi da pagare -AccountancyTreasuryArea=Area contabilità/tesoreria +AccountancyTreasuryArea=Billing and payment area NewPayment=Nuovo pagamento Payments=Pagamenti PaymentCustomerInvoice=Pagamento fattura attiva @@ -105,6 +106,7 @@ VATPayment=Pagamento IVA VATPayments=Pagamenti IVA VATRefund=Rimborso IVA NewVATPayment=New sales tax payment +NewLocalTaxPayment=New tax %s payment Refund=Rimborso SocialContributionsPayments=Pagamenti tasse/contributi ShowVatPayment=Visualizza pagamento IVA @@ -116,8 +118,9 @@ CustomerAccountancyCodeShort=Cod. cont. cliente SupplierAccountancyCodeShort=Cod. cont. fornitore AccountNumber=Numero di conto NewAccountingAccount=Nuovo conto -SalesTurnover=Fatturato -SalesTurnoverMinimum=Fatturato minimo di vendita +Turnover=Turnover invoiced +TurnoverCollected=Turnover collected +SalesTurnoverMinimum=Minimum turnover ByExpenseIncome=By expenses & incomes ByThirdParties=Per soggetti terzi ByUserAuthorOfInvoice=Per autore fattura @@ -137,8 +140,8 @@ 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=Modalità %sCrediti-Debiti%s detta Contabilità d'impegno. -CalcModeEngagement=Modalità %sEntrate-Uscite%s detta contabilità di cassa +CalcModeDebt=Analysis of known recorded invoices 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= Modalità %sRE su fatture clienti - fatture fornitori%s CalcModeLT1Debt=Modalità %sRE su fatture clienti%s @@ -151,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 il report %sEntrate-Uscite%s detto contabilità di cassa per un calcolo sui pagamenti effettuati -SeeReportInDueDebtMode=Vedi il report %sCrediti-Debiti%s detto contabilità d'impegno per un calcolo sulle fatture emesse -SeeReportInBookkeepingMode=See report %sBookeeping%s for a calculation on bookkeeping table analysis +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 RulesAmountWithTaxIncluded=- Gli importi indicati sono tasse incluse RulesResultDue=- Gli importi indicati sono tutti tasse incluse
- Comprendono le fatture in sospeso, l'IVA e le spese, che siano state pagate o meno.
- Si basa sulla data di convalida delle fatture e dell'IVA e sulla data di scadenza per le spese. RulesResultInOut=- Include i pagamenti reali di fatture, spese e IVA.
- Si basa sulle date di pagamento di fatture, spese e IVA. @@ -218,8 +221,8 @@ Mode1=Metodo 1 Mode2=Metodo 2 CalculationRuleDesc=Ci sono due metodi per calcolare l'IVA totale:
Metodo 1: arrotondare l'IVA per ogni riga e poi sommare.
Metodo 2: sommare l'IVA di ogni riga e poi arrotondare il risultato della somma.
Il risultato finale può differire di alcuni centesimi tra i due metodi. Il metodo di default è il %s. CalculationRuleDescSupplier=According to supplier, choose appropriate method to apply same calculation rule and get same result expected by your supplier. -TurnoverPerProductInCommitmentAccountingNotRelevant=The Turnover report per product, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). -TurnoverPerSaleTaxRateInCommitmentAccountingNotRelevant=The Turnover report per sale tax rate, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). +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. CalculationMode=Metodo di calcolo AccountancyJournal=Accounting code journal ACCOUNTING_VAT_SOLD_ACCOUNT=Accounting account by default for VAT on sales (used if not defined on VAT dictionary setup) @@ -251,5 +254,6 @@ VATDue=Sale tax claimed ClaimedForThisPeriod=Claimed for the period PaidDuringThisPeriod=Paid during this period ByVatRate=By sale tax rate -TurnoverbyVatrate=Turnover by sale tax rate +TurnoverbyVatrate=Turnover invoiced by sale tax rate +TurnoverCollectedbyVatrate=Turnover collected by sale tax rate PurchasebyVatrate=Purchase by sale tax rate diff --git a/htdocs/langs/it_IT/ecm.lang b/htdocs/langs/it_IT/ecm.lang index d704f06a96476..ccb8593c9b7ee 100644 --- a/htdocs/langs/it_IT/ecm.lang +++ b/htdocs/langs/it_IT/ecm.lang @@ -39,13 +39,12 @@ ShowECMSection=Visualizza la directory DeleteSection=Eliminare la directory ConfirmDeleteSection=Vuoi davvero eliminare la cartella %s? ECMDirectoryForFiles=Directory dei file -CannotRemoveDirectoryContainsFilesOrDirs=Removal not possible because it contains some files or sub-directories -CannotRemoveDirectoryContainsFiles=Removal not possible because it contains some files +CannotRemoveDirectoryContainsFilesOrDirs=Rimozione non possibile perché contiene alcuni file o sottodirectory +CannotRemoveDirectoryContainsFiles=Directory non vuota: eliminazione impossibile! ECMFileManager=Filemanager ECMSelectASection=Seleziona una directory nell'albero... DirNotSynchronizedSyncFirst=Sembra che questa directory sia stata creata o modifica al di fuori del modulo ECM. Per visualizzarne correttamente i contenuti, clicca su "aggiorna" per sincronizzare database e dischi. ReSyncListOfDir=Aggiorna la lista delle cartelle HashOfFileContent=Hash contenuto file -FileNotYetIndexedInDatabase=File non indicizzato nel database (prova a caricarlo di nuovo) -FileSharedViaALink=File condiviso con un link NoDirectoriesFound=Nessuna cartella trovata +FileNotYetIndexedInDatabase=File non indicizzato nel database (prova a caricarlo di nuovo) diff --git a/htdocs/langs/it_IT/install.lang b/htdocs/langs/it_IT/install.lang index 58a8ebed6a8f1..4a3940911fdb4 100644 --- a/htdocs/langs/it_IT/install.lang +++ b/htdocs/langs/it_IT/install.lang @@ -204,3 +204,7 @@ MigrationResetBlockedLog=Reset del modulo BlockedLog per l'algoritmo v7 ShowNotAvailableOptions=Mostra opzioni non disponibili HideNotAvailableOptions=Nascondi opzioni non disponibili ErrorFoundDuringMigration=L'errore si è verificato durante il processo di migrazione quindi il prossimo step non sarà disponibile. Per ignorare gli errori puoi
cliccare qui, ma l'applicazione o qualche funzionalità potrebbe non funzionare correttamente fino alla correzione dell'errore. +YouTryInstallDisabledByDirLock=The application try to sefl upgrade, but install/upgrade pages have been disabled for security reason (directory renamed with .lock suffix).
+YouTryInstallDisabledByFileLock=The application try to sefl upgrade, but install/upgrade pages pages have been disabled for security reason (by lock file install.lock into dolibarr documents directory).
+ClickHereToGoToApp=Click here to go to your application +ClickOnLinkOrRemoveManualy=Click on following link and if you always reach this page, you must remove the file install.lock into documents directory manually diff --git a/htdocs/langs/it_IT/main.lang b/htdocs/langs/it_IT/main.lang index 2b7b2f711ca40..29dc26e1dd537 100644 --- a/htdocs/langs/it_IT/main.lang +++ b/htdocs/langs/it_IT/main.lang @@ -507,6 +507,7 @@ NoneF=Nessuno NoneOrSeveral=Nessuno o più Late=Tardi LateDesc=Il ritardo di un'azione viene definito nel setup. Chiedi al tuo amministratore di modificarlo dal menu Home - Setup - Alerts. +NoItemLate=No late item Photo=Immagine Photos=Immagini AddPhoto=Aggiungi immagine @@ -917,9 +918,9 @@ SearchIntoProductsOrServices=Prodotti o servizi SearchIntoProjects=Progetti SearchIntoTasks=Compiti SearchIntoCustomerInvoices=Fatture attive -SearchIntoSupplierInvoices=Vendor invoices +SearchIntoSupplierInvoices=Fatture fornitore SearchIntoCustomerOrders=Ordini dei clienti -SearchIntoSupplierOrders=Purchase orders +SearchIntoSupplierOrders=Ordini d'acquisto SearchIntoCustomerProposals=Proposte del cliente SearchIntoSupplierProposals=Vendor proposals SearchIntoInterventions=Interventi @@ -945,3 +946,5 @@ KeyboardShortcut=Tasto scelta rapida AssignedTo=Azione assegnata a Deletedraft=Delete draft ConfirmMassDraftDeletion=Draft Bulk delete confirmation +FileSharedViaALink=File condiviso con un link + diff --git a/htdocs/langs/it_IT/modulebuilder.lang b/htdocs/langs/it_IT/modulebuilder.lang index ec5732e579c39..e7b1141c6deea 100644 --- a/htdocs/langs/it_IT/modulebuilder.lang +++ b/htdocs/langs/it_IT/modulebuilder.lang @@ -74,6 +74,7 @@ NoWidget=No widget GoToApiExplorer=Go to API explorer ListOfMenusEntries=List of menu entries ListOfPermissionsDefined=List of defined permissions +SeeExamples=See examples here EnabledDesc=Condition to have this field active (Examples: 1 or $conf->global->MYMODULE_MYOPTION) VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only. Using a negative value means field is not shown by default on list but can be selected for viewing) IsAMeasureDesc=Can the value of field be cumulated to get a total into list ? (Examples: 1 or 0) @@ -95,3 +96,6 @@ DropTableIfEmpty=(Delete table if empty) TableDoesNotExists=The table %s does not exists TableDropped=Table %s deleted InitStructureFromExistingTable=Build the structure array string of an existing table +UseAboutPage=Disallow the about page +UseDocFolder=Disallow the documentation folder +UseSpecificReadme=Use a specific ReadMe diff --git a/htdocs/langs/it_IT/orders.lang b/htdocs/langs/it_IT/orders.lang index 7b21612c81559..a78071cf7b687 100644 --- a/htdocs/langs/it_IT/orders.lang +++ b/htdocs/langs/it_IT/orders.lang @@ -14,7 +14,7 @@ NewOrder=Nuovo ordine ToOrder=Ordinare MakeOrder=Fare ordine SupplierOrder=Purchase order -SuppliersOrders=Purchase orders +SuppliersOrders=Ordini d'acquisto SuppliersOrdersRunning=Current purchase orders CustomerOrder=Ordine del cliente CustomersOrders=Ordini clienti diff --git a/htdocs/langs/it_IT/other.lang b/htdocs/langs/it_IT/other.lang index 17820aa80e0b6..026866ee39915 100644 --- a/htdocs/langs/it_IT/other.lang +++ b/htdocs/langs/it_IT/other.lang @@ -80,8 +80,8 @@ LinkedObject=Oggetto collegato NbOfActiveNotifications=Numero di notifiche (num. di email da ricevere) PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe two lines are separated by a carriage return.\n\n__USER_SIGNATURE__ PredefinedMailTestHtml=__(Hello)__\nThis is a test mail (the word test must be in bold).
The two lines are separated by a carriage return.

__USER_SIGNATURE__ -PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\nThis is the link to make your online payment if this invoice is not already payed:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\nThis is the link to make your online payment:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendProposal=__(Hello)__\n\nYou will find here the commercial proposal __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendSupplierProposal=__(Hello)__\n\nYou will find here the price request __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendOrder=__(Hello)__\n\nYou will find here the order __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ @@ -91,6 +91,7 @@ PredefinedMailContentSendShipping=__(Hello)__\n\nYou will find here the shipping PredefinedMailContentSendFichInter=__(Hello)__\n\nYou will find here the intervention __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentThirdparty=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentUser=__(Hello)__\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 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) @@ -218,7 +219,7 @@ FileIsTooBig=File troppo grande PleaseBePatient=Attendere, prego... NewPassword=Nuova password ResetPassword=Reset password -RequestToResetPasswordReceived=A request to change your password has been received +RequestToResetPasswordReceived=A request to change your password has been received. NewKeyIs=Queste sono le tue nuove credenziali di accesso NewKeyWillBe=Le tue nuove credenziali per loggare al software sono ClickHereToGoTo=Clicca qui per andare a %s diff --git a/htdocs/langs/it_IT/paypal.lang b/htdocs/langs/it_IT/paypal.lang index 7e4fe33832989..1f90467d130e8 100644 --- a/htdocs/langs/it_IT/paypal.lang +++ b/htdocs/langs/it_IT/paypal.lang @@ -14,7 +14,6 @@ PaypalModeOnlyPaypal=Solo PayPal ONLINE_PAYMENT_CSS_URL=Optionnal URL of CSS style sheet on online payment page ThisIsTransactionId=L'id di transazione è: %s PAYPAL_ADD_PAYMENT_URL=Aggiungere l'URL di pagamento Paypal quando si invia un documento per posta -PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.

%s

YouAreCurrentlyInSandboxMode=You are currently in the %s "sandbox" mode NewOnlinePaymentReceived=Nuovo pagamento online ricevuto NewOnlinePaymentFailed=Nuovo tentativo di pagamento online fallito diff --git a/htdocs/langs/it_IT/products.lang b/htdocs/langs/it_IT/products.lang index 1695d223237ed..35d0b4d961629 100644 --- a/htdocs/langs/it_IT/products.lang +++ b/htdocs/langs/it_IT/products.lang @@ -251,8 +251,8 @@ PriceNumeric=Numero DefaultPrice=Prezzo predefinito ComposedProductIncDecStock=Aumenta e Diminuisci le scorte alla modifica del prodotto padre ComposedProduct=Sottoprodotto -MinSupplierPrice=Prezzo fornitore minimo -MinCustomerPrice=Minimo prezzo di vendita +MinSupplierPrice=Prezzo d'acquisto minimo +MinCustomerPrice=Minimum selling price DynamicPriceConfiguration=Configurazione dinamica dei prezzi DynamicPriceDesc=Sulla scheda prodotto, con questo modulo abilitato, dovresti essere in grado di impostare funzioni matematiche per calcolare i prezzi dei clienti o dei fornitori. Tale funzione può utilizzare tutti gli operatori matematici, alcune costanti e variabili. Puoi impostare qui le variabili che desideri usare e se la variabile necessita di un aggiornamento automatico, l'URL esterno da usare per chiedere a Dolibarr di aggiornare automaticamente il valore. AddVariable=Aggiungi variabile diff --git a/htdocs/langs/it_IT/propal.lang b/htdocs/langs/it_IT/propal.lang index 9798c88693589..c511dfa796ac6 100644 --- a/htdocs/langs/it_IT/propal.lang +++ b/htdocs/langs/it_IT/propal.lang @@ -75,6 +75,7 @@ AvailabilityTypeAV_1M=1 mese TypeContact_propal_internal_SALESREPFOLL=Responsabile del preventivo TypeContact_propal_external_BILLING=Contatto per la fatturazione TypeContact_propal_external_CUSTOMER=Responsabile per il cliente +TypeContact_propal_external_SHIPPING=Contatto cliente per la consegna # Document models DocModelAzurDescription=Modello di preventivo completo (logo...) DefaultModelPropalCreate=Creazione del modello predefinito diff --git a/htdocs/langs/it_IT/sendings.lang b/htdocs/langs/it_IT/sendings.lang index 1effb6cc29b64..262093d86ed60 100644 --- a/htdocs/langs/it_IT/sendings.lang +++ b/htdocs/langs/it_IT/sendings.lang @@ -52,8 +52,8 @@ ActionsOnShipping=Acions sulla spedizione LinkToTrackYourPackage=Link a monitorare il tuo pacchetto ShipmentCreationIsDoneFromOrder=Per il momento, la creazione di una nuova spedizione viene effettuata dalla scheda dell'ordine. ShipmentLine=Filiera di spedizione -ProductQtyInCustomersOrdersRunning=Quantità prodotto in ordini di clienti aperti -ProductQtyInSuppliersOrdersRunning=Quantità prodotto in ordini di fornitori aperti +ProductQtyInCustomersOrdersRunning=Product quantity into open customer orders +ProductQtyInSuppliersOrdersRunning=Product quantity into open purchase orders ProductQtyInShipmentAlreadySent=Quantità prodotto dall'ordine cliente aperto già inviato ProductQtyInSuppliersShipmentAlreadyRecevied=Quantità prodotto dall'ordine fornitore aperto già ricevuto NoProductToShipFoundIntoStock=Nessun prodotto da spedire presente all'interno del magazzino %s diff --git a/htdocs/langs/it_IT/stocks.lang b/htdocs/langs/it_IT/stocks.lang index 01f185958ff1e..1eb335a5b0046 100644 --- a/htdocs/langs/it_IT/stocks.lang +++ b/htdocs/langs/it_IT/stocks.lang @@ -67,7 +67,7 @@ DeStockOnValidateOrder=Riduci scorte effettive alla convalida dell'ordine DeStockOnShipment=Diminuire stock reali sulla validazione di spedizione DeStockOnShipmentOnClosing=Diminuire stock reali alla chiusura della spedizione ReStockOnBill=Incrementa scorte effettive alla fattura/nota di credito -ReStockOnValidateOrder=Aumenta scorte effettive alla convalida dell'ordine +ReStockOnValidateOrder=Increase real stocks on purchase orders approbation ReStockOnDispatchOrder=Increase real stocks on manual dispatching into warehouses, after supplier order receipt of goods OrderStatusNotReadyToDispatch=Lo stato dell'ordine non ne consente la spedizione dei prodotti a magazzino. StockDiffPhysicTeoric=Explanation for difference between physical and virtual stock @@ -203,4 +203,4 @@ RegulateStock=Regulate Stock ListInventory=Elenco StockSupportServices=Stock management support services StockSupportServicesDesc=By default, you can stock only product with type "product". If on, and if module service is on, you can also stock a product with type "service" -ReceiveProducts=Receive products +ReceiveProducts=Receive items diff --git a/htdocs/langs/it_IT/suppliers.lang b/htdocs/langs/it_IT/suppliers.lang index c32761f0257bc..424c6f02c23bf 100644 --- a/htdocs/langs/it_IT/suppliers.lang +++ b/htdocs/langs/it_IT/suppliers.lang @@ -1,10 +1,10 @@ # Dolibarr language file - Source file is en_US - suppliers -Suppliers=Vendors +Suppliers=Fornitori SuppliersInvoice=Vendor invoice ShowSupplierInvoice=Show Vendor Invoice -NewSupplier=New vendor +NewSupplier=Nuovo fornitore History=Storico -ListOfSuppliers=List of vendors +ListOfSuppliers=Elenco fornitori ShowSupplier=Show vendor OrderDate=Data ordine BuyingPriceMin=Miglior prezzo di acquisto diff --git a/htdocs/langs/it_IT/users.lang b/htdocs/langs/it_IT/users.lang index 38bd77c3c73d3..56b29140a09bc 100644 --- a/htdocs/langs/it_IT/users.lang +++ b/htdocs/langs/it_IT/users.lang @@ -48,7 +48,7 @@ PasswordChangeRequest=Richiesta di modifica della password per %s PasswordChangeRequestSent=Richiesta di cambio password per %s da inviare a %s. ConfirmPasswordReset=Conferma la reimpostazione della password MenuUsersAndGroups=Utenti e gruppi -LastGroupsCreated=Ultimi %s gruppi creati +LastGroupsCreated=Latest %s groups created LastUsersCreated=Ultimi %s utenti creati ShowGroup=Visualizza gruppo ShowUser=Visualizza utente @@ -69,8 +69,8 @@ InternalUser=Utente interno ExportDataset_user_1=Utenti e proprietà di Dolibarr DomainUser=Utente di dominio %s Reactivate=Riattiva -CreateInternalUserDesc=This form allows you to create an user internal to your company/organization. To create an external user (customer, supplier, ...), use the button 'Create Dolibarr user' from third party's contact card. -InternalExternalDesc=An internal user is a user that is part of your company/organization.
An external user is a customer, supplier or other.

In both cases, permissions defines rights on Dolibarr, also external user can have a different menu manager than internal user (See Home - Setup - Display) +CreateInternalUserDesc=Questo modulo ti permette di creare un utente interno alla tua azienda/fondazione. Per creare un utente esterno (cliente, fornitore, ...), utilizza il pulsante 'Crea utente Dolibarr' nella scheda soggetti terzi. +InternalExternalDesc=Un utente interno è un utente che fa parte della tua azienda/fondazione.
Un utente esterno è un cliente, un fornitore o altro.

In entrambi i casi le autorizzazioni definiscono i diritti all'interno di Dolibarr, così che un utente esterno possa avere un gestore dei menu diverso rispetto ad un utente interno (vedi Home - Impostazioni - Visualizzazione). PermissionInheritedFromAGroup=Autorizzazioni ereditate dall'appartenenza al gruppo. Inherited=Ereditato UserWillBeInternalUser=L'utente sarà un utente interno (in quanto non collegato a un soggetto terzo) @@ -93,7 +93,7 @@ NameToCreate=Nome del soggetto terzo da creare YourRole=Il tuo ruolo YourQuotaOfUsersIsReached=Hai raggiunto la tua quota di utenti attivi! NbOfUsers=Numero di utenti -NbOfPermissions=Nb of permissions +NbOfPermissions=Num. di permessi DontDowngradeSuperAdmin=Solo un superadmin può declassare un superadmin HierarchicalResponsible=Supervisore HierarchicView=Vista gerarchica diff --git a/htdocs/langs/ja_JP/accountancy.lang b/htdocs/langs/ja_JP/accountancy.lang index 0ee47623f5000..681bdea35e4e3 100644 --- a/htdocs/langs/ja_JP/accountancy.lang +++ b/htdocs/langs/ja_JP/accountancy.lang @@ -55,6 +55,7 @@ AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from m AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s AccountancyAreaDescVat=STEP %s: Define accounting accounts for each VAT Rates. For this, use the menu entry %s. +AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. AccountancyAreaDescExpenseReport=STEP %s: Define default accounting accounts for each type of expense report. For this, use the menu entry %s. AccountancyAreaDescSal=STEP %s: Define default accounting accounts for payment of salaries. For this, use the menu entry %s. AccountancyAreaDescContrib=STEP %s: Define default accounting accounts for special expences (miscellaneous taxes). For this, use the menu entry %s. @@ -131,6 +132,7 @@ ACCOUNTING_LENGTH_GACCOUNT=Length of the general accounting accounts (If you set 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 zero at the end of an accounting account. Needed by some countries (like switzerland). If keep to off (default), you can set the 2 following parameters to ask application to add virtual zero. BANK_DISABLE_DIRECT_INPUT=Disable direct recording of transaction in bank account +ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Enable draft export on journal ACCOUNTING_SELL_JOURNAL=Sell journal ACCOUNTING_PURCHASE_JOURNAL=Purchase journal diff --git a/htdocs/langs/ja_JP/admin.lang b/htdocs/langs/ja_JP/admin.lang index 2ec06cd6fe544..3e6a49634f855 100644 --- a/htdocs/langs/ja_JP/admin.lang +++ b/htdocs/langs/ja_JP/admin.lang @@ -454,7 +454,7 @@ ModuleCompanyCodeDigitaria=Accounting code depends on third party code. The code Use3StepsApproval=By default, Purchase Orders need to be created and approved by 2 different users (one step/user to create and one step/user to approve. Note that if user has both permission to create and approve, one step/user will be enough). You can ask with this option to introduce a third step/user approval, if amount is higher than a dedicated value (so 3 steps will be necessary: 1=validation, 2=first approval and 3=second approval if amount is enough).
Set this to empty if one approval (2 steps) is enough, set it to a very low value (0.1) if a second approval (3 steps) is always required. UseDoubleApproval=Use a 3 steps approval when amount (without tax) is higher than... WarningPHPMail=WARNING: It is often better to setup outgoing emails to use the email server of your provider instead of the default setup. Some email providers (like Yahoo) does not allow you to send an email from another server than their own server. Your current setup use 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 a server of them, so few of your sent Emails may not be accepted (be carefull also to your email provider sending quota).
If your Email provider (like Yahoo) has this restriction, you must change Email setup to choose the other method "SMTP server" and enter the SMTP server and credentials provided by your Email provider (ask your EMail provider to get SMTP credentials for your account). -WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of your ERP CRM application: %s. +WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of the mail user agent (MUA) for your ERP CRM application: %s. ClickToShowDescription=Click to show description DependsOn=This module need the module(s) RequiredBy=This module is required by module(s) @@ -497,7 +497,7 @@ Module25Desc=顧客の注文の管理 Module30Name=請求書 Module30Desc=請求書、顧客のクレジットメモの管理。仕入先の請求書の管理 Module40Name=サプライヤー -Module40Desc=サプライヤーの管理と購買(注文書や請求書) +Module40Desc=Suppliers and purchase management (purchase orders and billing) Module42Name=Debug Logs Module42Desc=Logging facilities (file, syslog, ...). Such logs are for technical/debug purposes. Module49Name=エディタ @@ -605,7 +605,7 @@ Module4000Desc=Human resources management (management of department, employee co Module5000Name=マルチ会社 Module5000Desc=あなたが複数の企業を管理することができます Module6000Name=Workflow -Module6000Desc=Workflow management +Module6000Desc=Workflow management (automatic creation of object and/or automatic status change) Module10000Name=Websites Module10000Desc=Create public websites with a WYSIWG editor. Just setup your web server (Apache, Nginx, ...) to point to the dedicated Dolibarr directory to have it online on the Internet with your own domain name. Module20000Name=Leave Requests management @@ -891,7 +891,7 @@ DictionaryCivility=Personal and professional titles DictionaryActions=Types of agenda events DictionarySocialContributions=Social or fiscal taxes types DictionaryVAT=VATレートまたは販売税率 -DictionaryRevenueStamp=Amount of revenue stamps +DictionaryRevenueStamp=Amount of tax stamps DictionaryPaymentConditions=支払条件 DictionaryPaymentModes=支払いモード DictionaryTypeContact=種類をお問い合わせ @@ -919,7 +919,7 @@ SetupSaved=セットアップは、保存された SetupNotSaved=Setup not saved BackToModuleList=モジュールリストに戻る BackToDictionaryList=辞書リストに戻る -TypeOfRevenueStamp=Type of revenue stamp +TypeOfRevenueStamp=Type of tax stamp VATManagement=付加価値税管理 VATIsUsedDesc=By default when creating prospects, invoices, orders etc the VAT rate follows the active standard rule:
If the seller is not subjected to VAT, then VAT defaults to 0. End of rule.
If the (selling country= buying country), then the VAT by default equals the VAT of the product in the selling country. End of rule.
If seller and buyer are both in the European Community and goods are transport products (car, ship, plane), the default VAT is 0 ( The VAT should be paid by the buyer to the customoffice of his country and not to the seller). End of rule.
If seller and buyer are both in the European Community and the buyer is not a company, then the VAT by defaults to the VAT of the product sold. End of rule.
If seller and buyer are both in the European Community and the buyer is a company, then the VAT is 0 by default . End of rule.
In any othe case the proposed default is VAT=0. End of rule. VATIsNotUsedDesc=デフォルトでは、提案されたVATが0団体のような場合に使用することができますされ、個人が小さな会社をOU。 @@ -1027,7 +1027,7 @@ Delays_MAIN_DELAY_ACTIONS_TODO=Delay tolerance (in days) before alert on planned Delays_MAIN_DELAY_PROJECT_TO_CLOSE=Delay tolerance (in days) before alert on project not closed in time Delays_MAIN_DELAY_TASKS_TODO=Delay tolerance (in days) before alert on planned tasks (project tasks) not completed yet Delays_MAIN_DELAY_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on orders not processed yet -Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on suppliers orders not processed yet +Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on purchase orders not processed yet Delays_MAIN_DELAY_PROPALS_TO_CLOSE=閉じるには、提案について警告する前に許容差(日数)を遅らせる Delays_MAIN_DELAY_PROPALS_TO_BILL=請求しない提案について警告する前に許容差(日数)を遅らせる Delays_MAIN_DELAY_NOT_ACTIVATED_SERVICES=アクティブにするサービスのアラートの前に許容遅延時間(日数) @@ -1458,7 +1458,7 @@ SyslogFilename=ファイル名とパス YouCanUseDOL_DATA_ROOT=あなたがDolibarr "ドキュメント"ディレクトリ内のログ·ファイルのDOL_DATA_ROOT / dolibarr.logを使用することができます。このファイルを格納する別のパスを設定することができます。 ErrorUnknownSyslogConstant=定数%sは知られているSyslogの定数ではありません。 OnlyWindowsLOG_USER=Windows only supports LOG_USER -CompressSyslogs=Syslog files compression and backup +CompressSyslogs=Compression and backup of debug log files (generated by module Log for debug) SyslogFileNumberOfSaves=Log backups ConfigureCleaningCronjobToSetFrequencyOfSaves=Configure cleaning scheduled job to set log backup frequency ##### Donations ##### diff --git a/htdocs/langs/ja_JP/banks.lang b/htdocs/langs/ja_JP/banks.lang index 3fb79a884618a..9b81fb957cd42 100644 --- a/htdocs/langs/ja_JP/banks.lang +++ b/htdocs/langs/ja_JP/banks.lang @@ -1,12 +1,13 @@ # Dolibarr language file - Source file is en_US - banks Bank=バンク -MenuBankCash=銀行/現金 +MenuBankCash=Bank | Cash MenuVariousPayment=Miscellaneous payments MenuNewVariousPayment=New Miscellaneous payment BankName=銀行名 FinancialAccount=アカウント BankAccount=預金 BankAccounts=銀行口座 +BankAccountsAndGateways=Bank accounts | Gateways ShowAccount=Show Account AccountRef=金融口座のref AccountLabel=金融口座のラベル @@ -131,7 +132,7 @@ PaymentDateUpdateSucceeded=Payment date updated successfully PaymentDateUpdateFailed=支払日は更新できませんでした Transactions=Transactions BankTransactionLine=Bank entry -AllAccounts=すべての銀行/現金勘定 +AllAccounts=All bank and cash accounts BackToAccount=戻るアカウントへ ShowAllAccounts=すべてのアカウントに表示 FutureTransaction=フューチャーのトランザクション。調停する方法はありません。 @@ -159,5 +160,6 @@ VariousPayment=Miscellaneous payments VariousPayments=Miscellaneous payments ShowVariousPayment=Show miscellaneous payments AddVariousPayment=Add miscellaneous payments +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. Thanks to return it signed (scan of the signed document) or sent it by mail to diff --git a/htdocs/langs/ja_JP/bills.lang b/htdocs/langs/ja_JP/bills.lang index 186c4643399b3..e2f79118a4f13 100644 --- a/htdocs/langs/ja_JP/bills.lang +++ b/htdocs/langs/ja_JP/bills.lang @@ -110,8 +110,8 @@ SendRemindByMail=電子メールでリマインダを送信 DoPayment=Enter payment DoPaymentBack=Enter refund ConvertToReduc=Mark as credit available -ConvertExcessReceivedToReduc=Convert excess received into future discount -ConvertExcessPaidToReduc=Convert excess paid into future discount +ConvertExcessReceivedToReduc=Convert excess received into available credit +ConvertExcessPaidToReduc=Convert excess paid into available discount EnterPaymentReceivedFromCustomer=顧客から受け取った支払を入力します。 EnterPaymentDueToCustomer=顧客のために支払いをする DisabledBecauseRemainderToPayIsZero=Disabled because remaining unpaid is zero @@ -282,6 +282,7 @@ RelativeDiscount=相対的な割引 GlobalDiscount=グローバル割引 CreditNote=クレジットメモ CreditNotes=クレジットメモ +CreditNotesOrExcessReceived=Credit notes or excess received Deposit=Down payment Deposits=Down payments DiscountFromCreditNote=クレジットノート%sから割引 @@ -393,6 +394,7 @@ PaymentConditionShort14DENDMONTH=14 days of month-end PaymentCondition14DENDMONTH=Within 14 days following the end of the month FixAmount=Fix amount VarAmount=Variable amount (%% tot.) +VarAmountOneLine=Variable amount (%% tot.) - 1 line with label '%s' # PaymentType PaymentTypeVIR=銀行の転送 PaymentTypeShortVIR=銀行の転送 diff --git a/htdocs/langs/ja_JP/compta.lang b/htdocs/langs/ja_JP/compta.lang index 02ad28446cb5b..bf0ad376c5881 100644 --- a/htdocs/langs/ja_JP/compta.lang +++ b/htdocs/langs/ja_JP/compta.lang @@ -19,7 +19,8 @@ Income=収入 Outcome=費用 MenuReportInOut=収益/費用 ReportInOut=Balance of income and expenses -ReportTurnover=売上高 +ReportTurnover=Turnover invoiced +ReportTurnoverCollected=Turnover collected PaymentsNotLinkedToInvoice=任意の請求書にリンクされていない支払は、その第三者にリンクされていない PaymentsNotLinkedToUser=すべてのユーザーにリンクされていない支払い Profit=利益 @@ -77,7 +78,7 @@ MenuNewSocialContribution=New social/fiscal tax NewSocialContribution=New social/fiscal tax AddSocialContribution=Add social/fiscal tax ContributionsToPay=Social/fiscal taxes to pay -AccountancyTreasuryArea=会計/財務エリア +AccountancyTreasuryArea=Billing and payment area NewPayment=新しいお支払い Payments=支払い PaymentCustomerInvoice=顧客の請求書の支払い @@ -105,6 +106,7 @@ VATPayment=Sales tax payment VATPayments=Sales tax payments VATRefund=Sales tax refund NewVATPayment=New sales tax payment +NewLocalTaxPayment=New tax %s payment Refund=Refund SocialContributionsPayments=Social/fiscal taxes payments ShowVatPayment=付加価値税の支払いを表示する @@ -116,8 +118,9 @@ CustomerAccountancyCodeShort=Cust. account. code SupplierAccountancyCodeShort=Sup. account. code AccountNumber=口座番号 NewAccountingAccount=新しいアカウント -SalesTurnover=販売額 -SalesTurnoverMinimum=Minimum sales turnover +Turnover=Turnover invoiced +TurnoverCollected=Turnover collected +SalesTurnoverMinimum=Minimum turnover ByExpenseIncome=By expenses & incomes ByThirdParties=富栄第三者 ByUserAuthorOfInvoice=請求書著者 @@ -137,8 +140,8 @@ 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=Mode %sClaims-Debts%s said Commitment accounting. -CalcModeEngagement=Mode %sIncomes-Expenses%s said cash accounting +CalcModeDebt=Analysis of known recorded invoices 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 CalcModeLT1Debt=Mode %sRE on customer invoices%s @@ -151,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=レポート%sIncomes-Expense%sS参照は、実際の支払額の計算のために現金主義会計が行ったと述べた -SeeReportInDueDebtMode=参照レポート%sClaims - Debts%s発行されたインボイス上の計算のためのコミットメントの会計は言った -SeeReportInBookkeepingMode=See report %sBookeeping%s for a calculation on bookkeeping table analysis +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 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 validation date of invoices and VAT and on the due date for expenses. 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. @@ -218,8 +221,8 @@ 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 supplier, choose appropriate method to apply same calculation rule and get same result expected by your supplier. -TurnoverPerProductInCommitmentAccountingNotRelevant=The Turnover report per product, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). -TurnoverPerSaleTaxRateInCommitmentAccountingNotRelevant=The Turnover report per sale tax rate, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). +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. CalculationMode=Calculation mode AccountancyJournal=Accounting code journal ACCOUNTING_VAT_SOLD_ACCOUNT=Accounting account by default for VAT on sales (used if not defined on VAT dictionary setup) @@ -251,5 +254,6 @@ VATDue=Sale tax claimed ClaimedForThisPeriod=Claimed for the period PaidDuringThisPeriod=Paid during this period ByVatRate=By sale tax rate -TurnoverbyVatrate=Turnover by sale tax rate +TurnoverbyVatrate=Turnover invoiced by sale tax rate +TurnoverCollectedbyVatrate=Turnover collected by sale tax rate PurchasebyVatrate=Purchase by sale tax rate diff --git a/htdocs/langs/ja_JP/install.lang b/htdocs/langs/ja_JP/install.lang index 32c7b7bbecb08..a4858ce8f37f7 100644 --- a/htdocs/langs/ja_JP/install.lang +++ b/htdocs/langs/ja_JP/install.lang @@ -204,3 +204,7 @@ MigrationResetBlockedLog=Reset module BlockedLog for v7 algorithm ShowNotAvailableOptions=利用できないオプションを表示しない HideNotAvailableOptions=利用できないオプションを非表示 ErrorFoundDuringMigration=移行プロセス中にエラーが報告されたので、次のステップは利用できません。 エラーを無視するには、ここをクリック してください。ただし、修正されるまでアプリケーションまたは一部の機能が正しく動作しない場合があります。 +YouTryInstallDisabledByDirLock=The application try to sefl upgrade, but install/upgrade pages have been disabled for security reason (directory renamed with .lock suffix).
+YouTryInstallDisabledByFileLock=The application try to sefl upgrade, but install/upgrade pages pages have been disabled for security reason (by lock file install.lock into dolibarr documents directory).
+ClickHereToGoToApp=Click here to go to your application +ClickOnLinkOrRemoveManualy=Click on following link and if you always reach this page, you must remove the file install.lock into documents directory manually diff --git a/htdocs/langs/ja_JP/main.lang b/htdocs/langs/ja_JP/main.lang index 7ae791d2862ce..b0d3491c446ae 100644 --- a/htdocs/langs/ja_JP/main.lang +++ b/htdocs/langs/ja_JP/main.lang @@ -507,6 +507,7 @@ NoneF=なし NoneOrSeveral=None or several Late=遅い LateDesc=Delay to define if a record is late or not depends on your setup. Ask your admin to change delay from menu Home - Setup - Alerts. +NoItemLate=No late item Photo=画像 Photos=写真 AddPhoto=画像を追加 @@ -945,3 +946,5 @@ KeyboardShortcut=Keyboard shortcut AssignedTo=影響を受ける Deletedraft=Delete draft ConfirmMassDraftDeletion=Draft Bulk delete confirmation +FileSharedViaALink=File shared via a link + diff --git a/htdocs/langs/ja_JP/modulebuilder.lang b/htdocs/langs/ja_JP/modulebuilder.lang index a3fee23cb53b5..9d6661eda41d6 100644 --- a/htdocs/langs/ja_JP/modulebuilder.lang +++ b/htdocs/langs/ja_JP/modulebuilder.lang @@ -74,6 +74,7 @@ NoWidget=No widget GoToApiExplorer=Go to API explorer ListOfMenusEntries=List of menu entries ListOfPermissionsDefined=List of defined permissions +SeeExamples=See examples here EnabledDesc=Condition to have this field active (Examples: 1 or $conf->global->MYMODULE_MYOPTION) VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only. Using a negative value means field is not shown by default on list but can be selected for viewing) IsAMeasureDesc=Can the value of field be cumulated to get a total into list ? (Examples: 1 or 0) @@ -95,3 +96,6 @@ DropTableIfEmpty=(Delete table if empty) TableDoesNotExists=The table %s does not exists TableDropped=Table %s deleted InitStructureFromExistingTable=Build the structure array string of an existing table +UseAboutPage=Disallow the about page +UseDocFolder=Disallow the documentation folder +UseSpecificReadme=Use a specific ReadMe diff --git a/htdocs/langs/ja_JP/other.lang b/htdocs/langs/ja_JP/other.lang index c654c25e0fa6e..28a28316adb0a 100644 --- a/htdocs/langs/ja_JP/other.lang +++ b/htdocs/langs/ja_JP/other.lang @@ -80,8 +80,8 @@ LinkedObject=リンクされたオブジェクト NbOfActiveNotifications=Number of notifications (nb of recipient emails) PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe two lines are separated by a carriage return.\n\n__USER_SIGNATURE__ PredefinedMailTestHtml=__(Hello)__\nThis is a test mail (the word test must be in bold).
The two lines are separated by a carriage return.

__USER_SIGNATURE__ -PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\nThis is the link to make your online payment if this invoice is not already payed:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\nThis is the link to make your online payment:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendProposal=__(Hello)__\n\nYou will find here the commercial proposal __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendSupplierProposal=__(Hello)__\n\nYou will find here the price request __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendOrder=__(Hello)__\n\nYou will find here the order __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ @@ -91,6 +91,7 @@ PredefinedMailContentSendShipping=__(Hello)__\n\nYou will find here the shipping PredefinedMailContentSendFichInter=__(Hello)__\n\nYou will find here the intervention __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentThirdparty=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentUser=__(Hello)__\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 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) @@ -218,7 +219,7 @@ FileIsTooBig=ファイルが大きすぎる PleaseBePatient=しばらくお待ちください... NewPassword=New password ResetPassword=Reset password -RequestToResetPasswordReceived=A request to change your password has been received +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 diff --git a/htdocs/langs/ja_JP/paypal.lang b/htdocs/langs/ja_JP/paypal.lang index fcb1a8ad2c602..1372932933913 100644 --- a/htdocs/langs/ja_JP/paypal.lang +++ b/htdocs/langs/ja_JP/paypal.lang @@ -14,7 +14,6 @@ PaypalModeOnlyPaypal=PayPal only ONLINE_PAYMENT_CSS_URL=Optionnal URL of CSS style sheet on online payment page ThisIsTransactionId=%s:これは、トランザクションのIDです。 PAYPAL_ADD_PAYMENT_URL=郵送で文書を送信するときにPayPalの支払いのURLを追加します。 -PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.

%s

YouAreCurrentlyInSandboxMode=You are currently in the %s "sandbox" mode NewOnlinePaymentReceived=New online payment received NewOnlinePaymentFailed=New online payment tried but failed diff --git a/htdocs/langs/ja_JP/products.lang b/htdocs/langs/ja_JP/products.lang index af56d1621d236..d62d8b0522835 100644 --- a/htdocs/langs/ja_JP/products.lang +++ b/htdocs/langs/ja_JP/products.lang @@ -251,8 +251,8 @@ PriceNumeric=数 DefaultPrice=Default price ComposedProductIncDecStock=Increase/Decrease stock on parent change ComposedProduct=Sub-product -MinSupplierPrice=Minimum supplier price -MinCustomerPrice=Minimum customer price +MinSupplierPrice=最小購入価格 +MinCustomerPrice=Minimum selling price DynamicPriceConfiguration=Dynamic price configuration DynamicPriceDesc=On product card, with this module enabled, you should be able to set mathematic functions to calculate Customer or Supplier prices. Such function can use all mathematic operators, some constants and variables. You can set here the variables you want to be able to use and if the variable need an automatic update, the external URL to use to ask Dolibarr to update automaticaly the value. AddVariable=Add Variable diff --git a/htdocs/langs/ja_JP/propal.lang b/htdocs/langs/ja_JP/propal.lang index 6c2234dd5d964..8c5bf22023c78 100644 --- a/htdocs/langs/ja_JP/propal.lang +++ b/htdocs/langs/ja_JP/propal.lang @@ -75,6 +75,7 @@ AvailabilityTypeAV_1M=1ヶ月 TypeContact_propal_internal_SALESREPFOLL=代表的なフォローアップの提案 TypeContact_propal_external_BILLING=顧客の請求書の連絡先 TypeContact_propal_external_CUSTOMER=顧客の連絡先フォローアップ提案 +TypeContact_propal_external_SHIPPING=Customer contact for delivery # Document models DocModelAzurDescription=完全な提案モデル(logo. ..) DefaultModelPropalCreate=Default model creation diff --git a/htdocs/langs/ja_JP/sendings.lang b/htdocs/langs/ja_JP/sendings.lang index 958affbed4408..2a934c5ec8600 100644 --- a/htdocs/langs/ja_JP/sendings.lang +++ b/htdocs/langs/ja_JP/sendings.lang @@ -52,8 +52,8 @@ ActionsOnShipping=出荷のイベント LinkToTrackYourPackage=あなたのパッケージを追跡するためのリンク ShipmentCreationIsDoneFromOrder=現時点では、新たな出荷の作成は、注文カードから行われます。 ShipmentLine=Shipment line -ProductQtyInCustomersOrdersRunning=Product quantity into open customers orders -ProductQtyInSuppliersOrdersRunning=Product quantity into open suppliers orders +ProductQtyInCustomersOrdersRunning=Product quantity into open customer orders +ProductQtyInSuppliersOrdersRunning=Product quantity into open purchase orders ProductQtyInShipmentAlreadySent=Product quantity from open customer order already sent ProductQtyInSuppliersShipmentAlreadyRecevied=Product quantity from open supplier order already received NoProductToShipFoundIntoStock=No product to ship found into warehouse %s. Correct stock or go back to choose another warehouse. diff --git a/htdocs/langs/ja_JP/stocks.lang b/htdocs/langs/ja_JP/stocks.lang index 8a99f5771a2c6..2cad2d534a496 100644 --- a/htdocs/langs/ja_JP/stocks.lang +++ b/htdocs/langs/ja_JP/stocks.lang @@ -67,7 +67,7 @@ DeStockOnValidateOrder=お客様の注文検証上の実在庫を減らす DeStockOnShipment=Decrease real stocks on shipping validation DeStockOnShipmentOnClosing=Decrease real stocks on shipping classification closed ReStockOnBill=仕入先請求書/クレジットメモの検証で本物の株式を増加させる -ReStockOnValidateOrder=サプライヤの注文賛同上の実際の株式を増加させる +ReStockOnValidateOrder=Increase real stocks on purchase orders approbation ReStockOnDispatchOrder=Increase real stocks on manual dispatching into warehouses, after supplier order receipt of goods OrderStatusNotReadyToDispatch=ご注文はまだないか、またはこれ以上の在庫倉庫の製品の派遣ができますステータスを持っていません。 StockDiffPhysicTeoric=Explanation for difference between physical and virtual stock @@ -203,4 +203,4 @@ RegulateStock=Regulate Stock ListInventory=リスト StockSupportServices=Stock management support services StockSupportServicesDesc=By default, you can stock only product with type "product". If on, and if module service is on, you can also stock a product with type "service" -ReceiveProducts=Receive products +ReceiveProducts=Receive items diff --git a/htdocs/langs/ja_JP/users.lang b/htdocs/langs/ja_JP/users.lang index fd64ab272cd81..3a951bc723037 100644 --- a/htdocs/langs/ja_JP/users.lang +++ b/htdocs/langs/ja_JP/users.lang @@ -48,7 +48,7 @@ PasswordChangeRequest=Request to change password for %s PasswordChangeRequestSent=%s %sに送信するためのパスワードを変更するには、要求します。 ConfirmPasswordReset=Confirm password reset MenuUsersAndGroups=ユーザーとグループ -LastGroupsCreated=Latest %s created groups +LastGroupsCreated=Latest %s groups created LastUsersCreated=Latest %s users created ShowGroup=グループを表示 ShowUser=ユーザーを表示する diff --git a/htdocs/langs/ka_GE/accountancy.lang b/htdocs/langs/ka_GE/accountancy.lang index daa159280969a..04bbaa447e791 100644 --- a/htdocs/langs/ka_GE/accountancy.lang +++ b/htdocs/langs/ka_GE/accountancy.lang @@ -55,6 +55,7 @@ AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from m AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s AccountancyAreaDescVat=STEP %s: Define accounting accounts for each VAT Rates. For this, use the menu entry %s. +AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. AccountancyAreaDescExpenseReport=STEP %s: Define default accounting accounts for each type of expense report. For this, use the menu entry %s. AccountancyAreaDescSal=STEP %s: Define default accounting accounts for payment of salaries. For this, use the menu entry %s. AccountancyAreaDescContrib=STEP %s: Define default accounting accounts for special expences (miscellaneous taxes). For this, use the menu entry %s. @@ -131,6 +132,7 @@ ACCOUNTING_LENGTH_GACCOUNT=Length of the general accounting accounts (If you set 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 zero at the end of an accounting account. Needed by some countries (like switzerland). If keep to off (default), you can set the 2 following parameters to ask application to add virtual zero. BANK_DISABLE_DIRECT_INPUT=Disable direct recording of transaction in bank account +ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Enable draft export on journal ACCOUNTING_SELL_JOURNAL=Sell journal ACCOUNTING_PURCHASE_JOURNAL=Purchase journal diff --git a/htdocs/langs/ka_GE/admin.lang b/htdocs/langs/ka_GE/admin.lang index 28eb076c540e9..d7042e784dcb6 100644 --- a/htdocs/langs/ka_GE/admin.lang +++ b/htdocs/langs/ka_GE/admin.lang @@ -454,7 +454,7 @@ ModuleCompanyCodeDigitaria=Accounting code depends on third party code. The code Use3StepsApproval=By default, Purchase Orders need to be created and approved by 2 different users (one step/user to create and one step/user to approve. Note that if user has both permission to create and approve, one step/user will be enough). You can ask with this option to introduce a third step/user approval, if amount is higher than a dedicated value (so 3 steps will be necessary: 1=validation, 2=first approval and 3=second approval if amount is enough).
Set this to empty if one approval (2 steps) is enough, set it to a very low value (0.1) if a second approval (3 steps) is always required. UseDoubleApproval=Use a 3 steps approval when amount (without tax) is higher than... WarningPHPMail=WARNING: It is often better to setup outgoing emails to use the email server of your provider instead of the default setup. Some email providers (like Yahoo) does not allow you to send an email from another server than their own server. Your current setup use 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 a server of them, so few of your sent Emails may not be accepted (be carefull also to your email provider sending quota).
If your Email provider (like Yahoo) has this restriction, you must change Email setup to choose the other method "SMTP server" and enter the SMTP server and credentials provided by your Email provider (ask your EMail provider to get SMTP credentials for your account). -WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of your ERP CRM application: %s. +WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of the mail user agent (MUA) for your ERP CRM application: %s. ClickToShowDescription=Click to show description DependsOn=This module need the module(s) RequiredBy=This module is required by module(s) @@ -497,7 +497,7 @@ Module25Desc=Customer order management Module30Name=Invoices Module30Desc=Invoice and credit note management for customers. Invoice management for suppliers Module40Name=Suppliers -Module40Desc=Supplier management and buying (orders and invoices) +Module40Desc=Suppliers and purchase management (purchase orders and billing) Module42Name=Debug Logs Module42Desc=Logging facilities (file, syslog, ...). Such logs are for technical/debug purposes. Module49Name=Editors @@ -605,7 +605,7 @@ Module4000Desc=Human resources management (management of department, employee co Module5000Name=Multi-company Module5000Desc=Allows you to manage multiple companies Module6000Name=Workflow -Module6000Desc=Workflow management +Module6000Desc=Workflow management (automatic creation of object and/or automatic status change) Module10000Name=Websites Module10000Desc=Create public websites with a WYSIWG editor. Just setup your web server (Apache, Nginx, ...) to point to the dedicated Dolibarr directory to have it online on the Internet with your own domain name. Module20000Name=Leave Requests management @@ -891,7 +891,7 @@ DictionaryCivility=Personal and professional titles DictionaryActions=Types of agenda events DictionarySocialContributions=Social or fiscal taxes types DictionaryVAT=VAT Rates or Sales Tax Rates -DictionaryRevenueStamp=Amount of revenue stamps +DictionaryRevenueStamp=Amount of tax stamps DictionaryPaymentConditions=Payment terms DictionaryPaymentModes=Payment modes DictionaryTypeContact=Contact/Address types @@ -919,7 +919,7 @@ SetupSaved=Setup saved SetupNotSaved=Setup not saved BackToModuleList=Back to modules list BackToDictionaryList=Back to dictionaries list -TypeOfRevenueStamp=Type of revenue stamp +TypeOfRevenueStamp=Type of tax stamp VATManagement=VAT Management VATIsUsedDesc=By default when creating prospects, invoices, orders etc the VAT rate follows the active standard rule:
If the seller is not subjected to VAT, then VAT defaults to 0. End of rule.
If the (selling country= buying country), then the VAT by default equals the VAT of the product in the selling country. End of rule.
If seller and buyer are both in the European Community and goods are transport products (car, ship, plane), the default VAT is 0 ( The VAT should be paid by the buyer to the customoffice of his country and not to the seller). End of rule.
If seller and buyer are both in the European Community and the buyer is not a company, then the VAT by defaults to the VAT of the product sold. End of rule.
If seller and buyer are both in the European Community and the buyer is a company, then the VAT is 0 by default . End of rule.
In any othe case the proposed default is VAT=0. End of rule. VATIsNotUsedDesc=By default the proposed VAT is 0 which can be used for cases like associations, individuals ou small companies. @@ -1027,7 +1027,7 @@ Delays_MAIN_DELAY_ACTIONS_TODO=Delay tolerance (in days) before alert on planned Delays_MAIN_DELAY_PROJECT_TO_CLOSE=Delay tolerance (in days) before alert on project not closed in time Delays_MAIN_DELAY_TASKS_TODO=Delay tolerance (in days) before alert on planned tasks (project tasks) not completed yet Delays_MAIN_DELAY_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on orders not processed yet -Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on suppliers orders not processed yet +Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on purchase orders not processed yet Delays_MAIN_DELAY_PROPALS_TO_CLOSE=Delay tolerance (in days) before alert on proposals to close Delays_MAIN_DELAY_PROPALS_TO_BILL=Delay tolerance (in days) before alert on proposals not billed Delays_MAIN_DELAY_NOT_ACTIVATED_SERVICES=Tolerance delay (in days) before alert on services to activate @@ -1458,7 +1458,7 @@ SyslogFilename=File name and path YouCanUseDOL_DATA_ROOT=You can use DOL_DATA_ROOT/dolibarr.log for a log file in Dolibarr "documents" directory. You can set a different path to store this file. ErrorUnknownSyslogConstant=Constant %s is not a known Syslog constant OnlyWindowsLOG_USER=Windows only supports LOG_USER -CompressSyslogs=Syslog files compression and backup +CompressSyslogs=Compression and backup of debug log files (generated by module Log for debug) SyslogFileNumberOfSaves=Log backups ConfigureCleaningCronjobToSetFrequencyOfSaves=Configure cleaning scheduled job to set log backup frequency ##### Donations ##### diff --git a/htdocs/langs/ka_GE/banks.lang b/htdocs/langs/ka_GE/banks.lang index be8f75d172b54..1d42581c34437 100644 --- a/htdocs/langs/ka_GE/banks.lang +++ b/htdocs/langs/ka_GE/banks.lang @@ -1,12 +1,13 @@ # Dolibarr language file - Source file is en_US - banks Bank=Bank -MenuBankCash=Bank/Cash +MenuBankCash=Bank | Cash MenuVariousPayment=Miscellaneous payments MenuNewVariousPayment=New Miscellaneous payment BankName=Bank name FinancialAccount=Account BankAccount=Bank account BankAccounts=Bank accounts +BankAccountsAndGateways=Bank accounts | Gateways ShowAccount=Show Account AccountRef=Financial account ref AccountLabel=Financial account label @@ -131,7 +132,7 @@ PaymentDateUpdateSucceeded=Payment date updated successfully PaymentDateUpdateFailed=Payment date could not be updated Transactions=Transactions BankTransactionLine=Bank entry -AllAccounts=All bank/cash accounts +AllAccounts=All bank and cash accounts BackToAccount=Back to account ShowAllAccounts=Show for all accounts FutureTransaction=Transaction in futur. No way to conciliate. @@ -159,5 +160,6 @@ VariousPayment=Miscellaneous payments VariousPayments=Miscellaneous payments ShowVariousPayment=Show miscellaneous payments AddVariousPayment=Add miscellaneous payments +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. Thanks to return it signed (scan of the signed document) or sent it by mail to diff --git a/htdocs/langs/ka_GE/bills.lang b/htdocs/langs/ka_GE/bills.lang index 2f029928beb64..f76ff018f9d77 100644 --- a/htdocs/langs/ka_GE/bills.lang +++ b/htdocs/langs/ka_GE/bills.lang @@ -110,8 +110,8 @@ SendRemindByMail=Send reminder by EMail DoPayment=Enter payment DoPaymentBack=Enter refund ConvertToReduc=Mark as credit available -ConvertExcessReceivedToReduc=Convert excess received into future discount -ConvertExcessPaidToReduc=Convert excess paid into future discount +ConvertExcessReceivedToReduc=Convert excess received into available credit +ConvertExcessPaidToReduc=Convert excess paid into available discount EnterPaymentReceivedFromCustomer=Enter payment received from customer EnterPaymentDueToCustomer=Make payment due to customer DisabledBecauseRemainderToPayIsZero=Disabled because remaining unpaid is zero @@ -282,6 +282,7 @@ RelativeDiscount=Relative discount GlobalDiscount=Global discount CreditNote=Credit note CreditNotes=Credit notes +CreditNotesOrExcessReceived=Credit notes or excess received Deposit=Down payment Deposits=Down payments DiscountFromCreditNote=Discount from credit note %s @@ -393,6 +394,7 @@ PaymentConditionShort14DENDMONTH=14 days of month-end PaymentCondition14DENDMONTH=Within 14 days following the end of the month FixAmount=Fix amount VarAmount=Variable amount (%% tot.) +VarAmountOneLine=Variable amount (%% tot.) - 1 line with label '%s' # PaymentType PaymentTypeVIR=Bank transfer PaymentTypeShortVIR=Bank transfer diff --git a/htdocs/langs/ka_GE/compta.lang b/htdocs/langs/ka_GE/compta.lang index d2cfb71490033..c0f5920ea92ff 100644 --- a/htdocs/langs/ka_GE/compta.lang +++ b/htdocs/langs/ka_GE/compta.lang @@ -19,7 +19,8 @@ Income=Income Outcome=Expense MenuReportInOut=Income / Expense ReportInOut=Balance of income and expenses -ReportTurnover=Turnover +ReportTurnover=Turnover invoiced +ReportTurnoverCollected=Turnover collected PaymentsNotLinkedToInvoice=Payments not linked to any invoice, so not linked to any third party PaymentsNotLinkedToUser=Payments not linked to any user Profit=Profit @@ -77,7 +78,7 @@ MenuNewSocialContribution=New social/fiscal tax NewSocialContribution=New social/fiscal tax AddSocialContribution=Add social/fiscal tax ContributionsToPay=Social/fiscal taxes to pay -AccountancyTreasuryArea=Accountancy/Treasury area +AccountancyTreasuryArea=Billing and payment area NewPayment=New payment Payments=Payments PaymentCustomerInvoice=Customer invoice payment @@ -105,6 +106,7 @@ VATPayment=Sales tax payment VATPayments=Sales tax payments VATRefund=Sales tax refund NewVATPayment=New sales tax payment +NewLocalTaxPayment=New tax %s payment Refund=Refund SocialContributionsPayments=Social/fiscal taxes payments ShowVatPayment=Show VAT payment @@ -116,8 +118,9 @@ CustomerAccountancyCodeShort=Cust. account. code SupplierAccountancyCodeShort=Sup. account. code AccountNumber=Account number NewAccountingAccount=New account -SalesTurnover=Sales turnover -SalesTurnoverMinimum=Minimum sales turnover +Turnover=Turnover invoiced +TurnoverCollected=Turnover collected +SalesTurnoverMinimum=Minimum turnover ByExpenseIncome=By expenses & incomes ByThirdParties=By third parties ByUserAuthorOfInvoice=By invoice author @@ -137,8 +140,8 @@ 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=Mode %sClaims-Debts%s said Commitment accounting. -CalcModeEngagement=Mode %sIncomes-Expenses%s said cash accounting +CalcModeDebt=Analysis of known recorded invoices 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 CalcModeLT1Debt=Mode %sRE on customer invoices%s @@ -151,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 report %sIncomes-Expenses%s said cash accounting for a calculation on actual payments made -SeeReportInDueDebtMode=See report %sClaims-Debts%s said commitment accounting for a calculation on issued invoices -SeeReportInBookkeepingMode=See report %sBookeeping%s for a calculation on bookkeeping table analysis +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 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 validation date of invoices and VAT and on the due date for expenses. 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. @@ -218,8 +221,8 @@ 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 supplier, choose appropriate method to apply same calculation rule and get same result expected by your supplier. -TurnoverPerProductInCommitmentAccountingNotRelevant=The Turnover report per product, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). -TurnoverPerSaleTaxRateInCommitmentAccountingNotRelevant=The Turnover report per sale tax rate, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). +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. CalculationMode=Calculation mode AccountancyJournal=Accounting code journal ACCOUNTING_VAT_SOLD_ACCOUNT=Accounting account by default for VAT on sales (used if not defined on VAT dictionary setup) @@ -251,5 +254,6 @@ VATDue=Sale tax claimed ClaimedForThisPeriod=Claimed for the period PaidDuringThisPeriod=Paid during this period ByVatRate=By sale tax rate -TurnoverbyVatrate=Turnover by sale tax rate +TurnoverbyVatrate=Turnover invoiced by sale tax rate +TurnoverCollectedbyVatrate=Turnover collected by sale tax rate PurchasebyVatrate=Purchase by sale tax rate diff --git a/htdocs/langs/ka_GE/install.lang b/htdocs/langs/ka_GE/install.lang index 587d4f83da6c6..fb521c0c08565 100644 --- a/htdocs/langs/ka_GE/install.lang +++ b/htdocs/langs/ka_GE/install.lang @@ -204,3 +204,7 @@ MigrationResetBlockedLog=Reset module BlockedLog for v7 algorithm ShowNotAvailableOptions=Show not available options HideNotAvailableOptions=Hide not available options ErrorFoundDuringMigration=Error were reported during migration process so next step is not available. To ignore errors, you can click here, but application or some features may not work correctly until fixed. +YouTryInstallDisabledByDirLock=The application try to sefl upgrade, but install/upgrade pages have been disabled for security reason (directory renamed with .lock suffix).
+YouTryInstallDisabledByFileLock=The application try to sefl upgrade, but install/upgrade pages pages have been disabled for security reason (by lock file install.lock into dolibarr documents directory).
+ClickHereToGoToApp=Click here to go to your application +ClickOnLinkOrRemoveManualy=Click on following link and if you always reach this page, you must remove the file install.lock into documents directory manually diff --git a/htdocs/langs/ka_GE/main.lang b/htdocs/langs/ka_GE/main.lang index afd0a77a87fdf..5d400fafa8729 100644 --- a/htdocs/langs/ka_GE/main.lang +++ b/htdocs/langs/ka_GE/main.lang @@ -507,6 +507,7 @@ NoneF=None NoneOrSeveral=None or several Late=Late LateDesc=Delay to define if a record is late or not depends on your setup. Ask your admin to change delay from menu Home - Setup - Alerts. +NoItemLate=No late item Photo=Picture Photos=Pictures AddPhoto=Add picture @@ -945,3 +946,5 @@ KeyboardShortcut=Keyboard shortcut AssignedTo=Assigned to Deletedraft=Delete draft ConfirmMassDraftDeletion=Draft Bulk delete confirmation +FileSharedViaALink=File shared via a link + diff --git a/htdocs/langs/ka_GE/modulebuilder.lang b/htdocs/langs/ka_GE/modulebuilder.lang index a3fee23cb53b5..9d6661eda41d6 100644 --- a/htdocs/langs/ka_GE/modulebuilder.lang +++ b/htdocs/langs/ka_GE/modulebuilder.lang @@ -74,6 +74,7 @@ NoWidget=No widget GoToApiExplorer=Go to API explorer ListOfMenusEntries=List of menu entries ListOfPermissionsDefined=List of defined permissions +SeeExamples=See examples here EnabledDesc=Condition to have this field active (Examples: 1 or $conf->global->MYMODULE_MYOPTION) VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only. Using a negative value means field is not shown by default on list but can be selected for viewing) IsAMeasureDesc=Can the value of field be cumulated to get a total into list ? (Examples: 1 or 0) @@ -95,3 +96,6 @@ DropTableIfEmpty=(Delete table if empty) TableDoesNotExists=The table %s does not exists TableDropped=Table %s deleted InitStructureFromExistingTable=Build the structure array string of an existing table +UseAboutPage=Disallow the about page +UseDocFolder=Disallow the documentation folder +UseSpecificReadme=Use a specific ReadMe diff --git a/htdocs/langs/ka_GE/other.lang b/htdocs/langs/ka_GE/other.lang index 13907ca380e17..8ef8cc30090b4 100644 --- a/htdocs/langs/ka_GE/other.lang +++ b/htdocs/langs/ka_GE/other.lang @@ -80,8 +80,8 @@ LinkedObject=Linked object NbOfActiveNotifications=Number of notifications (nb of recipient emails) PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe two lines are separated by a carriage return.\n\n__USER_SIGNATURE__ PredefinedMailTestHtml=__(Hello)__\nThis is a test mail (the word test must be in bold).
The two lines are separated by a carriage return.

__USER_SIGNATURE__ -PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\nThis is the link to make your online payment if this invoice is not already payed:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\nThis is the link to make your online payment:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendProposal=__(Hello)__\n\nYou will find here the commercial proposal __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendSupplierProposal=__(Hello)__\n\nYou will find here the price request __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendOrder=__(Hello)__\n\nYou will find here the order __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ @@ -91,6 +91,7 @@ PredefinedMailContentSendShipping=__(Hello)__\n\nYou will find here the shipping PredefinedMailContentSendFichInter=__(Hello)__\n\nYou will find here the intervention __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentThirdparty=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentUser=__(Hello)__\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 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) @@ -218,7 +219,7 @@ 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 +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 diff --git a/htdocs/langs/ka_GE/paypal.lang b/htdocs/langs/ka_GE/paypal.lang index 600245dc658a1..68c5b0aefa1b8 100644 --- a/htdocs/langs/ka_GE/paypal.lang +++ b/htdocs/langs/ka_GE/paypal.lang @@ -14,7 +14,6 @@ PaypalModeOnlyPaypal=PayPal only ONLINE_PAYMENT_CSS_URL=Optionnal URL of CSS style sheet on online payment page ThisIsTransactionId=This is id of transaction: %s PAYPAL_ADD_PAYMENT_URL=Add the url of Paypal payment when you send a document by mail -PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.

%s

YouAreCurrentlyInSandboxMode=You are currently in the %s "sandbox" mode NewOnlinePaymentReceived=New online payment received NewOnlinePaymentFailed=New online payment tried but failed diff --git a/htdocs/langs/ka_GE/products.lang b/htdocs/langs/ka_GE/products.lang index 72e717367fc20..06558c90d81fc 100644 --- a/htdocs/langs/ka_GE/products.lang +++ b/htdocs/langs/ka_GE/products.lang @@ -251,8 +251,8 @@ PriceNumeric=Number DefaultPrice=Default price ComposedProductIncDecStock=Increase/Decrease stock on parent change ComposedProduct=Sub-product -MinSupplierPrice=Minimum supplier price -MinCustomerPrice=Minimum customer price +MinSupplierPrice=Minimum buying price +MinCustomerPrice=Minimum selling price DynamicPriceConfiguration=Dynamic price configuration DynamicPriceDesc=On product card, with this module enabled, you should be able to set mathematic functions to calculate Customer or Supplier prices. Such function can use all mathematic operators, some constants and variables. You can set here the variables you want to be able to use and if the variable need an automatic update, the external URL to use to ask Dolibarr to update automaticaly the value. AddVariable=Add Variable diff --git a/htdocs/langs/ka_GE/propal.lang b/htdocs/langs/ka_GE/propal.lang index 04941e4c650f3..8cf3a68167ae6 100644 --- a/htdocs/langs/ka_GE/propal.lang +++ b/htdocs/langs/ka_GE/propal.lang @@ -75,6 +75,7 @@ AvailabilityTypeAV_1M=1 month TypeContact_propal_internal_SALESREPFOLL=Representative following-up proposal TypeContact_propal_external_BILLING=Customer invoice contact TypeContact_propal_external_CUSTOMER=Customer contact following-up proposal +TypeContact_propal_external_SHIPPING=Customer contact for delivery # Document models DocModelAzurDescription=A complete proposal model (logo...) DefaultModelPropalCreate=Default model creation diff --git a/htdocs/langs/ka_GE/sendings.lang b/htdocs/langs/ka_GE/sendings.lang index 5091bfe950dcd..3b3850e44edab 100644 --- a/htdocs/langs/ka_GE/sendings.lang +++ b/htdocs/langs/ka_GE/sendings.lang @@ -52,8 +52,8 @@ ActionsOnShipping=Events on shipment LinkToTrackYourPackage=Link to track your package ShipmentCreationIsDoneFromOrder=For the moment, creation of a new shipment is done from the order card. ShipmentLine=Shipment line -ProductQtyInCustomersOrdersRunning=Product quantity into open customers orders -ProductQtyInSuppliersOrdersRunning=Product quantity into open suppliers orders +ProductQtyInCustomersOrdersRunning=Product quantity into open customer orders +ProductQtyInSuppliersOrdersRunning=Product quantity into open purchase orders ProductQtyInShipmentAlreadySent=Product quantity from open customer order already sent ProductQtyInSuppliersShipmentAlreadyRecevied=Product quantity from open supplier order already received NoProductToShipFoundIntoStock=No product to ship found into warehouse %s. Correct stock or go back to choose another warehouse. diff --git a/htdocs/langs/ka_GE/stocks.lang b/htdocs/langs/ka_GE/stocks.lang index aaa7e21fc0d7c..8178a8918b71a 100644 --- a/htdocs/langs/ka_GE/stocks.lang +++ b/htdocs/langs/ka_GE/stocks.lang @@ -67,7 +67,7 @@ DeStockOnValidateOrder=Decrease real stocks on customers orders validation DeStockOnShipment=Decrease real stocks on shipping validation DeStockOnShipmentOnClosing=Decrease real stocks on shipping classification closed ReStockOnBill=Increase real stocks on suppliers invoices/credit notes validation -ReStockOnValidateOrder=Increase real stocks on suppliers orders approbation +ReStockOnValidateOrder=Increase real stocks on purchase orders approbation ReStockOnDispatchOrder=Increase real stocks on manual dispatching into warehouses, after supplier order receipt of goods 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 @@ -203,4 +203,4 @@ RegulateStock=Regulate Stock ListInventory=List StockSupportServices=Stock management support services StockSupportServicesDesc=By default, you can stock only product with type "product". If on, and if module service is on, you can also stock a product with type "service" -ReceiveProducts=Receive products +ReceiveProducts=Receive items diff --git a/htdocs/langs/ka_GE/users.lang b/htdocs/langs/ka_GE/users.lang index 8aa5d3749fcdb..26f22923a9a08 100644 --- a/htdocs/langs/ka_GE/users.lang +++ b/htdocs/langs/ka_GE/users.lang @@ -48,7 +48,7 @@ PasswordChangeRequest=Request to change password for %s PasswordChangeRequestSent=Request to change password for %s sent to %s. ConfirmPasswordReset=Confirm password reset MenuUsersAndGroups=Users & Groups -LastGroupsCreated=Latest %s created groups +LastGroupsCreated=Latest %s groups created LastUsersCreated=Latest %s users created ShowGroup=Show group ShowUser=Show user diff --git a/htdocs/langs/km_KH/main.lang b/htdocs/langs/km_KH/main.lang index 655deaf652b4c..a953187190b81 100644 --- a/htdocs/langs/km_KH/main.lang +++ b/htdocs/langs/km_KH/main.lang @@ -507,6 +507,7 @@ NoneF=None NoneOrSeveral=None or several Late=Late LateDesc=Delay to define if a record is late or not depends on your setup. Ask your admin to change delay from menu Home - Setup - Alerts. +NoItemLate=No late item Photo=Picture Photos=Pictures AddPhoto=Add picture @@ -945,3 +946,5 @@ KeyboardShortcut=Keyboard shortcut AssignedTo=Assigned to Deletedraft=Delete draft ConfirmMassDraftDeletion=Draft Bulk delete confirmation +FileSharedViaALink=File shared via a link + diff --git a/htdocs/langs/kn_IN/accountancy.lang b/htdocs/langs/kn_IN/accountancy.lang index daa159280969a..04bbaa447e791 100644 --- a/htdocs/langs/kn_IN/accountancy.lang +++ b/htdocs/langs/kn_IN/accountancy.lang @@ -55,6 +55,7 @@ AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from m AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s AccountancyAreaDescVat=STEP %s: Define accounting accounts for each VAT Rates. For this, use the menu entry %s. +AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. AccountancyAreaDescExpenseReport=STEP %s: Define default accounting accounts for each type of expense report. For this, use the menu entry %s. AccountancyAreaDescSal=STEP %s: Define default accounting accounts for payment of salaries. For this, use the menu entry %s. AccountancyAreaDescContrib=STEP %s: Define default accounting accounts for special expences (miscellaneous taxes). For this, use the menu entry %s. @@ -131,6 +132,7 @@ ACCOUNTING_LENGTH_GACCOUNT=Length of the general accounting accounts (If you set 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 zero at the end of an accounting account. Needed by some countries (like switzerland). If keep to off (default), you can set the 2 following parameters to ask application to add virtual zero. BANK_DISABLE_DIRECT_INPUT=Disable direct recording of transaction in bank account +ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Enable draft export on journal ACCOUNTING_SELL_JOURNAL=Sell journal ACCOUNTING_PURCHASE_JOURNAL=Purchase journal diff --git a/htdocs/langs/kn_IN/admin.lang b/htdocs/langs/kn_IN/admin.lang index 728e23c9cf0f1..8d5283db0763f 100644 --- a/htdocs/langs/kn_IN/admin.lang +++ b/htdocs/langs/kn_IN/admin.lang @@ -454,7 +454,7 @@ ModuleCompanyCodeDigitaria=Accounting code depends on third party code. The code Use3StepsApproval=By default, Purchase Orders need to be created and approved by 2 different users (one step/user to create and one step/user to approve. Note that if user has both permission to create and approve, one step/user will be enough). You can ask with this option to introduce a third step/user approval, if amount is higher than a dedicated value (so 3 steps will be necessary: 1=validation, 2=first approval and 3=second approval if amount is enough).
Set this to empty if one approval (2 steps) is enough, set it to a very low value (0.1) if a second approval (3 steps) is always required. UseDoubleApproval=Use a 3 steps approval when amount (without tax) is higher than... WarningPHPMail=WARNING: It is often better to setup outgoing emails to use the email server of your provider instead of the default setup. Some email providers (like Yahoo) does not allow you to send an email from another server than their own server. Your current setup use 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 a server of them, so few of your sent Emails may not be accepted (be carefull also to your email provider sending quota).
If your Email provider (like Yahoo) has this restriction, you must change Email setup to choose the other method "SMTP server" and enter the SMTP server and credentials provided by your Email provider (ask your EMail provider to get SMTP credentials for your account). -WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of your ERP CRM application: %s. +WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of the mail user agent (MUA) for your ERP CRM application: %s. ClickToShowDescription=Click to show description DependsOn=This module need the module(s) RequiredBy=This module is required by module(s) @@ -497,7 +497,7 @@ Module25Desc=Customer order management Module30Name=Invoices Module30Desc=Invoice and credit note management for customers. Invoice management for suppliers Module40Name=ಪೂರೈಕೆದಾರರು -Module40Desc=Supplier management and buying (orders and invoices) +Module40Desc=Suppliers and purchase management (purchase orders and billing) Module42Name=Debug Logs Module42Desc=Logging facilities (file, syslog, ...). Such logs are for technical/debug purposes. Module49Name=Editors @@ -605,7 +605,7 @@ Module4000Desc=Human resources management (management of department, employee co Module5000Name=Multi-company Module5000Desc=Allows you to manage multiple companies Module6000Name=Workflow -Module6000Desc=Workflow management +Module6000Desc=Workflow management (automatic creation of object and/or automatic status change) Module10000Name=Websites Module10000Desc=Create public websites with a WYSIWG editor. Just setup your web server (Apache, Nginx, ...) to point to the dedicated Dolibarr directory to have it online on the Internet with your own domain name. Module20000Name=Leave Requests management @@ -891,7 +891,7 @@ DictionaryCivility=Personal and professional titles DictionaryActions=Types of agenda events DictionarySocialContributions=Social or fiscal taxes types DictionaryVAT=VAT Rates or Sales Tax Rates -DictionaryRevenueStamp=Amount of revenue stamps +DictionaryRevenueStamp=Amount of tax stamps DictionaryPaymentConditions=Payment terms DictionaryPaymentModes=Payment modes DictionaryTypeContact=Contact/Address types @@ -919,7 +919,7 @@ SetupSaved=Setup saved SetupNotSaved=Setup not saved BackToModuleList=Back to modules list BackToDictionaryList=Back to dictionaries list -TypeOfRevenueStamp=Type of revenue stamp +TypeOfRevenueStamp=Type of tax stamp VATManagement=VAT Management VATIsUsedDesc=By default when creating prospects, invoices, orders etc the VAT rate follows the active standard rule:
If the seller is not subjected to VAT, then VAT defaults to 0. End of rule.
If the (selling country= buying country), then the VAT by default equals the VAT of the product in the selling country. End of rule.
If seller and buyer are both in the European Community and goods are transport products (car, ship, plane), the default VAT is 0 ( The VAT should be paid by the buyer to the customoffice of his country and not to the seller). End of rule.
If seller and buyer are both in the European Community and the buyer is not a company, then the VAT by defaults to the VAT of the product sold. End of rule.
If seller and buyer are both in the European Community and the buyer is a company, then the VAT is 0 by default . End of rule.
In any othe case the proposed default is VAT=0. End of rule. VATIsNotUsedDesc=By default the proposed VAT is 0 which can be used for cases like associations, individuals ou small companies. @@ -1027,7 +1027,7 @@ Delays_MAIN_DELAY_ACTIONS_TODO=Delay tolerance (in days) before alert on planned Delays_MAIN_DELAY_PROJECT_TO_CLOSE=Delay tolerance (in days) before alert on project not closed in time Delays_MAIN_DELAY_TASKS_TODO=Delay tolerance (in days) before alert on planned tasks (project tasks) not completed yet Delays_MAIN_DELAY_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on orders not processed yet -Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on suppliers orders not processed yet +Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on purchase orders not processed yet Delays_MAIN_DELAY_PROPALS_TO_CLOSE=Delay tolerance (in days) before alert on proposals to close Delays_MAIN_DELAY_PROPALS_TO_BILL=Delay tolerance (in days) before alert on proposals not billed Delays_MAIN_DELAY_NOT_ACTIVATED_SERVICES=Tolerance delay (in days) before alert on services to activate @@ -1458,7 +1458,7 @@ SyslogFilename=File name and path YouCanUseDOL_DATA_ROOT=You can use DOL_DATA_ROOT/dolibarr.log for a log file in Dolibarr "documents" directory. You can set a different path to store this file. ErrorUnknownSyslogConstant=Constant %s is not a known Syslog constant OnlyWindowsLOG_USER=Windows only supports LOG_USER -CompressSyslogs=Syslog files compression and backup +CompressSyslogs=Compression and backup of debug log files (generated by module Log for debug) SyslogFileNumberOfSaves=Log backups ConfigureCleaningCronjobToSetFrequencyOfSaves=Configure cleaning scheduled job to set log backup frequency ##### Donations ##### diff --git a/htdocs/langs/kn_IN/banks.lang b/htdocs/langs/kn_IN/banks.lang index f68ca42750394..6828726371c50 100644 --- a/htdocs/langs/kn_IN/banks.lang +++ b/htdocs/langs/kn_IN/banks.lang @@ -1,12 +1,13 @@ # Dolibarr language file - Source file is en_US - banks Bank=Bank -MenuBankCash=Bank/Cash +MenuBankCash=Bank | Cash MenuVariousPayment=Miscellaneous payments MenuNewVariousPayment=New Miscellaneous payment BankName=Bank name FinancialAccount=Account BankAccount=Bank account BankAccounts=Bank accounts +BankAccountsAndGateways=Bank accounts | Gateways ShowAccount=Show Account AccountRef=Financial account ref AccountLabel=Financial account label @@ -131,7 +132,7 @@ PaymentDateUpdateSucceeded=Payment date updated successfully PaymentDateUpdateFailed=Payment date could not be updated Transactions=Transactions BankTransactionLine=Bank entry -AllAccounts=All bank/cash accounts +AllAccounts=All bank and cash accounts BackToAccount=Back to account ShowAllAccounts=Show for all accounts FutureTransaction=Transaction in futur. No way to conciliate. @@ -159,5 +160,6 @@ VariousPayment=Miscellaneous payments VariousPayments=Miscellaneous payments ShowVariousPayment=Show miscellaneous payments AddVariousPayment=Add miscellaneous payments +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. Thanks to return it signed (scan of the signed document) or sent it by mail to diff --git a/htdocs/langs/kn_IN/bills.lang b/htdocs/langs/kn_IN/bills.lang index fa8bfd6c53b74..d61f6d687ca47 100644 --- a/htdocs/langs/kn_IN/bills.lang +++ b/htdocs/langs/kn_IN/bills.lang @@ -110,8 +110,8 @@ SendRemindByMail=Send reminder by EMail DoPayment=Enter payment DoPaymentBack=Enter refund ConvertToReduc=Mark as credit available -ConvertExcessReceivedToReduc=Convert excess received into future discount -ConvertExcessPaidToReduc=Convert excess paid into future discount +ConvertExcessReceivedToReduc=Convert excess received into available credit +ConvertExcessPaidToReduc=Convert excess paid into available discount EnterPaymentReceivedFromCustomer=Enter payment received from customer EnterPaymentDueToCustomer=Make payment due to customer DisabledBecauseRemainderToPayIsZero=Disabled because remaining unpaid is zero @@ -282,6 +282,7 @@ RelativeDiscount=ಸಾಪೇಕ್ಷ ರಿಯಾಯಿತಿ GlobalDiscount=Global discount CreditNote=Credit note CreditNotes=Credit notes +CreditNotesOrExcessReceived=Credit notes or excess received Deposit=Down payment Deposits=Down payments DiscountFromCreditNote=Discount from credit note %s @@ -393,6 +394,7 @@ PaymentConditionShort14DENDMONTH=14 days of month-end PaymentCondition14DENDMONTH=Within 14 days following the end of the month FixAmount=Fix amount VarAmount=Variable amount (%% tot.) +VarAmountOneLine=Variable amount (%% tot.) - 1 line with label '%s' # PaymentType PaymentTypeVIR=Bank transfer PaymentTypeShortVIR=Bank transfer diff --git a/htdocs/langs/kn_IN/compta.lang b/htdocs/langs/kn_IN/compta.lang index d2cfb71490033..c0f5920ea92ff 100644 --- a/htdocs/langs/kn_IN/compta.lang +++ b/htdocs/langs/kn_IN/compta.lang @@ -19,7 +19,8 @@ Income=Income Outcome=Expense MenuReportInOut=Income / Expense ReportInOut=Balance of income and expenses -ReportTurnover=Turnover +ReportTurnover=Turnover invoiced +ReportTurnoverCollected=Turnover collected PaymentsNotLinkedToInvoice=Payments not linked to any invoice, so not linked to any third party PaymentsNotLinkedToUser=Payments not linked to any user Profit=Profit @@ -77,7 +78,7 @@ MenuNewSocialContribution=New social/fiscal tax NewSocialContribution=New social/fiscal tax AddSocialContribution=Add social/fiscal tax ContributionsToPay=Social/fiscal taxes to pay -AccountancyTreasuryArea=Accountancy/Treasury area +AccountancyTreasuryArea=Billing and payment area NewPayment=New payment Payments=Payments PaymentCustomerInvoice=Customer invoice payment @@ -105,6 +106,7 @@ VATPayment=Sales tax payment VATPayments=Sales tax payments VATRefund=Sales tax refund NewVATPayment=New sales tax payment +NewLocalTaxPayment=New tax %s payment Refund=Refund SocialContributionsPayments=Social/fiscal taxes payments ShowVatPayment=Show VAT payment @@ -116,8 +118,9 @@ CustomerAccountancyCodeShort=Cust. account. code SupplierAccountancyCodeShort=Sup. account. code AccountNumber=Account number NewAccountingAccount=New account -SalesTurnover=Sales turnover -SalesTurnoverMinimum=Minimum sales turnover +Turnover=Turnover invoiced +TurnoverCollected=Turnover collected +SalesTurnoverMinimum=Minimum turnover ByExpenseIncome=By expenses & incomes ByThirdParties=By third parties ByUserAuthorOfInvoice=By invoice author @@ -137,8 +140,8 @@ 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=Mode %sClaims-Debts%s said Commitment accounting. -CalcModeEngagement=Mode %sIncomes-Expenses%s said cash accounting +CalcModeDebt=Analysis of known recorded invoices 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 CalcModeLT1Debt=Mode %sRE on customer invoices%s @@ -151,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 report %sIncomes-Expenses%s said cash accounting for a calculation on actual payments made -SeeReportInDueDebtMode=See report %sClaims-Debts%s said commitment accounting for a calculation on issued invoices -SeeReportInBookkeepingMode=See report %sBookeeping%s for a calculation on bookkeeping table analysis +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 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 validation date of invoices and VAT and on the due date for expenses. 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. @@ -218,8 +221,8 @@ 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 supplier, choose appropriate method to apply same calculation rule and get same result expected by your supplier. -TurnoverPerProductInCommitmentAccountingNotRelevant=The Turnover report per product, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). -TurnoverPerSaleTaxRateInCommitmentAccountingNotRelevant=The Turnover report per sale tax rate, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). +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. CalculationMode=Calculation mode AccountancyJournal=Accounting code journal ACCOUNTING_VAT_SOLD_ACCOUNT=Accounting account by default for VAT on sales (used if not defined on VAT dictionary setup) @@ -251,5 +254,6 @@ VATDue=Sale tax claimed ClaimedForThisPeriod=Claimed for the period PaidDuringThisPeriod=Paid during this period ByVatRate=By sale tax rate -TurnoverbyVatrate=Turnover by sale tax rate +TurnoverbyVatrate=Turnover invoiced by sale tax rate +TurnoverCollectedbyVatrate=Turnover collected by sale tax rate PurchasebyVatrate=Purchase by sale tax rate diff --git a/htdocs/langs/kn_IN/install.lang b/htdocs/langs/kn_IN/install.lang index 587d4f83da6c6..fb521c0c08565 100644 --- a/htdocs/langs/kn_IN/install.lang +++ b/htdocs/langs/kn_IN/install.lang @@ -204,3 +204,7 @@ MigrationResetBlockedLog=Reset module BlockedLog for v7 algorithm ShowNotAvailableOptions=Show not available options HideNotAvailableOptions=Hide not available options ErrorFoundDuringMigration=Error were reported during migration process so next step is not available. To ignore errors, you can click here, but application or some features may not work correctly until fixed. +YouTryInstallDisabledByDirLock=The application try to sefl upgrade, but install/upgrade pages have been disabled for security reason (directory renamed with .lock suffix).
+YouTryInstallDisabledByFileLock=The application try to sefl upgrade, but install/upgrade pages pages have been disabled for security reason (by lock file install.lock into dolibarr documents directory).
+ClickHereToGoToApp=Click here to go to your application +ClickOnLinkOrRemoveManualy=Click on following link and if you always reach this page, you must remove the file install.lock into documents directory manually diff --git a/htdocs/langs/kn_IN/main.lang b/htdocs/langs/kn_IN/main.lang index 596fa31623a4c..645a6cc0c803c 100644 --- a/htdocs/langs/kn_IN/main.lang +++ b/htdocs/langs/kn_IN/main.lang @@ -507,6 +507,7 @@ NoneF=ಯಾವುದೂ ಇಲ್ಲ NoneOrSeveral=None or several Late=Late LateDesc=Delay to define if a record is late or not depends on your setup. Ask your admin to change delay from menu Home - Setup - Alerts. +NoItemLate=No late item Photo=Picture Photos=Pictures AddPhoto=Add picture @@ -945,3 +946,5 @@ KeyboardShortcut=Keyboard shortcut AssignedTo=Assigned to Deletedraft=Delete draft ConfirmMassDraftDeletion=Draft Bulk delete confirmation +FileSharedViaALink=File shared via a link + diff --git a/htdocs/langs/kn_IN/modulebuilder.lang b/htdocs/langs/kn_IN/modulebuilder.lang index a3fee23cb53b5..9d6661eda41d6 100644 --- a/htdocs/langs/kn_IN/modulebuilder.lang +++ b/htdocs/langs/kn_IN/modulebuilder.lang @@ -74,6 +74,7 @@ NoWidget=No widget GoToApiExplorer=Go to API explorer ListOfMenusEntries=List of menu entries ListOfPermissionsDefined=List of defined permissions +SeeExamples=See examples here EnabledDesc=Condition to have this field active (Examples: 1 or $conf->global->MYMODULE_MYOPTION) VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only. Using a negative value means field is not shown by default on list but can be selected for viewing) IsAMeasureDesc=Can the value of field be cumulated to get a total into list ? (Examples: 1 or 0) @@ -95,3 +96,6 @@ DropTableIfEmpty=(Delete table if empty) TableDoesNotExists=The table %s does not exists TableDropped=Table %s deleted InitStructureFromExistingTable=Build the structure array string of an existing table +UseAboutPage=Disallow the about page +UseDocFolder=Disallow the documentation folder +UseSpecificReadme=Use a specific ReadMe diff --git a/htdocs/langs/kn_IN/other.lang b/htdocs/langs/kn_IN/other.lang index dd2c87634601f..aef1b316de514 100644 --- a/htdocs/langs/kn_IN/other.lang +++ b/htdocs/langs/kn_IN/other.lang @@ -80,8 +80,8 @@ LinkedObject=Linked object NbOfActiveNotifications=Number of notifications (nb of recipient emails) PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe two lines are separated by a carriage return.\n\n__USER_SIGNATURE__ PredefinedMailTestHtml=__(Hello)__\nThis is a test mail (the word test must be in bold).
The two lines are separated by a carriage return.

__USER_SIGNATURE__ -PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\nThis is the link to make your online payment if this invoice is not already payed:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\nThis is the link to make your online payment:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendProposal=__(Hello)__\n\nYou will find here the commercial proposal __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendSupplierProposal=__(Hello)__\n\nYou will find here the price request __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendOrder=__(Hello)__\n\nYou will find here the order __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ @@ -91,6 +91,7 @@ PredefinedMailContentSendShipping=__(Hello)__\n\nYou will find here the shipping PredefinedMailContentSendFichInter=__(Hello)__\n\nYou will find here the intervention __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentThirdparty=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentUser=__(Hello)__\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 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) @@ -218,7 +219,7 @@ 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 +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 diff --git a/htdocs/langs/kn_IN/paypal.lang b/htdocs/langs/kn_IN/paypal.lang index 600245dc658a1..68c5b0aefa1b8 100644 --- a/htdocs/langs/kn_IN/paypal.lang +++ b/htdocs/langs/kn_IN/paypal.lang @@ -14,7 +14,6 @@ PaypalModeOnlyPaypal=PayPal only ONLINE_PAYMENT_CSS_URL=Optionnal URL of CSS style sheet on online payment page ThisIsTransactionId=This is id of transaction: %s PAYPAL_ADD_PAYMENT_URL=Add the url of Paypal payment when you send a document by mail -PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.

%s

YouAreCurrentlyInSandboxMode=You are currently in the %s "sandbox" mode NewOnlinePaymentReceived=New online payment received NewOnlinePaymentFailed=New online payment tried but failed diff --git a/htdocs/langs/kn_IN/products.lang b/htdocs/langs/kn_IN/products.lang index 45fa06ba48e16..bdf04a572fb07 100644 --- a/htdocs/langs/kn_IN/products.lang +++ b/htdocs/langs/kn_IN/products.lang @@ -251,8 +251,8 @@ PriceNumeric=Number DefaultPrice=Default price ComposedProductIncDecStock=Increase/Decrease stock on parent change ComposedProduct=Sub-product -MinSupplierPrice=Minimum supplier price -MinCustomerPrice=Minimum customer price +MinSupplierPrice=Minimum buying price +MinCustomerPrice=Minimum selling price DynamicPriceConfiguration=Dynamic price configuration DynamicPriceDesc=On product card, with this module enabled, you should be able to set mathematic functions to calculate Customer or Supplier prices. Such function can use all mathematic operators, some constants and variables. You can set here the variables you want to be able to use and if the variable need an automatic update, the external URL to use to ask Dolibarr to update automaticaly the value. AddVariable=Add Variable diff --git a/htdocs/langs/kn_IN/propal.lang b/htdocs/langs/kn_IN/propal.lang index 1e1ac57e82a1b..03afb69a9236b 100644 --- a/htdocs/langs/kn_IN/propal.lang +++ b/htdocs/langs/kn_IN/propal.lang @@ -75,6 +75,7 @@ AvailabilityTypeAV_1M=1 month TypeContact_propal_internal_SALESREPFOLL=Representative following-up proposal TypeContact_propal_external_BILLING=Customer invoice contact TypeContact_propal_external_CUSTOMER=Customer contact following-up proposal +TypeContact_propal_external_SHIPPING=Customer contact for delivery # Document models DocModelAzurDescription=A complete proposal model (logo...) DefaultModelPropalCreate=Default model creation diff --git a/htdocs/langs/kn_IN/sendings.lang b/htdocs/langs/kn_IN/sendings.lang index 5091bfe950dcd..3b3850e44edab 100644 --- a/htdocs/langs/kn_IN/sendings.lang +++ b/htdocs/langs/kn_IN/sendings.lang @@ -52,8 +52,8 @@ ActionsOnShipping=Events on shipment LinkToTrackYourPackage=Link to track your package ShipmentCreationIsDoneFromOrder=For the moment, creation of a new shipment is done from the order card. ShipmentLine=Shipment line -ProductQtyInCustomersOrdersRunning=Product quantity into open customers orders -ProductQtyInSuppliersOrdersRunning=Product quantity into open suppliers orders +ProductQtyInCustomersOrdersRunning=Product quantity into open customer orders +ProductQtyInSuppliersOrdersRunning=Product quantity into open purchase orders ProductQtyInShipmentAlreadySent=Product quantity from open customer order already sent ProductQtyInSuppliersShipmentAlreadyRecevied=Product quantity from open supplier order already received NoProductToShipFoundIntoStock=No product to ship found into warehouse %s. Correct stock or go back to choose another warehouse. diff --git a/htdocs/langs/kn_IN/stocks.lang b/htdocs/langs/kn_IN/stocks.lang index aaa7e21fc0d7c..8178a8918b71a 100644 --- a/htdocs/langs/kn_IN/stocks.lang +++ b/htdocs/langs/kn_IN/stocks.lang @@ -67,7 +67,7 @@ DeStockOnValidateOrder=Decrease real stocks on customers orders validation DeStockOnShipment=Decrease real stocks on shipping validation DeStockOnShipmentOnClosing=Decrease real stocks on shipping classification closed ReStockOnBill=Increase real stocks on suppliers invoices/credit notes validation -ReStockOnValidateOrder=Increase real stocks on suppliers orders approbation +ReStockOnValidateOrder=Increase real stocks on purchase orders approbation ReStockOnDispatchOrder=Increase real stocks on manual dispatching into warehouses, after supplier order receipt of goods 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 @@ -203,4 +203,4 @@ RegulateStock=Regulate Stock ListInventory=List StockSupportServices=Stock management support services StockSupportServicesDesc=By default, you can stock only product with type "product". If on, and if module service is on, you can also stock a product with type "service" -ReceiveProducts=Receive products +ReceiveProducts=Receive items diff --git a/htdocs/langs/kn_IN/users.lang b/htdocs/langs/kn_IN/users.lang index 0a0cba72538bb..82719244d4723 100644 --- a/htdocs/langs/kn_IN/users.lang +++ b/htdocs/langs/kn_IN/users.lang @@ -48,7 +48,7 @@ PasswordChangeRequest=Request to change password for %s PasswordChangeRequestSent=Request to change password for %s sent to %s. ConfirmPasswordReset=Confirm password reset MenuUsersAndGroups=Users & Groups -LastGroupsCreated=Latest %s created groups +LastGroupsCreated=Latest %s groups created LastUsersCreated=Latest %s users created ShowGroup=Show group ShowUser=Show user diff --git a/htdocs/langs/ko_KR/accountancy.lang b/htdocs/langs/ko_KR/accountancy.lang index 47fb909806348..85550e144f5e1 100644 --- a/htdocs/langs/ko_KR/accountancy.lang +++ b/htdocs/langs/ko_KR/accountancy.lang @@ -55,6 +55,7 @@ AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from m AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s AccountancyAreaDescVat=STEP %s: Define accounting accounts for each VAT Rates. For this, use the menu entry %s. +AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. AccountancyAreaDescExpenseReport=STEP %s: Define default accounting accounts for each type of expense report. For this, use the menu entry %s. AccountancyAreaDescSal=STEP %s: Define default accounting accounts for payment of salaries. For this, use the menu entry %s. AccountancyAreaDescContrib=STEP %s: Define default accounting accounts for special expences (miscellaneous taxes). For this, use the menu entry %s. @@ -131,6 +132,7 @@ ACCOUNTING_LENGTH_GACCOUNT=Length of the general accounting accounts (If you set 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 zero at the end of an accounting account. Needed by some countries (like switzerland). If keep to off (default), you can set the 2 following parameters to ask application to add virtual zero. BANK_DISABLE_DIRECT_INPUT=Disable direct recording of transaction in bank account +ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Enable draft export on journal ACCOUNTING_SELL_JOURNAL=매출분개장 ACCOUNTING_PURCHASE_JOURNAL=구매분개장 diff --git a/htdocs/langs/ko_KR/admin.lang b/htdocs/langs/ko_KR/admin.lang index b8b9acb7e6926..e384bc964dee2 100644 --- a/htdocs/langs/ko_KR/admin.lang +++ b/htdocs/langs/ko_KR/admin.lang @@ -454,7 +454,7 @@ ModuleCompanyCodeDigitaria=Accounting code depends on third party code. The code Use3StepsApproval=By default, Purchase Orders need to be created and approved by 2 different users (one step/user to create and one step/user to approve. Note that if user has both permission to create and approve, one step/user will be enough). You can ask with this option to introduce a third step/user approval, if amount is higher than a dedicated value (so 3 steps will be necessary: 1=validation, 2=first approval and 3=second approval if amount is enough).
Set this to empty if one approval (2 steps) is enough, set it to a very low value (0.1) if a second approval (3 steps) is always required. UseDoubleApproval=Use a 3 steps approval when amount (without tax) is higher than... WarningPHPMail=WARNING: It is often better to setup outgoing emails to use the email server of your provider instead of the default setup. Some email providers (like Yahoo) does not allow you to send an email from another server than their own server. Your current setup use 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 a server of them, so few of your sent Emails may not be accepted (be carefull also to your email provider sending quota).
If your Email provider (like Yahoo) has this restriction, you must change Email setup to choose the other method "SMTP server" and enter the SMTP server and credentials provided by your Email provider (ask your EMail provider to get SMTP credentials for your account). -WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of your ERP CRM application: %s. +WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of the mail user agent (MUA) for your ERP CRM application: %s. ClickToShowDescription=Click to show description DependsOn=This module need the module(s) RequiredBy=This module is required by module(s) @@ -497,7 +497,7 @@ Module25Desc=Customer order management Module30Name=인보이스 Module30Desc=Invoice and credit note management for customers. Invoice management for suppliers Module40Name=공급 업체 -Module40Desc=Supplier management and buying (orders and invoices) +Module40Desc=Suppliers and purchase management (purchase orders and billing) Module42Name=Debug Logs Module42Desc=Logging facilities (file, syslog, ...). Such logs are for technical/debug purposes. Module49Name=Editors @@ -605,7 +605,7 @@ Module4000Desc=Human resources management (management of department, employee co Module5000Name=Multi-company Module5000Desc=Allows you to manage multiple companies Module6000Name=Workflow -Module6000Desc=Workflow management +Module6000Desc=Workflow management (automatic creation of object and/or automatic status change) Module10000Name=Websites Module10000Desc=Create public websites with a WYSIWG editor. Just setup your web server (Apache, Nginx, ...) to point to the dedicated Dolibarr directory to have it online on the Internet with your own domain name. Module20000Name=Leave Requests management @@ -891,7 +891,7 @@ DictionaryCivility=Personal and professional titles DictionaryActions=Types of agenda events DictionarySocialContributions=Social or fiscal taxes types DictionaryVAT=VAT Rates or Sales Tax Rates -DictionaryRevenueStamp=Amount of revenue stamps +DictionaryRevenueStamp=Amount of tax stamps DictionaryPaymentConditions=Payment terms DictionaryPaymentModes=Payment modes DictionaryTypeContact=Contact/Address types @@ -919,7 +919,7 @@ SetupSaved=Setup saved SetupNotSaved=Setup not saved BackToModuleList=Back to modules list BackToDictionaryList=Back to dictionaries list -TypeOfRevenueStamp=Type of revenue stamp +TypeOfRevenueStamp=Type of tax stamp VATManagement=VAT Management VATIsUsedDesc=By default when creating prospects, invoices, orders etc the VAT rate follows the active standard rule:
If the seller is not subjected to VAT, then VAT defaults to 0. End of rule.
If the (selling country= buying country), then the VAT by default equals the VAT of the product in the selling country. End of rule.
If seller and buyer are both in the European Community and goods are transport products (car, ship, plane), the default VAT is 0 ( The VAT should be paid by the buyer to the customoffice of his country and not to the seller). End of rule.
If seller and buyer are both in the European Community and the buyer is not a company, then the VAT by defaults to the VAT of the product sold. End of rule.
If seller and buyer are both in the European Community and the buyer is a company, then the VAT is 0 by default . End of rule.
In any othe case the proposed default is VAT=0. End of rule. VATIsNotUsedDesc=By default the proposed VAT is 0 which can be used for cases like associations, individuals ou small companies. @@ -1027,7 +1027,7 @@ Delays_MAIN_DELAY_ACTIONS_TODO=Delay tolerance (in days) before alert on planned Delays_MAIN_DELAY_PROJECT_TO_CLOSE=Delay tolerance (in days) before alert on project not closed in time Delays_MAIN_DELAY_TASKS_TODO=Delay tolerance (in days) before alert on planned tasks (project tasks) not completed yet Delays_MAIN_DELAY_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on orders not processed yet -Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on suppliers orders not processed yet +Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on purchase orders not processed yet Delays_MAIN_DELAY_PROPALS_TO_CLOSE=Delay tolerance (in days) before alert on proposals to close Delays_MAIN_DELAY_PROPALS_TO_BILL=Delay tolerance (in days) before alert on proposals not billed Delays_MAIN_DELAY_NOT_ACTIVATED_SERVICES=Tolerance delay (in days) before alert on services to activate @@ -1458,7 +1458,7 @@ SyslogFilename=File name and path YouCanUseDOL_DATA_ROOT=You can use DOL_DATA_ROOT/dolibarr.log for a log file in Dolibarr "documents" directory. You can set a different path to store this file. ErrorUnknownSyslogConstant=Constant %s is not a known Syslog constant OnlyWindowsLOG_USER=Windows only supports LOG_USER -CompressSyslogs=Syslog files compression and backup +CompressSyslogs=Compression and backup of debug log files (generated by module Log for debug) SyslogFileNumberOfSaves=Log backups ConfigureCleaningCronjobToSetFrequencyOfSaves=Configure cleaning scheduled job to set log backup frequency ##### Donations ##### diff --git a/htdocs/langs/ko_KR/banks.lang b/htdocs/langs/ko_KR/banks.lang index 73b3d4776e257..6b240d14f8b30 100644 --- a/htdocs/langs/ko_KR/banks.lang +++ b/htdocs/langs/ko_KR/banks.lang @@ -1,12 +1,13 @@ # Dolibarr language file - Source file is en_US - banks Bank=Bank -MenuBankCash=Bank/Cash +MenuBankCash=Bank | Cash MenuVariousPayment=Miscellaneous payments MenuNewVariousPayment=New Miscellaneous payment BankName=Bank name FinancialAccount=Account BankAccount=Bank account BankAccounts=Bank accounts +BankAccountsAndGateways=Bank accounts | Gateways ShowAccount=Show Account AccountRef=Financial account ref AccountLabel=Financial account label @@ -131,7 +132,7 @@ PaymentDateUpdateSucceeded=Payment date updated successfully PaymentDateUpdateFailed=Payment date could not be updated Transactions=Transactions BankTransactionLine=Bank entry -AllAccounts=All bank/cash accounts +AllAccounts=All bank and cash accounts BackToAccount=Back to account ShowAllAccounts=Show for all accounts FutureTransaction=Transaction in futur. No way to conciliate. @@ -159,5 +160,6 @@ VariousPayment=Miscellaneous payments VariousPayments=Miscellaneous payments ShowVariousPayment=Show miscellaneous payments AddVariousPayment=Add miscellaneous payments +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. Thanks to return it signed (scan of the signed document) or sent it by mail to diff --git a/htdocs/langs/ko_KR/bills.lang b/htdocs/langs/ko_KR/bills.lang index 23181b648655a..62e16f3d8374d 100644 --- a/htdocs/langs/ko_KR/bills.lang +++ b/htdocs/langs/ko_KR/bills.lang @@ -110,8 +110,8 @@ SendRemindByMail=Send reminder by EMail DoPayment=Enter payment DoPaymentBack=Enter refund ConvertToReduc=Mark as credit available -ConvertExcessReceivedToReduc=Convert excess received into future discount -ConvertExcessPaidToReduc=Convert excess paid into future discount +ConvertExcessReceivedToReduc=Convert excess received into available credit +ConvertExcessPaidToReduc=Convert excess paid into available discount EnterPaymentReceivedFromCustomer=Enter payment received from customer EnterPaymentDueToCustomer=Make payment due to customer DisabledBecauseRemainderToPayIsZero=Disabled because remaining unpaid is zero @@ -282,6 +282,7 @@ RelativeDiscount=상대적 할인 GlobalDiscount=Global discount CreditNote=Credit note CreditNotes=Credit notes +CreditNotesOrExcessReceived=Credit notes or excess received Deposit=Down payment Deposits=Down payments DiscountFromCreditNote=Discount from credit note %s @@ -393,6 +394,7 @@ PaymentConditionShort14DENDMONTH=14 days of month-end PaymentCondition14DENDMONTH=Within 14 days following the end of the month FixAmount=Fix amount VarAmount=Variable amount (%% tot.) +VarAmountOneLine=Variable amount (%% tot.) - 1 line with label '%s' # PaymentType PaymentTypeVIR=Bank transfer PaymentTypeShortVIR=Bank transfer diff --git a/htdocs/langs/ko_KR/compta.lang b/htdocs/langs/ko_KR/compta.lang index e9eb75344461c..97c2e72b88319 100644 --- a/htdocs/langs/ko_KR/compta.lang +++ b/htdocs/langs/ko_KR/compta.lang @@ -19,7 +19,8 @@ Income=Income Outcome=Expense MenuReportInOut=Income / Expense ReportInOut=Balance of income and expenses -ReportTurnover=Turnover +ReportTurnover=Turnover invoiced +ReportTurnoverCollected=Turnover collected PaymentsNotLinkedToInvoice=Payments not linked to any invoice, so not linked to any third party PaymentsNotLinkedToUser=Payments not linked to any user Profit=Profit @@ -77,7 +78,7 @@ MenuNewSocialContribution=New social/fiscal tax NewSocialContribution=New social/fiscal tax AddSocialContribution=Add social/fiscal tax ContributionsToPay=Social/fiscal taxes to pay -AccountancyTreasuryArea=Accountancy/Treasury area +AccountancyTreasuryArea=Billing and payment area NewPayment=New payment Payments=Payments PaymentCustomerInvoice=Customer invoice payment @@ -105,6 +106,7 @@ VATPayment=Sales tax payment VATPayments=Sales tax payments VATRefund=Sales tax refund NewVATPayment=New sales tax payment +NewLocalTaxPayment=New tax %s payment Refund=Refund SocialContributionsPayments=Social/fiscal taxes payments ShowVatPayment=Show VAT payment @@ -116,8 +118,9 @@ CustomerAccountancyCodeShort=Cust. account. code SupplierAccountancyCodeShort=Sup. account. code AccountNumber=Account number NewAccountingAccount=New account -SalesTurnover=Sales turnover -SalesTurnoverMinimum=Minimum sales turnover +Turnover=Turnover invoiced +TurnoverCollected=Turnover collected +SalesTurnoverMinimum=Minimum turnover ByExpenseIncome=By expenses & incomes ByThirdParties=제 3 자에 의한 ByUserAuthorOfInvoice=By invoice author @@ -137,8 +140,8 @@ 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=Mode %sClaims-Debts%s said Commitment accounting. -CalcModeEngagement=Mode %sIncomes-Expenses%s said cash accounting +CalcModeDebt=Analysis of known recorded invoices 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 CalcModeLT1Debt=Mode %sRE on customer invoices%s @@ -151,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 report %sIncomes-Expenses%s said cash accounting for a calculation on actual payments made -SeeReportInDueDebtMode=See report %sClaims-Debts%s said commitment accounting for a calculation on issued invoices -SeeReportInBookkeepingMode=See report %sBookeeping%s for a calculation on bookkeeping table analysis +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 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 validation date of invoices and VAT and on the due date for expenses. 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. @@ -218,8 +221,8 @@ 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 supplier, choose appropriate method to apply same calculation rule and get same result expected by your supplier. -TurnoverPerProductInCommitmentAccountingNotRelevant=The Turnover report per product, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). -TurnoverPerSaleTaxRateInCommitmentAccountingNotRelevant=The Turnover report per sale tax rate, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). +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. CalculationMode=Calculation mode AccountancyJournal=Accounting code journal ACCOUNTING_VAT_SOLD_ACCOUNT=Accounting account by default for VAT on sales (used if not defined on VAT dictionary setup) @@ -251,5 +254,6 @@ VATDue=Sale tax claimed ClaimedForThisPeriod=Claimed for the period PaidDuringThisPeriod=Paid during this period ByVatRate=By sale tax rate -TurnoverbyVatrate=Turnover by sale tax rate +TurnoverbyVatrate=Turnover invoiced by sale tax rate +TurnoverCollectedbyVatrate=Turnover collected by sale tax rate PurchasebyVatrate=Purchase by sale tax rate diff --git a/htdocs/langs/ko_KR/install.lang b/htdocs/langs/ko_KR/install.lang index a30e01ff2ad2d..f93d9e9c28a80 100644 --- a/htdocs/langs/ko_KR/install.lang +++ b/htdocs/langs/ko_KR/install.lang @@ -204,3 +204,7 @@ MigrationResetBlockedLog=Reset module BlockedLog for v7 algorithm ShowNotAvailableOptions=Show not available options HideNotAvailableOptions=Hide not available options ErrorFoundDuringMigration=Error were reported during migration process so next step is not available. To ignore errors, you can click here, but application or some features may not work correctly until fixed. +YouTryInstallDisabledByDirLock=The application try to sefl upgrade, but install/upgrade pages have been disabled for security reason (directory renamed with .lock suffix).
+YouTryInstallDisabledByFileLock=The application try to sefl upgrade, but install/upgrade pages pages have been disabled for security reason (by lock file install.lock into dolibarr documents directory).
+ClickHereToGoToApp=Click here to go to your application +ClickOnLinkOrRemoveManualy=Click on following link and if you always reach this page, you must remove the file install.lock into documents directory manually diff --git a/htdocs/langs/ko_KR/main.lang b/htdocs/langs/ko_KR/main.lang index 669d5e87b7577..8f4c9c66cda61 100644 --- a/htdocs/langs/ko_KR/main.lang +++ b/htdocs/langs/ko_KR/main.lang @@ -507,6 +507,7 @@ NoneF=없음 NoneOrSeveral=없음 또는 여러 개 Late=늦은 LateDesc=레코드가 늦었는지 아닌지를 정의하는 지연은 설정에 따라 다릅니다. 관리자에게 홈 - 셋업 - 경고 메뉴에서 지연을 변경하도록 요청하십시오. +NoItemLate=No late item Photo=사진 Photos=사진 AddPhoto=사진 추가 @@ -945,3 +946,5 @@ KeyboardShortcut=Keyboard shortcut AssignedTo=Assigned to Deletedraft=Delete draft ConfirmMassDraftDeletion=Draft Bulk delete confirmation +FileSharedViaALink=File shared via a link + diff --git a/htdocs/langs/ko_KR/modulebuilder.lang b/htdocs/langs/ko_KR/modulebuilder.lang index a3fee23cb53b5..9d6661eda41d6 100644 --- a/htdocs/langs/ko_KR/modulebuilder.lang +++ b/htdocs/langs/ko_KR/modulebuilder.lang @@ -74,6 +74,7 @@ NoWidget=No widget GoToApiExplorer=Go to API explorer ListOfMenusEntries=List of menu entries ListOfPermissionsDefined=List of defined permissions +SeeExamples=See examples here EnabledDesc=Condition to have this field active (Examples: 1 or $conf->global->MYMODULE_MYOPTION) VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only. Using a negative value means field is not shown by default on list but can be selected for viewing) IsAMeasureDesc=Can the value of field be cumulated to get a total into list ? (Examples: 1 or 0) @@ -95,3 +96,6 @@ DropTableIfEmpty=(Delete table if empty) TableDoesNotExists=The table %s does not exists TableDropped=Table %s deleted InitStructureFromExistingTable=Build the structure array string of an existing table +UseAboutPage=Disallow the about page +UseDocFolder=Disallow the documentation folder +UseSpecificReadme=Use a specific ReadMe diff --git a/htdocs/langs/ko_KR/other.lang b/htdocs/langs/ko_KR/other.lang index a5fc0d2bb8994..03852604b66d6 100644 --- a/htdocs/langs/ko_KR/other.lang +++ b/htdocs/langs/ko_KR/other.lang @@ -80,8 +80,8 @@ LinkedObject=Linked object NbOfActiveNotifications=Number of notifications (nb of recipient emails) PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe two lines are separated by a carriage return.\n\n__USER_SIGNATURE__ PredefinedMailTestHtml=__(Hello)__\nThis is a test mail (the word test must be in bold).
The two lines are separated by a carriage return.

__USER_SIGNATURE__ -PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\nThis is the link to make your online payment if this invoice is not already payed:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\nThis is the link to make your online payment:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendProposal=__(Hello)__\n\nYou will find here the commercial proposal __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendSupplierProposal=__(Hello)__\n\nYou will find here the price request __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendOrder=__(Hello)__\n\nYou will find here the order __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ @@ -91,6 +91,7 @@ PredefinedMailContentSendShipping=__(Hello)__\n\nYou will find here the shipping PredefinedMailContentSendFichInter=__(Hello)__\n\nYou will find here the intervention __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentThirdparty=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentUser=__(Hello)__\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 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) @@ -218,7 +219,7 @@ 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 +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 diff --git a/htdocs/langs/ko_KR/paypal.lang b/htdocs/langs/ko_KR/paypal.lang index 600245dc658a1..68c5b0aefa1b8 100644 --- a/htdocs/langs/ko_KR/paypal.lang +++ b/htdocs/langs/ko_KR/paypal.lang @@ -14,7 +14,6 @@ PaypalModeOnlyPaypal=PayPal only ONLINE_PAYMENT_CSS_URL=Optionnal URL of CSS style sheet on online payment page ThisIsTransactionId=This is id of transaction: %s PAYPAL_ADD_PAYMENT_URL=Add the url of Paypal payment when you send a document by mail -PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.

%s

YouAreCurrentlyInSandboxMode=You are currently in the %s "sandbox" mode NewOnlinePaymentReceived=New online payment received NewOnlinePaymentFailed=New online payment tried but failed diff --git a/htdocs/langs/ko_KR/products.lang b/htdocs/langs/ko_KR/products.lang index 215653bd98864..e4be4f00f834e 100644 --- a/htdocs/langs/ko_KR/products.lang +++ b/htdocs/langs/ko_KR/products.lang @@ -251,8 +251,8 @@ PriceNumeric=번호 DefaultPrice=Default price ComposedProductIncDecStock=Increase/Decrease stock on parent change ComposedProduct=Sub-product -MinSupplierPrice=Minimum supplier price -MinCustomerPrice=Minimum customer price +MinSupplierPrice=Minimum buying price +MinCustomerPrice=Minimum selling price DynamicPriceConfiguration=Dynamic price configuration DynamicPriceDesc=On product card, with this module enabled, you should be able to set mathematic functions to calculate Customer or Supplier prices. Such function can use all mathematic operators, some constants and variables. You can set here the variables you want to be able to use and if the variable need an automatic update, the external URL to use to ask Dolibarr to update automaticaly the value. AddVariable=Add Variable diff --git a/htdocs/langs/ko_KR/propal.lang b/htdocs/langs/ko_KR/propal.lang index dd4551476f137..b97f48eaecd27 100644 --- a/htdocs/langs/ko_KR/propal.lang +++ b/htdocs/langs/ko_KR/propal.lang @@ -75,6 +75,7 @@ AvailabilityTypeAV_1M=1 month TypeContact_propal_internal_SALESREPFOLL=Representative following-up proposal TypeContact_propal_external_BILLING=Customer invoice contact TypeContact_propal_external_CUSTOMER=Customer contact following-up proposal +TypeContact_propal_external_SHIPPING=Customer contact for delivery # Document models DocModelAzurDescription=A complete proposal model (logo...) DefaultModelPropalCreate=Default model creation diff --git a/htdocs/langs/ko_KR/sendings.lang b/htdocs/langs/ko_KR/sendings.lang index 43109d4221838..4e93452e86b11 100644 --- a/htdocs/langs/ko_KR/sendings.lang +++ b/htdocs/langs/ko_KR/sendings.lang @@ -52,8 +52,8 @@ ActionsOnShipping=Events on shipment LinkToTrackYourPackage=Link to track your package ShipmentCreationIsDoneFromOrder=For the moment, creation of a new shipment is done from the order card. ShipmentLine=Shipment line -ProductQtyInCustomersOrdersRunning=Product quantity into open customers orders -ProductQtyInSuppliersOrdersRunning=Product quantity into open suppliers orders +ProductQtyInCustomersOrdersRunning=Product quantity into open customer orders +ProductQtyInSuppliersOrdersRunning=Product quantity into open purchase orders ProductQtyInShipmentAlreadySent=Product quantity from open customer order already sent ProductQtyInSuppliersShipmentAlreadyRecevied=Product quantity from open supplier order already received NoProductToShipFoundIntoStock=No product to ship found into warehouse %s. Correct stock or go back to choose another warehouse. diff --git a/htdocs/langs/ko_KR/stocks.lang b/htdocs/langs/ko_KR/stocks.lang index 3572445be1ca2..4d853b37538cb 100644 --- a/htdocs/langs/ko_KR/stocks.lang +++ b/htdocs/langs/ko_KR/stocks.lang @@ -67,7 +67,7 @@ DeStockOnValidateOrder=Decrease real stocks on customers orders validation DeStockOnShipment=Decrease real stocks on shipping validation DeStockOnShipmentOnClosing=Decrease real stocks on shipping classification closed ReStockOnBill=Increase real stocks on suppliers invoices/credit notes validation -ReStockOnValidateOrder=Increase real stocks on suppliers orders approbation +ReStockOnValidateOrder=Increase real stocks on purchase orders approbation ReStockOnDispatchOrder=Increase real stocks on manual dispatching into warehouses, after supplier order receipt of goods 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 @@ -203,4 +203,4 @@ RegulateStock=Regulate Stock ListInventory=목록 StockSupportServices=Stock management support services StockSupportServicesDesc=By default, you can stock only product with type "product". If on, and if module service is on, you can also stock a product with type "service" -ReceiveProducts=Receive products +ReceiveProducts=Receive items diff --git a/htdocs/langs/ko_KR/users.lang b/htdocs/langs/ko_KR/users.lang index 8c9cf74becb7b..27af9811751ee 100644 --- a/htdocs/langs/ko_KR/users.lang +++ b/htdocs/langs/ko_KR/users.lang @@ -48,7 +48,7 @@ PasswordChangeRequest=Request to change password for %s PasswordChangeRequestSent=Request to change password for %s sent to %s. ConfirmPasswordReset=Confirm password reset MenuUsersAndGroups=Users & Groups -LastGroupsCreated=Latest %s created groups +LastGroupsCreated=Latest %s groups created LastUsersCreated=Latest %s users created ShowGroup=Show group ShowUser=Show user diff --git a/htdocs/langs/lo_LA/accountancy.lang b/htdocs/langs/lo_LA/accountancy.lang index 10363dfa2303e..2bbc5d2969aea 100644 --- a/htdocs/langs/lo_LA/accountancy.lang +++ b/htdocs/langs/lo_LA/accountancy.lang @@ -55,6 +55,7 @@ AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from m AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s AccountancyAreaDescVat=STEP %s: Define accounting accounts for each VAT Rates. For this, use the menu entry %s. +AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. AccountancyAreaDescExpenseReport=STEP %s: Define default accounting accounts for each type of expense report. For this, use the menu entry %s. AccountancyAreaDescSal=STEP %s: Define default accounting accounts for payment of salaries. For this, use the menu entry %s. AccountancyAreaDescContrib=STEP %s: Define default accounting accounts for special expences (miscellaneous taxes). For this, use the menu entry %s. @@ -131,6 +132,7 @@ ACCOUNTING_LENGTH_GACCOUNT=Length of the general accounting accounts (If you set 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 zero at the end of an accounting account. Needed by some countries (like switzerland). If keep to off (default), you can set the 2 following parameters to ask application to add virtual zero. BANK_DISABLE_DIRECT_INPUT=Disable direct recording of transaction in bank account +ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Enable draft export on journal ACCOUNTING_SELL_JOURNAL=Sell journal ACCOUNTING_PURCHASE_JOURNAL=Purchase journal diff --git a/htdocs/langs/lo_LA/admin.lang b/htdocs/langs/lo_LA/admin.lang index 5f141946547d1..e64fb7c41b514 100644 --- a/htdocs/langs/lo_LA/admin.lang +++ b/htdocs/langs/lo_LA/admin.lang @@ -454,7 +454,7 @@ ModuleCompanyCodeDigitaria=Accounting code depends on third party code. The code Use3StepsApproval=By default, Purchase Orders need to be created and approved by 2 different users (one step/user to create and one step/user to approve. Note that if user has both permission to create and approve, one step/user will be enough). You can ask with this option to introduce a third step/user approval, if amount is higher than a dedicated value (so 3 steps will be necessary: 1=validation, 2=first approval and 3=second approval if amount is enough).
Set this to empty if one approval (2 steps) is enough, set it to a very low value (0.1) if a second approval (3 steps) is always required. UseDoubleApproval=Use a 3 steps approval when amount (without tax) is higher than... WarningPHPMail=WARNING: It is often better to setup outgoing emails to use the email server of your provider instead of the default setup. Some email providers (like Yahoo) does not allow you to send an email from another server than their own server. Your current setup use 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 a server of them, so few of your sent Emails may not be accepted (be carefull also to your email provider sending quota).
If your Email provider (like Yahoo) has this restriction, you must change Email setup to choose the other method "SMTP server" and enter the SMTP server and credentials provided by your Email provider (ask your EMail provider to get SMTP credentials for your account). -WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of your ERP CRM application: %s. +WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of the mail user agent (MUA) for your ERP CRM application: %s. ClickToShowDescription=Click to show description DependsOn=This module need the module(s) RequiredBy=This module is required by module(s) @@ -497,7 +497,7 @@ Module25Desc=Customer order management Module30Name=Invoices Module30Desc=Invoice and credit note management for customers. Invoice management for suppliers Module40Name=Suppliers -Module40Desc=Supplier management and buying (orders and invoices) +Module40Desc=Suppliers and purchase management (purchase orders and billing) Module42Name=Debug Logs Module42Desc=Logging facilities (file, syslog, ...). Such logs are for technical/debug purposes. Module49Name=Editors @@ -605,7 +605,7 @@ Module4000Desc=Human resources management (management of department, employee co Module5000Name=Multi-company Module5000Desc=Allows you to manage multiple companies Module6000Name=Workflow -Module6000Desc=Workflow management +Module6000Desc=Workflow management (automatic creation of object and/or automatic status change) Module10000Name=Websites Module10000Desc=Create public websites with a WYSIWG editor. Just setup your web server (Apache, Nginx, ...) to point to the dedicated Dolibarr directory to have it online on the Internet with your own domain name. Module20000Name=Leave Requests management @@ -891,7 +891,7 @@ DictionaryCivility=Personal and professional titles DictionaryActions=Types of agenda events DictionarySocialContributions=Social or fiscal taxes types DictionaryVAT=VAT Rates or Sales Tax Rates -DictionaryRevenueStamp=Amount of revenue stamps +DictionaryRevenueStamp=Amount of tax stamps DictionaryPaymentConditions=Payment terms DictionaryPaymentModes=Payment modes DictionaryTypeContact=Contact/Address types @@ -919,7 +919,7 @@ SetupSaved=Setup saved SetupNotSaved=Setup not saved BackToModuleList=Back to modules list BackToDictionaryList=Back to dictionaries list -TypeOfRevenueStamp=Type of revenue stamp +TypeOfRevenueStamp=Type of tax stamp VATManagement=VAT Management VATIsUsedDesc=By default when creating prospects, invoices, orders etc the VAT rate follows the active standard rule:
If the seller is not subjected to VAT, then VAT defaults to 0. End of rule.
If the (selling country= buying country), then the VAT by default equals the VAT of the product in the selling country. End of rule.
If seller and buyer are both in the European Community and goods are transport products (car, ship, plane), the default VAT is 0 ( The VAT should be paid by the buyer to the customoffice of his country and not to the seller). End of rule.
If seller and buyer are both in the European Community and the buyer is not a company, then the VAT by defaults to the VAT of the product sold. End of rule.
If seller and buyer are both in the European Community and the buyer is a company, then the VAT is 0 by default . End of rule.
In any othe case the proposed default is VAT=0. End of rule. VATIsNotUsedDesc=By default the proposed VAT is 0 which can be used for cases like associations, individuals ou small companies. @@ -1027,7 +1027,7 @@ Delays_MAIN_DELAY_ACTIONS_TODO=Delay tolerance (in days) before alert on planned Delays_MAIN_DELAY_PROJECT_TO_CLOSE=Delay tolerance (in days) before alert on project not closed in time Delays_MAIN_DELAY_TASKS_TODO=Delay tolerance (in days) before alert on planned tasks (project tasks) not completed yet Delays_MAIN_DELAY_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on orders not processed yet -Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on suppliers orders not processed yet +Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on purchase orders not processed yet Delays_MAIN_DELAY_PROPALS_TO_CLOSE=Delay tolerance (in days) before alert on proposals to close Delays_MAIN_DELAY_PROPALS_TO_BILL=Delay tolerance (in days) before alert on proposals not billed Delays_MAIN_DELAY_NOT_ACTIVATED_SERVICES=Tolerance delay (in days) before alert on services to activate @@ -1458,7 +1458,7 @@ SyslogFilename=File name and path YouCanUseDOL_DATA_ROOT=You can use DOL_DATA_ROOT/dolibarr.log for a log file in Dolibarr "documents" directory. You can set a different path to store this file. ErrorUnknownSyslogConstant=Constant %s is not a known Syslog constant OnlyWindowsLOG_USER=Windows only supports LOG_USER -CompressSyslogs=Syslog files compression and backup +CompressSyslogs=Compression and backup of debug log files (generated by module Log for debug) SyslogFileNumberOfSaves=Log backups ConfigureCleaningCronjobToSetFrequencyOfSaves=Configure cleaning scheduled job to set log backup frequency ##### Donations ##### diff --git a/htdocs/langs/lo_LA/banks.lang b/htdocs/langs/lo_LA/banks.lang index 5209201d38fe3..82d0ee7cc07ea 100644 --- a/htdocs/langs/lo_LA/banks.lang +++ b/htdocs/langs/lo_LA/banks.lang @@ -1,12 +1,13 @@ # Dolibarr language file - Source file is en_US - banks Bank=ທະນາຄານ -MenuBankCash=ທະນາຄານ/ເງິນສົດ +MenuBankCash=Bank | Cash MenuVariousPayment=Miscellaneous payments MenuNewVariousPayment=New Miscellaneous payment BankName=ຊື່ທະນາຄານ FinancialAccount=ບັນຊີ BankAccount=ບັນຊີທະນາຄານ BankAccounts=Bank accounts +BankAccountsAndGateways=Bank accounts | Gateways ShowAccount=Show Account AccountRef=Financial account ref AccountLabel=Financial account label @@ -131,7 +132,7 @@ PaymentDateUpdateSucceeded=Payment date updated successfully PaymentDateUpdateFailed=Payment date could not be updated Transactions=Transactions BankTransactionLine=Bank entry -AllAccounts=All bank/cash accounts +AllAccounts=All bank and cash accounts BackToAccount=Back to account ShowAllAccounts=Show for all accounts FutureTransaction=Transaction in futur. No way to conciliate. @@ -159,5 +160,6 @@ VariousPayment=Miscellaneous payments VariousPayments=Miscellaneous payments ShowVariousPayment=Show miscellaneous payments AddVariousPayment=Add miscellaneous payments +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. Thanks to return it signed (scan of the signed document) or sent it by mail to diff --git a/htdocs/langs/lo_LA/bills.lang b/htdocs/langs/lo_LA/bills.lang index 2f029928beb64..f76ff018f9d77 100644 --- a/htdocs/langs/lo_LA/bills.lang +++ b/htdocs/langs/lo_LA/bills.lang @@ -110,8 +110,8 @@ SendRemindByMail=Send reminder by EMail DoPayment=Enter payment DoPaymentBack=Enter refund ConvertToReduc=Mark as credit available -ConvertExcessReceivedToReduc=Convert excess received into future discount -ConvertExcessPaidToReduc=Convert excess paid into future discount +ConvertExcessReceivedToReduc=Convert excess received into available credit +ConvertExcessPaidToReduc=Convert excess paid into available discount EnterPaymentReceivedFromCustomer=Enter payment received from customer EnterPaymentDueToCustomer=Make payment due to customer DisabledBecauseRemainderToPayIsZero=Disabled because remaining unpaid is zero @@ -282,6 +282,7 @@ RelativeDiscount=Relative discount GlobalDiscount=Global discount CreditNote=Credit note CreditNotes=Credit notes +CreditNotesOrExcessReceived=Credit notes or excess received Deposit=Down payment Deposits=Down payments DiscountFromCreditNote=Discount from credit note %s @@ -393,6 +394,7 @@ PaymentConditionShort14DENDMONTH=14 days of month-end PaymentCondition14DENDMONTH=Within 14 days following the end of the month FixAmount=Fix amount VarAmount=Variable amount (%% tot.) +VarAmountOneLine=Variable amount (%% tot.) - 1 line with label '%s' # PaymentType PaymentTypeVIR=Bank transfer PaymentTypeShortVIR=Bank transfer diff --git a/htdocs/langs/lo_LA/compta.lang b/htdocs/langs/lo_LA/compta.lang index 9794a0431fe2e..e393993830839 100644 --- a/htdocs/langs/lo_LA/compta.lang +++ b/htdocs/langs/lo_LA/compta.lang @@ -19,7 +19,8 @@ Income=Income Outcome=Expense MenuReportInOut=Income / Expense ReportInOut=Balance of income and expenses -ReportTurnover=Turnover +ReportTurnover=Turnover invoiced +ReportTurnoverCollected=Turnover collected PaymentsNotLinkedToInvoice=Payments not linked to any invoice, so not linked to any third party PaymentsNotLinkedToUser=Payments not linked to any user Profit=Profit @@ -77,7 +78,7 @@ MenuNewSocialContribution=New social/fiscal tax NewSocialContribution=New social/fiscal tax AddSocialContribution=Add social/fiscal tax ContributionsToPay=Social/fiscal taxes to pay -AccountancyTreasuryArea=Accountancy/Treasury area +AccountancyTreasuryArea=Billing and payment area NewPayment=New payment Payments=Payments PaymentCustomerInvoice=Customer invoice payment @@ -105,6 +106,7 @@ VATPayment=Sales tax payment VATPayments=Sales tax payments VATRefund=Sales tax refund NewVATPayment=New sales tax payment +NewLocalTaxPayment=New tax %s payment Refund=Refund SocialContributionsPayments=Social/fiscal taxes payments ShowVatPayment=Show VAT payment @@ -116,8 +118,9 @@ CustomerAccountancyCodeShort=Cust. account. code SupplierAccountancyCodeShort=Sup. account. code AccountNumber=Account number NewAccountingAccount=New account -SalesTurnover=Sales turnover -SalesTurnoverMinimum=Minimum sales turnover +Turnover=Turnover invoiced +TurnoverCollected=Turnover collected +SalesTurnoverMinimum=Minimum turnover ByExpenseIncome=By expenses & incomes ByThirdParties=By third parties ByUserAuthorOfInvoice=By invoice author @@ -137,8 +140,8 @@ 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=Mode %sClaims-Debts%s said Commitment accounting. -CalcModeEngagement=Mode %sIncomes-Expenses%s said cash accounting +CalcModeDebt=Analysis of known recorded invoices 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 CalcModeLT1Debt=Mode %sRE on customer invoices%s @@ -151,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 report %sIncomes-Expenses%s said cash accounting for a calculation on actual payments made -SeeReportInDueDebtMode=See report %sClaims-Debts%s said commitment accounting for a calculation on issued invoices -SeeReportInBookkeepingMode=See report %sBookeeping%s for a calculation on bookkeeping table analysis +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 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 validation date of invoices and VAT and on the due date for expenses. 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. @@ -218,8 +221,8 @@ 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 supplier, choose appropriate method to apply same calculation rule and get same result expected by your supplier. -TurnoverPerProductInCommitmentAccountingNotRelevant=The Turnover report per product, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). -TurnoverPerSaleTaxRateInCommitmentAccountingNotRelevant=The Turnover report per sale tax rate, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). +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. CalculationMode=Calculation mode AccountancyJournal=Accounting code journal ACCOUNTING_VAT_SOLD_ACCOUNT=Accounting account by default for VAT on sales (used if not defined on VAT dictionary setup) @@ -251,5 +254,6 @@ VATDue=Sale tax claimed ClaimedForThisPeriod=Claimed for the period PaidDuringThisPeriod=Paid during this period ByVatRate=By sale tax rate -TurnoverbyVatrate=Turnover by sale tax rate +TurnoverbyVatrate=Turnover invoiced by sale tax rate +TurnoverCollectedbyVatrate=Turnover collected by sale tax rate PurchasebyVatrate=Purchase by sale tax rate diff --git a/htdocs/langs/lo_LA/install.lang b/htdocs/langs/lo_LA/install.lang index 587d4f83da6c6..fb521c0c08565 100644 --- a/htdocs/langs/lo_LA/install.lang +++ b/htdocs/langs/lo_LA/install.lang @@ -204,3 +204,7 @@ MigrationResetBlockedLog=Reset module BlockedLog for v7 algorithm ShowNotAvailableOptions=Show not available options HideNotAvailableOptions=Hide not available options ErrorFoundDuringMigration=Error were reported during migration process so next step is not available. To ignore errors, you can click here, but application or some features may not work correctly until fixed. +YouTryInstallDisabledByDirLock=The application try to sefl upgrade, but install/upgrade pages have been disabled for security reason (directory renamed with .lock suffix).
+YouTryInstallDisabledByFileLock=The application try to sefl upgrade, but install/upgrade pages pages have been disabled for security reason (by lock file install.lock into dolibarr documents directory).
+ClickHereToGoToApp=Click here to go to your application +ClickOnLinkOrRemoveManualy=Click on following link and if you always reach this page, you must remove the file install.lock into documents directory manually diff --git a/htdocs/langs/lo_LA/main.lang b/htdocs/langs/lo_LA/main.lang index 15da1239d5a42..f456d3566c1c3 100644 --- a/htdocs/langs/lo_LA/main.lang +++ b/htdocs/langs/lo_LA/main.lang @@ -507,6 +507,7 @@ NoneF=None NoneOrSeveral=None or several Late=Late LateDesc=Delay to define if a record is late or not depends on your setup. Ask your admin to change delay from menu Home - Setup - Alerts. +NoItemLate=No late item Photo=Picture Photos=Pictures AddPhoto=Add picture @@ -945,3 +946,5 @@ KeyboardShortcut=Keyboard shortcut AssignedTo=Assigned to Deletedraft=Delete draft ConfirmMassDraftDeletion=Draft Bulk delete confirmation +FileSharedViaALink=File shared via a link + diff --git a/htdocs/langs/lo_LA/modulebuilder.lang b/htdocs/langs/lo_LA/modulebuilder.lang index a3fee23cb53b5..9d6661eda41d6 100644 --- a/htdocs/langs/lo_LA/modulebuilder.lang +++ b/htdocs/langs/lo_LA/modulebuilder.lang @@ -74,6 +74,7 @@ NoWidget=No widget GoToApiExplorer=Go to API explorer ListOfMenusEntries=List of menu entries ListOfPermissionsDefined=List of defined permissions +SeeExamples=See examples here EnabledDesc=Condition to have this field active (Examples: 1 or $conf->global->MYMODULE_MYOPTION) VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only. Using a negative value means field is not shown by default on list but can be selected for viewing) IsAMeasureDesc=Can the value of field be cumulated to get a total into list ? (Examples: 1 or 0) @@ -95,3 +96,6 @@ DropTableIfEmpty=(Delete table if empty) TableDoesNotExists=The table %s does not exists TableDropped=Table %s deleted InitStructureFromExistingTable=Build the structure array string of an existing table +UseAboutPage=Disallow the about page +UseDocFolder=Disallow the documentation folder +UseSpecificReadme=Use a specific ReadMe diff --git a/htdocs/langs/lo_LA/other.lang b/htdocs/langs/lo_LA/other.lang index 00858ef86e338..a37d00583346f 100644 --- a/htdocs/langs/lo_LA/other.lang +++ b/htdocs/langs/lo_LA/other.lang @@ -80,8 +80,8 @@ LinkedObject=Linked object NbOfActiveNotifications=Number of notifications (nb of recipient emails) PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe two lines are separated by a carriage return.\n\n__USER_SIGNATURE__ PredefinedMailTestHtml=__(Hello)__\nThis is a test mail (the word test must be in bold).
The two lines are separated by a carriage return.

__USER_SIGNATURE__ -PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\nThis is the link to make your online payment if this invoice is not already payed:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\nThis is the link to make your online payment:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendProposal=__(Hello)__\n\nYou will find here the commercial proposal __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendSupplierProposal=__(Hello)__\n\nYou will find here the price request __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendOrder=__(Hello)__\n\nYou will find here the order __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ @@ -91,6 +91,7 @@ PredefinedMailContentSendShipping=__(Hello)__\n\nYou will find here the shipping PredefinedMailContentSendFichInter=__(Hello)__\n\nYou will find here the intervention __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentThirdparty=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentUser=__(Hello)__\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 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) @@ -218,7 +219,7 @@ 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 +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 diff --git a/htdocs/langs/lo_LA/paypal.lang b/htdocs/langs/lo_LA/paypal.lang index 600245dc658a1..68c5b0aefa1b8 100644 --- a/htdocs/langs/lo_LA/paypal.lang +++ b/htdocs/langs/lo_LA/paypal.lang @@ -14,7 +14,6 @@ PaypalModeOnlyPaypal=PayPal only ONLINE_PAYMENT_CSS_URL=Optionnal URL of CSS style sheet on online payment page ThisIsTransactionId=This is id of transaction: %s PAYPAL_ADD_PAYMENT_URL=Add the url of Paypal payment when you send a document by mail -PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.

%s

YouAreCurrentlyInSandboxMode=You are currently in the %s "sandbox" mode NewOnlinePaymentReceived=New online payment received NewOnlinePaymentFailed=New online payment tried but failed diff --git a/htdocs/langs/lo_LA/products.lang b/htdocs/langs/lo_LA/products.lang index 22ae3802c6e09..67bb3eb999bd8 100644 --- a/htdocs/langs/lo_LA/products.lang +++ b/htdocs/langs/lo_LA/products.lang @@ -251,8 +251,8 @@ PriceNumeric=Number DefaultPrice=Default price ComposedProductIncDecStock=Increase/Decrease stock on parent change ComposedProduct=Sub-product -MinSupplierPrice=Minimum supplier price -MinCustomerPrice=Minimum customer price +MinSupplierPrice=Minimum buying price +MinCustomerPrice=Minimum selling price DynamicPriceConfiguration=Dynamic price configuration DynamicPriceDesc=On product card, with this module enabled, you should be able to set mathematic functions to calculate Customer or Supplier prices. Such function can use all mathematic operators, some constants and variables. You can set here the variables you want to be able to use and if the variable need an automatic update, the external URL to use to ask Dolibarr to update automaticaly the value. AddVariable=Add Variable diff --git a/htdocs/langs/lo_LA/propal.lang b/htdocs/langs/lo_LA/propal.lang index 04941e4c650f3..8cf3a68167ae6 100644 --- a/htdocs/langs/lo_LA/propal.lang +++ b/htdocs/langs/lo_LA/propal.lang @@ -75,6 +75,7 @@ AvailabilityTypeAV_1M=1 month TypeContact_propal_internal_SALESREPFOLL=Representative following-up proposal TypeContact_propal_external_BILLING=Customer invoice contact TypeContact_propal_external_CUSTOMER=Customer contact following-up proposal +TypeContact_propal_external_SHIPPING=Customer contact for delivery # Document models DocModelAzurDescription=A complete proposal model (logo...) DefaultModelPropalCreate=Default model creation diff --git a/htdocs/langs/lo_LA/sendings.lang b/htdocs/langs/lo_LA/sendings.lang index 5091bfe950dcd..3b3850e44edab 100644 --- a/htdocs/langs/lo_LA/sendings.lang +++ b/htdocs/langs/lo_LA/sendings.lang @@ -52,8 +52,8 @@ ActionsOnShipping=Events on shipment LinkToTrackYourPackage=Link to track your package ShipmentCreationIsDoneFromOrder=For the moment, creation of a new shipment is done from the order card. ShipmentLine=Shipment line -ProductQtyInCustomersOrdersRunning=Product quantity into open customers orders -ProductQtyInSuppliersOrdersRunning=Product quantity into open suppliers orders +ProductQtyInCustomersOrdersRunning=Product quantity into open customer orders +ProductQtyInSuppliersOrdersRunning=Product quantity into open purchase orders ProductQtyInShipmentAlreadySent=Product quantity from open customer order already sent ProductQtyInSuppliersShipmentAlreadyRecevied=Product quantity from open supplier order already received NoProductToShipFoundIntoStock=No product to ship found into warehouse %s. Correct stock or go back to choose another warehouse. diff --git a/htdocs/langs/lo_LA/stocks.lang b/htdocs/langs/lo_LA/stocks.lang index fa4a68e8fa4d1..06c23bab4745e 100644 --- a/htdocs/langs/lo_LA/stocks.lang +++ b/htdocs/langs/lo_LA/stocks.lang @@ -67,7 +67,7 @@ DeStockOnValidateOrder=Decrease real stocks on customers orders validation DeStockOnShipment=Decrease real stocks on shipping validation DeStockOnShipmentOnClosing=Decrease real stocks on shipping classification closed ReStockOnBill=Increase real stocks on suppliers invoices/credit notes validation -ReStockOnValidateOrder=Increase real stocks on suppliers orders approbation +ReStockOnValidateOrder=Increase real stocks on purchase orders approbation ReStockOnDispatchOrder=Increase real stocks on manual dispatching into warehouses, after supplier order receipt of goods 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 @@ -203,4 +203,4 @@ RegulateStock=Regulate Stock ListInventory=ລາຍການ StockSupportServices=Stock management support services StockSupportServicesDesc=By default, you can stock only product with type "product". If on, and if module service is on, you can also stock a product with type "service" -ReceiveProducts=Receive products +ReceiveProducts=Receive items diff --git a/htdocs/langs/lo_LA/users.lang b/htdocs/langs/lo_LA/users.lang index dc9bce6bac9df..680f4706dee25 100644 --- a/htdocs/langs/lo_LA/users.lang +++ b/htdocs/langs/lo_LA/users.lang @@ -48,7 +48,7 @@ PasswordChangeRequest=Request to change password for %s PasswordChangeRequestSent=Request to change password for %s sent to %s. ConfirmPasswordReset=Confirm password reset MenuUsersAndGroups=Users & Groups -LastGroupsCreated=Latest %s created groups +LastGroupsCreated=Latest %s groups created LastUsersCreated=Latest %s users created ShowGroup=ສະແດງກຸ່ມ ShowUser=ສະແດງຜູ້ນຳໃຊ້ diff --git a/htdocs/langs/lt_LT/accountancy.lang b/htdocs/langs/lt_LT/accountancy.lang index 804d9907a5a98..f00e01c0fb3fd 100644 --- a/htdocs/langs/lt_LT/accountancy.lang +++ b/htdocs/langs/lt_LT/accountancy.lang @@ -9,112 +9,113 @@ ACCOUNTING_EXPORT_AMOUNT=Eksporto suma ACCOUNTING_EXPORT_DEVISE=Eksporto valiuta Selectformat=Select the format for the file ACCOUNTING_EXPORT_FORMAT=Select the format for the file -ACCOUNTING_EXPORT_ENDLINE=Select the carriage return type +ACCOUNTING_EXPORT_ENDLINE=Pasirinkite vežimėlio grąžinimo tipą ACCOUNTING_EXPORT_PREFIX_SPEC=Specify the prefix for the file name -ThisService=This service -ThisProduct=This product -DefaultForService=Default for service -DefaultForProduct=Default for product -CantSuggest=Can't suggest -AccountancySetupDoneFromAccountancyMenu=Most setup of the accountancy is done from the menu %s +ThisService=Ši paslauga +ThisProduct=Ši prekė +DefaultForService=Numatyta paslauga +DefaultForProduct=Numatyta prekė +CantSuggest=Pasiūlyti negalima +AccountancySetupDoneFromAccountancyMenu=Dauguma apskaitos nustatymo atliekama iš meniu %s ConfigAccountingExpert=Apskaitos eksperto modulio konfigūracija -Journalization=Journalization +Journalization=Įvestis Journaux=Žurnalai JournalFinancial=Finansiniai žurnalai BackToChartofaccounts=Grįžti į sąskaitų planą Chartofaccounts=Sąskaitų planas -CurrentDedicatedAccountingAccount=Current dedicated account -AssignDedicatedAccountingAccount=New account to assign -InvoiceLabel=Invoice label -OverviewOfAmountOfLinesNotBound=Overview of amount of lines not bound to an accounting account -OverviewOfAmountOfLinesBound=Overview of amount of lines already bound to an accounting account -OtherInfo=Other information -DeleteCptCategory=Remove accounting account from group -ConfirmDeleteCptCategory=Are you sure you want to remove this accounting account from the accounting account group ? -JournalizationInLedgerStatus=Status of journalization -AlreadyInGeneralLedger=Already journalized in ledgers -NotYetInGeneralLedger=Not yet journalized in ledgers -GroupIsEmptyCheckSetup=Group is empty, check setup of the personalized accounting group -DetailByAccount=Show detail by account -AccountWithNonZeroValues=Accounts with non zero values -ListOfAccounts=List of accounts +CurrentDedicatedAccountingAccount=Dabartinė paskyra +AssignDedicatedAccountingAccount=Nauja paskyra priskirimui +InvoiceLabel=Sąskaitos žymė +OverviewOfAmountOfLinesNotBound=Eilučių apžvalga, kurios nėra priskirtos apskaitos sąskaitai +OverviewOfAmountOfLinesBound=Eilučių apžvalga, kurios jau įtrauktos į apskaitos sąskaitą +OtherInfo=Kita informacija +DeleteCptCategory=Pašalinti apskaitos sąskaitą iš grupės +ConfirmDeleteCptCategory=Ar tikrai norite pašalinti šią apskaitos sąskaitą iš apskaitos grupės? +JournalizationInLedgerStatus=Įvesties būklė +AlreadyInGeneralLedger=Jau įvesta didžiojoje knygoje +NotYetInGeneralLedger=Dar nėra įvesta didžiojoje knygoje +GroupIsEmptyCheckSetup=Grupė yra tuščia, patikrinkite individualizuotos apskaitos grupės nustatymus +DetailByAccount=Rodyti išsamią informaciją pagal apskaitos sąskaitą +AccountWithNonZeroValues=Apskaitos sąskaitos su nulinėmis vertėmis +ListOfAccounts=Apskaitos sąskaitų sąrašas -MainAccountForCustomersNotDefined=Main accounting account for customers not defined in setup -MainAccountForSuppliersNotDefined=Main accounting account for vendors not defined in setup -MainAccountForUsersNotDefined=Main accounting account for users not defined in setup -MainAccountForVatPaymentNotDefined=Main accounting account for VAT payment not defined in setup +MainAccountForCustomersNotDefined=Pagrindinė apskaitos sąskaita klientams, kurie nenustatyti sąrankos metu +MainAccountForSuppliersNotDefined=Pagrindinė apskaitos sąskaita tiekėjams, kurie nenustatyti sąrankos metu +MainAccountForUsersNotDefined=Pagrindinė apskaitos sąskaita naudotojams, kurie nenustatyti sąrankos metu +MainAccountForVatPaymentNotDefined=Pagrindinė apskaitos sąskaita PVM mokėjimui, kuri nėra nustatyta sąrankos metu -AccountancyArea=Accounting area -AccountancyAreaDescIntro=Usage of the accountancy module is done in several step: -AccountancyAreaDescActionOnce=The following actions are usually executed one time only, or once per year... -AccountancyAreaDescActionOnceBis=Next steps should be done to save you time in future by suggesting you the correct default accounting account when making the journalization (writing record in Journals and General ledger) +AccountancyArea=Apskaitos sritis +AccountancyAreaDescIntro=Apskaitos modulio naudojimas atliekamas keliais etapais: +AccountancyAreaDescActionOnce=Šie veiksmai paprastai atliekami vieną kartą arba kartą per metus ... +AccountancyAreaDescActionOnceBis=Kad ateityje sutaupytumėte laiko, turėtumėte atlikti tolesnius veiksmus, nurodydami teisingą numatytąją apskaitos paskyrą atliekant įvestį (rašydami įrašus žurnaluose ir pagrindinėje knygoje) AccountancyAreaDescActionFreq=The following actions are usually executed every month, week or day for very large companies... -AccountancyAreaDescJournalSetup=STEP %s: Create or check content of your journal list from menu %s -AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from menu %s -AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s +AccountancyAreaDescJournalSetup=ŽINGSNIS %s: Sukurkite arba patikrinkite savo žurnalo turinį iš meniu %s +AccountancyAreaDescChartModel=ŽINGSNIS %s: sukurkite sąskaitų plano modelį iš meniu %s +AccountancyAreaDescChart=ŽINGSNIS %s: sukurkite arba patikrinkite savo sąskaitų planą iš meniu %s -AccountancyAreaDescVat=STEP %s: Define accounting accounts for each VAT Rates. For this, use the menu entry %s. -AccountancyAreaDescExpenseReport=STEP %s: Define default accounting accounts for each type of expense report. For this, use the menu entry %s. -AccountancyAreaDescSal=STEP %s: Define default accounting accounts for payment of salaries. For this, use the menu entry %s. -AccountancyAreaDescContrib=STEP %s: Define default accounting accounts for special expences (miscellaneous taxes). For this, use the menu entry %s. -AccountancyAreaDescDonation=STEP %s: Define default accounting accounts for donation. For this, use the menu entry %s. -AccountancyAreaDescMisc=STEP %s: Define mandatory default account and default accounting accounts for miscellaneous transactions. For this, use the menu entry %s. -AccountancyAreaDescLoan=STEP %s: Define default accounting accounts for loans. For this, use the menu entry %s. -AccountancyAreaDescBank=STEP %s: Define accounting accounts and journal code for each bank and financial accounts. For this, use the menu entry %s. -AccountancyAreaDescProd=STEP %s: Define accounting accounts on your products/services. For this, use the menu entry %s. +AccountancyAreaDescVat=ŽINGSNIS %s: nustatykite kiekvieno PVM tarifo apskaitos sąskaitas. Tam naudokite meniu punktą %s. +AccountancyAreaDescDefault=ŽINGSNIS %s: nustatykite numatytąsias apskaitos sąskaitas. Tam naudokite meniu punktą %s. +AccountancyAreaDescExpenseReport=ŽINGSNIS %s: nustatykite numatytąsias apskaitos sąskaitas kiekvienai išlaidų ataskaitos rūšiai. Tam naudokite meniu punktą %s. +AccountancyAreaDescSal=ŽINGSNIS %s: nustatykite numatytąsias apskaitos sąskaitas atlyginimų mokėjimams. Tam naudokite meniu punktą %s. +AccountancyAreaDescContrib=ŽINGSNIS %s: nustatykite numatytąsis apskaitos sąskaitas specialioms išlaidoms (įvairiems mokesčiams). Tam naudokite meniu punktą %s. +AccountancyAreaDescDonation=ŽINGSNIS %s: nustatykite numatytąsias aukojimo / paramos apskaitos sąskaitas. Tam naudokite meniu punktą %s. +AccountancyAreaDescMisc=ŽINGSNIS %s: nustatykite privalomą numatytąją sąskaitą ir numatytąsias apskaitos sąskaitas įvairiems sandoriams. Tam naudokite meniu punktą %s. +AccountancyAreaDescLoan=ŽINGSNIS %s: nustatykite numatytąsias paskolų apskaitos sąskaitas. Tam naudokite meniu punktą %s. +AccountancyAreaDescBank=ŽINGSNIS %s: nustatykite kiekvieno banko ir finansinių sąskaitų apskaitos sąskaitas ir žurnalo kodus. Tam naudokite meniu punktą %s. +AccountancyAreaDescProd=ŽINGSNIS %s: nustatykite savo prekių / paslaugų apskaitos sąskaitas. Tam naudokite meniu punktą %s. -AccountancyAreaDescBind=STEP %s: Check the binding between existing %s lines and accounting account is done, so application will be able to journalize transactions in Ledger in one click. Complete missing bindings. For this, use the menu entry %s. -AccountancyAreaDescWriteRecords=STEP %s: Write transactions into the Ledger. For this, go into menu %s, and click into button %s. -AccountancyAreaDescAnalyze=STEP %s: Add or edit existing transactions and generate reports and exports. +AccountancyAreaDescBind=ŽINGSNIS %s: patikrinkite, ar esamos %s eilutės ir apskaitos sąskaitos yra susietos, tuomet programa galės vienu paspaudimu įvesti operacijas didžiojoje knygoje. Užbaikite trūkstamus susiejimus. Tam naudokite meniu punktą %s. +AccountancyAreaDescWriteRecords=ŽINGSNIS%s: rašykite sandorius į didžiąją knygą. Norėdami tai padaryti, eikite į meniu %s ir spustelėkite mygtuką %s . +AccountancyAreaDescAnalyze=ŽINGSNIS %s: pridėkite arba redaguokite esamus įvestis ir generuokite ataskaitas bei eksportavimą. -AccountancyAreaDescClosePeriod=STEP %s: Close period so we can't make modification in a future. +AccountancyAreaDescClosePeriod=ŽINGSNIS %s: uždarytas laikotarpis, todėl ateityje negalėsime keisti. -TheJournalCodeIsNotDefinedOnSomeBankAccount=A mandatory step in setup was not complete (accounting code journal not defined for all bank accounts) +TheJournalCodeIsNotDefinedOnSomeBankAccount=Privalomas žingsnis nebuvo baigtas (apskaitos kodo žurnalas nenustatytas visoms banko sąskaitoms). Selectchartofaccounts=Pasirinkite aktyvia sąskaitų planą -ChangeAndLoad=Change and load +ChangeAndLoad=Pakeiskite ir įkelkite Addanaccount=Pridėti apskaitos sąskaitą AccountAccounting=Apskaitos sąskaita AccountAccountingShort=Sąskaita -SubledgerAccount=Subledger Account -ShowAccountingAccount=Show accounting account -ShowAccountingJournal=Show accounting journal +SubledgerAccount=Pagalbinė knygos sąskaita +ShowAccountingAccount=Rodyti apskaitos sąskaitą +ShowAccountingJournal=Rodyti apskaitos žurnalą AccountAccountingSuggest=Siūloma apskaitos sąskaita -MenuDefaultAccounts=Default accounts +MenuDefaultAccounts=Numatytosios sąskaitos MenuBankAccounts=Banko sąskaitos -MenuVatAccounts=Vat accounts -MenuTaxAccounts=Tax accounts -MenuExpenseReportAccounts=Expense report accounts -MenuLoanAccounts=Loan accounts -MenuProductsAccounts=Product accounts -ProductsBinding=Products accounts -Ventilation=Binding to accounts -CustomersVentilation=Customer invoice binding -SuppliersVentilation=Vendor invoice binding -ExpenseReportsVentilation=Expense report binding -CreateMvts=Create new transaction -UpdateMvts=Modification of a transaction -ValidTransaction=Validate transaction -WriteBookKeeping=Journalize transactions in Ledger -Bookkeeping=Ledger -AccountBalance=Account balance -ObjectsRef=Source object ref +MenuVatAccounts=PVM sąskaitos +MenuTaxAccounts=Mokesčių sąskaitos +MenuExpenseReportAccounts=Išlaidų ataskaitos sąskaitos +MenuLoanAccounts=Paskolų sąskaitos +MenuProductsAccounts=Prekės sąskaitos +ProductsBinding=Prekių sąskaitos +Ventilation=Sąskaitų apvadas +CustomersVentilation=Kliento sąskaita apvadas +SuppliersVentilation=Tiekėjo sąskaitos apvadas +ExpenseReportsVentilation=Išlaidų ataskaita apvadas +CreateMvts=Sukurkite naują sandorį +UpdateMvts=Sandorio keitimas +ValidTransaction=Patikrinti sandorį +WriteBookKeeping=Įveskite sandorius Didžiojoje knygoje +Bookkeeping=Didžioji knyga +AccountBalance=Sąskaitos balansas +ObjectsRef=Šaltinio objekto nuoroda CAHTF=Total purchase supplier before tax -TotalExpenseReport=Total expense report -InvoiceLines=Lines of invoices to bind -InvoiceLinesDone=Bound lines of invoices -ExpenseReportLines=Lines of expense reports to bind -ExpenseReportLinesDone=Bound lines of expense reports -IntoAccount=Bind line with the accounting account +TotalExpenseReport=Bendra išlaidų ataskaita +InvoiceLines=Sąskaitų faktūrų eilutės, kurias reikia priskirti +InvoiceLinesDone=Priskirtos sąskaitų faktūrų eilutės +ExpenseReportLines=Išlaidų ataskaitų eilutės, kurias reikia priskirti +ExpenseReportLinesDone=Priskirtos išlaidų ataskaitų eilutės +IntoAccount=Priskirta eilutė su apskaitos sąskaita -Ventilate=Bind -LineId=Id line +Ventilate=Priskirti +LineId=Eilutės ID Processing=Apdorojimas EndProcessing=Apdorojimas nutrauktas SelectedLines=Pasirinktos eilutės Lineofinvoice=Sąskaitos-faktūros eilutė -LineOfExpenseReport=Line of expense report +LineOfExpenseReport=Išlaidų ataskaitos eilutė NoAccountSelected=No accounting account selected VentilatedinAccount=Binded successfully to the accounting account NotVentilatedinAccount=Not bound to the accounting account @@ -130,14 +131,15 @@ ACCOUNTING_LENGTH_DESCRIPTION_ACCOUNT=Truncate product & services account descri 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 zero at the end of an accounting account. Needed by some countries (like switzerland). If keep to off (default), you can set the 2 following parameters to ask application to add virtual zero. -BANK_DISABLE_DIRECT_INPUT=Disable direct recording of transaction in bank account +BANK_DISABLE_DIRECT_INPUT=Išjungti tiesioginį sandorio įrašymą banko sąskaitoje +ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Įgalinti eksporto projektą žurnale ACCOUNTING_SELL_JOURNAL=Pardavimų žurnalas ACCOUNTING_PURCHASE_JOURNAL=Pirkimų žurnalas ACCOUNTING_MISCELLANEOUS_JOURNAL=Įvairiarūšis žurnalas ACCOUNTING_EXPENSEREPORT_JOURNAL=Expense report journal ACCOUNTING_SOCIAL_JOURNAL=Socialinis žurnalas -ACCOUNTING_HAS_NEW_JOURNAL=Has new Journal +ACCOUNTING_HAS_NEW_JOURNAL=Turi naują žurnalą ACCOUNTING_ACCOUNT_TRANSFER_CASH=Accounting account of transfer ACCOUNTING_ACCOUNT_SUSPENSE=Accounting account of wait @@ -167,18 +169,18 @@ ByYear=Pagal metus NotMatch=Not Set DeleteMvt=Delete Ledger lines DelYear=Year to delete -DelJournal=Journal to delete -ConfirmDeleteMvt=This will delete all lines of the Ledger for year and/or from a specific journal. At least one criteria is required. +DelJournal=Žurnalas, kurį norite ištrinti +ConfirmDeleteMvt=Tai pašalins visas didžiosios knygos eilutes metuose ir (arba) konkrečiame žurnale. Bent vienas kriterijus reikalingas. ConfirmDeleteMvtPartial=This will delete the transaction from the Ledger (all lines related to same transaction will be deleted) FinanceJournal=Finance journal -ExpenseReportsJournal=Expense reports journal +ExpenseReportsJournal=Išlaidų ataskaitų žurnalas DescFinanceJournal=Finance journal including all the types of payments by bank account DescJournalOnlyBindedVisible=This is a view of record that are bound to an accounting account and can be recorded into the Ledger. VATAccountNotDefined=Account for VAT not defined ThirdpartyAccountNotDefined=Account for third party not defined ProductAccountNotDefined=Account for product not defined FeeAccountNotDefined=Account for fee not defined -BankAccountNotDefined=Account for bank not defined +BankAccountNotDefined=Banko sąskaita nenustatyta CustomerInvoicePayment=Kliento sąskaitos-faktūros apmokėjimas ThirdPartyAccount=Third party account NewAccountingMvt=Naujas sandoris @@ -221,8 +223,8 @@ ErrorAccountancyCodeIsAlreadyUse=Error, you cannot delete this accounting accoun MvtNotCorrectlyBalanced=Movement not correctly balanced. Debit = %s | Credit = %s FicheVentilation=Binding card GeneralLedgerIsWritten=Transactions are written in the Ledger -GeneralLedgerSomeRecordWasNotRecorded=Some of the transactions could not be journalized. If there is no other error message, this is probably because they were already journalized. -NoNewRecordSaved=No more record to journalize +GeneralLedgerSomeRecordWasNotRecorded=Kai kurie sandoriai negalėjo būti įvesti žurnale. Jei nėra kito klaidos pranešimo, tai tikriausiai todėl, kad jie jau buvo įvesti žurnale anksčiau. +NoNewRecordSaved=Daugiau žurnalo įrašų nėra ListOfProductsWithoutAccountingAccount=List of products not bound to any accounting account ChangeBinding=Change the binding Accounted=Accounted in ledger @@ -232,23 +234,23 @@ NotYetAccounted=Not yet accounted in ledger ApplyMassCategories=Apply mass categories AddAccountFromBookKeepingWithNoCategories=Available acccount not yet in a personalized group CategoryDeleted=Category for the accounting account has been removed -AccountingJournals=Accounting journals -AccountingJournal=Accounting journal -NewAccountingJournal=New accounting journal -ShowAccoutingJournal=Show accounting journal +AccountingJournals=Apskaitos žurnalai +AccountingJournal=Apskaitos žurnalas +NewAccountingJournal=Naujas apskaitos žurnalas +ShowAccoutingJournal=Rodyti apskaitos žurnalą Nature=Prigimtis -AccountingJournalType1=Miscellaneous operations +AccountingJournalType1=Įvairiarūšės operacijos AccountingJournalType2=Pardavimai AccountingJournalType3=Pirkimai AccountingJournalType4=Bankas -AccountingJournalType5=Expenses report +AccountingJournalType5=Išlaidų ataskaita AccountingJournalType8=Inventory AccountingJournalType9=Has-new -ErrorAccountingJournalIsAlreadyUse=This journal is already use -AccountingAccountForSalesTaxAreDefinedInto=Note: Accounting account for Sales tax are defined into menu %s - %s +ErrorAccountingJournalIsAlreadyUse=Šis žurnalas jau naudojamas +AccountingAccountForSalesTaxAreDefinedInto=Pastaba: Apskaitos sąskaita pardavimų mokestis yra apibrėžta meniu %s - %s ## Export -ExportDraftJournal=Export draft journal +ExportDraftJournal=Eksportuoti žurnalo projektą Modelcsv=Eksporto modelis Selectmodelcsv=Pasirinkite eksporto modelį Modelcsv_normal=Klasikinis eksportas @@ -265,11 +267,11 @@ ChartofaccountsId=Chart of accounts Id ## Tools - Init accounting account on product / service InitAccountancy=Init accountancy -InitAccountancyDesc=This page can be used to initialize an accounting account on products and services that does not have accounting account defined for sales and purchases. +InitAccountancyDesc=Šis puslapis gali būti naudojamas inicijuoti apskaitos sąskaitą prekėms ir paslaugoms, kurių pardavimo ir pirkimo apibrėžtoje apskaitos sąskaitoje nėra. DefaultBindingDesc=This page can be used to set a default account to use to link transactions record about payment salaries, donation, taxes and vat when no specific accounting account were already set. Options=Options -OptionModeProductSell=Mode sales -OptionModeProductBuy=Mode purchases +OptionModeProductSell=Rėžimas pardavimas +OptionModeProductBuy=Rėžimas pirkimai OptionModeProductSellDesc=Show all products with accounting account for sales. OptionModeProductBuyDesc=Show all products with accounting account for purchases. CleanFixHistory=Remove accounting code from lines that not exists into charts of account @@ -285,13 +287,13 @@ Calculated=Calculated Formula=Formula ## Error -SomeMandatoryStepsOfSetupWereNotDone=Some mandatory steps of setup was not done, please complete them +SomeMandatoryStepsOfSetupWereNotDone=Kai kurie privalomi nustatymo žingsniai nebuvo atlikti, prašome juos užpildyti ErrorNoAccountingCategoryForThisCountry=No accounting account group available for country %s (See Home - Setup - Dictionaries) -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. +ErrorInvoiceContainsLinesNotYetBounded=Jūs bandote įvesti kai kurias sąskaitos faktūros eilutes %s , tačiau kai kurios kitos eilutės dar nėra susietos apskaitos sąskaitoje. Visų šios sąskaitos faktūros eilučių įvesties atsisakoma. ErrorInvoiceContainsLinesNotYetBoundedShort=Some lines on invoice are not bound to accounting account. ExportNotSupported=The export format setuped is not supported into this page BookeppingLineAlreayExists=Lines already existing into bookeeping -NoJournalDefined=No journal defined +NoJournalDefined=Joks žurnalas nenustatytas Binded=Lines bound ToBind=Lines to bind UseMenuToSetBindindManualy=Autodection not possible, use menu %s to make the binding manually @@ -299,6 +301,6 @@ UseMenuToSetBindindManualy=Autodection not possible, use menu %sSet this to empty if one approval (2 steps) is enough, set it to a very low value (0.1) if a second approval (3 steps) is always required. UseDoubleApproval=Use a 3 steps approval when amount (without tax) is higher than... WarningPHPMail=WARNING: It is often better to setup outgoing emails to use the email server of your provider instead of the default setup. Some email providers (like Yahoo) does not allow you to send an email from another server than their own server. Your current setup use 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 a server of them, so few of your sent Emails may not be accepted (be carefull also to your email provider sending quota).
If your Email provider (like Yahoo) has this restriction, you must change Email setup to choose the other method "SMTP server" and enter the SMTP server and credentials provided by your Email provider (ask your EMail provider to get SMTP credentials for your account). -WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of your ERP CRM application: %s. +WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of the mail user agent (MUA) for your ERP CRM application: %s. ClickToShowDescription=Click to show description DependsOn=This module need the module(s) RequiredBy=This module is required by module(s) @@ -497,7 +497,7 @@ Module25Desc=Klientų užsakymų valdymas Module30Name=Sąskaitos Module30Desc=Sąskaitų ir kreditinių sąskaitų valdymas klientams. Sąskaitų valdymas tiekėjams Module40Name=Tiekėjai -Module40Desc=Tiekėjų valdymas ir pirkimai (užsakymai ir sąskaitos) +Module40Desc=Suppliers and purchase management (purchase orders and billing) Module42Name=Debug Logs Module42Desc=Logging facilities (file, syslog, ...). Such logs are for technical/debug purposes. Module49Name=Redaktoriai @@ -605,7 +605,7 @@ Module4000Desc=Human resources management (management of department, employee co Module5000Name=Multi įmonė Module5000Desc=Jums leidžiama valdyti kelias įmones Module6000Name=Darbo eiga -Module6000Desc=Darbo eigos valdymas +Module6000Desc=Workflow management (automatic creation of object and/or automatic status change) Module10000Name=Websites Module10000Desc=Create public websites with a WYSIWG editor. Just setup your web server (Apache, Nginx, ...) to point to the dedicated Dolibarr directory to have it online on the Internet with your own domain name. Module20000Name=Leidimų valdymas @@ -891,7 +891,7 @@ DictionaryCivility=Personal and professional titles DictionaryActions=Types of agenda events DictionarySocialContributions=Social or fiscal taxes types DictionaryVAT=PVM tarifai ar Pardavimo mokesčio tarifai -DictionaryRevenueStamp=Pajamų rūšių kiekis +DictionaryRevenueStamp=Amount of tax stamps DictionaryPaymentConditions=Apmokėjimo terminai DictionaryPaymentModes=Apmokėjimo būdai DictionaryTypeContact=Adresatų/Adresų tipai @@ -907,7 +907,7 @@ DictionaryOrderMethods=Užsakymų metodai DictionarySource=Pasiūlymų/užsakymų kilmė DictionaryAccountancyCategory=Personalized groups for reports DictionaryAccountancysystem=Sąskaitų plano modeliai -DictionaryAccountancyJournal=Accounting journals +DictionaryAccountancyJournal=Apskaitos žurnalai DictionaryEMailTemplates=El.pašto pranešimų šablonai DictionaryUnits=Vienetai DictionaryProspectStatus=Prospection status @@ -919,7 +919,7 @@ SetupSaved=Nustatymai išsaugoti SetupNotSaved=Setup not saved BackToModuleList=Atgal į modulių sąrašą BackToDictionaryList=Atgal į žodynų sąrašą -TypeOfRevenueStamp=Type of revenue stamp +TypeOfRevenueStamp=Type of tax stamp VATManagement=PVM valdymas VATIsUsedDesc=By default when creating prospects, invoices, orders etc the VAT rate follows the active standard rule:
If the seller is not subjected to VAT, then VAT defaults to 0. End of rule.
If the (selling country= buying country), then the VAT by default equals the VAT of the product in the selling country. End of rule.
If seller and buyer are both in the European Community and goods are transport products (car, ship, plane), the default VAT is 0 ( The VAT should be paid by the buyer to the customoffice of his country and not to the seller). End of rule.
If seller and buyer are both in the European Community and the buyer is not a company, then the VAT by defaults to the VAT of the product sold. End of rule.
If seller and buyer are both in the European Community and the buyer is a company, then the VAT is 0 by default . End of rule.
In any othe case the proposed default is VAT=0. End of rule. VATIsNotUsedDesc=Pagal nutylėjimą siūloma PVM yra 0, kuris gali būti naudojamas kai kuriais atvejais, pvz.: asociacijoms, fiziniams asmenims ar mažoms įmonėms. @@ -1027,7 +1027,7 @@ Delays_MAIN_DELAY_ACTIONS_TODO=Delay tolerance (in days) before alert on planned Delays_MAIN_DELAY_PROJECT_TO_CLOSE=Delay tolerance (in days) before alert on project not closed in time Delays_MAIN_DELAY_TASKS_TODO=Delay tolerance (in days) before alert on planned tasks (project tasks) not completed yet Delays_MAIN_DELAY_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on orders not processed yet -Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on suppliers orders not processed yet +Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on purchase orders not processed yet Delays_MAIN_DELAY_PROPALS_TO_CLOSE=Vėlavimo tolerancija (dienų) prieš perspėjimą dėl pasiūlymų uždaryti Delays_MAIN_DELAY_PROPALS_TO_BILL=Vėlavimo tolerancija (dienų) prieš perspėjimą dėl nepateiktų pasiūlymų Delays_MAIN_DELAY_NOT_ACTIVATED_SERVICES=Vėlavimo tolerancija (dienų) prieš perspėjimą dėl aktyvinamų paslaugų @@ -1458,7 +1458,7 @@ SyslogFilename=Failo pavadinimas ir kelias YouCanUseDOL_DATA_ROOT=Galite naudoti DOL_DATA_ROOT/dolibarr.log prisijungimo failui Dolibarr "dokuments" kataloge. Galite nustatyti kitokį kelią šio failo saugojimui. ErrorUnknownSyslogConstant=Konstanta %s yra nežinoma Syslog konstanta OnlyWindowsLOG_USER=Windows palaiko tik LOG_USER -CompressSyslogs=Syslog files compression and backup +CompressSyslogs=Compression and backup of debug log files (generated by module Log for debug) SyslogFileNumberOfSaves=Log backups ConfigureCleaningCronjobToSetFrequencyOfSaves=Configure cleaning scheduled job to set log backup frequency ##### Donations ##### diff --git a/htdocs/langs/lt_LT/banks.lang b/htdocs/langs/lt_LT/banks.lang index cfc001c7f9b7b..7cf423a63f8b1 100644 --- a/htdocs/langs/lt_LT/banks.lang +++ b/htdocs/langs/lt_LT/banks.lang @@ -1,12 +1,13 @@ # Dolibarr language file - Source file is en_US - banks Bank=Bankas -MenuBankCash=Bankas/Pinigai +MenuBankCash=Bank | Cash MenuVariousPayment=Miscellaneous payments MenuNewVariousPayment=New Miscellaneous payment BankName=Banko pavadinimas FinancialAccount=Sąskaita BankAccount=Banko sąskaita BankAccounts=Banko sąskaitos +BankAccountsAndGateways=Bank accounts | Gateways ShowAccount=Rodyti sąskaitą AccountRef=Finansinės sąskaitos nuoroda AccountLabel=Finansinės sąskaitos etiketė @@ -131,7 +132,7 @@ PaymentDateUpdateSucceeded=Payment date updated successfully PaymentDateUpdateFailed=Mokėjimo data negali būti atnaujinta Transactions=Operacijos BankTransactionLine=Bank entry -AllAccounts=Visos banko/grynųjų pinigų sąskaitos +AllAccounts=All bank and cash accounts BackToAccount=Atgal į sąskaitą ShowAllAccounts=Rodyti visas sąskaitas FutureTransaction=Operacija ateityje. Negalima taikyti @@ -159,5 +160,6 @@ VariousPayment=Miscellaneous payments VariousPayments=Miscellaneous payments ShowVariousPayment=Show miscellaneous payments AddVariousPayment=Add miscellaneous payments +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. Thanks to return it signed (scan of the signed document) or sent it by mail to diff --git a/htdocs/langs/lt_LT/bills.lang b/htdocs/langs/lt_LT/bills.lang index cbfce898c905d..939eec69de2b3 100644 --- a/htdocs/langs/lt_LT/bills.lang +++ b/htdocs/langs/lt_LT/bills.lang @@ -110,8 +110,8 @@ SendRemindByMail=Siųsti priminimą e-paštu DoPayment=Enter payment DoPaymentBack=Enter refund ConvertToReduc=Mark as credit available -ConvertExcessReceivedToReduc=Convert excess received into future discount -ConvertExcessPaidToReduc=Convert excess paid into future discount +ConvertExcessReceivedToReduc=Convert excess received into available credit +ConvertExcessPaidToReduc=Convert excess paid into available discount EnterPaymentReceivedFromCustomer=Įveskite gautą iš kliento mokėjimą EnterPaymentDueToCustomer=Atlikti mokėjimą klientui DisabledBecauseRemainderToPayIsZero=Disabled because remaining unpaid is zero @@ -282,6 +282,7 @@ RelativeDiscount=Susijusi nuolaida GlobalDiscount=Visuotinė nuolaida CreditNote=Kreditinė sąskaita CreditNotes=Kreditinės sąskaitos +CreditNotesOrExcessReceived=Credit notes or excess received Deposit=Down payment Deposits=Down payments DiscountFromCreditNote=Nuolaida kreditinei sąskaitai %s @@ -393,6 +394,7 @@ PaymentConditionShort14DENDMONTH=14 days of month-end PaymentCondition14DENDMONTH=Within 14 days following the end of the month FixAmount=Nustatyti dydį VarAmount=Kintamas dydis (%% tot.) +VarAmountOneLine=Variable amount (%% tot.) - 1 line with label '%s' # PaymentType PaymentTypeVIR=Banko pervedimas PaymentTypeShortVIR=Banko pervedimas diff --git a/htdocs/langs/lt_LT/bookmarks.lang b/htdocs/langs/lt_LT/bookmarks.lang index 3b2187c41231d..e67c4fc860830 100644 --- a/htdocs/langs/lt_LT/bookmarks.lang +++ b/htdocs/langs/lt_LT/bookmarks.lang @@ -1,9 +1,9 @@ # Dolibarr language file - Source file is en_US - marque pages -AddThisPageToBookmarks=Add current page to bookmarks +AddThisPageToBookmarks=Įtraukti dabartinį puslapį į žymes Bookmark=Žymėti Bookmarks=Žymekliai ListOfBookmarks=Žymeklių sąrašas -EditBookmarks=List/edit bookmarks +EditBookmarks=Sąrašas / redaguoti žymes NewBookmark=Naujas žymeklis ShowBookmark=Rodyti žymeklį OpenANewWindow=Atidaryti naują langą @@ -12,9 +12,9 @@ BookmarkTargetNewWindowShort=Naujas langas BookmarkTargetReplaceWindowShort=Dabartinis langas BookmarkTitle=Žymeklio pavadinimas UrlOrLink=URL -BehaviourOnClick=Behaviour when a bookmark URL is selected +BehaviourOnClick=Elgsena kada pasirenkamas žymeklio URL CreateBookmark=Sukurti žymeklį SetHereATitleForLink=Nustatykite žymeklio pavadinimą UseAnExternalHttpLinkOrRelativeDolibarrLink=Naudoti išorinį http URL arba susijusį Dolibarr URL -ChooseIfANewWindowMustBeOpenedOnClickOnBookmark=Choose if linked page must open in new window or not +ChooseIfANewWindowMustBeOpenedOnClickOnBookmark=Pasirinkite, ar susietas puslapis turi būti atidarytas naujame lange, ar ne BookmarksManagement=Žymeklių valdymas diff --git a/htdocs/langs/lt_LT/compta.lang b/htdocs/langs/lt_LT/compta.lang index 62440f1f46636..3cbf98de1f34d 100644 --- a/htdocs/langs/lt_LT/compta.lang +++ b/htdocs/langs/lt_LT/compta.lang @@ -19,7 +19,8 @@ Income=Pajamos Outcome=Išlaidos MenuReportInOut=Pajamų/išlaidų ReportInOut=Balance of income and expenses -ReportTurnover=Apyvarta +ReportTurnover=Turnover invoiced +ReportTurnoverCollected=Turnover collected PaymentsNotLinkedToInvoice=Mokėjimai nėra susiję su jokia sąskaita-faktūra, todėl nėra susiję su jokia trečiąja šalimi PaymentsNotLinkedToUser=Mokėjimai nėra susieti su jokiu vartotoju Profit=Pelnas @@ -77,7 +78,7 @@ MenuNewSocialContribution=New social/fiscal tax NewSocialContribution=New social/fiscal tax AddSocialContribution=Add social/fiscal tax ContributionsToPay=Social/fiscal taxes to pay -AccountancyTreasuryArea=Apskaitos/Iždo sritis +AccountancyTreasuryArea=Billing and payment area NewPayment=Naujas mokėjimas Payments=Mokėjimai PaymentCustomerInvoice=Kliento sąskaitos-faktūros mokėjimas @@ -105,6 +106,7 @@ VATPayment=Sales tax payment VATPayments=Sales tax payments VATRefund=Sales tax refund NewVATPayment=New sales tax payment +NewLocalTaxPayment=New tax %s payment Refund=Refund SocialContributionsPayments=Social/fiscal taxes payments ShowVatPayment=Rodyti PVM mokėjimą @@ -116,8 +118,9 @@ CustomerAccountancyCodeShort=Cust. account. code SupplierAccountancyCodeShort=Sup. account. code AccountNumber=Sąskaitos numeris NewAccountingAccount=Naujas sąskaita -SalesTurnover=Pardavimų apyvarta -SalesTurnoverMinimum=Minimali pardavimų apyvarta +Turnover=Turnover invoiced +TurnoverCollected=Turnover collected +SalesTurnoverMinimum=Minimum turnover ByExpenseIncome=By expenses & incomes ByThirdParties=Pagal trečiąsias šalis ByUserAuthorOfInvoice=Pagal sąskaitos-faktūros autorių @@ -137,8 +140,8 @@ 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=Režimas %sPretenzijos-Skolos%s nurodytas Įsipareigojimų apskaita. -CalcModeEngagement=Režimas %sPajamos-Išlaidos%s nurodytas Pinigų apskaita +CalcModeDebt=Analysis of known recorded invoices 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 CalcModeLT1Debt=Mode %sRE on customer invoices%s @@ -151,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=Žiūrėti ataskaitoje %sPajamos-Išlaidos%s sakoma Pinigų apskaita faktinių atliktų mokėjimų skaičiavimams -SeeReportInDueDebtMode=Žiūrėti ataskaitoje %sPretenzijos-Skolos%s sakoma Įsipareigojimų apskaita pateiktų sąskaitų-faktūrų skaičiavimams -SeeReportInBookkeepingMode=See report %sBookeeping%s for a calculation on bookkeeping table analysis +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 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 validation date of invoices and VAT and on the due date for expenses. 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. @@ -218,8 +221,8 @@ Mode1=Metodas 1 Mode2=Metodas 2 CalculationRuleDesc=Norint skaičiuoti visą PVM, yra du būdai:
Metodas 1 apvalina PVM kiekvienoje eilutėje, tada sudeda juos.
Metodas 2 sudeda visus PVM kiekvienoje eilutėje, tada rezultatą apvalina.
Galutinis rezultatas gali skirtis nuo kelių centų. Metodas pagal nutylėjimą yra %s. CalculationRuleDescSupplier=According to supplier, choose appropriate method to apply same calculation rule and get same result expected by your supplier. -TurnoverPerProductInCommitmentAccountingNotRelevant=The Turnover report per product, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). -TurnoverPerSaleTaxRateInCommitmentAccountingNotRelevant=The Turnover report per sale tax rate, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). +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. CalculationMode=Skaičiavimo metodas AccountancyJournal=Accounting code journal ACCOUNTING_VAT_SOLD_ACCOUNT=Accounting account by default for VAT on sales (used if not defined on VAT dictionary setup) @@ -251,5 +254,6 @@ VATDue=Sale tax claimed ClaimedForThisPeriod=Claimed for the period PaidDuringThisPeriod=Paid during this period ByVatRate=By sale tax rate -TurnoverbyVatrate=Turnover by sale tax rate +TurnoverbyVatrate=Turnover invoiced by sale tax rate +TurnoverCollectedbyVatrate=Turnover collected by sale tax rate PurchasebyVatrate=Purchase by sale tax rate diff --git a/htdocs/langs/lt_LT/install.lang b/htdocs/langs/lt_LT/install.lang index 05960c1b65b5c..e3a05631d8493 100644 --- a/htdocs/langs/lt_LT/install.lang +++ b/htdocs/langs/lt_LT/install.lang @@ -204,3 +204,7 @@ MigrationResetBlockedLog=Reset module BlockedLog for v7 algorithm ShowNotAvailableOptions=Parodyti negalimas opcijas HideNotAvailableOptions=Paslėpti negalimas opcijas ErrorFoundDuringMigration=Error were reported during migration process so next step is not available. To ignore errors, you can click here, but application or some features may not work correctly until fixed. +YouTryInstallDisabledByDirLock=The application try to sefl upgrade, but install/upgrade pages have been disabled for security reason (directory renamed with .lock suffix).
+YouTryInstallDisabledByFileLock=The application try to sefl upgrade, but install/upgrade pages pages have been disabled for security reason (by lock file install.lock into dolibarr documents directory).
+ClickHereToGoToApp=Click here to go to your application +ClickOnLinkOrRemoveManualy=Click on following link and if you always reach this page, you must remove the file install.lock into documents directory manually diff --git a/htdocs/langs/lt_LT/main.lang b/htdocs/langs/lt_LT/main.lang index 616d9c9967d89..c26d400de10a0 100644 --- a/htdocs/langs/lt_LT/main.lang +++ b/htdocs/langs/lt_LT/main.lang @@ -507,6 +507,7 @@ NoneF=Nė vienas NoneOrSeveral=None or several Late=Vėlai LateDesc=Delay to define if a record is late or not depends on your setup. Ask your admin to change delay from menu Home - Setup - Alerts. +NoItemLate=No late item Photo=Nuotrauka Photos=Nuotraukos AddPhoto=Pridėti nuotrauką @@ -945,3 +946,5 @@ KeyboardShortcut=Keyboard shortcut AssignedTo=Priskirtas Deletedraft=Delete draft ConfirmMassDraftDeletion=Draft Bulk delete confirmation +FileSharedViaALink=File shared via a link + diff --git a/htdocs/langs/lt_LT/modulebuilder.lang b/htdocs/langs/lt_LT/modulebuilder.lang index a3fee23cb53b5..9d6661eda41d6 100644 --- a/htdocs/langs/lt_LT/modulebuilder.lang +++ b/htdocs/langs/lt_LT/modulebuilder.lang @@ -74,6 +74,7 @@ NoWidget=No widget GoToApiExplorer=Go to API explorer ListOfMenusEntries=List of menu entries ListOfPermissionsDefined=List of defined permissions +SeeExamples=See examples here EnabledDesc=Condition to have this field active (Examples: 1 or $conf->global->MYMODULE_MYOPTION) VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only. Using a negative value means field is not shown by default on list but can be selected for viewing) IsAMeasureDesc=Can the value of field be cumulated to get a total into list ? (Examples: 1 or 0) @@ -95,3 +96,6 @@ DropTableIfEmpty=(Delete table if empty) TableDoesNotExists=The table %s does not exists TableDropped=Table %s deleted InitStructureFromExistingTable=Build the structure array string of an existing table +UseAboutPage=Disallow the about page +UseDocFolder=Disallow the documentation folder +UseSpecificReadme=Use a specific ReadMe diff --git a/htdocs/langs/lt_LT/other.lang b/htdocs/langs/lt_LT/other.lang index c64467c76cc5d..27b3d17dd5390 100644 --- a/htdocs/langs/lt_LT/other.lang +++ b/htdocs/langs/lt_LT/other.lang @@ -80,8 +80,8 @@ LinkedObject=Susietas objektas NbOfActiveNotifications=Number of notifications (nb of recipient emails) PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe two lines are separated by a carriage return.\n\n__USER_SIGNATURE__ PredefinedMailTestHtml=__(Hello)__\nThis is a test mail (the word test must be in bold).
The two lines are separated by a carriage return.

__USER_SIGNATURE__ -PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\nThis is the link to make your online payment if this invoice is not already payed:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\nThis is the link to make your online payment:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendProposal=__(Hello)__\n\nYou will find here the commercial proposal __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendSupplierProposal=__(Hello)__\n\nYou will find here the price request __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendOrder=__(Hello)__\n\nYou will find here the order __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ @@ -91,6 +91,7 @@ PredefinedMailContentSendShipping=__(Hello)__\n\nYou will find here the shipping PredefinedMailContentSendFichInter=__(Hello)__\n\nYou will find here the intervention __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentThirdparty=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentUser=__(Hello)__\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 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) @@ -218,7 +219,7 @@ FileIsTooBig=Failai yra per dideli PleaseBePatient=Prašome būkite kantrūs ... NewPassword=New password ResetPassword=Reset password -RequestToResetPasswordReceived=A request to change your password has been received +RequestToResetPasswordReceived=A request to change your password has been received. NewKeyIs=Tai nauji Jūsų prisijungimo raktai NewKeyWillBe=Jūsų naujas prisijungimo prie programos raktas bus ClickHereToGoTo=Spauskite čia norėdami pereiti į %s diff --git a/htdocs/langs/lt_LT/paypal.lang b/htdocs/langs/lt_LT/paypal.lang index 3d0e9ad0e9c2f..2337054be5300 100644 --- a/htdocs/langs/lt_LT/paypal.lang +++ b/htdocs/langs/lt_LT/paypal.lang @@ -14,7 +14,6 @@ PaypalModeOnlyPaypal=Tik PayPal ONLINE_PAYMENT_CSS_URL=Optionnal URL of CSS style sheet on online payment page ThisIsTransactionId=Tai operacijos ID: %s PAYPAL_ADD_PAYMENT_URL=Pridėti PayPal mokėjimo URL, kai siunčiate dokumentą paštu -PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.

%s

YouAreCurrentlyInSandboxMode=You are currently in the %s "sandbox" mode NewOnlinePaymentReceived=New online payment received NewOnlinePaymentFailed=New online payment tried but failed diff --git a/htdocs/langs/lt_LT/productbatch.lang b/htdocs/langs/lt_LT/productbatch.lang index 8cb2bb62813c8..05645d1ec1d5a 100644 --- a/htdocs/langs/lt_LT/productbatch.lang +++ b/htdocs/langs/lt_LT/productbatch.lang @@ -1,24 +1,24 @@ # ProductBATCH language file - en_US - ProductBATCH -ManageLotSerial=Use lot/serial number -ProductStatusOnBatch=Yes (lot/serial required) -ProductStatusNotOnBatch=No (lot/serial not used) +ManageLotSerial=Naudoti partiją / serijos numerį +ProductStatusOnBatch=Taip (reikalinga partija / serijos numeris) +ProductStatusNotOnBatch=Ne (Nenaudojama partija / serijos numeris) ProductStatusOnBatchShort=Taip ProductStatusNotOnBatchShort=Ne -Batch=Lot/Serial -atleast1batchfield=Eat-by date or Sell-by date or Lot/Serial number -batch_number=Lot/Serial number -BatchNumberShort=Lot/Serial +Batch=Partija / Serijos numeris +atleast1batchfield=Valgymo data arba Pardavimo data arba Partijos / Serijos numeris +batch_number=Partija / Serijos numeris +BatchNumberShort=Partija / Serijos numeris EatByDate=Eat-by date -SellByDate=Sell-by date -DetailBatchNumber=Lot/Serial details -printBatch=Lot/Serial: %s +SellByDate=Pardavimo data +DetailBatchNumber=Partijos / Serijos numerio duomenys +printBatch=Partija / Serijos numeris: %s printEatby=Eat-by: %s -printSellby=Sell-by: %s -printQty=Qty: %d -AddDispatchBatchLine=Add a line for Shelf Life dispatching +printSellby=Parduoda: %s +printQty=Kiekis: %d +AddDispatchBatchLine=Pridėkite eilutę, skirtą trukmės saugojimui WhenProductBatchModuleOnOptionAreForced=When module Lot/Serial is on, automatic stock decrease is forced to 'Decrease real stocks on shipping validation' and automatic increase mode is forced to 'Increase real stocks on manual dispatching into warehouses' and can't be edited. Other options can be defined as you want. -ProductDoesNotUseBatchSerial=This product does not use lot/serial number -ProductLotSetup=Setup of module lot/serial -ShowCurrentStockOfLot=Show current stock for couple product/lot +ProductDoesNotUseBatchSerial=Ši prekė nenaudoja partijos / serijos numerio +ProductLotSetup=Partijos / serijos numerio modulio sąranka +ShowCurrentStockOfLot=Rodyti dabartinias atsargas kelių prekių / partijų ShowLogOfMovementIfLot=Show log of movements for couple product/lot StockDetailPerBatch=Stock detail per lot diff --git a/htdocs/langs/lt_LT/products.lang b/htdocs/langs/lt_LT/products.lang index 0240cd635ac3c..17942aa8d5f81 100644 --- a/htdocs/langs/lt_LT/products.lang +++ b/htdocs/langs/lt_LT/products.lang @@ -251,8 +251,8 @@ PriceNumeric=Numeris DefaultPrice=Default price ComposedProductIncDecStock=Increase/Decrease stock on parent change ComposedProduct=Sub-product -MinSupplierPrice=Minimum supplier price -MinCustomerPrice=Minimum customer price +MinSupplierPrice=Minimali pirkimo kaina +MinCustomerPrice=Minimum selling price DynamicPriceConfiguration=Dynamic price configuration DynamicPriceDesc=On product card, with this module enabled, you should be able to set mathematic functions to calculate Customer or Supplier prices. Such function can use all mathematic operators, some constants and variables. You can set here the variables you want to be able to use and if the variable need an automatic update, the external URL to use to ask Dolibarr to update automaticaly the value. AddVariable=Add Variable diff --git a/htdocs/langs/lt_LT/propal.lang b/htdocs/langs/lt_LT/propal.lang index 7ac4e2baffd49..25ae28327a9df 100644 --- a/htdocs/langs/lt_LT/propal.lang +++ b/htdocs/langs/lt_LT/propal.lang @@ -75,6 +75,7 @@ AvailabilityTypeAV_1M=1 mėnuo TypeContact_propal_internal_SALESREPFOLL=Tipiškas tęstinis pasiūlymas TypeContact_propal_external_BILLING=Kliento sąskaitos-faktūros kontaktai TypeContact_propal_external_CUSTOMER=Kliento kontaktas tęstiniame pasiūlyme +TypeContact_propal_external_SHIPPING=Customer contact for delivery # Document models DocModelAzurDescription=Išsamus užsakymo modelis (logo. ..) DefaultModelPropalCreate=Modelio sukūrimas pagal nutylėjimą diff --git a/htdocs/langs/lt_LT/sendings.lang b/htdocs/langs/lt_LT/sendings.lang index 15be51853fad2..9efdde2b7923d 100644 --- a/htdocs/langs/lt_LT/sendings.lang +++ b/htdocs/langs/lt_LT/sendings.lang @@ -52,8 +52,8 @@ ActionsOnShipping=Siuntų įvykiai LinkToTrackYourPackage=Nuoroda sekti Jūsų siuntos kelią ShipmentCreationIsDoneFromOrder=Šiuo metu, naujos siuntos sukūrimas atliktas iš užsakymo kortelės. ShipmentLine=Siuntimo eilutė -ProductQtyInCustomersOrdersRunning=Product quantity into open customers orders -ProductQtyInSuppliersOrdersRunning=Product quantity into open suppliers orders +ProductQtyInCustomersOrdersRunning=Product quantity into open customer orders +ProductQtyInSuppliersOrdersRunning=Product quantity into open purchase orders ProductQtyInShipmentAlreadySent=Product quantity from open customer order already sent ProductQtyInSuppliersShipmentAlreadyRecevied=Product quantity from open supplier order already received NoProductToShipFoundIntoStock=No product to ship found into warehouse %s. Correct stock or go back to choose another warehouse. diff --git a/htdocs/langs/lt_LT/stocks.lang b/htdocs/langs/lt_LT/stocks.lang index ae464d1ae00a2..e603cc5352979 100644 --- a/htdocs/langs/lt_LT/stocks.lang +++ b/htdocs/langs/lt_LT/stocks.lang @@ -67,7 +67,7 @@ DeStockOnValidateOrder=Sumažinti realias atsargas klientų užsakymų patvirtin DeStockOnShipment=Decrease real stocks on shipping validation DeStockOnShipmentOnClosing=Decrease real stocks on shipping classification closed ReStockOnBill=Padidinti realių atsargų tiekėjams sąskaitos / kreditinės pastabos patvirtinimo -ReStockOnValidateOrder=Padidinti realias atsargas tiekėjų užsakymų patvirtinime +ReStockOnValidateOrder=Increase real stocks on purchase orders approbation ReStockOnDispatchOrder=Increase real stocks on manual dispatching into warehouses, after supplier order receipt of goods OrderStatusNotReadyToDispatch=Užsakymas dar neturi arba jau nebeturi statuso, kuris leidžia išsiųsti produktus į atsargų sandėlius. StockDiffPhysicTeoric=Explanation for difference between physical and virtual stock @@ -203,4 +203,4 @@ RegulateStock=Regulate Stock ListInventory=Sąrašas StockSupportServices=Stock management support services StockSupportServicesDesc=By default, you can stock only product with type "product". If on, and if module service is on, you can also stock a product with type "service" -ReceiveProducts=Receive products +ReceiveProducts=Receive items diff --git a/htdocs/langs/lt_LT/users.lang b/htdocs/langs/lt_LT/users.lang index e433256514c3a..2aa34787ecba7 100644 --- a/htdocs/langs/lt_LT/users.lang +++ b/htdocs/langs/lt_LT/users.lang @@ -48,7 +48,7 @@ PasswordChangeRequest=Request to change password for %s PasswordChangeRequestSent=Prašymas pakeisti slaptažodį %s išsiųstą į %s ConfirmPasswordReset=Confirm password reset MenuUsersAndGroups=Vartotojai ir grupės -LastGroupsCreated=Latest %s created groups +LastGroupsCreated=Latest %s groups created LastUsersCreated=Latest %s users created ShowGroup=Rodyti grupę ShowUser=Rodyti vartotoją diff --git a/htdocs/langs/lv_LV/accountancy.lang b/htdocs/langs/lv_LV/accountancy.lang index b1098f3a131a1..69d3bb0df972d 100644 --- a/htdocs/langs/lv_LV/accountancy.lang +++ b/htdocs/langs/lv_LV/accountancy.lang @@ -1,283 +1,285 @@ # Dolibarr language file - en_US - Accounting Expert -Accounting=Accounting -ACCOUNTING_EXPORT_SEPARATORCSV=Column separator for export file -ACCOUNTING_EXPORT_DATE=Date format for export file +Accounting=Grāmatvedība +ACCOUNTING_EXPORT_SEPARATORCSV=Eksportējamā faila kolonnu atdalītājs +ACCOUNTING_EXPORT_DATE=Eksportējamā faila datuma formāts ACCOUNTING_EXPORT_PIECE=Export the number of piece -ACCOUNTING_EXPORT_GLOBAL_ACCOUNT=Export with global account -ACCOUNTING_EXPORT_LABEL=Export label -ACCOUNTING_EXPORT_AMOUNT=Export amount -ACCOUNTING_EXPORT_DEVISE=Export currency -Selectformat=Select the format for the file -ACCOUNTING_EXPORT_FORMAT=Select the format for the file +ACCOUNTING_EXPORT_GLOBAL_ACCOUNT=Eksports ar globālo kontu +ACCOUNTING_EXPORT_LABEL=Eksportēt etiķeti +ACCOUNTING_EXPORT_AMOUNT=Eksporta summa +ACCOUNTING_EXPORT_DEVISE=Eksportējamā valūta +Selectformat=Izvēlieties faila formātu +ACCOUNTING_EXPORT_FORMAT=Izvēlieties faila formātu ACCOUNTING_EXPORT_ENDLINE=Select the carriage return type ACCOUNTING_EXPORT_PREFIX_SPEC=Specify the prefix for the file name ThisService=Šis pakalpojums ThisProduct=Šis produkts -DefaultForService=Default for service -DefaultForProduct=Default for product +DefaultForService=Noklusējums pakalpojumam +DefaultForProduct=Noklusējums produktam CantSuggest=Nevar ieteikt -AccountancySetupDoneFromAccountancyMenu=Most setup of the accountancy is done from the menu %s +AccountancySetupDoneFromAccountancyMenu=Lielākā daļa grāmatvedības iestatīšanas tiek veikta no izvēlnes %s ConfigAccountingExpert=Configuration of the module accounting expert -Journalization=Journalization +Journalization=Grāmatvedības ieraksts Journaux=Žurnāli -JournalFinancial=Financial journals +JournalFinancial=Finanšu žurnāli BackToChartofaccounts=Return chart of accounts -Chartofaccounts=Chart of accounts -CurrentDedicatedAccountingAccount=Current dedicated account -AssignDedicatedAccountingAccount=New account to assign +Chartofaccounts=Kontu plāns +CurrentDedicatedAccountingAccount=Pašreizējais veltītais konts +AssignDedicatedAccountingAccount=Jauns konts, kuru piešķirt InvoiceLabel=Rēķina nosaukums -OverviewOfAmountOfLinesNotBound=Overview of amount of lines not bound to an accounting account -OverviewOfAmountOfLinesBound=Overview of amount of lines already bound to an accounting account +OverviewOfAmountOfLinesNotBound=Pārskats par to līniju skaitu, kurām nav saistības ar grāmatvedības kontu +OverviewOfAmountOfLinesBound=Pārskats par to līniju skaitu, kuras jau ir piesaistītas grāmatvedības kontam OtherInfo=Cita informācija -DeleteCptCategory=Remove accounting account from group -ConfirmDeleteCptCategory=Are you sure you want to remove this accounting account from the accounting account group ? -JournalizationInLedgerStatus=Status of journalization -AlreadyInGeneralLedger=Already journalized in ledgers -NotYetInGeneralLedger=Not yet journalized in ledgers -GroupIsEmptyCheckSetup=Group is empty, check setup of the personalized accounting group -DetailByAccount=Show detail by account -AccountWithNonZeroValues=Accounts with non zero values -ListOfAccounts=List of accounts +DeleteCptCategory=No grāmatvedības konta noņemt grupu +ConfirmDeleteCptCategory=Vai tiešām vēlaties noņemt šo grāmatvedības kontu no grāmatvedības kontu grupas? +JournalizationInLedgerStatus=Žurnālistikas statuss +AlreadyInGeneralLedger=Jau žurnalizēts žurnālos +NotYetInGeneralLedger=Vēl nav publicēts žurnālos +GroupIsEmptyCheckSetup=Grupa ir tukša, pārbaudiet personalizētās grāmatvedības grupas iestatījumus +DetailByAccount=Parādīt detalizētu informāciju par kontu +AccountWithNonZeroValues=Konti, kuriem nav nulles vērtības +ListOfAccounts=Kontu saraksts -MainAccountForCustomersNotDefined=Main accounting account for customers not defined in setup -MainAccountForSuppliersNotDefined=Main accounting account for vendors not defined in setup -MainAccountForUsersNotDefined=Main accounting account for users not defined in setup -MainAccountForVatPaymentNotDefined=Main accounting account for VAT payment not defined in setup +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 +MainAccountForUsersNotDefined=Galvenais grāmatvedības konts lietotājiem, kas nav definēti iestatījumos +MainAccountForVatPaymentNotDefined=Galvenais grāmatvedības konts par PVN maksājumu, kas nav definēts iestatījumos -AccountancyArea=Accounting area -AccountancyAreaDescIntro=Usage of the accountancy module is done in several step: -AccountancyAreaDescActionOnce=The following actions are usually executed one time only, or once per year... -AccountancyAreaDescActionOnceBis=Next steps should be done to save you time in future by suggesting you the correct default accounting account when making the journalization (writing record in Journals and General ledger) -AccountancyAreaDescActionFreq=The following actions are usually executed every month, week or day for very large companies... +AccountancyArea=Grāmatvedības zona +AccountancyAreaDescIntro=Grāmatvedības moduļa lietošana tiek veikta vairākos posmos: +AccountancyAreaDescActionOnce=Šīs darbības parasti izpilda tikai vienu reizi vai reizi gadā ... +AccountancyAreaDescActionOnceBis=Veicot nākamo darbību, lai nākotnē ietaupītu laiku, ierosinot pareizu noklusējuma grāmatvedības kontu žurnālistikas veikšanā (rakstot žurnālu un galveno virsgrāmatu) +AccountancyAreaDescActionFreq=Šīs darbības parasti tiek veiktas katru mēnesi, nedēļu vai dienu ļoti lieliem uzņēmumiem ... -AccountancyAreaDescJournalSetup=STEP %s: Create or check content of your journal list from menu %s -AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from menu %s -AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s +AccountancyAreaDescJournalSetup=STEP %s: izveidojiet vai pārbaudiet žurnāla satura saturu no izvēlnes %s +AccountancyAreaDescChartModel=STEP %s: izveidojiet konta diagrammas modeli no izvēlnes %s +AccountancyAreaDescChart=STEP %s: izveidojiet vai pārbaudiet sava konta diagrammas saturu no izvēlnes %s -AccountancyAreaDescVat=STEP %s: Define accounting accounts for each VAT Rates. For this, use the menu entry %s. -AccountancyAreaDescExpenseReport=STEP %s: Define default accounting accounts for each type of expense report. For this, use the menu entry %s. -AccountancyAreaDescSal=STEP %s: Define default accounting accounts for payment of salaries. For this, use the menu entry %s. -AccountancyAreaDescContrib=STEP %s: Define default accounting accounts for special expences (miscellaneous taxes). For this, use the menu entry %s. -AccountancyAreaDescDonation=STEP %s: Define default accounting accounts for donation. For this, use the menu entry %s. -AccountancyAreaDescMisc=STEP %s: Define mandatory default account and default accounting accounts for miscellaneous transactions. For this, use the menu entry %s. -AccountancyAreaDescLoan=STEP %s: Define default accounting accounts for loans. For this, use the menu entry %s. -AccountancyAreaDescBank=STEP %s: Define accounting accounts and journal code for each bank and financial accounts. For this, use the menu entry %s. -AccountancyAreaDescProd=STEP %s: Define accounting accounts on your products/services. For this, use the menu entry %s. +AccountancyAreaDescVat=STEP %s: definējiet katra PVN likmes grāmatvedības kontus. Šajā nolūkā izmantojiet izvēlnes ierakstu %s. +AccountancyAreaDescDefault=Solis %s: definējiet noklusējuma grāmatvedības kontus. Šajā nolūkā izmantojiet izvēlnes ierakstu %s. +AccountancyAreaDescExpenseReport=STEP %s: definējiet noklusējuma uzskaites kontus katram izdevumu pārskatam. Šajā nolūkā izmantojiet izvēlnes ierakstu %s. +AccountancyAreaDescSal=STEP %s: definējiet noklusējuma uzskaites kontus algu izmaksāšanai. Šajā nolūkā izmantojiet izvēlnes ierakstu %s. +AccountancyAreaDescContrib=STEP %s: definējiet noklusējuma grāmatvedības kontus īpašiem izdevumiem (dažādiem nodokļiem). Šajā nolūkā izmantojiet izvēlnes ierakstu %s. +AccountancyAreaDescDonation=STEP %s: definējiet noklusējuma uzskaites kontus ziedojumiem. Šajā nolūkā izmantojiet izvēlnes ierakstu %s. +AccountancyAreaDescMisc=STEP %s: norādiet obligātos noklusējuma kontu un noklusējuma grāmatvedības kontus dažādiem darījumiem. Šajā nolūkā izmantojiet izvēlnes ierakstu %s. +AccountancyAreaDescLoan=STEP %s: definējiet noklusējuma aizņēmumu grāmatvedības uzskaiti. Šajā nolūkā izmantojiet izvēlnes ierakstu %s. +AccountancyAreaDescBank=STEP %s: definējiet grāmatvedības kontus un žurnāla kodu katrai bankai un finanšu kontiem. Šajā nolūkā izmantojiet izvēlnes ierakstu %s. +AccountancyAreaDescProd=STEP %s: definējiet savu produktu / pakalpojumu grāmatvedības kontus. Šajā nolūkā izmantojiet izvēlnes ierakstu %s. -AccountancyAreaDescBind=STEP %s: Check the binding between existing %s lines and accounting account is done, so application will be able to journalize transactions in Ledger in one click. Complete missing bindings. For this, use the menu entry %s. -AccountancyAreaDescWriteRecords=STEP %s: Write transactions into the Ledger. For this, go into menu %s, and click into button %s. -AccountancyAreaDescAnalyze=STEP %s: Add or edit existing transactions and generate reports and exports. +AccountancyAreaDescBind=STEP %s: pārbaudiet saistību starp esošajām %s līnijām un grāmatvedības kontu, tāpēc pieteikums varēs žurnālizēt darījumus Ledger ar vienu klikšķi. Pabeigt trūkstošos piesaisti. Šajā nolūkā izmantojiet izvēlnes ierakstu %s. +AccountancyAreaDescWriteRecords=STEP %s: rakstīt darījumus uz grāmatvedi. Lai to izdarītu, dodieties uz izvēlni %s un noklikšķiniet uz pogas %s . +AccountancyAreaDescAnalyze=STEP %s: pievienojiet vai rediģējiet esošos darījumus un ģenerējiet pārskatus un eksportu. -AccountancyAreaDescClosePeriod=STEP %s: Close period so we can't make modification in a future. +AccountancyAreaDescClosePeriod=STEP %s: beidzies periods, tāpēc mēs nevaram veikt izmaiņas nākotnē. -TheJournalCodeIsNotDefinedOnSomeBankAccount=A mandatory step in setup was not complete (accounting code journal not defined for all bank accounts) -Selectchartofaccounts=Select active chart of accounts -ChangeAndLoad=Change and load -Addanaccount=Add an accounting account -AccountAccounting=Accounting account +TheJournalCodeIsNotDefinedOnSomeBankAccount=Obligāts iestatīšanas posms nebija pabeigts (grāmatvedības kodu žurnāls nav definēts visiem bankas kontiem) +Selectchartofaccounts=Atlasiet aktīvo kontu diagrammu +ChangeAndLoad=Mainīt un ielādēt +Addanaccount=Pievienot grāmatvedības kontu +AccountAccounting=Grāmatvedības konts AccountAccountingShort=Konts SubledgerAccount=Apakšuzņēmēja konts ShowAccountingAccount=Rādīt grāmatvedības kontu -ShowAccountingJournal=Show accounting journal -AccountAccountingSuggest=Accounting account suggested +ShowAccountingJournal=Rādīt grāmatvedības žurnālu +AccountAccountingSuggest=Ieteicamais grāmatvedības konts MenuDefaultAccounts=Noklusētie konti -MenuBankAccounts=Banku konti +MenuBankAccounts=Bankas konti MenuVatAccounts=PVN konti MenuTaxAccounts=Nodokļu konti -MenuExpenseReportAccounts=Expense report accounts -MenuLoanAccounts=Loan accounts -MenuProductsAccounts=Product accounts -ProductsBinding=Products accounts -Ventilation=Binding to accounts -CustomersVentilation=Customer invoice binding -SuppliersVentilation=Vendor invoice binding -ExpenseReportsVentilation=Expense report binding +MenuExpenseReportAccounts=Izdevumu atskaišu konti +MenuLoanAccounts=Aizdevumu konti +MenuProductsAccounts=Produktu konti +ProductsBinding=Produktu konti +Ventilation=Saistīšana ar kontiem +CustomersVentilation=Klienta rēķins saistošs +SuppliersVentilation=Piegādātāja rēķins saistošs +ExpenseReportsVentilation=Izdevumu pārskats ir saistošs CreateMvts=Izveidot jaunu darījumu -UpdateMvts=Modification of a transaction -ValidTransaction=Validate transaction -WriteBookKeeping=Journalize transactions in Ledger +UpdateMvts=Darījuma grozīšana +ValidTransaction=Apstipriniet darījumu +WriteBookKeeping=Žurnalizēt darījumus grāmatvedībā Bookkeeping=Ledger AccountBalance=Konta bilance -ObjectsRef=Source object ref +ObjectsRef=Avota objekta ref CAHTF=Total purchase supplier before tax -TotalExpenseReport=Total expense report -InvoiceLines=Lines of invoices to bind -InvoiceLinesDone=Bound lines of invoices -ExpenseReportLines=Lines of expense reports to bind -ExpenseReportLinesDone=Bound lines of expense reports -IntoAccount=Bind line with the accounting account +TotalExpenseReport=Kopējais izdevumu pārskats +InvoiceLines=Rindu līnijas saistīšanai +InvoiceLinesDone=Iesaistīto rēķinu līnijas +ExpenseReportLines=Izdevumu atskaites līnijas, kas saistītas +ExpenseReportLinesDone=Saistītās izdevumu pārskatu līnijas +IntoAccount=Bind line ar grāmatvedības kontu -Ventilate=Bind +Ventilate=Saistīt LineId=Id līnija Processing=Apstrādā -EndProcessing=Process terminated. +EndProcessing=Process ir pārtraukts. SelectedLines=Selected lines Lineofinvoice=Line of invoice -LineOfExpenseReport=Line of expense report -NoAccountSelected=No accounting account selected -VentilatedinAccount=Binded successfully to the accounting account -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 +LineOfExpenseReport=Izdevumu rindas pārskats +NoAccountSelected=Nav izvēlēts grāmatvedības konts +VentilatedinAccount=Sekmīgi piesaistīts grāmatvedības kontam +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 jebkuru grāmatvedības kontu -ACCOUNTING_LIMIT_LIST_VENTILATION=Number of elements to bind shown by page (maximum 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 +ACCOUNTING_LIMIT_LIST_VENTILATION=Elementu skaits saistīšanai, kas norādīts lapā (maksimālais ieteicamais: 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 -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 zero at the end of an accounting account. Needed by some countries (like switzerland). If keep to off (default), you can set the 2 following parameters to ask application to add virtual zero. -BANK_DISABLE_DIRECT_INPUT=Disable direct recording of transaction in bank account +ACCOUNTING_LENGTH_DESCRIPTION=Produkta un pakalpojumu apraksta saīsinājums sarakstos pēc x skaitļiem (vislabāk = 50) +ACCOUNTING_LENGTH_DESCRIPTION_ACCOUNT=Griezieties produkta un pakalpojuma konta apraksta veidlapā sarakstos pēc x kārtas (vislabāk = 50) +ACCOUNTING_LENGTH_GACCOUNT=Vispārējo grāmatvedības kontu garums (ja šeit iestatāt vērtību 6, ekrānā parādīsies '706' konts, piemēram, '706000'). +ACCOUNTING_LENGTH_AACCOUNT=Trešās puses grāmatvedības kontu garums (ja šeit iestatāt vērtību 6, ekrānā '401' konts parādīsies kā '401000') +ACCOUNTING_MANAGE_ZERO=Grāmatvedības konta beigās ļauj pārvaldīt citu nulles numuru. Nepieciešams dažās valstīs (piemēram, Šveice). Ja turpiniet izslēgt (pēc noklusējuma), varat iestatīt 2 šādus parametrus, lai pieprasītu lietojumprogrammai pievienot virtuālo nulli. +BANK_DISABLE_DIRECT_INPUT=Atspējot tiešu darījumu reģistrāciju bankas kontā +ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Iespējot eksporta projektu žurnālā -ACCOUNTING_SELL_JOURNAL=Sell journal +ACCOUNTING_SELL_JOURNAL=Pārdošanas žurnāls ACCOUNTING_PURCHASE_JOURNAL=Purchase journal ACCOUNTING_MISCELLANEOUS_JOURNAL=Miscellaneous journal ACCOUNTING_EXPENSEREPORT_JOURNAL=Expense report journal -ACCOUNTING_SOCIAL_JOURNAL=Social journal -ACCOUNTING_HAS_NEW_JOURNAL=Has new Journal +ACCOUNTING_SOCIAL_JOURNAL=Sociālais žurnāls +ACCOUNTING_HAS_NEW_JOURNAL=Vai jauns Vēstnesis? -ACCOUNTING_ACCOUNT_TRANSFER_CASH=Accounting account of transfer -ACCOUNTING_ACCOUNT_SUSPENSE=Accounting account of wait +ACCOUNTING_ACCOUNT_TRANSFER_CASH=Pārveduma grāmatvedības konts +ACCOUNTING_ACCOUNT_SUSPENSE=Gaidīšanas grāmatvedības konts DONATION_ACCOUNTINGACCOUNT=Accounting account to register donations -ACCOUNTING_PRODUCT_BUY_ACCOUNT=Accounting account by default for bought products (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_SOLD_ACCOUNT=Accounting account by default for the sold products (used if not defined in the product sheet) -ACCOUNTING_SERVICE_BUY_ACCOUNT=Accounting account by default for the bought services (used if not defined in the service sheet) -ACCOUNTING_SERVICE_SOLD_ACCOUNT=Accounting account by default for the sold services (used if not defined in the service sheet) +ACCOUNTING_PRODUCT_BUY_ACCOUNT=Grāmatvedības konts pēc noklusējuma par nopirktajiem produktiem (izmanto, ja produkta lapā nav noteikts). +ACCOUNTING_PRODUCT_SOLD_ACCOUNT=Grāmatvedības konts pēc noklusējuma pārdotajiem produktiem (izmanto, ja produkta lapā nav noteikts). +ACCOUNTING_SERVICE_BUY_ACCOUNT=Grāmatvedības konts pēc noklusējuma par nopirktajiem pakalpojumiem (lieto, ja tas nav noteikts pakalpojuma lapā) +ACCOUNTING_SERVICE_SOLD_ACCOUNT=Grāmatvedības konts pēc noklusējuma pārdotajiem pakalpojumiem (izmanto, ja tas nav noteikts pakalpojuma lapā) Doctype=Dokumenta veids Docdate=Datums Docref=Atsauce LabelAccount=Konta nosaukums -LabelOperation=Label operation +LabelOperation=Etiķetes darbība Sens=Sens Codejournal=Žurnāls NumPiece=Gabala numurs -TransactionNumShort=Num. transaction +TransactionNumShort=Num. darījums AccountingCategory=Personalized groups -GroupByAccountAccounting=Group by accounting 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 -ByPersonalizedAccountGroups=By personalized groups +GroupByAccountAccounting=Grupēt pēc grāmatvedības konta +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 +ByPersonalizedAccountGroups=Personificētās grupas ByYear=Pēc gada NotMatch=Nav iestatīts DeleteMvt=Delete Ledger lines DelYear=Gads kurš jādzēš DelJournal=Žurnāls kurš jādzēš -ConfirmDeleteMvt=This will delete all lines of the Ledger for year and/or from a specific journal. At least one criteria is required. -ConfirmDeleteMvtPartial=This will delete the transaction from the Ledger (all lines related to same transaction will be deleted) -FinanceJournal=Finance journal -ExpenseReportsJournal=Expense reports journal +ConfirmDeleteMvt=Tas dzēsīs visas Ledger rindas uz gadu un / vai no konkrēta žurnāla. Ir vajadzīgi vismaz viens kritērijs. +ConfirmDeleteMvtPartial=Tiks dzēsts darījums no Ledger (visas līnijas, kas attiecas uz to pašu darījumu, tiks dzēsti). +FinanceJournal=Finanšu žurnāls +ExpenseReportsJournal=Izdevumu pārskatu žurnāls DescFinanceJournal=Finance journal including all the types of payments by bank account -DescJournalOnlyBindedVisible=This is a view of record that are bound to an accounting account and can be recorded into the Ledger. +DescJournalOnlyBindedVisible=Tas ir ieraksts, kas saistīts ar grāmatvedības kontu, un to var ierakstīt grāmatvedībā. VATAccountNotDefined=PVN konts nav definēts -ThirdpartyAccountNotDefined=Account for third party not defined -ProductAccountNotDefined=Account for product not defined -FeeAccountNotDefined=Account for fee not defined -BankAccountNotDefined=Account for bank not defined +ThirdpartyAccountNotDefined=Konts trešajai pusei nav definēts +ProductAccountNotDefined=Konts produktam nav definēts +FeeAccountNotDefined=Konts par maksu nav definēts +BankAccountNotDefined=Konts bankai nav definēts CustomerInvoicePayment=Payment of invoice customer -ThirdPartyAccount=Third party account +ThirdPartyAccount=Trešās puses konts NewAccountingMvt=Jauna transakcija -NumMvts=Numero of transaction +NumMvts=Darījuma numurs ListeMvts=Pārvietošanas saraksts ErrorDebitCredit=Debit and Credit cannot have a value at the same time -AddCompteFromBK=Add accounting accounts to the group +AddCompteFromBK=Pievienojiet grāmatvedības kontiem grupai ReportThirdParty=Trešo personu kontu saraksts -DescThirdPartyReport=Consult here the list of the third party customers and vendors and their accounting accounts +DescThirdPartyReport=Konsultējieties šeit ar trešo pušu klientiem un pārdevējiem un viņu grāmatvedības kontiem ListAccounts=List of the accounting accounts -UnknownAccountForThirdparty=Unknown third party account. We will use %s -UnknownAccountForThirdpartyBlocking=Unknown third party account. Blocking error -UnknownAccountForThirdpartyAndWaitingAccountNotDefinedBlocking=Unknown third party account and waiting account not defined. Blocking error -PaymentsNotLinkedToProduct=Payment not linked to any product / service +UnknownAccountForThirdparty=Nezināma trešās puses konts. Mēs izmantosim %s +UnknownAccountForThirdpartyBlocking=Nezināma trešās puses konts. Bloķēšanas kļūda +UnknownAccountForThirdpartyAndWaitingAccountNotDefinedBlocking=Nezināma trešās puses konta un gaidīšanas konts nav definēts. Bloķēšanas kļūda +PaymentsNotLinkedToProduct=Maksājums nav saistīts ar kādu produktu / pakalpojumu Pcgtype=Kontu grupa Pcgsubtype=Konta apakšgrupa -PcgtypeDesc=Group and subgroup of account are used as predefined 'filter' and 'grouping' criterias for some accounting reports. For example, 'INCOME' or 'EXPENSE' are used as groups for accounting accounts of products to build the expense/income report. +PcgtypeDesc=Kontu grupa un apakšgrupa tiek izmantota kā iepriekš definēts "filtru" un "grupēšanas" kritērijs dažiem grāmatvedības pārskatiem. Piemēram, "ienākumi" vai "IZDEVUMI" tiek izmantoti kā produktu grāmatvedības kontu grupas, lai izveidotu izdevumu / ienākumu pārskatu. TotalVente=Total turnover before tax TotalMarge=Total sales margin -DescVentilCustomer=Consult here the list of customer invoice lines bound (or not) to a product accounting account -DescVentilMore=In most cases, if you use predefined products or services and you set the account number on the product/service card, the application will be able to make all the binding between your invoice lines and the accounting account of your chart of accounts, just in one click with the button "%s". If account was not set on product/service cards or if you still has some lines not bound to any account, you will have to make a manual binding from the menu "%s". -DescVentilDoneCustomer=Consult here the list of the lines of invoices customers and their product accounting account -DescVentilTodoCustomer=Bind invoice lines not already bound with a product accounting account -ChangeAccount=Change the product/service accounting account for selected lines with the following accounting account: +DescVentilCustomer=Aplūkojiet šeit klienta rēķina līniju sarakstu, kas saistītas (vai nav) ar produktu grāmatvedības kontu +DescVentilMore=Vairumā gadījumu, ja jūs izmantojat iepriekš definētus produktus vai pakalpojumus, un produkta / pakalpojuma kartē norādiet konta numuru, programma varēs veikt visu saistību starp jūsu rēķina līnijām un jūsu kontu plāna grāmatvedības kontu, tikai vienu klikšķi, izmantojot pogu "%s" . Ja konts nav iestatīts uz produktu / pakalpojumu kartēm vai ja jums joprojām ir dažas rindiņas, kurām nav saistības nevienā kontā, izvēlnē " %s " būs jāveic manuāla piesaistīšana. +DescVentilDoneCustomer=Konsultējieties šeit ar rindu rēķinu klientu sarakstu un to produktu uzskaites kontu +DescVentilTodoCustomer=Piesaistiet rēķina līnijas, kas vēl nav saistītas ar produkta grāmatvedības kontu +ChangeAccount=Izmainiet produktu / pakalpojumu grāmatvedības kontu izvēlētajām līnijām ar šādu grāmatvedības kontu: Vide=- -DescVentilSupplier=Consult here the list of vendor invoice lines bound or not yet bound to a product accounting account -DescVentilDoneSupplier=Consult here the list of the lines of invoices vendors and their accounting account -DescVentilTodoExpenseReport=Bind expense report lines not already bound with a fee accounting account -DescVentilExpenseReport=Consult here the list of expense report lines bound (or not) to a fee accounting account -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 +DescVentilSupplier=Konsultējieties šeit ar pārdevēju rēķina līniju sarakstu, kas saistītas vai vēl nav saistītas ar produktu grāmatvedības kontu +DescVentilDoneSupplier=Konsultējieties šeit ar rēķinu piegādātāju rindu sarakstu un to grāmatvedības kontu +DescVentilTodoExpenseReport=Bind expense report lines, kas jau nav saistītas ar maksu grāmatvedības kontu +DescVentilExpenseReport=Konsultējieties šeit ar izdevumu pārskatu rindiņu sarakstu, kas ir saistoši (vai nē) ar maksu grāmatvedības kontu +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 " 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 -ValidateHistory=Bind Automatically -AutomaticBindingDone=Automatic binding done +ValidateHistory=Bind automātiski +AutomaticBindingDone=Automātiska piesaistīšana pabeigta ErrorAccountancyCodeIsAlreadyUse=Error, you cannot delete this accounting account because it is used -MvtNotCorrectlyBalanced=Movement not correctly balanced. Debit = %s | Credit = %s -FicheVentilation=Binding card -GeneralLedgerIsWritten=Transactions are written in the Ledger -GeneralLedgerSomeRecordWasNotRecorded=Some of the transactions could not be journalized. If there is no other error message, this is probably because they were already journalized. -NoNewRecordSaved=No more record to journalize -ListOfProductsWithoutAccountingAccount=List of products not bound to any accounting account -ChangeBinding=Change the binding -Accounted=Accounted in ledger -NotYetAccounted=Not yet accounted in ledger +MvtNotCorrectlyBalanced=Kustība nav pareizi sabalansēta. Debit = %s | Kredīts = %s +FicheVentilation=Iesiešanas kartiņa +GeneralLedgerIsWritten=Darījumi ir rakstīti grāmatvedībā +GeneralLedgerSomeRecordWasNotRecorded=Daži darījumi nevarēja tikt publicēti žurnālā. Ja nav citas kļūdas ziņojuma, iespējams, ka tie jau tika publicēti. +NoNewRecordSaved=Neviens ieraksts žurnālistikai nav +ListOfProductsWithoutAccountingAccount=Produktu saraksts, uz kuriem nav saistīta kāds grāmatvedības konts +ChangeBinding=Mainiet saites +Accounted=Uzskaita virsgrāmatā +NotYetAccounted=Vēl nav uzskaitīti virsgrāmatā ## Admin ApplyMassCategories=Pielietot masu sadaļas -AddAccountFromBookKeepingWithNoCategories=Available acccount not yet in a personalized group -CategoryDeleted=Category for the accounting account has been removed +AddAccountFromBookKeepingWithNoCategories=Pieejamais aprēķins vēl nav personalizētajā grupā +CategoryDeleted=Grāmatvedības konta kategorija ir noņemta AccountingJournals=Grāmatvedības žurnāli -AccountingJournal=Accounting journal -NewAccountingJournal=New accounting journal -ShowAccoutingJournal=Show accounting journal +AccountingJournal=Grāmatvedības žurnāls +NewAccountingJournal=Jauns grāmatvedības žurnāls +ShowAccoutingJournal=Rādīt grāmatvedības žurnālu Nature=Daba -AccountingJournalType1=Miscellaneous operations +AccountingJournalType1=Dažādas darbības AccountingJournalType2=Pārdošanas -AccountingJournalType3=Purchases +AccountingJournalType3=Pirkumi AccountingJournalType4=Banka -AccountingJournalType5=Expenses report +AccountingJournalType5=Izdevumu pārskats AccountingJournalType8=Inventārs -AccountingJournalType9=Has-new -ErrorAccountingJournalIsAlreadyUse=This journal is already use -AccountingAccountForSalesTaxAreDefinedInto=Note: Accounting account for Sales tax are defined into menu %s - %s +AccountingJournalType9=Ir jauns +ErrorAccountingJournalIsAlreadyUse=Šis žurnāls jau ir izmantots +AccountingAccountForSalesTaxAreDefinedInto=Piezīme. Pārdošanas nodokļa grāmatvedības konts ir norādīts izvēlnē %s - %s . ## Export -ExportDraftJournal=Export draft journal +ExportDraftJournal=Eksporta žurnāla projekts Modelcsv=Eksporta modulis Selectmodelcsv=Select a model of export Modelcsv_normal=Klasiskais eksports -Modelcsv_CEGID=Export towards CEGID Expert Comptabilité +Modelcsv_CEGID=Eksportēt uz CEGID Expert Comptabilité Modelcsv_COALA=Export towards Sage Coala Modelcsv_bob50=Export towards Sage BOB 50 Modelcsv_ciel=Export towards Sage Ciel Compta or Compta Evolution Modelcsv_quadratus=Export towards Quadratus QuadraCompta -Modelcsv_ebp=Export towards EBP -Modelcsv_cogilog=Export towards Cogilog -Modelcsv_agiris=Export towards Agiris -Modelcsv_configurable=Export Configurable -ChartofaccountsId=Chart of accounts Id +Modelcsv_ebp=Eksports uz EBP +Modelcsv_cogilog=Eksportēt uz Cogilog +Modelcsv_agiris=Eksports uz Agirisu +Modelcsv_configurable=Eksportēt konfigurējams +ChartofaccountsId=Kontu konts. Id ## Tools - Init accounting account on product / service -InitAccountancy=Init accountancy -InitAccountancyDesc=This page can be used to initialize an accounting account on products and services that does not have accounting account defined for sales and purchases. -DefaultBindingDesc=This page can be used to set a default account to use to link transactions record about payment salaries, donation, taxes and vat when no specific accounting account were already set. +InitAccountancy=Init grāmatvedība +InitAccountancyDesc=Šo lapu var izmantot, lai inicializētu grāmatvedības kontu par produktiem un pakalpojumiem, kuriem nav noteikts grāmatvedības konts pārdošanai un pirkumiem. +DefaultBindingDesc=Šo lapu var izmantot, lai iestatītu noklusēto kontu, ko izmantot, lai saistītu darījumu protokolu par algas, ziedojumiem, nodokļiem un PVN, ja neviens konkrēts grāmatvedības konts jau nav iestatīts. Options=Iespējas -OptionModeProductSell=Mode sales -OptionModeProductBuy=Mode purchases -OptionModeProductSellDesc=Show all products with accounting account for sales. -OptionModeProductBuyDesc=Show all products with accounting account for purchases. -CleanFixHistory=Remove accounting code from lines that not exists into charts of account +OptionModeProductSell=Mode pārdošana +OptionModeProductBuy=Mode pirkumi +OptionModeProductSellDesc=Parādiet visus produktus ar grāmatvedības kontu pārdošanai. +OptionModeProductBuyDesc=Parādiet visus produktus ar grāmatvedības kontu pirkumiem. +CleanFixHistory=Noņemiet grāmatvedības kodu no rindām, kas nav konta diagrammās CleanHistory=Atiestatīt visas saistītās vērtības izvēlētajam gadam -PredefinedGroups=Predefined groups -WithoutValidAccount=Without valid dedicated account -WithValidAccount=With valid dedicated account -ValueNotIntoChartOfAccount=This value of accounting account does not exist into chart of account +PredefinedGroups=Iepriekš definētas grupas +WithoutValidAccount=Bez derīga veltīta konta +WithValidAccount=Izmantojot derīgu veltītu kontu +ValueNotIntoChartOfAccount=Šī grāmatvedības konta vērtība konta diagrammā nepastāv ## Dictionary Range=Range of accounting account @@ -285,20 +287,20 @@ Calculated=Aprēķināts Formula=Formula ## Error -SomeMandatoryStepsOfSetupWereNotDone=Some mandatory steps of setup was not done, please complete them +SomeMandatoryStepsOfSetupWereNotDone=Daži obligāti uzstādīšanas soļi nav pabeigti, lūdzu, aizpildiet tos ErrorNoAccountingCategoryForThisCountry=No accounting account group available for country %s (See Home - Setup - Dictionaries) -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=Some lines on invoice are not bound to accounting account. -ExportNotSupported=The export format setuped is not supported into this page -BookeppingLineAlreayExists=Lines already existing into bookeeping +ErrorInvoiceContainsLinesNotYetBounded=Jūs mēģināt žurnalizēt dažas rindiņas %s , bet citas rindas vēl nav saistītas ar grāmatvedības kontu. Visu rēķinu līniju žurnālu publicēšana par šo rēķinu tiek noraidīta. +ErrorInvoiceContainsLinesNotYetBoundedShort=Dažas rēķina rindiņas nav saistītas ar grāmatvedības kontu. +ExportNotSupported=Izveidotais eksporta formāts šajā lapā netiek atbalstīts +BookeppingLineAlreayExists=Jau esošas līnijas grāmatvedībā NoJournalDefined=Nav definēts žurnāls -Binded=Lines bound -ToBind=Lines to bind -UseMenuToSetBindindManualy=Autodection not possible, use menu %s to make the binding manually +Binded=Līnijas saistītas +ToBind=Rindiņas saistīt +UseMenuToSetBindindManualy=Autodekcija nav iespējama, izmantojiet izvēlni %s , lai padarītu saistošu manuāli ## Import -ImportAccountingEntries=Accounting entries +ImportAccountingEntries=Grāmatvedības ieraksti -WarningReportNotReliable=Warning, this report is not based on the Ledger, so does not contains transaction modified manualy in the Ledger. If your journalization is up to date, the bookkeeping view is more accurate. -ExpenseReportJournal=Expense Report Journal -InventoryJournal=Inventory Journal +WarningReportNotReliable=Brīdinājums, šis pārskats nav balstīts uz grāmatvedi, tāpēc grāmatvedībā nav modificēta darījuma modificēšana. Ja žurnāls ir atjaunināts, grāmatvedības skats ir precīzāks. +ExpenseReportJournal=Izdevumu atskaites žurnāls +InventoryJournal=Inventāra žurnāls diff --git a/htdocs/langs/lv_LV/admin.lang b/htdocs/langs/lv_LV/admin.lang index 3707e334e77c7..de9d9d1b455ea 100644 --- a/htdocs/langs/lv_LV/admin.lang +++ b/htdocs/langs/lv_LV/admin.lang @@ -13,18 +13,18 @@ FileCheck=Failu veseluma pārbaudītājs FileCheckDesc=This tool allows you to check the integrity of files and setup of your application, comparing each files with the official ones. Value of some setup constants may also be checked. You can use this tool to detect if some files were modified by a hacker for example. FileIntegrityIsStrictlyConformedWithReference=Files integrity is strictly conformed with the reference. FileIntegrityIsOkButFilesWereAdded=Files integrity check has passed, however some new files were added. -FileIntegritySomeFilesWereRemovedOrModified=Files integrity check has failed. Some files were modified, removed or added. -GlobalChecksum=Global checksum -MakeIntegrityAnalysisFrom=Make integrity analysis of application files from -LocalSignature=Embedded local signature (less reliable) -RemoteSignature=Remote distant signature (more reliable) +FileIntegritySomeFilesWereRemovedOrModified=Failu integritātes pārbaude neizdevās. Daži faili tika mainīti, noņemti vai pievienoti. +GlobalChecksum=Globālā kontrolsumma +MakeIntegrityAnalysisFrom=Veiciet lietojumprogrammu failu integritātes analīzi no +LocalSignature=Iegultais vietējais paraksts (mazāk ticams) +RemoteSignature=Attālinātais attālais paraksts (uzticamāks) FilesMissing=Trūkstošie faili FilesUpdated=Atjaunotie faili FilesModified=Modificētie faili FilesAdded=Pievienotie faili FileCheckDolibarr=Pārbaudīt aplikācijas failu veselumu -AvailableOnlyOnPackagedVersions=The local file for integrity checking is only available when application is installed from an official package -XmlNotFound=Xml Integrity File of application not found +AvailableOnlyOnPackagedVersions=Vietējais faila integritātes pārbaude ir pieejams tikai tad, ja lietojumprogramma ir instalēta no oficiālās pakotnes +XmlNotFound=Xml Integrity Pieteikuma fails nav atrasts SessionId=Sesijas ID SessionSaveHandler=Pārdevējs, lai saglabātu sesijas SessionSavePath=Uzglabāšanas sesijas lokalizācija @@ -40,8 +40,8 @@ WebUserGroup=Web servera lietotājs/grupa NoSessionFound=Jūsu PHP, šķiet, neļauj uzskaitīt aktīvās sesijas. Katalogs, ko izmanto sesiju saglabāšanai (%s), var būt aizsargāts (piemēram, ar OS atļaujām vai PHP direktīvu open_basedir). DBStoringCharset=Datu bāzes kodējuma datu uzglabāšanai DBSortingCharset=Datu bāzes rakstzīmju kopa, lai kārtotu datus -ClientCharset=Client charset -ClientSortingCharset=Client collation +ClientCharset=Klienta kodējums +ClientSortingCharset=Klientu salīdzināšana WarningModuleNotActive=Modulim %s ir jābūt aktivizētam WarningOnlyPermissionOfActivatedModules=Tikai atļaujas, kas saistīti ar aktīviem moduļi tiek parādīts šeit. Jūs varat aktivizēt citus moduļus Mājās->Iestatījumi->moduļi lapā. DolibarrSetup=Dolibarr instalēšana vai atjaunināšana @@ -51,7 +51,7 @@ InternalUsers=Iekšējie lietotāji ExternalUsers=Ārējie lietotāji GUISetup=Attēlojums SetupArea=Iestatījumi -UploadNewTemplate=Upload new template(s) +UploadNewTemplate=Augšupielādēt jaunu veidni (-es) FormToTestFileUploadForm=Forma, lai pārbaudītu failu augšupielādi (pēc uiestatītajiem parametriem) IfModuleEnabled=Piezīme: jā, ir efektīva tikai tad, ja modulis %s ir iespējots RemoveLock=Dzēst failu %s, ja tāds ir, lai varētu izmantošanu atjaunināšanas rīku. @@ -68,11 +68,11 @@ ErrorCodeCantContainZero=Kods nevar saturēt 0 vērtību DisableJavascript=Disable JavaScript and Ajax functions (Recommended for blind person or text browsers) 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=Wait you press a key before loading content of thirdparties combo list (This may increase performance if you have a large number of thirdparties, but it is less convenient) -DelaiedFullListToSelectContact=Wait you press a key before loading content of contact combo list (This may increase performance if you have a large number of contact, but it is less convenient) +DelaiedFullListToSelectCompany=Pagaidiet, kamēr nospiediet taustiņu, pirms ievietojat trešo pušu kombinēto sarakstu saturu (tas var palielināt veiktspēju, ja jums ir liels skaits trešo daļu, bet tas ir mazāk ērts). +DelaiedFullListToSelectContact=Pagaidiet, kamēr nospiedat taustiņu, pirms ievietojat kontaktpersonu saraksta saturu (tas var palielināt veiktspēju, ja jums ir liels skaits kontaktu, bet tas ir mazāk ērti). NumberOfKeyToSearch=Rakstzīmju skaits, lai iedarbinātu meklēšanu: %s NotAvailableWhenAjaxDisabled=Nav pieejama, kad Ajax ir bloķēts -AllowToSelectProjectFromOtherCompany=On document of a third party, can choose a project linked to another third party +AllowToSelectProjectFromOtherCompany=Trešās puses dokumentā var izvēlēties projektu, kas ir saistīts ar citu trešo personu JavascriptDisabled=JavaScript bloķēts UsePreviewTabs=Izmantot priekšskatījuma cilnes ShowPreview=Rādīt priekšskatījumu @@ -89,7 +89,7 @@ Mask=Maska NextValue=Nākošā vērtība NextValueForInvoices=Nākošā vērtība (rēķini) NextValueForCreditNotes=Nākošā vērtība (kredīta piezīmes) -NextValueForDeposit=Next value (down payment) +NextValueForDeposit=Nākamā vērtība (pirmā iemaksa) NextValueForReplacements=Tālāk vērtība (nomaiņa) MustBeLowerThanPHPLimit=Piezīme: jūsu PHP ierobežo katra failu augšupielādes lielumu, lai %s %s, neatkarīgi no šī parametra vērtība ir NoMaxSizeByPHPLimit=Piezīme: Nav limits tiek noteikts jūsu PHP konfigurācijā @@ -115,8 +115,8 @@ OtherSetup=Citi iestatījumi CurrentValueSeparatorDecimal=Decimālais atdalītājs CurrentValueSeparatorThousand=Tūkstošu atdalītājs Destination=Galamērķis -IdModule=Module ID -IdPermissions=Permissions ID +IdModule=Moduļa ID +IdPermissions=Atļaujas ID LanguageBrowserParameter=Parametrs %s LocalisationDolibarrParameters=Lokalizācijas parametri ClientTZ=Klienta laika zona (lietotāja) @@ -126,12 +126,12 @@ PHPTZ=PHP servera Laika zona DaylingSavingTime=Vasaras laiks CurrentHour=PHP laiks (servera) CurrentSessionTimeOut=Pašreizējais sesijas taimauts -YouCanEditPHPTZ=To set a different PHP timezone (not required), you can try to add a file .htaccess with a line like this "SetEnv TZ Europe/Paris" -HoursOnThisPageAreOnServerTZ=Warning, in contrary of other screens, hours on this page are not in your local timezone, but for the timezone of the server. +YouCanEditPHPTZ=Lai iestatītu citu PHP laika joslu (nav nepieciešams), varat mēģināt pievienot failu .htaccess ar tādu līniju kā "SetEnv TZ Europe / Paris" +HoursOnThisPageAreOnServerTZ=Brīdinājums, pretēji citiem ekrāniem, šīs lapas stundas neatrodas jūsu vietējā laika joslā, bet gan servera laika joslai. Box=Logrīks Boxes=Logrīki MaxNbOfLinesForBoxes=Maksimālais logrīku līniju skaits -AllWidgetsWereEnabled=All available widgets are enabled +AllWidgetsWereEnabled=Ir iespējoti visi pieejamie logrīki PositionByDefault=Noklusējuma secība Position=Pozīcija MenusDesc=Menu managers set content of the two menu bars (horizontal and vertical). @@ -144,14 +144,14 @@ SystemToolsArea=Sistēmas rīku iestatīšana SystemToolsAreaDesc=Šī sadaļa piedāvā administrēšanas funkcijas. Lietojiet izvēlni, lai izvēlētos funkciju kuru Jūs meklējat. Purge=Tīrīt 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 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) +PurgeDeleteLogFile=Dzēsiet žurnāla failus, tostarp %s , kas definēti Syslog modulim (nav datu pazaudēšanas riska). PurgeDeleteTemporaryFiles=Delete all temporary files (no risk of losing data) PurgeDeleteTemporaryFilesShort=Dzēst pagaidu failus PurgeDeleteAllFilesInDocumentsDir=Dzēst visus failus direktorijā %s. Pagaidu failus un arī datu bāzes rezerves dumpus, pievienotie faili pievienoti elementiem (trešās personas, rēķini, ...) un augšupielādēta ECM modulī tiks dzēsti. PurgeRunNow=Tīrīt tagad PurgeNothingToDelete=Nav mapes vai failu, kurus jādzēš. PurgeNDirectoriesDeleted=%s faili vai direktorijas dzēsti. -PurgeNDirectoriesFailed=Failed to delete %s files or directories. +PurgeNDirectoriesFailed=Neizdevās izdzēst failus vai direktorijas %s . PurgeAuditEvents=Tīrīt visus drošības ierakstus ConfirmPurgeAuditEvents=Vai jūs tiešām vēlaties, lai iztīrīt visus drošības notikumus? Visi drošības žurnāli tiks dzēsti, nekādi citi dati netiks dzēsti. GenerateBackup=Izveidot rezerves kopiju @@ -195,27 +195,27 @@ BoxesDesc=Widgets are components showing some information that you can add to pe OnlyActiveElementsAreShown=Tikai elementus no iespējotu moduļi tiek parādīts. ModulesDesc=Dolibarr modules define which application/feature is enabled in software. Some application/modules require permissions you must grant to users, after activating it. Click on button on/off to enable a module/application. ModulesMarketPlaceDesc=You can find more modules to download on external websites on the Internet... -ModulesDeployDesc=If permissions on your file system allows it, you can use this tool to deploy an external module. The module wil then be visible on the tab %s. +ModulesDeployDesc=Ja to ļauj atļaujas jūsu failu sistēmā, varat izmantot šo rīku, lai izvietotu ārēju moduli. Tad modulis būs redzams cilnē %s . ModulesMarketPlaces=Atrastt ārējo lietotni / moduļus -ModulesDevelopYourModule=Develop your own app/modules -ModulesDevelopDesc=You can develop or find a partner to develop for you, your personalised module -DOLISTOREdescriptionLong=Instead of switching on www.dolistore.com web site to find an external module, you can use this embedded tool that will make the seach on the external market place for you (may be slow, need an internet access)... +ModulesDevelopYourModule=Izstrādājiet savu lietotni / moduļus +ModulesDevelopDesc=Jūs varat attīstīt vai atrast partneri, kas izstrādās jums, jūsu personalizēto moduli +DOLISTOREdescriptionLong=Tā vietā, lai pārlūkotu www.dolistore.com tīmekļa vietni, lai atrastu ārēju moduli, varat izmantot šo iegulto rīku, kas veic meklēšanu ārējā tirgus vieta jums (var būt lēns, nepieciešams interneta pieslēgums) ... NewModule=Jauns FreeModule=Bezmaksas -CompatibleUpTo=Compatible with version %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 +CompatibleUpTo=Savietojams ar versiju %s +NotCompatible=Šis modulis, šķiet, nav savietojams ar jūsu Dolibarr %s (Min %s - Max %s). +CompatibleAfterUpdate=Šis modulis prasa atjaunināt Dolibarr %s (Min %s - Max %s). +SeeInMarkerPlace=Skatiet Marketplace Updated=Atjaunots -Nouveauté=Novelty +Nouveauté=Jaunums AchatTelechargement=Pirkt / lejupielādēt -GoModuleSetupArea=To deploy/install a new module, go onto the Module setup area at %s. +GoModuleSetupArea=Lai izvietotu / instalētu jaunu moduli, dodieties uz moduļa iestatīšanas apgabalu vietnē %s . DoliStoreDesc=DoliStore ir oficiālā mājaslapa Dolibarr ERP / CRM papildus moduļiem -DoliPartnersDesc=List of companies providing custom developed modules or features (Note: anyone experienced in PHP programming can provide custom development for an open source project) +DoliPartnersDesc=Saraksts ar uzņēmumiem, kas piedāvā pielāgotus izstrādātus moduļus vai funkcijas (Piezīme: ikviens, kas pieredzējis PHP programmēšanu, var nodrošināt pielāgotu izstrādi atklātā pirmkoda projektam) WebSiteDesc=Reference websites to find more modules... -DevelopYourModuleDesc=Some solutions to develop your own module... +DevelopYourModuleDesc=Daži risinājumi, lai izstrādātu savu moduli ... URL=Saite -BoxesAvailable=Pieejami logrīki +BoxesAvailable=Pieejamie logrīki BoxesActivated=Logrīki aktivizēti ActivateOn=Aktivizēt ActiveOn=Aktivizēts @@ -250,30 +250,30 @@ HelpCenterDesc1=Šī sadaļa var palīdzēt jums, lai saņemtu palīdzības dien HelpCenterDesc2=Daži no šo pakalpojumu daļa ir pieejama tikai angļu valodā. CurrentMenuHandler=Pašreizējais izvēlnes apstrādātājs MeasuringUnit=Mērvienības -LeftMargin=Left margin -TopMargin=Top margin -PaperSize=Paper type +LeftMargin=Kreisā robeža +TopMargin=Augstākā starpība +PaperSize=Papīra veids Orientation=Orientācija -SpaceX=Space X -SpaceY=Space Y +SpaceX=Telpa x +SpaceY=Telpa Y FontSize=Fonta izmērs Content=Saturs -NoticePeriod=Notice period -NewByMonth=New by month +NoticePeriod=Paziņojuma periods +NewByMonth=Jauns pa mēnešiem Emails=E-pasti EMailsSetup=E-pastu iestatīšana -EMailsDesc=This page allows you to overwrite your PHP parameters for emails sending. In most cases on Unix/Linux OS, your PHP setup is correct and these parameters are useless. -EmailSenderProfiles=Emails sender profiles +EMailsDesc=Šī lapa ļauj jums pārrakstīt jūsu PHP parametrus e-pasta nosūtīšanai. Vairumā gadījumu uz Unix / Linux OS, jūsu PHP iestatīšana ir pareiza, un šie parametri ir bezjēdzīgi. +EmailSenderProfiles=E-pasta sūtītāju profili MAIN_MAIL_SMTP_PORT=SMTP / SMTPS Ports (Pēc noklusējuma php.ini: %s) MAIN_MAIL_SMTP_SERVER=SMTP / SMTPS serveris (Pēc noklusējuma php.ini: %s) MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=SMTP / SMTPS Port (Nav noteikts uz PHP uz Unix, piemēram, sistēmas) MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP / SMTPS Host (Nav noteikts uz PHP uz Unix, piemēram, sistēmas) -MAIN_MAIL_EMAIL_FROM=Sender email for automatic emails (By default in php.ini: %s) -MAIN_MAIL_ERRORS_TO=Eemail used for error returns emails (fields 'Errors-To' in emails sent) +MAIN_MAIL_EMAIL_FROM=Sūtītāja e-pasta ziņojums automātiskajiem e-pasta ziņojumiem (pēc noklusējuma lietotnē php.ini: %s ) +MAIN_MAIL_ERRORS_TO=Eemails, ko izmanto kļūdas gadījumā, atgriež e-pastus (laukos 'Kļūdas-To' e-pasta vēstulēs) MAIN_MAIL_AUTOCOPY_TO= Nosūtīt sistemātiski visu nosūtīto e-pastu slēptu kopiju uz -MAIN_DISABLE_ALL_MAILS=Disable all emails sendings (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=Add employees users with email into allowed destinaries list +MAIN_DISABLE_ALL_MAILS=Atspējot visus e-pasta sūtījumus (testēšanas nolūkos vai demos) +MAIN_MAIL_FORCE_SENDTO=Nosūtiet visus e-pastus (nevis reāliem saņēmējiem, lai veiktu pārbaudes) +MAIN_MAIL_ENABLED_USER_DEST_SELECT=Pievienojiet darbinieku lietotājus ar e-pasta adresi atļauto sarakstos MAIN_MAIL_SENDMODE=Metode ko izmantot sūtot e-pastus MAIN_MAIL_SMTPS_ID=SMTP ID ja autentificēšana nepieciešama MAIN_MAIL_SMTPS_PW=SMTP parole ja autentificēšanās nepieciešama @@ -282,7 +282,7 @@ MAIN_MAIL_EMAIL_STARTTLS= Izmantot TLS (SSL) šifrēšanu MAIN_DISABLE_ALL_SMS=Atslēgt visas SMS sūtīšanas (izmēģinājuma nolūkā vai demo) MAIN_SMS_SENDMODE=Izmantojamā metode SMS sūtīšanai MAIN_MAIL_SMS_FROM=Noklusētais sūtītāja tālruņa numurs SMS sūtīšanai -MAIN_MAIL_DEFAULT_FROMTYPE=Sender email by default for manual sendings (User email or Company email) +MAIN_MAIL_DEFAULT_FROMTYPE=Nosūtītāja e-pasts pēc noklusējuma manuālai sūtīšanai (lietotāja e-pasts vai uzņēmuma e-pasts) UserEmail=Lietotāja e-pasts CompanyEmail=Uzņēmuma e-pasts FeatureNotAvailableOnLinux=Iezīme nav pieejams Unix, piemēram, sistēmas. Pārbaudi savu sendmail programmai vietas. @@ -292,7 +292,7 @@ ModuleSetup=Moduļa iestatīšana ModulesSetup=Moduļu/Aplikāciju iestatīšana ModuleFamilyBase=Sistēma ModuleFamilyCrm=Klientu pārvaldība (CRM) -ModuleFamilySrm=Vendor Relation Management (VRM) +ModuleFamilySrm=Pārdevēja saistību pārvaldība (VRM) ModuleFamilyProducts=Produktu Pārvaldība (PP) ModuleFamilyHr=Darbinieku resursu pārvaldība (DRP) ModuleFamilyProjects=Projekti / Sadarbības darbi @@ -307,24 +307,24 @@ MenuHandlers=Izvēlnes manipulatori MenuAdmin=Izvēlnes redaktors DoNotUseInProduction=Neizmantot produkcijā ThisIsProcessToFollow=Šie ir soļi, kas jāipilda: -ThisIsAlternativeProcessToFollow=This is an alternative setup to process manually: +ThisIsAlternativeProcessToFollow=Tas ir alternatīvs iestatījums, lai apstrādātu manuāli: StepNb=Solis %s FindPackageFromWebSite=Atrast paku, kas nodrošina iespēju, kura jums ir nepieciešama (piemēram oficiālajā tīmekļa vietnē %s). DownloadPackageFromWebSite=Lejupielādēt arhīvu (piem. no oficialās mājas lapas %s). UnpackPackageInDolibarrRoot=Atarhivēt paku Dolibarr servera direktorijā, kas paredzēta Dolibarr: %s -UnpackPackageInModulesRoot=To deploy/install an external module, unpack the packaged files into the server directory dedicated to modules: %s +UnpackPackageInModulesRoot=Lai izvietotu / instalētu ārēju moduli, izpakojiet iepakotos failus serveru direktorijā, kas ir saistīts ar moduļiem: %s SetupIsReadyForUse=Moduļa izvietošana ir pabeigta. Tomēr jums ir jāiespējo un jāiestata modulis jūsu programmā, dodoties uz lapu, lai mainītu moduļu iestatījumus: %s. NotExistsDirect=Alternatīva saknes direktorijs nav definēta.
InfDirAlt=Kopš 3 versijas, ir iespējams noteikt alternatīvu sakne directory.Tas ļauj jums saglabāt, tajā pašā vietā, papildinājumus un pielāgotas veidnes.
Jums tikai jāizveido direktoriju Dolibarr saknē (piemēram: custom).
-InfDirExample=
Then declare it in the file conf.php
$dolibarr_main_url_root_alt='/custom'
$dolibarr_main_document_root_alt='/path/of/dolibarr/htdocs/custom'
If these lines are commented with "#", to enable them, just uncomment by removing the "#" character. -YouCanSubmitFile=For this step, you can submit the .zip file of module package here : +InfDirExample=
Pēc tam paziņojiet to failā conf.php
$ dolibarr_main_url_root_alt = "/ custom"

dolibarr_main_document_root_alt = '/ path / of / dolibarr / htdocs / custom'
Ja šīm rindiņām tiek komentētas ar "#", lai tās iespējotu, vienkārši izmainiet, noņemot "#" rakstzīmi. +YouCanSubmitFile=Šajā solī jūs varat iesniegt moduļu paketes zip failu šeit: CurrentVersion=Dolibarr pašreizējā versija CallUpdatePage=Go to the page that updates the database structure and data: %s. LastStableVersion=Jaunākā stabilā versija LastActivationDate=Jaunākais aktivizācijas datums -LastActivationAuthor=Latest activation author -LastActivationIP=Latest activation IP -UpdateServerOffline=Update server offline +LastActivationAuthor=Jaunākais aktivizētāja autors +LastActivationIP=Jaunākā aktivizācijas IP adrese +UpdateServerOffline=Atjaunināšanas serveris bezsaistē WithCounter=Pārvaldīt skaitītāju GenericMaskCodes=Jūs varat ievadīt jebkuru numerācijas masku. Šajā maska, šādus tagus var izmantot:
{000000} atbilst skaitam, kas tiks palielināts par katru %s. Ievadīt tik daudz nullēm, kā vajadzīgajā garumā letes. Skaitītājs tiks pabeigts ar nullēm no kreisās puses, lai būtu tik daudz nullēm kā masku.
{000000 000} tāds pats kā iepriekšējais, bet kompensēt atbilst noteiktam skaitam pa labi uz + zīmi tiek piemērots, sākot ar pirmo %s.
{000000 @ x} tāds pats kā iepriekšējais, bet skaitītājs tiek atiestatīts uz nulli, kad mēnesī x ir sasniegts (x no 1 līdz 12, 0 vai izmantot agri no finanšu gada mēnešiem, kas noteiktas konfigurācijas, 99 vai atiestatīt uz nulli katru mēnesi ). Ja šis variants tiek izmantots, un x ir 2 vai vairāk, tad secība {gggg} {mm} vai {GGGG} {mm} ir arī nepieciešama.
{Dd} diena (no 01 līdz 31).
{Mm} mēnesi (no 01 līdz 12).
{Yy}, {GGGG} vai {y} gadu vairāk nekā 2, 4 vai 1 numuri.
GenericMaskCodes2={cccc} the client code on n characters
{cccc000} the client code on n characters is followed by a counter dedicated for customer. This counter dedicated to customer is reset at same time than global counter.
{tttt} The code of third party type on n characters (see menu Home - Setup - Dictionary - Types of third parties). If you add this tag, the counter will be different for each type of third party.
@@ -343,7 +343,7 @@ ErrorCantUseRazIfNoYearInMask=Error, can't use option @ to reset counter each ye ErrorCantUseRazInStartedYearIfNoYearMonthInMask=Kļūda, nevar izmantot iespēju @, ja secība {gggg} {mm} vai {gads} {mm} nav maska. UMask=Umask parametri jauniem failiem Unix/Linux/BSD/Mac failu sistēma. UMaskExplanation=Šis parametrs ļauj noteikt atļaujas, kas pēc noklusējuma failus, ko rada Dolibarr uz servera (laikā augšupielādēt piemēram).
Tam jābūt astotnieku vērtība (piemēram, 0666 nozīmē lasīt un rakstīt visiem).
Šis parametrs ir bezjēdzīgi uz Windows servera. -SeeWikiForAllTeam=Take a look at the wiki page for full list of all actors and their organization +SeeWikiForAllTeam=Apskatiet wiki lapu, lai uzzinātu visu dalībnieku un to organizāciju pilnu sarakstu UseACacheDelay= Kavēšanās caching eksporta atbildes sekundēs (0 vai tukšs bez cache) DisableLinkToHelpCenter=Paslēpt saites "vajadzīga palīdzība vai atbalsts" pieteikšanās lapā DisableLinkToHelp=Noslēpt saiti uz tiešsaistes palīdzību "%s" @@ -374,14 +374,14 @@ NoSmsEngine=Nav SMS sūtītšanas iespēja pieejama. SMS sūtīšanas iespēja n PDF=PDF PDFDesc=Jūs varat iestatīt katru pasaules iespējas, kas saistītas ar PDF paaudzes PDFAddressForging=Noteikumi veidojot adreses lauku -HideAnyVATInformationOnPDF=Hide all information related to Sales tax / VAT on generated PDF -PDFRulesForSalesTax=Rules for Sales Tax / VAT -PDFLocaltax=Rules for %s -HideLocalTaxOnPDF=Hide %s rate into pdf column tax sale +HideAnyVATInformationOnPDF=Slēpt visu ar pārdošanas nodokli / PVN saistīto informāciju par radīto PDF failu +PDFRulesForSalesTax=Pārdošanas nodokļa / PVN noteikumi +PDFLocaltax=Noteikumi par %s +HideLocalTaxOnPDF=Slēpt %s likmi pdf kolonnas nodokļu pārdošanas HideDescOnPDF=Slēpt produktu aprakstu radītos PDF HideRefOnPDF=Slēpt produktu ref. izveidotajos PDF HideDetailsOnPDF=Slēpt produktu līnijas detaļas izveidotajos PDF -PlaceCustomerAddressToIsoLocation=Use french standard position (La Poste) for customer address position +PlaceCustomerAddressToIsoLocation=Izmantojiet franču standarta pozīciju (La Poste) klienta adreses pozīcijai Library=Bibliotēka UrlGenerationParameters=Parametri, lai nodrošinātu drošas saites SecurityTokenIsUnique=Izmantojiet unikālu securekey parametrs katram URL @@ -394,7 +394,7 @@ PriceBaseTypeToChange=Pārveidot par cenām ar bāzes atsauces vērtību, kas de MassConvert=Uzsākt masveida konvertēšanu String=Rinda TextLong=Garš teksts -HtmlText=Html text +HtmlText=Html teksts Int=Vesels skaitlis Float=Peldēt DateAndTime=Datums un laiks @@ -410,18 +410,18 @@ ExtrafieldSeparator=Atdalītājs (nevis lauks) ExtrafieldPassword=Parole ExtrafieldRadio=Radio pogas (tikai izvēlei) ExtrafieldCheckBox=Izvēles rūtiņas -ExtrafieldCheckBoxFromList=Checkboxes from table -ExtrafieldLink=Link to an object +ExtrafieldCheckBoxFromList=Izvēles rūtiņas no tabulas +ExtrafieldLink=Saite uz objektu ComputedFormula=Aprēķinātais lauks -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 of formula:
$object->id < 10 ? round($object->id / 2, 2) : ($object->id + 2 * $user->id) * (int) substr($mysoc->zip, 1, 2)

Example to reload object
(($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'

Other example of formula to force load of object and its parent object:
(($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' -ExtrafieldParamHelpPassword=Keep this field empty means value will be stored without encryption (field must be only hidden with star on screen).
Set here value 'auto' to use the default encryption rule to save password into database (then value read will be the hash only, no way to retreive 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

- idfilter 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 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 -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
Examples :
Societe:societe/class/societe.class.php
Contact:contact/class/contact.class.php -LibraryToBuildPDF=Library used for PDF generation +ComputedFormulaDesc=Šeit varat ievadīt formulu, izmantojot citas objekta īpašības vai jebkuru PHP kodēšanu, lai iegūtu dinamisku aprēķinātu vērtību. Varat izmantot visas PHP saderīgās formulas, tostarp "?" nosacījumu operators un pēc globāla objekta: $ db, $ conf, $ langs, $ mysoc, $ user, $ object .
BRĪDINĀJUMS : tikai dažas $ objekts var būt pieejams. Ja jums ir vajadzīgas īpašības, kas nav ielādētas, vienkārši iegūstiet sev objektu savā formulā kā otrajā piemērā.
Izmantojot aprēķināto lauku, jūs nevarat ievadīt sev jebkādu vērtību no saskarnes. Arī tad, ja ir sintakses kļūda, formula var atgriezties neko.

Formulas piemērs:
$ object-> id <10? ($ object-> id / 2, 2): ($ object-> id + 2 * $ user-> id) * (int) substr ($ mysoc-> zip, 1, 2)

Piemērs, lai atkārtoti ielādētu objektu
(($ reloadedobj = jauns Societe ($ db)) && ($ reloadedobj-> fetch ($ obj-> id? $ Obj-> id: ($ obj-> rowid? $ Obj- rowid: $ object-> id))> 0))? $ reloadedobj-> array_options ['options_extrafieldkey'] * $ reloadedobj-> capital / 5: '-1'

Cits piemērs formulas, lai piespiestu objekta un tā vecāka objekta slodzi:
(($ reloadedobj = jauns uzdevums ($ db)) && ($ reloadedobj-> fetch ($ object-> id)> 0) && ($ secondloadedobj = jauns projekts ($ db)) && ($ secondloadedobj-> fetch ($ reloadedobj-> fk_project )> 0))? $ secondloadedobj-> ref: 'Vecāks projekts nav atrasts' +ExtrafieldParamHelpPassword=Saglabājiet šo lauku tukša nozīmē, ka vērtība tiks saglabāta bez šifrēšanas (laukam jābūt tikai paslēptai ar zvaigznīti uz ekrāna).
Uzstādīt šeit vērtību "auto", lai izmantotu noklusējuma šifrēšanas kārtulu, lai saglabātu paroli datubāzē (pēc tam vērtība lasīt būs hash only, nekādā veidā noturēt sākotnējo vērtību) +ExtrafieldParamHelpselect=Vērtību sarakstam jābūt līnijām ar formāta atslēgu, vērtību (ja taustiņš nevar būt "0")

piemēram:
1, vērtība 1
2, vērtība 2
kods3, vērtība3 < br> ...

Lai sarakstu izveidotu atkarībā no cita papildinoša atribūtu saraksta:
1, value1 | options_ parent_list_code : parent_key
2, value2 | options_ parent_list_code : parent_key

Lai saraksts būtu atkarīgs no cita saraksta:
1, value1 | parent_list_code : parent_key
2, value2 | parent_list_code : parent_key +ExtrafieldParamHelpcheckbox=Vērtību sarakstam jābūt līnijām ar formāta atslēgu, vērtību (ja taustiņš nevar būt "0")

piemēram:
1, vērtība 1
2, vērtība 2
3, vērtība 3 < br> ... +ExtrafieldParamHelpradio=Vērtību sarakstam jābūt līnijām ar formāta atslēgu, vērtību (ja taustiņš nevar būt "0")

piemēram:
1, vērtība 1
2, vērtība 2
3, vērtība 3 < br> ... +ExtrafieldParamHelpsellist=Vērtību saraksts nāk no tabulas
Sintakses: table_name: label_field: id_field :: filtrs
Piemērs: c_typent: libelle: id :: filtru

- idfilter ir necessarly primārā int atslēga
- filtrs var būt vienkāršs tests (piemēram, aktīvs = 1), lai parādītu tikai aktīvo vērtību
Jūs varat arī izmantot $ ID $ filtra raganā ir pašreizējā objekta pašreizējais ID
Lai veiktu SELECT filtru, izmantojiet $ SEL $
, ja vēlaties filtrēt ārējos laukus, izmantojiet sintaksi extra.fieldcode = ... (ja lauka kods ir extrafield lauka kods)

Lai iegūtu sarakstu, atkarībā no cita papildinoša atribūtu saraksta: < br> c_typent: libelle: id: options_ parent_list_code | vecāki_column: filtrs

Lai sarakstā iekļautu citu sarakstu:
c_typent: libelle: id: parent_list_code | vecāku_column: filtrs +ExtrafieldParamHelpchkbxlst=Vērtību saraksts nāk no tabulas
Sintakses: table_name: label_field: id_field :: filtrs
Piemērs: c_typent: libelle: id :: filtru

filtrs var būt vienkāršs tests (piemēram, aktīvs = 1 ), lai parādītu tikai aktīvo vērtību

Jūs varat arī izmantot $ ID $ filtra raganā ir pašreizējā objekta pašreizējais ID
Lai veiktu SELECT filtru, izmantojiet $ SEL $
, ja vēlaties filtrēt uz lauka izmantošanu sintakss extra.fieldcode = ... (ja lauka kods ir extrafield laukums)

Lai sarakstu izveidotu atkarībā no cita papildinoša atribūtu saraksta:
c_typent: libelle: id: options_ parent_list_code | vecāki_column: filtrs

Lai sarakstā iekļautu citu sarakstu:
c_typent: libelle: id: parent_list_code | parent_column: filtrs +ExtrafieldParamHelplink=Parametriem jābūt ObjectName: Classpath
Syntax: ObjectName: Classpath
Piemēri:
Societe: societe / class / societe.class.php
Kontakti: contact / class / contact.class.php +LibraryToBuildPDF=Bibliotēka, ko izmanto PDF veidošanai LocalTaxDesc=Some countries apply 2 or 3 taxes on each invoice line. If this is the case, choose type for 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) SMS=SMS LinkToTestClickToDial=Ievadiet tālruņa numuru, uz kuru zvanīt, lai parādītu saiti, lai pārbaudītu Nospied lai zvanītu url lietotājam %s @@ -434,49 +434,49 @@ ValueOverwrittenByUserSetup=Uzmanību, šī vērtība var pārrakstīt ar lietot ExternalModule=Ārējais modulis - Instalēts direktorijā %s BarcodeInitForThirdparties=Masveida svītrkoda izveidošana trešajām personām BarcodeInitForProductsOrServices=Mass barcode init or reset for products or services -CurrentlyNWithoutBarCode=Currently, you have %s record on %s %s without barcode defined. +CurrentlyNWithoutBarCode=Pašlaik jums ir %s ieraksts %s %s bez marķējuma definēšanas. InitEmptyBarCode=Init value for next %s empty records EraseAllCurrentBarCode=Dzēst visas svītrkodu vērtības ConfirmEraseAllCurrentBarCode=Vai tiešām vēlaties dzēst visas svītrkodu vērtības ? AllBarcodeReset=Visas svītrkodu vērtības dzēstas NoBarcodeNumberingTemplateDefined=No numbering barcode template enabled into barcode module setup. EnableFileCache=Iespējot faila kešu -ShowDetailsInPDFPageFoot=Add more details into footer of PDF files, like your company address, or manager names (to complete professional ids, company capital and VAT number). -NoDetails=No more details in footer +ShowDetailsInPDFPageFoot=Pievienojiet detalizētu informāciju PDF failu kājenē, piemēram, uzņēmuma adresi vai vadītāju vārdus (lai aizpildītu profesionālos identifikācijas datus, uzņēmuma kapitālu un PVN numuru). +NoDetails=Neviena detalizētā informācija nav iekļauta kājenē DisplayCompanyInfo=Rādīt uzņēmuma adresi DisplayCompanyManagers=Rādīt menedžeru vārdus DisplayCompanyInfoAndManagers=Rādīt uzņēmuma adresi un menedžeru vārdus -EnableAndSetupModuleCron=If you want to have this recurring invoice beeing generated automatically, module *%s* must be enabled and correctly setup. Otherwise, generation of invoices must be done manually from this template with button *Create*. Note that even if you enabled automatic generation, you can still safely launch manual generation. Duplicates generation for same period are not possible. -ModuleCompanyCodeCustomerAquarium=%s followed by third party customer code for a customer accounting code -ModuleCompanyCodeSupplierAquarium=%s followed by third party supplier code for a supplier accounting code -ModuleCompanyCodePanicum=Return an empty accounting code. -ModuleCompanyCodeDigitaria=Accounting code depends on third party code. The code is composed of the character "C" in the first position followed by the first 5 characters of the third party code. -Use3StepsApproval=By default, Purchase Orders need to be created and approved by 2 different users (one step/user to create and one step/user to approve. Note that if user has both permission to create and approve, one step/user will be enough). You can ask with this option to introduce a third step/user approval, if amount is higher than a dedicated value (so 3 steps will be necessary: 1=validation, 2=first approval and 3=second approval if amount is enough).
Set this to empty if one approval (2 steps) is enough, set it to a very low value (0.1) if a second approval (3 steps) is always required. -UseDoubleApproval=Use a 3 steps approval when amount (without tax) is higher than... -WarningPHPMail=WARNING: It is often better to setup outgoing emails to use the email server of your provider instead of the default setup. Some email providers (like Yahoo) does not allow you to send an email from another server than their own server. Your current setup use 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 a server of them, so few of your sent Emails may not be accepted (be carefull also to your email provider sending quota).
If your Email provider (like Yahoo) has this restriction, you must change Email setup to choose the other method "SMTP server" and enter the SMTP server and credentials provided by your Email provider (ask your EMail provider to get SMTP credentials for your account). -WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of your ERP CRM application: %s. +EnableAndSetupModuleCron=Ja vēlaties, lai šī atkārtotā rēķina izsūtīšana notiek automātiski, modulis * %s * ir jāaktivizē un jāuzstāda pareizi. Pretējā gadījumā rēķinu ģenerēšana no šī veidnes jāveic manuāli ar pogu * Izveidot *. Ņemiet vērā, ka pat tad, ja esat iespējojis automātisko ģenerēšanu, joprojām varat droši uzsākt manuālo ģenerēšanu. Dublikātu ģenerēšana par to pašu periodu nav iespējama. +ModuleCompanyCodeCustomerAquarium=%s, kam seko trešās puses klienta kods klienta grāmatvedības kodam +ModuleCompanyCodeSupplierAquarium=%s, kam seko trešās puses piegādātāja kods piegādātāja grāmatvedības kodam +ModuleCompanyCodePanicum=Atgriezt tukšu grāmatvedības kodu. +ModuleCompanyCodeDigitaria=Grāmatvedības kods ir atkarīgs no trešās puses koda. Kods sastāv no rakstzīmes "C" pirmajā pozīcijā, kam seko trešās puses pirmās 5 rakstzīmes. +Use3StepsApproval=Pēc noklusējuma ir jābūt veidotam un apstiprinātam Pirkšanas pasūtījumam no 2 dažādiem lietotājiem (viens solis / lietotājs, lai izveidotu un viens solis / lietotājs apstiprinātu. Ņemiet vērā, ka, ja lietotājam ir gan atļauja izveidot un apstiprināt, viens solis / lietotājs būs pietiekams) . Ar šo opciju varat prasīt trešās pakāpes / lietotāja apstiprinājumu, ja summa ir lielāka par īpašo vērtību (tādēļ būs nepieciešami 3 soļi: 1 = validācija, 2 = pirmais apstiprinājums un 3 = otrais apstiprinājums, ja summa ir pietiekama).
Iestatiet, ka tas ir tukšs, ja pietiek vienam apstiprinājumam (2 pakāpieniem), ja tam vienmēr ir nepieciešams otrais apstiprinājums (3 pakāpieni). +UseDoubleApproval=Izmantojiet 3 pakāpju apstiprinājumu, ja summa (bez nodokļiem) ir augstāka par ... +WarningPHPMail=BRĪDINĀJUMS: bieži vien labāk ir iestatīt izejošos e-pastus, lai izmantotu sava pakalpojumu sniedzēja e-pasta serveri, nevis noklusējuma iestatījumus. Daži e-pasta pakalpojumu sniedzēji (piemēram, Yahoo) neļauj sūtīt e-pastu no cita servera nekā viņu pašu serveris. Jūsu pašreizējā iestatīšana izmanto lietojumprogrammas serveri, lai nosūtītu e-pastu, nevis jūsu e-pasta pakalpojumu sniedzēja serveri, tādēļ daži saņēmēji (tie, kuri ir saderīgi ar ierobežojošo DMARC protokolu), jautās savam e-pasta pakalpojumu sniedzējam, ja viņi var pieņemt jūsu e-pastu un dažus e-pasta pakalpojumu sniedzējus (piemēram, Yahoo) var atbildēt "nē", jo serveris nav to serveris, tāpēc maz no jūsu nosūtītajiem e-pasta ziņojumiem var tikt pieņemti (uzmanīgi arī pie e-pasta pakalpojumu sniedzēja, kas sūta kvotu).
Ja jūsu e-pasta pakalpojumu sniedzējs (piemēram, Yahoo) ir šis ierobežojums, jums ir jāmaina e-pasta iestatīšana, lai izvēlētos citu metodi "SMTP serveris" un ievadiet SMTP serveri un akreditācijas datus, ko sniedz jūsu e-pasta pakalpojumu sniedzējs (lūdziet savam e-pasta pakalpojumu sniedzējam iegūt jūsu kontam SMTP akreditācijas datus). +WarningPHPMail2=Ja jūsu e-pasta SMTP pakalpojumu sniedzējam ir jāierobežo e-pasta klients uz dažām IP adresēm (ļoti reti), tas ir jūsu ERP CRM lietojumprogrammas e-pasta lietotāja aģenta (MUA) IP adrese: %s . ClickToShowDescription=Noklikšķiniet, lai parādītu aprakstu DependsOn=Šim modulim nepieciešams modulis (-i) -RequiredBy=This module is required by module(s) -TheKeyIsTheNameOfHtmlField=This is the name of the HTML field. This need to have technical knowledges to read the content of the HTML page to get the key name of a field. -PageUrlForDefaultValues=You must enter here the relative url of the page. If you include parameters in URL, the default values will be effective if all parameters are set to same value. Examples: -PageUrlForDefaultValuesCreate=
For form to create a new thirdparty, it is %s,
If you want default value only if url has some parameter, you can use %s -PageUrlForDefaultValuesList=
For page that list thirdparties, it is %s,
If you want default value only if url has some parameter, you can use %s -EnableDefaultValues=Enable usage of personalized default values -EnableOverwriteTranslation=Enable usage of overwrote translation -GoIntoTranslationMenuToChangeThis=A translation has been found for the key with this code, so to change this value, you must edit it fom 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. +RequiredBy=Šo moduli pieprasa modulis (-i) +TheKeyIsTheNameOfHtmlField=Šis ir HTML lauka nosaukums. Tam vajadzīgas tehniskas zināšanas, lai lasītu HTML lapas saturu, lai iegūtu lauka atslēgas nosaukumu. +PageUrlForDefaultValues=Šeit jāievada relatīvā lapas URL. Ja URL tiek iekļauti parametri, noklusējuma vērtības būs efektīvas, ja visi parametri ir vienādi. Piemēri: +PageUrlForDefaultValuesCreate=
Veidā, lai izveidotu jaunu trešo personu, tas ir %s

Ja vēlaties tikai noklusējuma vērtību, ja url ir kāds parametrs, varat izmantot %s +PageUrlForDefaultValuesList=
Lapai, kas ir trešo pušu saraksts, tā ir %s

Ja vēlaties tikai noklusējuma vērtību, ja url ir kāds parametrs, varat izmantot %s +EnableDefaultValues=Iespējot personalizēto noklusēto vērtību izmantošanu +EnableOverwriteTranslation=Iespējot pārrakstīto tulkojumu izmantošanu +GoIntoTranslationMenuToChangeThis=Taustiņam ir atrasts tulkojums ar šo kodu, tāpēc, lai mainītu šo vērtību, jums ir jāreģistrē fom Home-Setup-translation. +WarningSettingSortOrder=Brīdinājums, noklusējuma rūtiņu secības iestatīšana var radīt tehnisku kļūdu, apmeklējot saraksta lapu, ja lauks nav nezināma lauka. Ja rodas šāda kļūda, atgriezieties šajā lapā, lai noņemtu noklusējuma kārtošanas secību un atjaunotu noklusējuma darbību. Field=Lauks -ProductDocumentTemplates=Document templates to generate product document -FreeLegalTextOnExpenseReports=Free legal text on expense reports -WatermarkOnDraftExpenseReports=Watermark on draft expense reports -AttachMainDocByDefault=Set this to 1 if you want to attach main document to email by default (if applicable) +ProductDocumentTemplates=Dokumentu veidnes produkta dokumenta ģenerēšanai +FreeLegalTextOnExpenseReports=Bezmaksas juridiskais teksts par izdevumu ziņojumiem +WatermarkOnDraftExpenseReports=Ūdenszīme uz izdevumu pārskatu projektiem +AttachMainDocByDefault=Iestatiet to uz 1, ja vēlaties pēc noklusējuma pievienot e-pasta galveno dokumentu (ja nepieciešams) FilesAttachedToEmail=Pievienot failu -SendEmailsReminders=Send agenda reminders by emails -davDescription=Add a component to be a DAV server -DAVSetup=Setup of module DAV -DAV_ALLOW_PUBLIC_DIR=Enable the public directory (WebDav directory with no login required) -DAV_ALLOW_PUBLIC_DIRTooltip=The WebDav public directory is a WebDAV directory everybody can access to (in read and write mode), with no need to have/use an existing login/password account. +SendEmailsReminders=Sūtīt darba kārtībā atgādinājumus pa e-pastu +davDescription=Pievienojiet komponents DAV serverim +DAVSetup=DAV moduļa uzstādīšana +DAV_ALLOW_PUBLIC_DIR=Iespējot publisko direktoriju (WebDav direktoriju bez nepieciešamības pieslēgties) +DAV_ALLOW_PUBLIC_DIRTooltip=Publiskais WebDav direktorijs ir WebDAV katalogs, kurā ikviens var piekļūt (lasīšanas un rakstīšanas režīmā), bez nepieciešamības / izmantot esošu lietotāja vārdu / paroli. # Modules Module0Name=Lietotāji un grupas Module0Desc=Lietotāju / Darbinieku un Grupu vadība @@ -485,7 +485,7 @@ Module1Desc=Uzņēmumu un kontaktinformācijas vadība (klientu, perspektīvu .. Module2Name=Tirdzniecība Module2Desc=Komerciālā pārvaldība Module10Name=Grāmatvedība -Module10Desc=Simple accounting reports (journals, turnover) based onto database content. Does not use any ledger table. +Module10Desc=Vienkārši grāmatvedības pārskati (žurnāli, apgrozījums), pamatojoties uz datubāzes saturu. Neizmanto virsgrāmatu galdiņu. Module20Name=Priekšlikumi Module20Desc=Komerc priekšlikumu vadība Module22Name=Masveida e-pasta sūtījumi @@ -497,8 +497,8 @@ Module25Desc=Klientu pasūtījumu pārvaldīšana Module30Name=Rēķini Module30Desc=Rēķinu un kredītu piezīmi vadību klientiem. Rēķinu pārvaldības piegādātājiem Module40Name=Piegādātāji -Module40Desc=Piegādātājs vadības un iepirkuma (rīkojumi un rēķini) -Module42Name=Debug Logs +Module40Desc=Piegādātāju un pirkumu vadība (pirkšanas pasūtījumi un norēķini) +Module42Name=Atkļūdošanas žurnāli Module42Desc=Žurnalēšana (fails, syslog, ...). Šādi žurnāli ir paredzēti tehniskiem / atkļūdošanas nolūkiem. Module49Name=Redaktors Module49Desc=Redaktora vadība @@ -549,42 +549,42 @@ Module320Desc=Pievienot RSS plūsmu Dolibarr lapās Module330Name=Grāmatzīmes Module330Desc=Grāmatzīmju vadība Module400Name=Projekti/Iespējas/Leads -Module400Desc=Management of projects, opportunities/leads and/or tasks. You can also assign any element (invoice, order, proposal, intervention, ...) to a project and get a transversal view from the project view. +Module400Desc=Projektu vadīšana, iespējas / vadība un / vai uzdevumi. Jūs varat arī piešķirt projektam jebkuru elementu (rēķins, pasūtījums, priekšlikums, iejaukšanās, ...) un iegūt projekta skatījumā šķērsvirzienu. Module410Name=Vebkalendārs Module410Desc=Web kalendāra integrācija -Module500Name=Taxes and Special expenses -Module500Desc=Management of other expenses (sale taxes, social or fiscal taxes, dividends, ...) -Module510Name=Payment of employee wages -Module510Desc=Record and follow payment of your employee wages -Module520Name=Loan +Module500Name=Nodokļi un īpašie izdevumi +Module500Desc=Citu izdevumu vadīšana (pārdošanas nodokļi, sociālie vai fiskālie nodokļi, dividendes, ...) +Module510Name=Darbinieku algu izmaksa +Module510Desc=Ierakstiet un izpildiet savu darbinieku algu +Module520Name=Aizdevums Module520Desc=Management of loans Module600Name=Paziņojumi par biznesa pasākumiem -Module600Desc=Send EMail notifications (triggered by some business events) to users (setup defined on each user), to third-party contacts (setup defined on each third party) or to fixed emails -Module600Long=Note that this module is dedicated to send real time emails when a dedicated business event occurs. If you are looking for a feature to send reminders by email of your agenda events, go into setup of module Agenda. -Module610Name=Product Variants -Module610Desc=Allows creation of products variant based on attributes (color, size, ...) +Module600Desc=Sūtīt paziņojumus par e-pastu (ko ieslēdz daži biznesa notikumi) lietotājiem (katram lietotājam iestatīta iestatīšana), trešo pušu kontaktpersonām (iestatīšana, kas noteikta katrā trešajā pusē) vai fiksētiem e-pasta ziņojumiem +Module600Long=Ņemiet vērā, ka šis modulis ir paredzēts, lai nosūtītu reāllaika e-pastus, kad notiek īpašs biznesa notikums. Ja jūs meklējat funkciju, lai nosūtītu atgādinājumus pa e-pastu no dienas kārtības notikumiem, dodieties uz moduļa darba kārtības iestatīšanu. +Module610Name=Produkta varianti +Module610Desc=Ļauj izveidot produktu variantu, pamatojoties uz atribūtiem (krāsa, izmērs, ...) Module700Name=Ziedojumi Module700Desc=Ziedojumu pārvaldība -Module770Name=Expense reports +Module770Name=Izdevumu atskaites Module770Desc=Management and claim expense reports (transportation, meal, ...) -Module1120Name=Vendor commercial proposal -Module1120Desc=Request vendor commercial proposal and prices +Module1120Name=Pārdevēja komerciāls piedāvājums +Module1120Desc=Pieprasiet pārdevēju komerciālo priekšlikumu un cenas Module1200Name=Mantis Module1200Desc=Mantis integrācija Module1520Name=Document Generation Module1520Desc=Mass mail document generation Module1780Name=Tags/Categories -Module1780Desc=Create tags/category (products, customers, vendors, contacts or members) +Module1780Desc=Izveidojiet tagus / kategoriju (produktus, klientus, pārdevējus, kontaktpersonas vai dalībniekus) Module2000Name=WYSIWYG redaktors Module2000Desc=Allow to edit some text area using an advanced editor (Based on CKEditor) Module2200Name=Dinamiskas cenas Module2200Desc=Enable the usage of math expressions for prices Module2300Name=Plānotie darbi -Module2300Desc=Scheduled jobs management (alias cron or chrono table) +Module2300Desc=Plānotais darbavietu vadība (alias cron vai chrono galds) Module2400Name=Pasākumi / darba kārtība -Module2400Desc=Follow done and upcoming events. Let application logs automatic events for tracking purposes or record manual events or rendez-vous. This is the main important module for a good Customer or Supplier Relationship Management. +Module2400Desc=Izpildiet gatavotos un gaidītos notikumus. Ļaujiet lietojumprogrammām reģistrēt automātiskus notikumus izsekošanas nolūkos vai ierakstīt manuālus notikumus vai sarunas. Tas ir galvenais svarīgais modulis labam klientam vai piegādātāju saistību pārvaldībai. Module2500Name=DMS / ECM -Module2500Desc=Document Management System / Electronic Content Management. Automatic organization of your generated or stored documents. Share them when you need. +Module2500Desc=Dokumentu vadības sistēma / elektroniskā satura vadība. Jūsu radīto vai saglabāto dokumentu automātiska organizēšana. Kopīgojiet tos pēc vajadzības. Module2600Name=API/Web services (SOAP server) Module2600Desc=Enable the Dolibarr SOAP server providing API services Module2610Name=API/Web services (REST server) @@ -598,28 +598,28 @@ Module2900Name=GeoIPMaxmind Module2900Desc=GeoIP MaxMind pārveidošanu iespējas Module3100Name=Skaips Module3100Desc=Add a Skype button into card of users / third parties / contacts / members -Module3200Name=Unalterable Archives -Module3200Desc=Activate log of some business events into an unalterable log. Events are archived in real-time. The log is a table of chained events that can be read only and exported. This module may be mandatory for some countries. +Module3200Name=Nemainīgi arhīvi +Module3200Desc=Aktivizējiet dažu biznesa notikumu žurnālu nemainīgā žurnālā. Notikumi tiek arhivēti reāllaikā. Žurnāls ir tabula ar ķēdes notikumiem, kurus var lasīt un eksportēt. Šis modulis dažās valstīs var būt obligāts. Module4000Name=HRM -Module4000Desc=Human resources management (management of department, employee contracts and feelings) +Module4000Desc=Cilvēkresursu vadība (departamenta vadība, darbinieku līgumi un jūtas) Module5000Name=Multi-kompānija Module5000Desc=Ļauj jums pārvaldīt vairākus uzņēmumus Module6000Name=Darba plūsma -Module6000Desc=Plūsmas vadība +Module6000Desc=Workflow management (automatic creation of object and/or automatic status change) Module10000Name=Mājas lapas -Module10000Desc=Create public websites with a WYSIWG editor. Just setup your web server (Apache, Nginx, ...) to point to the dedicated Dolibarr directory to have it online on the Internet with your own domain name. +Module10000Desc=Izveidojiet publiskās vietnes ar WYSIWG redaktoru. Vienkārši uzstādiet savu tīmekļa serveri (Apache, Nginx, ...), lai norādītu uz īpašo Dolibarr direktoriju, lai to tiešsaistē varētu izmantot internetā ar savu domēna vārdu. Module20000Name=Leave Requests management Module20000Desc=Declare and follow employees leaves requests -Module39000Name=Products lots +Module39000Name=Produktu partijas Module39000Desc=Lot or serial number, eat-by and sell-by date management on products Module50000Name=Paybox -Module50000Desc=Module to offer an online payment page accepting payments with Credit/Debit card via PayBox. This can be used to allow your customers to make free payments or for a payment on a particular Dolibarr object (invoice, order, ...) +Module50000Desc=Modulis, lai piedāvātu tiešsaistes maksājuma lapu, kurā tiek pieņemti maksājumi ar kredītkarti / debetkarti, izmantojot PayBox. To var izmantot, lai jūsu klienti varētu veikt bezmaksas maksājumus vai maksājumus konkrētā Dolibarr objektā (rēķins, pasūtījums, ...) Module50100Name=Tirdzniecības punkts Module50100Desc=Point of sales module (POS). Module50200Name=Paypal -Module50200Desc=Module to offer an online payment page accepting payments using PayPal (credit card or PayPal credit). This can be used to allow your customers to make free payments or for a payment on a particular Dolibarr object (invoice, order, ...) +Module50200Desc=Modulis, lai piedāvātu tiešsaistes maksājuma lapu, kurā tiek pieņemti maksājumi, izmantojot PayPal (kredītkarte vai PayPal kredīts). To var izmantot, lai jūsu klienti varētu veikt bezmaksas maksājumus vai maksājumus konkrētā Dolibarr objektā (rēķins, pasūtījums, ...) Module50400Name=Accounting (advanced) -Module50400Desc=Accounting management (double entries, support general and auxiliary ledgers). Export the ledger in several other accounting software format. +Module50400Desc=Grāmatvedības vadība (divkāršie ieraksti, atbalsta vispārējās un papildu grāmatiņas). Eksportēt virsgrāmatu vairākos citos grāmatvedības programmatūras formātos. Module54000Name=PrintIPP Module54000Desc=Direct print (without opening the documents) using Cups IPP interface (Printer must be visible from server, and CUPS must be installe on server). Module55000Name=Aptauja vai balsojums @@ -631,7 +631,7 @@ Module60000Desc=Modulis lai pārvaldītu komisijas Module62000Name=Inkoterms Module62000Desc=Add features to manage Incoterm Module63000Name=Resursi -Module63000Desc=Manage resources (printers, cars, room, ...) you can then share into events +Module63000Desc=Pārvaldīt resursus (printerus, automašīnas, istabu, ...), pēc tam varat dalīties ar notikumiem Permission11=Lasīt klientu rēķinus Permission12=Izveidot / mainīt klientu rēķinus Permission13=Neapstiprināti klientu rēķini @@ -787,9 +787,9 @@ Permission401=Lasīt atlaides Permission402=Izveidot/mainīt atlaides Permission403=Apstiprināt atlaides Permission404=Dzēst atlaides -Permission501=Read employee contracts/salaries -Permission502=Create/modify employee contracts/salaries -Permission511=Read payment of salaries +Permission501=Lasīt darba ņēmēju līgumus / algas +Permission502=Izveidot / mainīt darbinieku līgumus / algas +Permission511=Lasīt algu izmaksu Permission512=Izveidojiet / labojiet algu izmaksu Permission514=Dzēst algas Permission517=Eksportēt algas @@ -842,13 +842,13 @@ Permission1236=Eksporta piegādātāju rēķinus, atribūti un maksājumus Permission1237=Eksporta piegādātāju pasūtījumus un to detaļas Permission1251=Palaist masveida importu ārējiem datiem datu bāzē (datu ielāde) Permission1321=Eksporta klientu rēķinus, atribūti un maksājumus -Permission1322=Reopen a paid bill +Permission1322=Atkārtoti atvērt samaksāto rēķinu Permission1421=Eksportēt klientu pasūtījumus un atribūtus -Permission20001=Read leave requests (your leaves and the one of your subordinates) -Permission20002=Create/modify your leave requests (yours leaves and the one of your subordinates) -Permission20003=Delete leave requests -Permission20004=Read all leave requests (even of user not subordinates) -Permission20005=Create/modify leave requests for everybody (even of user not subordinates) +Permission20001=Lasīt atvaļinājuma pieprasījumus (jūsu lapas un viens no jūsu padotajiem) +Permission20002=Izveidojiet / mainiet savus atvaļinājuma pieprasījumus (jūsu lapas un jūsu padotajiem) +Permission20003=Dzēst atvaļinājumu pieprasījumus +Permission20004=Lasīt visus atvaļinājuma pieprasījumus (pat lietotājs nav pakļauts) +Permission20005=Izveidot / mainīt atvaļinājumu pieprasījumus visiem (pat lietotājam nav padotajiem) Permission20006=Admin leave requests (setup and update balance) Permission23001=Apskatīt ieplānoto darbu Permission23002=Izveidot/atjaunot ieplānoto uzdevumu @@ -871,60 +871,60 @@ Permission50101=Izmantot tirdzniecības punktus POS Permission50201=Lasīt darījumus Permission50202=Importēt darījumus Permission54001=Drukāt -Permission55001=Read polls +Permission55001=Lasīt aptaujas Permission55002=Izveidot/labot aptaujas Permission59001=Read commercial margins Permission59002=Define commercial margins Permission59003=Read every user margin -Permission63001=Read resources +Permission63001=Lasīt resursus Permission63002=Izveidot/labot resursus Permission63003=Dzēst resursus -Permission63004=Link resources to agenda events +Permission63004=Saistīt resursus ar darba kārtības pasākumiem DictionaryCompanyType=Trešo personu veidi DictionaryCompanyJuridicalType=Juridiskais veids trešajām personām DictionaryProspectLevel=Prospect potential level -DictionaryCanton=State/Province +DictionaryCanton=Valsts / province DictionaryRegion=Reģions DictionaryCountry=Valstis DictionaryCurrency=Valūtas -DictionaryCivility=Personal and professional titles -DictionaryActions=Types of agenda events +DictionaryCivility=Personiskie un profesionālie nosaukumi +DictionaryActions=Darba kārtības pasākumu veidi DictionarySocialContributions=Social or fiscal taxes types DictionaryVAT=PVN likmes vai pārdošanas procentu likmes -DictionaryRevenueStamp=Amount of revenue stamps +DictionaryRevenueStamp=Nodokļu zīmogu daudzums DictionaryPaymentConditions=Apmaksas noteikumi -DictionaryPaymentModes=Payment modes +DictionaryPaymentModes=Maksājumu veidi DictionaryTypeContact=Kontaktu/Adrešu veidi -DictionaryTypeOfContainer=Type of website pages/containers +DictionaryTypeOfContainer=Vietnes lapu / konteineru veids DictionaryEcotaxe=Ecotax (WEEE) DictionaryPaperFormat=Papīra formāts DictionaryFormatCards=Kartes formāti -DictionaryFees=Expense report - Types of expense report lines +DictionaryFees=Izdevumu pārskats - izdevumu pārskatu rindu veidi DictionarySendingMethods=Piegādes veidi DictionaryStaff=Personāls DictionaryAvailability=Piegādes kavēšanās DictionaryOrderMethods=Pasūtījumu veidi DictionarySource=Origin of proposals/orders -DictionaryAccountancyCategory=Personalized groups for reports +DictionaryAccountancyCategory=Personalizētas grupas ziņojumiem DictionaryAccountancysystem=Models for chart of accounts DictionaryAccountancyJournal=Grāmatvedības žurnāli DictionaryEMailTemplates=E-pastu paraugi DictionaryUnits=Vienības DictionaryProspectStatus=Prospection status -DictionaryHolidayTypes=Types of leaves +DictionaryHolidayTypes=Lapu veidi DictionaryOpportunityStatus=Opportunity status for project/lead -DictionaryExpenseTaxCat=Expense report - Transportation categories -DictionaryExpenseTaxRange=Expense report - Range by transportation category +DictionaryExpenseTaxCat=Izdevumu pārskats - transporta kategorijas +DictionaryExpenseTaxRange=Izdevumu pārskats - diapazons pēc transporta kategorijas SetupSaved=Iestatījumi saglabāti SetupNotSaved=Iestatīšana nav saglabāta BackToModuleList=Atpakaļ uz moduļu sarakstu BackToDictionaryList=Atpakaļ uz vārdnīcu sarakstu -TypeOfRevenueStamp=Type of revenue stamp +TypeOfRevenueStamp=Nodokļu zīmoga veids VATManagement=PVN Vadība VATIsUsedDesc=By default when creating prospects, invoices, orders etc the VAT rate follows the active standard rule:
If the seller is not subjected to VAT, then VAT defaults to 0. End of rule.
If the (selling country= buying country), then the VAT by default equals the VAT of the product in the selling country. End of rule.
If seller and buyer are both in the European Community and goods are transport products (car, ship, plane), the default VAT is 0 ( The VAT should be paid by the buyer to the customoffice of his country and not to the seller). End of rule.
If seller and buyer are both in the European Community and the buyer is not a company, then the VAT by defaults to the VAT of the product sold. End of rule.
If seller and buyer are both in the European Community and the buyer is a company, then the VAT is 0 by default . End of rule.
In any othe case the proposed default is VAT=0. End of rule. VATIsNotUsedDesc=Pēc noklusējuma piedāvātais PVN ir 0, ko var izmantot gadījumos, piemēram, asociācijās, idnividuālie komersanti. -VATIsUsedExampleFR=In France, it means companies or organizations having a real fiscal system (Simplified real or normal real). A system in which VAT is declared. -VATIsNotUsedExampleFR=In France, it means associations that are non VAT declared or companies, organizations or liberal professions that have chosen the micro enterprise fiscal system (VAT in franchise) and paid a franchise VAT without any VAT declaration. This choice will display the reference "Non applicable VAT - art-293B of CGI" on invoices. +VATIsUsedExampleFR=Francijā tas nozīmē uzņēmumus vai organizācijas, kurām ir reāla fiskālā sistēma (Vienkāršota īsta vai normāla reālā). Sistēma, kurā deklarē PVN. +VATIsNotUsedExampleFR=Francijā tas nozīmē asociācijas, kas nav deklarētas kā PVN, vai uzņēmumi, organizācijas vai brīvās profesijas, kas izvēlējušās mikrouzņēmumu fiskālo sistēmu (PVN franšīzes veidā) un maksā franšīzes PVN bez PVN deklarācijas. Šī izvēle rēķinos parādīs atsauci "CGI Neto PVN - art-293B". ##### Local Taxes ##### LTRate=Likme LocalTax1IsNotUsed=Nelietot otru nodokli @@ -965,7 +965,7 @@ Offset=Kompensācija AlwaysActive=Vienmēr aktīvs Upgrade=Atjaunināt MenuUpgrade=Atjaunināt / Paplašināt -AddExtensionThemeModuleOrOther=Deploy/install external app/module +AddExtensionThemeModuleOrOther=Izvietojiet / instalējiet ārēju lietotni / moduli WebServer=Tīmekļa serveris DocumentRootServer=Web servera saknes direktorija DataRootServer=Datu failu direktorija @@ -989,7 +989,7 @@ Host=Serveris DriverType=Draivera veids SummarySystem=Sistēmas informācijas kopsavilkums SummaryConst=Sarakstu ar visiem Dolibarr uzstādīšanas parametriem -MenuCompanySetup=Company/Organization +MenuCompanySetup=Uzņēmums / organizācija DefaultMenuManager= Standarta izvēlnes menedžeris DefaultMenuSmartphoneManager=Viedtālruņa izvēlnes vadība Skin=Izskats @@ -1005,29 +1005,29 @@ PermanentLeftSearchForm=Pastāvīgā meklēšanas forma kreisajā izvēlnē DefaultLanguage=Noklusējuma izmantošanas valoda (valodas kods) EnableMultilangInterface=Iespējot daudzvalodu interfeisu EnableShowLogo=Rādīt logotipu kreisajā izvēlnē -CompanyInfo=Company/organization information -CompanyIds=Company/organization identities +CompanyInfo=Uzņēmuma / organizācijas informācija +CompanyIds=Uzņēmuma / organizācijas identitāte CompanyName=Nosaukums CompanyAddress=Adrese CompanyZip=Pasta indekss CompanyTown=Pilsēta CompanyCountry=Valsts CompanyCurrency=Galvenā valūta -CompanyObject=Object of the company +CompanyObject=Uzņēmuma objekts Logo=Logotips DoNotSuggestPaymentMode=Neieteikt NoActiveBankAccountDefined=Nav definēts aktīvs bankas konts OwnerOfBankAccount=Bankas konta īpašnieks %s BankModuleNotActive=Bankas kontu modulis nav ieslēgts -ShowBugTrackLink=Show link "%s" +ShowBugTrackLink=Rādīt saiti " %s " Alerts=Brīdinājumi DelaysOfToleranceBeforeWarning=Pielaide kavēšanās pirms brīdinājums DelaysOfToleranceDesc=Šis ekrāns ļauj definēt nepanesamas kavēšanos, pirms brīdinājums tiek ziņots uz ekrāna ar Piktogramma %s par katru nokavēto elementam. Delays_MAIN_DELAY_ACTIONS_TODO=Delay tolerance (in days) before alert on planned events (agenda events) not completed yet -Delays_MAIN_DELAY_PROJECT_TO_CLOSE=Delay tolerance (in days) before alert on project not closed in time -Delays_MAIN_DELAY_TASKS_TODO=Delay tolerance (in days) before alert on planned tasks (project tasks) not completed yet +Delays_MAIN_DELAY_PROJECT_TO_CLOSE=Delay tolerance (dienās) pirms brīdinājuma par projektu, kas nav slēgts laikā +Delays_MAIN_DELAY_TASKS_TODO=Kavējuma atlikšana (dienās) pirms brīdinājuma par plānotajiem uzdevumiem (projekta uzdevumi) vēl nav pabeigta Delays_MAIN_DELAY_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on orders not processed yet -Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on suppliers orders not processed yet +Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on purchase orders not processed yet Delays_MAIN_DELAY_PROPALS_TO_CLOSE=Kavēšanās pielaide (dienās) pirms brīdinājums par priekšlikumiem, lai aizvērtu Delays_MAIN_DELAY_PROPALS_TO_BILL=Kavēšanās pielaide (dienās) pirms brīdinājumu par priekšlikumiem nav jāmaksā Delays_MAIN_DELAY_NOT_ACTIVATED_SERVICES=Tolerance kavēšanās (dienās) pirms brīdinājumu par pakalpojumiem, lai aktivizētu @@ -1039,9 +1039,9 @@ Delays_MAIN_DELAY_MEMBERS=Tolerance kavēšanās (dienās) pirms brīdinājumu p Delays_MAIN_DELAY_CHEQUES_TO_DEPOSIT=Tolerance kavēšanās (dienās) pirms brīdinājumu par pārbaudēm, depozītu darīt Delays_MAIN_DELAY_EXPENSEREPORTS=Tolerance delay (in days) before alert for expense reports to approve SetupDescription1=The setup area is for initial setup parameters before starting to use Dolibarr. -SetupDescription2=The two mandatory setup steps are the following steps (the two first entries in the left setup menu): -SetupDescription3=Settings in menu %s -> %s. This step is required because it defines data used on Dolibarr screens to customize the default behavior of the software (for country-related features for example). -SetupDescription4=Settings in menu %s -> %s. This step is required because Dolibarr ERP/CRM is a collection of several modules/applications, all more or less independent. New features are added to menus for every module you activate. +SetupDescription2=Divas obligātās iestatīšanas darbības ir šādas darbības (divi pirmie ieraksti kreisajā iestatīšanas izvēlnē): +SetupDescription3=Iestatījumi izvēlnē %s -> %s . Šis solis ir nepieciešams, jo tas nosaka datus, kas tiek izmantoti Dolibarr ekrānos, lai pielāgotu programmatūras noklusējuma darbību (piemēram, attiecībā uz valsti saistītām funkcijām). +SetupDescription4=Iestatījumi izvēlnē %s -> %s . Šis solis ir nepieciešams, jo Dolibarr ERP / CRM ir vairāku moduļu / lietojumprogrammu kopums, kas ir vairāk vai mazāk neatkarīgi. Jaunas iespējas tiek pievienotas izvēlnēm katram aktivētajam modulim. SetupDescription5=Citas izvēlnes ieraksti pārvaldīt izvēles parametrus. LogEvents=Drošības audita notikumi Audit=Audits @@ -1051,7 +1051,7 @@ InfoOS=Par OS InfoWebServer=Par tīmekļa serveri InfoDatabase=Par datubāzi InfoPHP=Par PHP -InfoPerf=About Performances +InfoPerf=Par izpildījumiem BrowserName=Pārlūkprogrammas nosaukums BrowserOS=Pārlūkprogrammas OS ListOfSecurityEvents=Saraksts ar Dolibarr drošības pasākumiem @@ -1060,9 +1060,9 @@ LogEventDesc=Jūs varat ļaut šeit reģistrēšanu Dolibarr drošības notikumi AreaForAdminOnly=Setup parameters can be set by administrator users only. SystemInfoDesc=Sistēmas informācija ir dažādi tehniskā informācija jums tikai lasīšanas režīmā un redzama tikai administratoriem. SystemAreaForAdminOnly=Šī joma ir pieejama administratora lietotājiem. Neviens no Dolibarr atļauju var samazināt šo robežu. -CompanyFundationDesc=Edit on this page all known information of the company or foundation you need to manage (For this, click on "%s" or "%s" button at bottom of page) -AccountantDesc=Edit on this page all known information about your accountant/bookkeeper -AccountantFileNumber=File number +CompanyFundationDesc=Šajā lapā rediģējiet visu zināmo informāciju par uzņēmumu vai fondu, kas jums jāpārvalda (šim nolūkam noklikšķiniet uz pogas "%s" vai "%s" lapas apakšdaļā). +AccountantDesc=Šajā lapā rediģējiet visu zināmo informāciju par savu grāmatvedi / grāmatvedi +AccountantFileNumber=Faila numurs DisplayDesc=Jūs varat izvēlēties katru parametru, kas saistīts ar Dolibarr izskatu un justies šeit AvailableModules=Pieejamās progrmma / moduļi ToActivateModule=Lai aktivizētu moduļus, dodieties uz iestatīšanas zonas (Home->Setup->Moduļi). @@ -1075,7 +1075,7 @@ TriggerDisabledAsModuleDisabled=Trigeri Šajā failā ir invalīdi, kā modulis TriggerAlwaysActive=Trigeri Šajā failā ir aktīva vienmēr, neatkarīgi ir aktivizēts Dolibarr moduļiem. TriggerActiveAsModuleActive=Trigeri Šajā failā ir aktīvs kā modulis %s ir iespējots. GeneratedPasswordDesc=Noteikt šeit, kas noteikums jūs vēlaties izmantot, lai radītu jaunu paroli, ja jūs lūgt, lai ir auto radīto paroli -DictionaryDesc=Insert all reference data. You can add your values to the default. +DictionaryDesc=Ievietojiet visus atsauces datus. Varat pievienot savas vērtības noklusējuma vērtībai. ConstDesc=This page allows you to edit all other parameters not available in previous pages. These are mostly reserved parameters for developers or advanced troubleshooting. For a list of options check here. MiscellaneousDesc=All other security related parameters are defined here. LimitsSetup=Ierobežojumi / Precision iestatīšanas @@ -1113,9 +1113,9 @@ ShowVATIntaInAddress=Slēpt PVN maksātāja numuru un adreses uz dokumentiem TranslationUncomplete=Daļējs tulkojums MAIN_DISABLE_METEO=Atslēgt Meteo skatu MeteoStdMod=Standarta režīms -MeteoStdModEnabled=Standard mode enabled -MeteoPercentageMod=Percentage mode -MeteoPercentageModEnabled=Percentage mode enabled +MeteoStdModEnabled=Standarta režīms ir aktivizēts +MeteoPercentageMod=Procentuālais režīms +MeteoPercentageModEnabled=Procentuālais režīms ir aktivizēts MeteoUseMod=Noklikšķiniet, lai izmantotu %s TestLoginToAPI=Tests pieteikties API ProxyDesc=Dažas Dolibarr funkcijas ir nepieciešama piekļuve internetam, lai strādātu. Noteikt šeit parametrus par to. Ja Dolibarr serveris ir aiz proxy serveri, šie parametri stāsta Dolibarr, kā piekļūt internetam, izmantojot to. @@ -1128,7 +1128,7 @@ MAIN_PROXY_PASS=Parole, lai izmantotu starpniekserveri DefineHereComplementaryAttributes=Definēt šeit visi atribūti, jau nav pieejama pēc noklusējuma, un, ka jūs vēlaties būt atbalstīta %s. ExtraFields=Papildbarība atribūti ExtraFieldsLines=Papildinošas atribūti (līnijas) -ExtraFieldsLinesRec=Complementary attributes (templates invoices lines) +ExtraFieldsLinesRec=Papildu atribūti (veidņu rēķinu līnijas) ExtraFieldsSupplierOrdersLines=Complementary attributes (order lines) ExtraFieldsSupplierInvoicesLines=Complementary attributes (invoice lines) ExtraFieldsThirdParties=Papildinošas atribūti (thirdparty) @@ -1136,7 +1136,7 @@ ExtraFieldsContacts=Papildinošas atribūti (kontaktpersona / adrese) ExtraFieldsMember=Papildinošas atribūti (biedrs) ExtraFieldsMemberType=Papildinošas atribūti (biedrs tipa) ExtraFieldsCustomerInvoices=Papildinošas atribūti (rēķini) -ExtraFieldsCustomerInvoicesRec=Complementary attributes (templates invoices) +ExtraFieldsCustomerInvoicesRec=Papildu atribūti (veidņu rēķini) ExtraFieldsSupplierOrders=Papildinošas atribūti (rīkojumi) ExtraFieldsSupplierInvoices=Papildinošas atribūti (rēķini) ExtraFieldsProject=Papildinošas atribūti (projekti) @@ -1148,17 +1148,17 @@ PathToDocuments=Ceļš līdz dokumentiem PathDirectory=Katalogs SendmailOptionMayHurtBuggedMTA=Feature to send mails using method "PHP mail direct" will generate a mail message that might be not correctly parsed by some receiving mail servers. Result is that some mails can't be read by people hosted by those bugged platforms. It's case for some Internet providers (Ex: Orange in France). This is not a problem into Dolibarr nor into PHP but onto receiving mail server. You can however add option MAIN_FIX_FOR_BUGGED_MTA to 1 into setup - other to modify Dolibarr to avoid this. However, you may experience problem with other servers that respect strictly the SMTP standard. The other solution (recommended) is to use the method "SMTP socket library" that has no disadvantages. TranslationSetup=Tulkojumu konfigurēšana -TranslationKeySearch=Search a translation key or string -TranslationOverwriteKey=Overwrite a translation string +TranslationKeySearch=Meklēt tulkošanas atslēgu vai virkni +TranslationOverwriteKey=Pārrakstīt rakstīšanas virkni TranslationDesc=How to set displayed application language :
* Systemwide: menu Home - Setup - Display
* Per user: Use the User display setup tab on user card (click on username at the top of the screen). -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 translation key to use -TranslationString=Translation string +TranslationOverwriteDesc=Jūs varat arī ignorēt virknes, kas aizpilda nākamo tabulu. Izvēlieties savu valodu no %s nolaižamās izvēlnes, ievietojiet tulkošanas taustiņu virkni uz "%s" un jauno tulkojumu uz "%s" +TranslationOverwriteDesc2=Varat izmantot citu cilni, lai palīdzētu jums zināt tulkošanas atslēgu, kuru vēlaties izmantot +TranslationString=Tulkošanas virkne CurrentTranslationString=Pašreizējā tulkošanas virkne -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 exists in any language files +WarningAtLeastKeyOrTranslationRequired=Vismaz atslēgas vai tulkošanas virknei ir nepieciešams meklēšanas kritērijs +NewTranslationStringToShow=Jauna tulkošanas virkne, lai parādītu +OriginalValueWas=Oriģinālais tulkojums ir pārrakstīts. Sākotnējā vērtība bija:

%s +TransKeyWithoutOriginalValue=Jūs piespiedāt jaunu tulkojumu tulkošanas taustiņam " %s ", kas nevienā valodas failā nepastāv TotalNumberOfActivatedModules=Activated application/modules: %s / %s YouMustEnableOneModule=Jums ir jābūt ieslēgtam vismaz 1 modulim ClassNotFoundIntoPathWarning=Klase %s nav atrasta PHP norādītajā ceļā @@ -1195,12 +1195,12 @@ UserMailRequired=E-pasts nepieciešams, lai izveidotu jaunu lietotāju HRMSetup=HRM module setup ##### Company setup ##### CompanySetup=Uzņēmuma moduļa uzstādīšana -CompanyCodeChecker=Module for third parties code generation and checking (customer or vendor) -AccountCodeManager=Module for accounting code generation (customer or vendor) +CompanyCodeChecker=Trešo personu kodu ģenerēšanas un pārbaudes modulis (klients vai pārdevējs) +AccountCodeManager=Grāmatvedības kodu ģenerēšanas modulis (klients vai pārdevējs) NotificationsDesc=EMails notifications feature allows you to silently send automatic mail, for some Dolibarr events. Targets of notifications can be defined: -NotificationsDescUser=* per users, one user at time. -NotificationsDescContact=* per third parties contacts (customers or vendors), one contact at time. -NotificationsDescGlobal=* or by setting global target emails in module setup page. +NotificationsDescUser=* vienam lietotājam, vienam lietotājam laikā. +NotificationsDescContact=* uz trešo pušu kontaktpersonām (klientiem vai pārdevējiem), vienu kontaktu laikā. +NotificationsDescGlobal=* vai iestatot globālos mērķa e-pastus moduļa iestatīšanas lapā. ModelModules=Dokumentu veidnes DocumentModelOdt=Izveidot dokumentus no OpenDocument veidnes (. ODT vai. ODS failus OpenOffice, KOffice, TextEdit, ...) WatermarkOnDraft=Ūdenszīme dokumenta projektā @@ -1209,9 +1209,9 @@ CompanyIdProfChecker=Noteikumi par profesionālo IDS MustBeUnique=Jābūt unikālam? MustBeMandatory=Mandatory to create third parties? MustBeInvoiceMandatory=Mandatory to validate invoices? -TechnicalServicesProvided=Technical services provided +TechnicalServicesProvided=Tehniskie pakalpojumi #####DAV ##### -WebDAVSetupDesc=This is the links 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 need an existing login account/password to access to. +WebDAVSetupDesc=Šīs ir saites, lai piekļūtu WebDAV direktorijai. Tas satur "publisku" direktoriju, kas pieejams jebkuram lietotājam, kurš zina URL (ja ir atļauta publiskā direktorija piekļuve) un "privātai" direktorijai, kurai ir nepieciešams esošs pieteikšanās konts / parole, lai piekļūtu. WebDavServer=Root URL of %s server : %s ##### Webcal setup ##### WebCalUrlForVCalExport=Eksporta saite uz %s formātā ir pieejams šādā tīmekļa vietnē: %s @@ -1219,7 +1219,7 @@ WebCalUrlForVCalExport=Eksporta saite uz %s formātā ir pieejams šādā BillsSetup=Rēķinu moduļa uzstādīšana BillsNumberingModule=Rēķinu un kredītu piezīmes numerācijas modelis BillsPDFModules=Rēķina dokumentu modeļi -PaymentsPDFModules=Payment documents models +PaymentsPDFModules=Maksājumu dokumentu paraugi CreditNote=Kredīta piezīme CreditNotes=Kredīta piezīmes ForceInvoiceDate=Force rēķina datumu apstiprināšanas datuma @@ -1230,7 +1230,7 @@ FreeLegalTextOnInvoices=Brīvs teksts uz rēķiniem WatermarkOnDraftInvoices=Ūdenszīme uz sagataves rēķiniem (nav ja tukšs) PaymentsNumberingModule=Payments numbering model SuppliersPayment=Piegādātāju maksājumi -SupplierPaymentSetup=Suppliers payments setup +SupplierPaymentSetup=Piegādātāju maksājumu iestatīšana ##### Proposals ##### PropalSetup=Commercial priekšlikumi modulis uzstādīšana ProposalsNumberingModules=Komerciālie priekšlikumu numerācijas modeļi @@ -1239,15 +1239,15 @@ FreeLegalTextOnProposal=Brīvais teksts komerciālajos priekšlikumos WatermarkOnDraftProposal=Ūdenszīme projektu komerciālo priekšlikumu (none ja tukšs) BANK_ASK_PAYMENT_BANK_DURING_PROPOSAL=Ask for bank account destination of proposal ##### SupplierProposal ##### -SupplierProposalSetup=Price requests vendors module setup -SupplierProposalNumberingModules=Price requests vendors numbering models -SupplierProposalPDFModules=Price requests vendors documents models -FreeLegalTextOnSupplierProposal=Free text on price requests vendors -WatermarkOnDraftSupplierProposal=Watermark on draft price requests vendors (none if empty) +SupplierProposalSetup=Cena pieprasa pārdevēju moduļa iestatīšanu +SupplierProposalNumberingModules=Cenas pieprasa pārdevējiem numerācijas modeļus +SupplierProposalPDFModules=Cenas pieprasa pārdevējiem dokumentu modeļus +FreeLegalTextOnSupplierProposal=Brīvs teksts cenu pieprasījumu pārdevējiem +WatermarkOnDraftSupplierProposal=Ūdenszīme par cenu cenu pieprasījumu pārdevējiem (neviens nav tukšs) BANK_ASK_PAYMENT_BANK_DURING_SUPPLIER_PROPOSAL=Ask for bank account destination of price request WAREHOUSE_ASK_WAREHOUSE_DURING_ORDER=Ask for Warehouse Source for order ##### Suppliers Orders ##### -BANK_ASK_PAYMENT_BANK_DURING_SUPPLIER_ORDER=Ask for bank account destination of purchase order +BANK_ASK_PAYMENT_BANK_DURING_SUPPLIER_ORDER=Pieprasiet bankas konta galamērķi pirkuma pasūtījumā ##### Orders ##### OrdersSetup=Pasūtījumu vadības iestatīšana OrdersNumberingModules=Pasūtījumu numerācijas modeļi @@ -1274,7 +1274,7 @@ MemberMainOptions=Galvenās iespējas AdherentLoginRequired= Pārvaldīt Pieteikšanos katram dalībniekam AdherentMailRequired=E-Mail nepieciešams, lai izveidotu jaunu locekli MemberSendInformationByMailByDefault=Rūtiņu, lai nosūtītu pasta apstiprinājums locekļiem (validāciju vai jauns abonements) ir ieslēgts pēc noklusējuma -VisitorCanChooseItsPaymentMode=Visitor can choose among available payment modes +VisitorCanChooseItsPaymentMode=Apmeklētājs var izvēlēties pieejamos maksājumu veidus ##### LDAP setup ##### LDAPSetup=LDAP iestatījumi LDAPGlobalParameters=Globālie parametri @@ -1292,7 +1292,7 @@ LDAPSynchronizeUsers=Organizācijas LDAP lietotājs LDAPSynchronizeGroups=Organizēšana grupu LDAP LDAPSynchronizeContacts=Organizēšana kontaktu LDAP LDAPSynchronizeMembers=Organizēšana Fonda locekļu LDAP -LDAPSynchronizeMembersTypes=Organization of foundation's members types in LDAP +LDAPSynchronizeMembersTypes=Fonda biedru organizācijas organizācija LDAP veidos LDAPPrimaryServer=Primārais serveris LDAPSecondaryServer=Sekundārais serveris LDAPServerPort=Servera ports @@ -1316,7 +1316,7 @@ LDAPDnContactActive=Kontaktu sinhronizēšana LDAPDnContactActiveExample=Aktivizēta/Deaktivizēta sinhronizācija LDAPDnMemberActive=Dalībnieku sinhronizācija LDAPDnMemberActiveExample=Aktivizēta/Deaktivizēta sinhronizācija -LDAPDnMemberTypeActive=Members types' synchronization +LDAPDnMemberTypeActive=Biedru veidu sinhronizācija LDAPDnMemberTypeActiveExample=Aktivizēta/Deaktivizēta sinhronizācija LDAPContactDn=Dolibarr kontakti' DN LDAPContactDnExample=Complete DN (ex: ou = kontakti, dc = piemēram, dc = com) @@ -1324,8 +1324,8 @@ LDAPMemberDn=Dolibarr dalībnieku DN LDAPMemberDnExample=Complete DN (ex: ou = biedri, dc = piemēram, dc = com) LDAPMemberObjectClassList=Saraksts objektklasi LDAPMemberObjectClassListExample=Saraksts objektklasi definējot ierakstu atribūtiem (ex: top, inetOrgPerson vai augšas, lietotājs Active Directory) -LDAPMemberTypeDn=Dolibarr members types DN -LDAPMemberTypepDnExample=Complete DN (ex: ou=memberstypes,dc=example,dc=com) +LDAPMemberTypeDn=Dolibarr biedru veidi DN +LDAPMemberTypepDnExample=Pabeigt DN (ex: ou = dalībnieku tipi, dc = piemērs, dc = com) LDAPMemberTypeObjectClassList=Saraksts objektklasi LDAPMemberTypeObjectClassListExample=Saraksts objektklasi definējot ierakstu atribūtiem (ex: top, groupOfUniqueNames) LDAPUserObjectClassList=Saraksts objektklasi @@ -1339,7 +1339,7 @@ LDAPTestSynchroContact=Testēt kontaktu sinhronizāciju LDAPTestSynchroUser=Testēt lietotāju sinhronizāciju LDAPTestSynchroGroup=Testēt grupu sinhronizāciju LDAPTestSynchroMember=Testēt dalībnieku sinhronizāciju -LDAPTestSynchroMemberType=Test member type synchronization +LDAPTestSynchroMemberType=Testa dalībnieka tipa sinhronizācija LDAPTestSearch= Testēt LDAP meklēšanu LDAPSynchroOK=Sinhronizācijas tests veiksmīgi pabeigts LDAPSynchroKO=Neizdevās sinhronizācijas pārbaude @@ -1405,7 +1405,7 @@ LDAPDescContact=Šī lapa ļauj definēt LDAP atribūti vārdu LDAP kokā uz kat LDAPDescUsers=Šī lapa ļauj definēt LDAP atribūti vārdu LDAP kokā uz katru datiem, uz Dolibarr lietotājiem. LDAPDescGroups=Šī lapa ļauj definēt LDAP atribūti vārdu LDAP kokā uz katru datiem, uz Dolibarr grupām. LDAPDescMembers=Šī lapa ļauj definēt LDAP atribūti vārdu LDAP kokā uz katru datu atrasti Dolibarr locekļiem moduli. -LDAPDescMembersTypes=This page allows you to define LDAP attributes name in LDAP tree for each data found on Dolibarr members types. +LDAPDescMembersTypes=Šī lapa ļauj definēt LDAP atribūtu nosaukumu LDAP kokā katram Dolibarr dalībnieku tipam atrasti datiem. LDAPDescValues=Piemērs vērtības ir paredzētas OpenLDAP ar šādām ielādes shēmu: core.schema, cosine.schema, inetorgperson.schema). Ja jūs izmantojat thoose vērtības un OpenLDAP, mainīt savu LDAP config failu slapd.conf lai visi thoose shēmas ielādēta. ForANonAnonymousAccess=Par apstiprinātu piekļuvi (par rakstīšanas piekļuvi piemēram) PerfDolibarr=Performance uzstādīšana / optimizēt ziņojums @@ -1423,16 +1423,16 @@ FilesOfTypeNotCached=Faili tipa %s nav kešatmiņā ar HTTP serveri FilesOfTypeCompressed=Faili Tipa %s tiek saspiesti ar HTTP serveri FilesOfTypeNotCompressed=Faili Tipa %s nav saspiesti ar HTTP serveri CacheByServer=Cache serverim -CacheByServerDesc=For exemple using the Apache directive "ExpiresByType image/gif A2592000" +CacheByServerDesc=Piemēram, izmantojot Apache direktīvu "ExpiresByType image / gif A2592000" CacheByClient=Cache pārlūks CompressionOfResources=Kompresijas HTTP atbildes -CompressionOfResourcesDesc=For exemple using the Apache directive "AddOutputFilterByType DEFLATE" +CompressionOfResourcesDesc=Piemēram, izmantojot Apache direktīvu "AddOutputFilterByType DEFLATE" TestNotPossibleWithCurrentBrowsers=Such an automatic detection is not possible with current browsers -DefaultValuesDesc=You can define/force here the default value you want to get when your create a new record, and/or defaut filters or sort order when your list record. -DefaultCreateForm=Default values (on forms to create) +DefaultValuesDesc=Jūs varat definēt / piespiest šeit noklusējuma vērtību, kuru vēlaties iegūt, kad izveidojat jaunu ierakstu un / vai noņemat filtrus vai kārtotu kārtību, kad jūsu saraksts ieraksts. +DefaultCreateForm=Noklusējuma vērtības (veidlapās, kas jāizveido) DefaultSearchFilters=Noklusējuma meklēšanas filtri DefaultSortOrder=Noklusējuma kārtošanas kārtība -DefaultFocus=Default focus fields +DefaultFocus=Noklusējuma fokusa lauki ##### Products ##### ProductSetup=Produktu moduļa uzstādīšana ServiceSetup=Pakalpojumu moduļa uzstādīšana @@ -1458,9 +1458,9 @@ SyslogFilename=Faila nosaukums un ceļš YouCanUseDOL_DATA_ROOT=Jūs varat izmantot DOL_DATA_ROOT / dolibarr.log uz log failu Dolibarr "dokumenti" direktorijā. Jūs varat iestatīt citu ceļu, lai saglabātu šo failu. ErrorUnknownSyslogConstant=Constant %s nav zināms Syslog konstante OnlyWindowsLOG_USER=Windows atbalsta tikai LOG_USER -CompressSyslogs=Syslog files compression and backup +CompressSyslogs=Atkļūdošanas žurnāla failu saspiešana un dublēšana (ko ģenerē modulis Log par atkļūdošanu) SyslogFileNumberOfSaves=Log backups -ConfigureCleaningCronjobToSetFrequencyOfSaves=Configure cleaning scheduled job to set log backup frequency +ConfigureCleaningCronjobToSetFrequencyOfSaves=Konfigurējiet regulāro darbu tīrīšanu, lai iestatītu žurnāla dublēšanas biežumu ##### Donations ##### DonationsSetup=Ziedojumu moduļa uzstādīšana DonationsReceiptModel=Veidne ziedojuma saņemšanu @@ -1525,13 +1525,13 @@ OSCommerceTestOk=Savienojums ar serveri '%s' par datu bāzē '%s' ar lietotāja OSCommerceTestKo1=Savienojums ar serveri '%s' izdoties, bet datubāze '%s' nevar sasniegt. OSCommerceTestKo2=Savienojums ar serveri '%s' ar lietotāja '%s' neizdevās. ##### Stock ##### -StockSetup=Stock module setup +StockSetup=Krājumu moduļa iestatīšana IfYouUsePointOfSaleCheckModule=If you use a Point of Sale module (POS module provided by default or another external module), this setup may be ignored by your Point Of Sale module. Most point of sales modules are designed to create immediatly an invoice and decrease stock by default whatever are options here. So, if you need or not to have a stock decrease when registering a sell from your Point Of Sale, check also your POS module set up. ##### Menu ##### MenuDeleted=Izvēlne dzēsta Menus=Izvēlnes TreeMenuPersonalized=Personalizētas izvēlnes -NotTopTreeMenuPersonalized=Personalized menus not linked to a top menu entry +NotTopTreeMenuPersonalized=Personalizētas izvēlnes, kas nav saistītas ar augstāko izvēlnes ierakstu NewMenu=Jauna izvēlne Menu=Izvēlnes izvēlēšanās MenuHandler=Izvēlnes apstrādātājs @@ -1557,12 +1557,12 @@ FailedToInitializeMenu=Failed to initialize menu ##### Tax ##### TaxSetup=Taxes, social or fiscal taxes and dividends module setup OptionVatMode=PVN jāmaksā -OptionVATDefault=Standard basis +OptionVATDefault=Standarta bāze OptionVATDebitOption=Accrual basis OptionVatDefaultDesc=PVN ir jāmaksā:
- Piegādes laikā precēm (mēs izmantojam rēķina datumu)
- Par maksājumiem par pakalpojumiem OptionVatDebitOptionDesc=PVN ir jāmaksā:
- Piegādes laikā precēm (mēs izmantojam rēķina datumu)
- Par rēķinu (debets) attiecībā uz pakalpojumiem -OptionPaymentForProductAndServices=Cash basis for products and services -OptionPaymentForProductAndServicesDesc=VAT is due:
- on payment for goods
- on payments for services +OptionPaymentForProductAndServices=Naudas bāze produktiem un pakalpojumiem +OptionPaymentForProductAndServicesDesc=PVN ir jāmaksā:
- par samaksu par precēm
- par maksājumiem par pakalpojumiem SummaryOfVatExigibilityUsedByDefault=Time of VAT exigibility by default according to chosen option: OnDelivery=Piegādes brīdī OnPayment=Par samaksu @@ -1572,7 +1572,7 @@ SupposedToBeInvoiceDate=Rēķina izmantotais datums Buy=Pirkt Sell=Pārdot InvoiceDateUsed=Rēķina izmantotais datums -YourCompanyDoesNotUseVAT=Your company has been defined to not use VAT (Home - Setup - Company/Organization), so there is no VAT options to setup. +YourCompanyDoesNotUseVAT=Jūsu uzņēmumam ir noteikts, ka PVN netiek izmantots (Home - Setup - Company / Organization), tāpēc nav uzstādījumu PVN. AccountancyCode=Grāmatvedības kods AccountancyCodeSell=Tirdzniecība kontu. kods AccountancyCodeBuy=Iegādes konta. kods @@ -1580,15 +1580,15 @@ AccountancyCodeBuy=Iegādes konta. kods AgendaSetup=Notikumi un kārtības modulis uzstādīšana PasswordTogetVCalExport=Galvenais atļaut eksporta saiti PastDelayVCalExport=Neeksportē notikums, kuri vecāki par -AGENDA_USE_EVENT_TYPE=Use events types (managed into menu Setup -> Dictionaries -> Type of agenda events) +AGENDA_USE_EVENT_TYPE=Izmantojiet notikumu tipus (tiek pārvaldīta izvēlnē Iestatīšana -> Vārdnīcas -> Darba kārtības notikumu veids). AGENDA_USE_EVENT_TYPE_DEFAULT=Set automatically this default value for type of event into event create form AGENDA_DEFAULT_FILTER_TYPE=Set automatically this type of event into search filter of agenda view AGENDA_DEFAULT_FILTER_STATUS=Set automatically this status for events into search filter of agenda view AGENDA_DEFAULT_VIEW=Which tab do you want to open by default when selecting menu Agenda -AGENDA_REMINDER_EMAIL=Enable event reminder by emails (remind option/delay can be defined on each event). Note: Module %s must be enabled and correctly setup to have reminder sent at the correct frequency. -AGENDA_REMINDER_BROWSER=Enable event reminder on users browser (when event date is reached, each user is able to refuse this from the browser confirmation question) -AGENDA_REMINDER_BROWSER_SOUND=Enable sound notification -AGENDA_SHOW_LINKED_OBJECT=Show linked object into agenda view +AGENDA_REMINDER_EMAIL=Iespējot notikumu atgādinājumu pa e-pastu (atgādinājums par iespēju / kavēšanos var definēt katrā notikumā). Piezīme: modulis %s ir jāaktivizē un pareizi iestatīts, lai atgādinājums tiktu nosūtīts pareizā frekvencē. +AGENDA_REMINDER_BROWSER=Iespējot notikumu atgādinājumu lietotāju pārlūkā (kad tiek sasniegts notikuma datums, katrs lietotājs to var noraidīt no pārlūka apstiprinājuma jautājuma) +AGENDA_REMINDER_BROWSER_SOUND=Iespējot skaņas paziņojumu +AGENDA_SHOW_LINKED_OBJECT=Parādīt saistīto objektu darba kārtībā ##### Clicktodial ##### ClickToDialSetup=Klikšķiniet lai Dial moduļa uzstādīšanas 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). @@ -1619,11 +1619,11 @@ EndPointIs=SOAP clients must send their requests to the Dolibarr endpoint availa ##### 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 +ApiProductionMode=Iespējot ražošanas režīmu (tas aktivizēs pakalpojuma pārvaldības cache izmantošanu) +ApiExporerIs=Jūs varat izpētīt un pārbaudīt API pēc 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. +WarningAPIExplorerDisabled=API pētnieks ir atspējots. API pētnieks nav pienākums sniegt API pakalpojumus. Tas ir līdzeklis izstrādātājam, lai atrastu / pārbaudītu REST API. Ja jums ir nepieciešams šis rīks, dodieties uz moduļa API REST iestatīšanu, lai to aktivizētu. ##### Bank ##### BankSetupModule=Bankas moduļa uzstādīšana FreeLegalTextOnChequeReceipts=Brīvais teksts uz čeku ieņēmumiem @@ -1637,8 +1637,8 @@ ChequeReceiptsNumberingModule=Cheque Receipts Numbering module MultiCompanySetup=Multi-kompānija modulis iestatīšana ##### Suppliers ##### SuppliersSetup=Piegādātāja moduļa iestatījumi -SuppliersCommandModel=Complete template of prchase order (logo...) -SuppliersInvoiceModel=Complete template of vendor invoice (logo...) +SuppliersCommandModel=Pilnīga prchase pasūtījuma veidne (logotips ...) +SuppliersInvoiceModel=Pabeigt pārdevēja rēķina veidni (logotips ...) SuppliersInvoiceNumberingModel=Piegādātāju rēķinu numerācijas modeļus IfSetToYesDontForgetPermission=If set to yes, don't forget to provide permissions to groups or users allowed for the second approval ##### GeoIPMaxmind ##### @@ -1654,11 +1654,11 @@ ProjectsSetup=Projekta moduļa iestatījumi ProjectsModelModule=Projekta ziņojumi dokumenta paraugs TasksNumberingModules=Uzdevumi numerācijas modulis TaskModelModule=Uzdevumi ziņojumi dokumenta paraugs -UseSearchToSelectProject=Wait you press a key before loading content of project combo list (This may increase performance if you have a large number of project, but it is less convenient) +UseSearchToSelectProject=Pagaidiet, kamēr nospiediet taustiņu, pirms ievietojat projekta kombinēto sarakstu saturu (tas var palielināt veiktspēju, ja jums ir liels projektu skaits, bet tas ir mazāk ērti). ##### ECM (GED) ##### ##### Fiscal Year ##### -AccountingPeriods=Accounting periods -AccountingPeriodCard=Accounting period +AccountingPeriods=Pārskata periodi +AccountingPeriodCard=Pārskata periods NewFiscalYear=Jauns fiskālais gads OpenFiscalYear=Atvērt fiskālo gadu CloseFiscalYear=Aizvērt fiskālo gadu @@ -1672,93 +1672,93 @@ NbNumMin=Minimālais ciparu skaits NbSpeMin=Minimālais speciālo simbolu skaits NbIteConsecutive=Maksimālais atkārtojošos simbolu skaits NoAmbiCaracAutoGeneration=Do not use ambiguous characters ("1","l","i","|","0","O") for automatic generation -SalariesSetup=Setup of module salaries +SalariesSetup=Iestatījumi algu modulim SortOrder=Kārtošanas secība Format=Formāts -TypePaymentDesc=0:Customer payment type, 1:Vendor payment type, 2:Both customers and vendors payment type +TypePaymentDesc=0: Klienta maksājuma veids, 1: Piegādātāja maksājuma veids, 2: gan klientu, gan piegādātāju maksājuma veids IncludePath=Include path (defined into variable %s) ExpenseReportsSetup=Setup of module Expense Reports TemplatePDFExpenseReports=Document templates to generate expense report document -ExpenseReportsIkSetup=Setup of module Expense Reports - Milles index -ExpenseReportsRulesSetup=Setup of module Expense Reports - Rules -ExpenseReportNumberingModules=Expense reports numbering module +ExpenseReportsIkSetup=Moduļa Expense Reports iestatīšana - Milles indekss +ExpenseReportsRulesSetup=Moduļa Expense Reports iestatīšana - noteikumi +ExpenseReportNumberingModules=Izdevumu pārskatu numerācijas modulis 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=Paziņojumu saraksts katram lietotājam * -ListOfNotificationsPerUserOrContact=List of notifications per user* or per contact** +ListOfNotificationsPerUserOrContact=Paziņojumu saraksts katram lietotājam * vai katram kontaktam ** ListOfFixedNotifications=List of fixed notifications -GoOntoUserCardToAddMore=Go on the tab "Notifications" of a user to add or remove notifications for users -GoOntoContactCardToAddMore=Go on the tab "Notifications" of a third party to add or remove notifications for contacts/addresses +GoOntoUserCardToAddMore=Atveriet lietotāja cilni "Paziņojumi", lai pievienotu vai noņemtu paziņojumus lietotājiem +GoOntoContactCardToAddMore=Atveriet trešās personas cilni "Paziņojumi", lai pievienotu vai noņemtu paziņojumus par kontaktpersonām / adresēm Threshold=Threshold BackupDumpWizard=Wizard to build database backup dump file 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 only manual steps a privileged user can do. 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'; +ConfFileMustContainCustom=Lai instalētu vai izveidotu ārēju moduli no lietojumprogrammas, moduļa faili jāiegādājas direktorijā %s . Lai šo direktoriju apstrādātu Dolibarr, jums ir jāiestata conf / conf.php , lai pievienotu 2 direktīvu līnijas:
$ dolibarr_main_url_root_alt = "/ custom"; < br> $ 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 (keep empty for no highlight) -TextTitleColor=Text color of Page title +TextTitleColor=Lapas nosaukuma teksta krāsa LinkColor=Linku krāsa -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 +PressF5AfterChangingThis=Nospiediet CTRL + F5 uz tastatūras vai dzēsiet pārlūkprogrammas kešatmiņu pēc šīs vērtības mainīšanas, lai tā būtu efektīva +NotSupportedByAllThemes=Darbosies ar galvenajām tēmām, to nevar atbalstīt ārējās tēmas BackgroundColor=Fona krāsa TopMenuBackgroundColor=Fona krāsa augšējai izvēlnei -TopMenuDisableImages=Hide images in Top menu +TopMenuDisableImages=Slēpt attēlus augšējā izvēlnē LeftMenuBackgroundColor=Fona krāsa kreisajai izvēlnei BackgroundTableTitleColor=Fona krāsa tabulas virsraksta līnijai -BackgroundTableTitleTextColor=Text color for Table title line +BackgroundTableTitleTextColor=Teksta krāsa tabulas virsraksta rindai BackgroundTableLineOddColor=Background color for odd table lines BackgroundTableLineEvenColor=Background color for even table lines MinimumNoticePeriod=Minimum notice period (Your leave request must be done before this delay) 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. UnicodeCurrency=Enter here between braces, list of byte number that represent the currency symbol. For exemple: for $, enter [36] - for brazil real R$ [82,36] - for €, enter [8364] -ColorFormat=The RGB color is in HEX format, eg: FF0000 +ColorFormat=RGB krāsa ir HEX formātā, piemēram: FF0000 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. +RecuperableOnly=Jā par PVN "Neuztverams, bet atgūstams", kas paredzēts dažai Francijas valstij. Uzturiet vērtību "Nē" visos citos gadījumos. UrlTrackingDesc=If the provider or transport service offer a page or web site to check status of your shipping, you can enter it here. You can use the key {TRACKID} into URL parameters so the system will replace it with value of tracking number user entered into shipment card. OpportunityPercent=When you create an opportunity, you will defined an estimated amount of project/lead. According to status of opportunity, this amount may be multiplicated by this rate to evaluate global amount all your opportunities may generate. Value is percent (between 0 and 100). TemplateForElement=This template record is dedicated to which element TypeOfTemplate=Type of template TemplateIsVisibleByOwnerOnly=Template is visible by owner only VisibleEverywhere=Redzams visur -VisibleNowhere=Visible nowhere +VisibleNowhere=Redzams nekur FixTZ=Laika zonas labojums FillFixTZOnlyIfRequired=Example: +2 (fill only if problem experienced) ExpectedChecksum=Expected Checksum CurrentChecksum=Current Checksum -ForcedConstants=Required constant values +ForcedConstants=Nepieciešamās nemainīgās vērtības MailToSendProposal=Klienta piedāvājumi MailToSendOrder=Klienta pasūtījumi MailToSendInvoice=Klienta rēķini MailToSendShipment=Sūtījumi MailToSendIntervention=Interventions -MailToSendSupplierRequestForQuotation=Quotation request -MailToSendSupplierOrder=Purchase orders -MailToSendSupplierInvoice=Vendor invoices +MailToSendSupplierRequestForQuotation=Cenas pieprasījums +MailToSendSupplierOrder=Pirkuma pasūtījumi +MailToSendSupplierInvoice=Piegādātāja rēķini MailToSendContract=Līgumi MailToThirdparty=Trešās personas MailToMember=Dalībnieki MailToUser=Lietotāji -MailToProject=Projects page +MailToProject=Projektu lapa ByDefaultInList=Show by default on list view YouUseLastStableVersion=Jūs izmantojat pēdējo stabilo versiju 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 it contains only fixes of bugs. We recommend everybody using an older version to upgrade to this one. As any maintenance release, no new features, nor data structure change is present into this version. 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. +ExampleOfNewsMessageForMajorRelease=Dolibarr ERP & CRM %s ir pieejams. Versija %s ir liela versija ar daudzām jaunām funkcijām gan lietotājiem, gan izstrādātājiem. Jūs varat to lejupielādēt no https://www.dolibarr.org portāla lejupielādes apgabala (apakšdirektorijā Stable versijas). Lai iegūtu pilnīgu izmaiņu sarakstu, varat izlasīt ChangeLog . +ExampleOfNewsMessageForMaintenanceRelease=Dolibarr ERP & CRM %s ir pieejams. Versija %s ir uzturēšanas versija, tāpēc tajā ir tikai kļūdu labojumi. Mēs iesakām ikvienam, kurš izmanto vecāku versiju, jaunināt uz šo. Tā kā jebkurā tehniskās apkopes izlaidumā šajā versijā nav nevienas jaunas funkcijas vai datu struktūras izmaiņas. Jūs varat to lejupielādēt no https://www.dolibarr.org portāla lejupielādes apgabala (apakšdirektorijā Stable versijas). Lai iegūtu pilnīgu izmaiņu sarakstu, varat izlasīt ChangeLog . MultiPriceRuleDesc=When option "Several level of prices per product/service" is on, you can define different prices (one per price level) for each product. To save you time, you can enter here rule to have price for each level autocalculated according to price of first level, so you will have to enter only price for first level on each product. This page is here to save you time and can be usefull only if your prices for each leve are relative to first level. You can ignore this page in most cases. -ModelModulesProduct=Templates for product documents -ToGenerateCodeDefineAutomaticRuleFirst=To be able to generate automatically codes, you must first define a manager to auto define barcode number. +ModelModulesProduct=Veidlapas produktu dokumentos +ToGenerateCodeDefineAutomaticRuleFirst=Lai varētu automātiski ģenerēt kodus, vispirms ir jāiestata pārvaldnieks, lai automātiski noteiktu svītrkoda numuru. SeeSubstitutionVars=See * note for list of possible substitution variables -SeeChangeLog=See ChangeLog file (english only) +SeeChangeLog=Skatīt ChangeLog failu (tikai angļu valodā) AllPublishers=Visi izdevēji UnknownPublishers=Nezināmi izdevēji AddRemoveTabs=Add or remove tabs -AddDataTables=Add object tables +AddDataTables=Pievienot objektu tabulas AddDictionaries=Pievienojiet vārdnīcu tabulas -AddData=Add objects or dictionaries data +AddData=Pievienojiet objektus vai vārdnīcu datus AddBoxes=Pievienot logrīkus AddSheduledJobs=Pievienot plānotos darbus AddHooks=Add hooks @@ -1767,37 +1767,37 @@ AddMenus=Pievienot izvēlnes AddPermissions=Pievienot atļaujas 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 on 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 correclty. Please install module "%2$s" or disable module "%1$s" if you want to be safe from any surprise -CommandIsNotInsideAllowedCommands=The command you try to run is not inside list of allowed commands defined into parameter $dolibarr_main_restrict_os_commands into conf.php file. -LandingPage=Landing page -SamePriceAlsoForSharedCompanies=If you use a multicompany module, with the choice "Single price", price will be also the same for all companies if products are shared between environments +AddOtherPagesOrServices=Pievienot citas lapas vai pakalpojumus +AddModels=Pievienojiet dokumentu vai numerācijas veidnes +AddSubstitutions=Pievienot atslēgu aizvietojumus +DetectionNotPossible=Atklāšana nav iespējama +UrlToGetKeyToUseAPIs=Url, lai saņemtu token lai izmantotu API (pēc tam, kad ir saņemts tokens, tas tiek saglabāts datu bāzes lietotāju tabulā, un tas jānorāda katrā API zvanā) +ListOfAvailableAPIs=Pieejamo API saraksts +activateModuleDependNotSatisfied=Modulis "%s" ir atkarīgs no trūkstošā moduļa "%s", tāpēc modulis "%1$s" var nedarboties. Lūdzu, instalējiet moduli "%2$s" vai deaktivizējiet moduli "%1$s", ja vēlaties būt drošs no pārsteiguma +CommandIsNotInsideAllowedCommands=Komanda, kuru mēģināt palaist, nav iekļauta atļauto komandu sarakstā, kas definēts parametrā $ dolibarr_main_restrict_os_commands conf.php failā. +LandingPage=Galvenā lapa +SamePriceAlsoForSharedCompanies=Ja izmantojat vairāku kompāniju moduli, izvēloties "Vienotā cena", cena būs vienāda visiem uzņēmumiem, ja produkti tiek koplietoti vidēs ModuleEnabledAdminMustCheckRights=Modulis ir aktivizēts. Atļaujas aktivizētajam modulim (-iem) tika piešķirtas tikai administratoru lietotājiem. Nepieciešamības gadījumā Jums vajadzēs piešķirt tiesības citiem lietotājiem vai grupām manuāli. -UserHasNoPermissions=This user has no permission defined -TypeCdr=Use "None" if the date of payment term is date of invoice plus a delta in days (delta is field "Nb of days")
Use "At end of month", if, after delta, the date must be increased to reach the end of month (+ an optional "Offset" in days)
Use "Current/Next" to have payment term date being the first Nth of the month (N is stored into field "Nb of days") -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 try to install the module %s that is an external module. Activating an external module means you trust the publisher of the module and you are sure that this module does not alterate negatively the behavior of your application and is compliant with laws of your country (%s). If the module bring a non legal feature, you become responsible for the use of a non legal software. -MAIN_PDF_MARGIN_LEFT=Left margin on PDF -MAIN_PDF_MARGIN_RIGHT=Right margin on PDF -MAIN_PDF_MARGIN_TOP=Top margin on PDF -MAIN_PDF_MARGIN_BOTTOM=Bottom margin on PDF -SetToYesIfGroupIsComputationOfOtherGroups=Set this to yes if this group is a computation of other groups -EnterCalculationRuleIfPreviousFieldIsYes=Enter calculcation rule if previous field was set to Yes (For example 'CODEGRP1+CODEGRP2') -SeveralLangugeVariatFound=Several language variants found -COMPANY_AQUARIUM_REMOVE_SPECIAL=Remove special characters -COMPANY_AQUARIUM_CLEAN_REGEX=Regex filter to clean value (COMPANY_AQUARIUM_CLEAN_REGEX) -GDPRContact=GDPR contact -GDPRContactDesc=If you store data about European companies/citizen, you can store here the contact who is responsible for the General Data Protection Regulation +UserHasNoPermissions=Šis lietotājs nav definējis atļauju +TypeCdr=Izmantojiet "Nav", ja maksājuma termiņa datums ir rēķina datums plus delta dienās (delta ir lauks "Nb dienas")
Lietojiet "mēneša beigās", ja pēc delta, datums ir jāpalielina lai sasniegtu mēneša beigas (+ izvēles "nobīde" dienās)
Izmantojiet "Pašreizējais / Nākamais", lai maksājuma termiņš būtu mēneša pirmais N (N tiek saglabāts laukā "Nb of dienas"). +BaseCurrency=Uzņēmuma atsauces valūta (iestatiet uzņēmuma iestatījumus, lai mainītu šo) +WarningNoteModuleInvoiceForFrenchLaw=Šis modulis %s atbilst Francijas tiesību aktiem (Loi Finance 2016). +WarningNoteModulePOSForFrenchLaw=Šis modulis %s atbilst krievu likumiem (Loi Finance 2016), jo modulis Non Reversible Logs tiek automātiski aktivizēts. +WarningInstallationMayBecomeNotCompliantWithLaw=Jūs mēģināt instalēt moduli %s, kas ir ārējs modulis. Ārējā moduļa aktivizēšana nozīmē, ka jūs uzticaties moduļa izdevējai, un esat pārliecināts, ka šis modulis negatīvi nemaina jūsu lietojumprogrammas darbību un atbilst jūsu valsts tiesību aktiem (%s). Ja modulis nodrošina ne juridisku funkciju, jūs kļūstat atbildīgs par nevalstiskās programmatūras izmantošanu. +MAIN_PDF_MARGIN_LEFT=Kreisā puse PDF failā +MAIN_PDF_MARGIN_RIGHT=Labā puse PDF failā +MAIN_PDF_MARGIN_TOP=Galvene PDF failā +MAIN_PDF_MARGIN_BOTTOM=Kājene PDF failā +SetToYesIfGroupIsComputationOfOtherGroups=Iestatiet to uz "jā", ja šī grupa ir citu grupu aprēķins +EnterCalculationRuleIfPreviousFieldIsYes=Ievadiet kalkulācijas kārtulu, ja iepriekšējais laukums ir iestatīts uz Jā (Piemēram, 'CODEGRP1 + CODEGRP2') +SeveralLangugeVariatFound=Atrasti vairāki valodu varianti +COMPANY_AQUARIUM_REMOVE_SPECIAL=Noņemt īpašās rakstzīmes +COMPANY_AQUARIUM_CLEAN_REGEX=Regex filtrs tīrajai vērtībai (COMPANY_AQUARIUM_CLEAN_REGEX) +GDPRContact=GDPR kontakts +GDPRContactDesc=Ja jūs glabājat datus par Eiropas uzņēmumiem / pilsoni, šeit varat saglabāt kontaktpersonu, kas ir atbildīgs par vispārējo datu aizsardzības regulu ##### Resource #### -ResourceSetup=Configuration du module Resource -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 -ConfirmUnactivation=Confirm module reset +ResourceSetup=Konfigurācijas moduļa resurss +UseSearchToSelectResource=Izmantojiet meklēšanas formu, lai izvēlētos resursu (nevis nolaižamo sarakstu). +DisabledResourceLinkUser=Atspējot funkciju, lai resursus saistītu ar lietotājiem +DisabledResourceLinkContact=Atspējot funkciju, lai resursu saistītu ar kontaktpersonām +ConfirmUnactivation=Apstipriniet moduļa atiestatīšanu diff --git a/htdocs/langs/lv_LV/agenda.lang b/htdocs/langs/lv_LV/agenda.lang index 89eb13dadcaad..e40f22063204f 100644 --- a/htdocs/langs/lv_LV/agenda.lang +++ b/htdocs/langs/lv_LV/agenda.lang @@ -5,7 +5,7 @@ Agenda=Darba kārtība TMenuAgenda=Darba kārtība Agendas=Darba kārtības LocalAgenda=Iekšējais kalendārs -ActionsOwnedBy=Event owned by +ActionsOwnedBy=Notikums pieder ActionsOwnedByShort=Īpašnieks AffectedTo=Piešķirts Event=Notikums @@ -14,7 +14,7 @@ EventsNb=Notikumu skaits ListOfActions=Notikumu saraksts EventReports=Pasākumu atskaites Location=Atrašanās vieta -ToUserOfGroup=To any user in group +ToUserOfGroup=Jebkuram grupas lietotājam EventOnFullDay=Notikums visu -ām dienu -ām MenuToDoActions=Visi nepabeigtie pasākumi MenuDoneActions=Visi izbeigtie notikumi @@ -28,48 +28,48 @@ ActionAssignedTo=Notikums piešķirts ViewCal=Mēneša skats ViewDay=Dienas skats ViewWeek=Nedēļas skats -ViewPerUser=Per user view -ViewPerType=Per type view +ViewPerUser=Katra lietotāja skats +ViewPerType=Viena veida skats AutoActions= Automātiskā aizpildīšana AgendaAutoActionDesc= Define here events for which you want Dolibarr to create automatically an event in agenda. If nothing is checked, only manual actions will be included in logged and visible into agenda. Automatic tracking of business actions done on objects (validation, status change) will not be saved. AgendaSetupOtherDesc= Šī lapa sniedz iespējas, lai ļautu eksportēt savu Dolibarr notikumiem uz ārēju kalendāru (Thunderbird, Google Calendar, ...) AgendaExtSitesDesc=Šī lapa ļauj atzīt ārējos avotus kalendārus, lai redzētu savus notikumus uz Dolibarr kārtībā. ActionsEvents=Pasākumi, par kuriem Dolibarr radīs prasību kārtībā automātiski -EventRemindersByEmailNotEnabled=Event reminders by email was not enabled into Agenda module setup. +EventRemindersByEmailNotEnabled=Pasākumu atgādinājumus pa e-pastu netika aktivizēts Agenda moduļa iestatījumos. ##### Agenda event labels ##### -NewCompanyToDolibarr=Third party %s created +NewCompanyToDolibarr=Trešā puse izveidota %s ContractValidatedInDolibarr=Līgumi %s apstiprināti PropalClosedSignedInDolibarr=Piedāvājumi %s parakstīti -PropalClosedRefusedInDolibarr=Piedāvājumi %s atteikti +PropalClosedRefusedInDolibarr=Piedāvājums %s atteikts PropalValidatedInDolibarr=Priekšlikums %s apstiprināts PropalClassifiedBilledInDolibarr=Proposal %s classified billed InvoiceValidatedInDolibarr=Rēķins %s apstiprināts InvoiceValidatedInDolibarrFromPos=Invoice %s validated from POS InvoiceBackToDraftInDolibarr=Rēķins %s doties atpakaļ uz melnrakstu InvoiceDeleteDolibarr=Rēķins %s dzēsts -InvoicePaidInDolibarr=Rēķimi %s nomainīti uz apmaksātiem +InvoicePaidInDolibarr=Rēķini %s nomainīti uz apmaksātiem InvoiceCanceledInDolibarr=Rēķini %s atcelti MemberValidatedInDolibarr=Dalībnieks %s apstiprināts MemberModifiedInDolibarr=Dalībnieks %s labots -MemberResiliatedInDolibarr=Member %s terminated +MemberResiliatedInDolibarr=Dalībnieks %s ir izbeigts MemberDeletedInDolibarr=Dalībnieks %s dzēsts -MemberSubscriptionAddedInDolibarr=Subscription %s for member %s added -MemberSubscriptionModifiedInDolibarr=Subscription %s for member %s modified -MemberSubscriptionDeletedInDolibarr=Subscription %s for member %s deleted +MemberSubscriptionAddedInDolibarr=Abonements %s dalībniekam %s pievienots +MemberSubscriptionModifiedInDolibarr=Abonements %s biedram %s ir modificēts +MemberSubscriptionDeletedInDolibarr=Abonements %s biedram %s svītrots ShipmentValidatedInDolibarr=Sūtījums %s apstiprināts -ShipmentClassifyClosedInDolibarr=Shipment %s classified billed -ShipmentUnClassifyCloseddInDolibarr=Shipment %s classified reopened +ShipmentClassifyClosedInDolibarr=Sūtījums %s, kas klasificēts kā rēķins +ShipmentUnClassifyCloseddInDolibarr=Sūtījums %s klasificēts atkārtoti atvērts ShipmentDeletedInDolibarr=Sūtījums %s dzēsts -OrderCreatedInDolibarr=Order %s created +OrderCreatedInDolibarr=Pasūtījums %s izveidots OrderValidatedInDolibarr=Pasūtījums %s pārbaudīts -OrderDeliveredInDolibarr=Order %s classified delivered +OrderDeliveredInDolibarr=Pasūtījums %s klasificēts piegādāts OrderCanceledInDolibarr=Pasūtījums %s atcelts -OrderBilledInDolibarr=Order %s classified billed +OrderBilledInDolibarr=Pasūtījums %s klasificēts jāmaksā OrderApprovedInDolibarr=Pasūtījums %s apstiprināts OrderRefusedInDolibarr=Pasūtījums %s atteikts OrderBackToDraftInDolibarr=Pasūtījums %s doties atpakaļ uz melnrakstu ProposalSentByEMail=Komerciālais priedāvājums %s nosūtīts pa e-pastu -ContractSentByEMail=Contract %s sent by EMail +ContractSentByEMail=Līgums %s nosūtīts pa e-pastu OrderSentByEMail=Klienta pasūtījums %s nosūtīts pa e-pastu InvoiceSentByEMail=Klienta rēķins %s nosūtīts pa e-pastu SupplierOrderSentByEMail=Piegādātāja pasūtījums %s nosūtīts pa e-pastu @@ -80,27 +80,27 @@ InterventionSentByEMail=Intervention %s sent by EMail ProposalDeleted=Piedāvājums dzēsts OrderDeleted=Pasūtījums dzēsts InvoiceDeleted=Rēķins dzēsts -PRODUCT_CREATEInDolibarr=Product %s created -PRODUCT_MODIFYInDolibarr=Product %s modified -PRODUCT_DELETEInDolibarr=Product %s deleted -EXPENSE_REPORT_CREATEInDolibarr=Expense report %s created -EXPENSE_REPORT_VALIDATEInDolibarr=Expense report %s validated -EXPENSE_REPORT_APPROVEInDolibarr=Expense report %s approved -EXPENSE_REPORT_DELETEInDolibarr=Expense report %s deleted -EXPENSE_REPORT_REFUSEDInDolibarr=Expense report %s refused -PROJECT_CREATEInDolibarr=Projekta %s izveidots -PROJECT_MODIFYInDolibarr=Project %s modified -PROJECT_DELETEInDolibarr=Project %s deleted +PRODUCT_CREATEInDolibarr=Produkts %s ir izveidots +PRODUCT_MODIFYInDolibarr=Produkts %s ir labots +PRODUCT_DELETEInDolibarr=Produkts %s dzēsts +EXPENSE_REPORT_CREATEInDolibarr=Izdevēja ziņojums %s izveidots +EXPENSE_REPORT_VALIDATEInDolibarr=Izdevumu pārskats %s ir apstiprināts +EXPENSE_REPORT_APPROVEInDolibarr=Izdevumu pārskats %s ir apstiprināts +EXPENSE_REPORT_DELETEInDolibarr=Izdevumu pārskats %s svītrots +EXPENSE_REPORT_REFUSEDInDolibarr=Izdevumu pārskats %s noraidītie +PROJECT_CREATEInDolibarr=Projekts %s izveidots +PROJECT_MODIFYInDolibarr=Projekts %s ir labots +PROJECT_DELETEInDolibarr=Projekts %s dzēsts ##### End agenda events ##### -AgendaModelModule=Document templates for event +AgendaModelModule=Dokumentu veidnes notikumam DateActionStart=Sākuma datums DateActionEnd=Beigu datums AgendaUrlOptions1=Jūs varat pievienot arī šādus parametrus, lai filtrētu produkciju: AgendaUrlOptions3=logina=%s to restrict output to actions owned by a user %s. -AgendaUrlOptionsNotAdmin=logina=!%s to restrict output to actions not owned by user %s. +AgendaUrlOptionsNotAdmin= logina =! %s , lai ierobežotu izvadi uz darbībām, kas nav lietotāja īpašumā %s . AgendaUrlOptions4=logint=%s to restrict output to actions assigned to user %s (owner and others). -AgendaUrlOptionsProject=project=__PROJECT_ID__ to restrict output to actions linked to project __PROJECT_ID__. -AgendaUrlOptionsNotAutoEvent=notactiontype=systemauto to exclude automatic event. +AgendaUrlOptionsProject= project = __ PROJECT_ID __ , lai ierobežotu izlaidi darbībām, kas saistītas ar projektu __ PROJECT_ID __ . +AgendaUrlOptionsNotAutoEvent= notactiontype = systemauto , lai izslēgtu automātisku notikumu. AgendaShowBirthdayEvents=Rādīt kontaktu dzimšanas dienas AgendaHideBirthdayEvents=Slēpt kontaktu dzimšanas dienas Busy=Aizņemts @@ -112,20 +112,20 @@ ExportCal=Eksportēt kalendāru ExtSites=Importēt ārējos kalendārus ExtSitesEnableThisTool=Show external calendars (defined into global setup) into agenda. Does not affect external calendars defined by users. ExtSitesNbOfAgenda=Kalendāru skaits -AgendaExtNb=Calendar no. %s +AgendaExtNb=Kalendāra Nr. %s ExtSiteUrlAgenda=URL, lai piekļūtu. ICal failam ExtSiteNoLabel=Nav Apraksta VisibleTimeRange=Visible time range VisibleDaysRange=Visible days range AddEvent=Izveidot notikumu -MyAvailability=My availability -ActionType=Event type -DateActionBegin=Start event date +MyAvailability=Mana pieejamība +ActionType=Pasākuma veids +DateActionBegin=Sākuma datums notikumam CloneAction=Klonēt notikumu -ConfirmCloneEvent=Are you sure you want to clone the event %s? +ConfirmCloneEvent=Vai tiešām vēlaties klonēt notikumu %s ? RepeatEvent=Atkārtot notikumu EveryWeek=Katru nedēļu EveryMonth=Katru mēnesi -DayOfMonth=Day of month -DayOfWeek=Day of week -DateStartPlusOne=Date start + 1 hour +DayOfMonth=Mēneša diena +DayOfWeek=Nedēļas diena +DateStartPlusOne=S'akuma datums + 1 stunda diff --git a/htdocs/langs/lv_LV/banks.lang b/htdocs/langs/lv_LV/banks.lang index 2dad43b332df6..f9eb621f7c2e5 100644 --- a/htdocs/langs/lv_LV/banks.lang +++ b/htdocs/langs/lv_LV/banks.lang @@ -1,12 +1,13 @@ # Dolibarr language file - Source file is en_US - banks Bank=Banka -MenuBankCash=Banka / Kase +MenuBankCash=Banka | Skaidra nauda MenuVariousPayment=Dažādi maksājumi -MenuNewVariousPayment=New Miscellaneous payment +MenuNewVariousPayment=Jauns Dažāds maksājums BankName=Bankas nosaukums FinancialAccount=Konts BankAccount=Bankas konts BankAccounts=Banku konti +BankAccountsAndGateways=Bankas konti | Vārti ShowAccount=Rādīt kontu AccountRef=Finanšu konta ref AccountLabel=Finanšu konts nosaukums @@ -30,16 +31,16 @@ Reconciliation=Samierināšanās RIB=Bankas konta numurs IBAN=IBAN numurs BIC=BIC / SWIFT numurs -SwiftValid=BIC/SWIFT valid -SwiftVNotalid=BIC/SWIFT not valid -IbanValid=BAN valid -IbanNotValid=BAN not valid +SwiftValid=BIC / SWIFT derīgs +SwiftVNotalid=BIC/SWIFT nav derīgs +IbanValid=Derīgs BAN +IbanNotValid=BAN nav derīgs StandingOrders=Direct Debit orders -StandingOrder=Direct debit order +StandingOrder=Tiešā debeta rīkojums AccountStatement=Konta izraksts AccountStatementShort=Paziņojums AccountStatements=Konta izraksti -LastAccountStatements=Pēdējās konta izraksti +LastAccountStatements=Pēdējie konta izraksti IOMonthlyReporting=Mēneša pārskati BankAccountDomiciliation=Konta adrese BankAccountCountry=Konta valsts @@ -62,41 +63,41 @@ DeleteAccount=Dzēst kontu ConfirmDeleteAccount=Vai tiešām vēlaties dzēst šo kontu? Account=Konts BankTransactionByCategories=Bankas darījumi pa sadaļām -BankTransactionForCategory=Bank entries for category %s +BankTransactionForCategory=Bankas ieraksti sadaļām %s RemoveFromRubrique=Noņemt saiti ar sadaļu RemoveFromRubriqueConfirm=Vai esat pārliecināts, ka vēlaties noņemt saiti starp darījumu un kategoriju? -ListBankTransactions=List of bank entries +ListBankTransactions=Banku saraksts IdTransaction=Darījuma ID BankTransactions=Bankas ieraksti -BankTransaction=Bankas darījums -ListTransactions=List entries +BankTransaction=Bankas ieraksts +ListTransactions=Saraksta ieraksti ListTransactionsByCategory=List entries/category TransactionsToConciliate=Entries to reconcile Conciliable=Var saskaņot Conciliate=Samierināt Conciliation=Samierināšanās -ReconciliationLate=Reconciliation late -IncludeClosedAccount=Iekļaut slēgti konti +ReconciliationLate=Saskaņošana ir novēlota +IncludeClosedAccount=Iekļaut slēgtos kontus OnlyOpenedAccount=Tikai atvērtie konti AccountToCredit=Konts, lai kredītu AccountToDebit=Konta norakstīt DisableConciliation=Atslēgt izlīguma funkciju šim kontam ConciliationDisabled=Izlīgums līdzeklis invalīdiem -LinkedToAConciliatedTransaction=Linked to a conciliated entry +LinkedToAConciliatedTransaction=Saistīts ar saskaņotu ierakstu StatusAccountOpened=Atvērts StatusAccountClosed=Slēgts AccountIdShort=Numurs LineRecord=Darījums AddBankRecord=Pievienot ierakstu AddBankRecordLong=Pievienot ierakstu manuāli -Conciliated=Reconciled +Conciliated=Saskaņots ConciliatedBy=Jāsaskaņo ar DateConciliating=Izvērtējiet datumu BankLineConciliated=Entry reconciled -Reconciled=Reconciled -NotReconciled=Not reconciled +Reconciled=Saskaņots +NotReconciled=Nesaskaņot CustomerInvoicePayment=Klienta maksājums -SupplierInvoicePayment=Piegādātājs maksājums +SupplierInvoicePayment=Piegādātāja maksājums SubscriptionPayment=Abonēšanas maksa WithdrawalPayment=Izstāšanās maksājums SocialContributionPayment=Social/fiscal tax payment @@ -110,8 +111,8 @@ TransferFromToDone=No %s nodošana %s par %s %s ir ierakst CheckTransmitter=Raidītājs ValidateCheckReceipt=Validate this check receipt? ConfirmValidateCheckReceipt=Are you sure you want to validate this check receipt, no change will be possible once this is done? -DeleteCheckReceipt=Delete this check receipt? -ConfirmDeleteCheckReceipt=Are you sure you want to delete this check receipt? +DeleteCheckReceipt=Dzēst šo čeku? +ConfirmDeleteCheckReceipt=Vai tiešām vēlaties dzēst šo čeka kvīti? BankChecks=Bankas čeki BankChecksToReceipt=Checks awaiting deposit ShowCheckReceipt=Rādīt pārbaude depozīta saņemšanu @@ -131,33 +132,34 @@ PaymentDateUpdateSucceeded=Maksājuma datums veiksmīgi atjaunots PaymentDateUpdateFailed=Maksājuma datumu nevar atjaunināt Transactions=Darījumi BankTransactionLine=Bankas darījums -AllAccounts=Visas bankas/naudas konti +AllAccounts=Visi bankas un naudas konti BackToAccount=Atpakaļ uz kontu ShowAllAccounts=Parādīt visiem kontiem FutureTransaction=Darījumi ar Futur. Nav veids, kā samierināt. SelectChequeTransactionAndGenerate=Izvēlieties / filtru pārbaudes, lai iekļautu uz pārbaudes depozīta saņemšanas un noklikšķiniet uz "Izveidot". InputReceiptNumber=Choose the bank statement related with the conciliation. Use a sortable numeric value: YYYYMM or YYYYMMDD EventualyAddCategory=Galu galā, norādiet kategoriju, kurā klasificēt ierakstus -ToConciliate=To reconcile? +ToConciliate=Saskaņot? ThenCheckLinesAndConciliate=Tad pārbaudiet līnijas, kas atrodas bankas izrakstā, un noklikšķiniet -DefaultRIB=Default BAN -AllRIB=All BAN +DefaultRIB=Noklusējuma BAN +AllRIB=Visi BAN LabelRIB=BAN Label NoBANRecord=No BAN record DeleteARib=Delete BAN record ConfirmDeleteRib=Are you sure you want to delete this BAN record ? RejectCheck=Check returned -ConfirmRejectCheck=Are you sure you want to mark this check as rejected? +ConfirmRejectCheck=Vai tiešām vēlaties atzīmēt šo pārbaudi kā noraidītu? RejectCheckDate=Date the check was returned CheckRejected=Check returned CheckRejectedAndInvoicesReopened=Check returned and invoices reopened -BankAccountModelModule=Document templates for bank accounts -DocumentModelSepaMandate=Template of SEPA mandate. Usefull for european countries in EEC only. -DocumentModelBan=Template to print a page with BAN information. +BankAccountModelModule=Dokumentu veidnes banku kontiem +DocumentModelSepaMandate=SEPA mandāta veidne. Lietošanai eiropas valstīs tikai EEK. +DocumentModelBan=Veidne, lai izdrukātu lapu ar BAN informāciju. NewVariousPayment=Jauni dažādi maksājumi VariousPayment=Dažādi maksājumi VariousPayments=Dažādi maksājumi ShowVariousPayment=Parādīt dažādus maksājumus -AddVariousPayment=Add miscellaneous payments -YourSEPAMandate=Your SEPA mandate -FindYourSEPAMandate=This is your SEPA mandate to authorize our company to make direct debit order to your bank. Thanks to return it signed (scan of the signed document) or sent it by mail to +AddVariousPayment=Pievienot dažādus maksājumus +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. Pateicamies, ka tas ir parakstīts (parakstītā dokumenta skenēšana) vai nosūtīts pa pastu uz adresi diff --git a/htdocs/langs/lv_LV/bills.lang b/htdocs/langs/lv_LV/bills.lang index f8109f862ecf8..e9bbe02852abe 100644 --- a/htdocs/langs/lv_LV/bills.lang +++ b/htdocs/langs/lv_LV/bills.lang @@ -17,13 +17,13 @@ DisabledBecauseNotErasable=Bloķēts, jo nedrīkst dzēst InvoiceStandard=Standarta rēķins InvoiceStandardAsk=Standarta rēķins InvoiceStandardDesc=Šis rēķins veids ir kopīgs rēķins. -InvoiceDeposit=Down payment invoice -InvoiceDepositAsk=Down payment invoice +InvoiceDeposit=Sākuma iemaksu rēķins +InvoiceDepositAsk=Sākuma iemaksu rēķins InvoiceDepositDesc=This kind of invoice is done when a down payment has been received. -InvoiceProForma=Formāta rēķins -InvoiceProFormaAsk=Formāta rēķins +InvoiceProForma=Proformas rēķins +InvoiceProFormaAsk=Proforma rēķins InvoiceProFormaDesc=Formāta rēķins ir attēls patiesu rēķina, bet nav nekādas grāmatvedības uzskaites vērtības. -InvoiceReplacement=Nomaiņa rēķins +InvoiceReplacement=Nomaiņas rēķins InvoiceReplacementAsk=Nomaiņa rēķins par rēķinu InvoiceReplacementDesc=Replacement invoice is used to cancel and replace completely 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'. InvoiceAvoir=Kredīta piezīme @@ -31,7 +31,7 @@ InvoiceAvoirAsk=Kredīta piezīme, lai koriģētu rēķinu InvoiceAvoirDesc=Kredīts piezīme ir negatīvs rēķins izmantot, lai atrisinātu to, ka rēķins ir summa, kas atšķiras par summu, patiesībā maksā (jo klients maksā pārāk daudz kļūdas dēļ, vai arī nav samaksāta pilnībā, jo viņš atgriezās dažus produktus, piemēram). invoiceAvoirWithLines=Create Credit Note with lines from the origin invoice invoiceAvoirWithPaymentRestAmount=Create Credit Note with remaining unpaid of origin invoice -invoiceAvoirLineWithPaymentRestAmount=Credit Note for remaining unpaid amount +invoiceAvoirLineWithPaymentRestAmount=Kredīta piezīme par atlikušo neapmaksāto summu ReplaceInvoice=Aizstāt rēķinu %s ReplacementInvoice=Nomaiņa rēķins ReplacedByInvoice=Aizstāts ar rēķinu %s @@ -67,7 +67,7 @@ PaidBack=Atmaksāts atpakaļ DeletePayment=Izdzēst maksājumu ConfirmDeletePayment=Vai tiešām vēlaties dzēst šo maksājumu? ConfirmConvertToReduc=Do you want to convert this %s into an absolute discount ?
The amount will so 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 absolute discount ?
The amount will so be saved among all discounts and could be used as a discount for a current or a future invoice for this supplier. +ConfirmConvertToReducSupplier=Vai jūs vēlaties pārvērst šo %s par absolūtu atlaidi?
Šī summa tiks saglabāta starp visām atlaidēm un varētu tikt izmantota kā atlaide pašreizējam vai nākamajam rēķinam šim piegādātājam. SupplierPayments=Piegādātāju maksājumi ReceivedPayments=Saņemtie maksājumi ReceivedCustomersPayments=Maksājumi, kas saņemti no klientiem @@ -81,9 +81,9 @@ PaymentRule=Maksājuma noteikums PaymentMode=Maksājuma veids PaymentTypeDC=Debet karte/ kredīt karte PaymentTypePP=PayPal -IdPaymentMode=Payment type (id) -CodePaymentMode=Payment type (code) -LabelPaymentMode=Payment type (label) +IdPaymentMode=Maksājuma veids (id) +CodePaymentMode=Maksājuma veids (kods) +LabelPaymentMode=Maksājuma veids (marķējums) PaymentModeShort=Maksājuma veids PaymentTerm=Apmaksas noteikumi PaymentConditions=Apmaksas noteikumi @@ -92,12 +92,12 @@ PaymentAmount=Maksājuma summa ValidatePayment=Apstiprināt maksājumu PaymentHigherThanReminderToPay=Maksājumu augstāka nekā atgādinājums par samaksu HelpPaymentHigherThanReminderToPay=Uzmanība, maksājuma summu, no vienas vai vairākām rēķinus, ir lielāks nekā pārējās maksāt.
Labot savu ierakstu, citādi apstiprināt un domāt par izveidot kredīta piezīmi par pārsnieguma saņem par katru pārmaksāto rēķiniem. -HelpPaymentHigherThanReminderToPaySupplier=Attention, the payment amount of one or more bills is higher than the rest to pay.
Edit your entry, otherwise confirm and think about creating a credit note of the excess paid for each overpaid invoice. +HelpPaymentHigherThanReminderToPaySupplier=Uzmanību, vienas vai vairāku rēķinu maksājuma summa ir augstāka nekā pārējā summa, kas jāmaksā.
Rediģējiet savu ierakstu, citādi apstipriniet un domājiet par kredīta paziņojuma izveidi par pārsniegto samaksu par katru pārmaksāto rēķinu. ClassifyPaid=Klasificēt "Apmaksāts" ClassifyPaidPartially=Klasificēt 'Apmaksāts daļēji' ClassifyCanceled=Klasificēt "Abandoned" ClassifyClosed=Klasificēt 'Slēgts' -ClassifyUnBilled=Classify 'Unbilled' +ClassifyUnBilled=Klasificēt "neapstiprinātas" CreateBill=Izveidot rēķinu CreateCreditNote=Izveidot kredīta piezīmi AddBill=Izveidot rēķinu vai kredīta piezīmi @@ -109,9 +109,9 @@ CancelBill=Atcelt rēķinu SendRemindByMail=Sūtīt atgādinājumu izmantojot e-pastu DoPayment=Ievadiet maksājumu DoPaymentBack=Ievadiet atmaksu -ConvertToReduc=Mark as credit available -ConvertExcessReceivedToReduc=Convert excess received into future discount -ConvertExcessPaidToReduc=Convert excess paid into future discount +ConvertToReduc=Atzīmējiet kā kredītu +ConvertExcessReceivedToReduc=Konvertēt iegūtos naudas līdzekļus par pieejamo kredītu +ConvertExcessPaidToReduc=Konvertēt pārsniegto summu par atlaidi EnterPaymentReceivedFromCustomer=Ievadiet saņemto naudas summu no klienta EnterPaymentDueToCustomer=Veikt maksājumu dēļ klientam DisabledBecauseRemainderToPayIsZero=Disabled because remaining unpaid is zero @@ -120,13 +120,13 @@ BillStatus=Rēķina statuss StatusOfGeneratedInvoices=Izveidoto rēķinu statuss BillStatusDraft=Melnraksts (jāapstiprina) BillStatusPaid=Apmaksāts -BillStatusPaidBackOrConverted=Credit note refund or marked as credit available -BillStatusConverted=Paid (ready for consumption in final invoice) +BillStatusPaidBackOrConverted=Kredītkartes atmaksa vai atzīme par pieejamu kredītu +BillStatusConverted=Apmaksāts (gatavs patēriņam gala rēķinā) BillStatusCanceled=Pamesti BillStatusValidated=Apstiprināts (jāapmaksā) BillStatusStarted=Sākts BillStatusNotPaid=Nav samaksāts -BillStatusNotRefunded=Not refunded +BillStatusNotRefunded=Neatmaksā BillStatusClosedUnpaid=Slēgts (nav apmaksāts) BillStatusClosedPaidPartially=Samaksāts (daļēji) BillShortStatusDraft=Melnraksts @@ -137,7 +137,7 @@ BillShortStatusCanceled=Pamesti BillShortStatusValidated=Pārbaudīts BillShortStatusStarted=Sākts BillShortStatusNotPaid=Nav samaksāts -BillShortStatusNotRefunded=Not refunded +BillShortStatusNotRefunded=Neatmaksā BillShortStatusClosedUnpaid=Slēgts BillShortStatusClosedPaidPartially=Samaksāts (daļēji) PaymentStatusToValidShort=Jāpārbauda @@ -150,23 +150,23 @@ ErrorDiscountAlreadyUsed=Kļūda, atlaide jau tiek pielietota ErrorInvoiceAvoirMustBeNegative=Kļūda, pareizs rēķins, jābūt ar negatīvu summu ErrorInvoiceOfThisTypeMustBePositive=Kļūda, šim rēķina veidam ir jābūt ar pozitīvu summu ErrorCantCancelIfReplacementInvoiceNotValidated=Kļūda, nevar atcelt rēķinu, kas ir aizstāts ar citu rēķina, kas vēl ir projekta stadijā -ErrorThisPartOrAnotherIsAlreadyUsedSoDiscountSerieCantBeRemoved=This part or another is already used so discount serie cant be removed. +ErrorThisPartOrAnotherIsAlreadyUsedSoDiscountSerieCantBeRemoved=Šī daļa jau ir izmantota, tāpēc noņemt atlaides seriju. BillFrom=No BillTo=Kam ActionsOnBill=Pasākumi attiecībā uz rēķinu -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 +RecurringInvoiceTemplate=Veidne / periodiskais rēķins +NoQualifiedRecurringInvoiceTemplateFound=Nav atkārtota veidņu rēķina, kas derīga paaudzei. +FoundXQualifiedRecurringInvoiceTemplate=Atrodas %s atkārtotas veidnes rēķins (-i), kas ir piemērots paaudzei. +NotARecurringInvoiceTemplate=Nav atkārtota veidnes rēķina NewBill=Jauns rēķins LastBills=Pēdējie %s rēķini -LatestTemplateInvoices=Latest %s template invoices -LatestCustomerTemplateInvoices=Latest %s customer template invoices -LatestSupplierTemplateInvoices=Latest %s supplier template invoices +LatestTemplateInvoices=Jaunākie %s veidņu rēķini +LatestCustomerTemplateInvoices=Jaunākie %s klientu veidņu rēķini +LatestSupplierTemplateInvoices=Jaunākie %s piegādātāju veidņu rēķini LastCustomersBills=Latest %s customer invoices LastSuppliersBills=Latest %s supplier invoices AllBills=Visi rēķini -AllCustomerTemplateInvoices=All template invoices +AllCustomerTemplateInvoices=Visi veidņu rēķini OtherBills=Citi rēķini DraftBills=Rēķinu sagatave CustomersDraftInvoices=Customer draft invoices @@ -181,7 +181,7 @@ ConfirmCancelBillQuestion=Kāpēc jūs vēlaties, lai klasificētu šo rēķinu ConfirmClassifyPaidPartially=Vai esat pārliecināts, ka vēlaties mainīt rēķina %s, statusu uz samaksāts? ConfirmClassifyPaidPartiallyQuestion=Šis rēķins nav samaksāts pilnībā. Kādi ir iemesli, lai aizvērtu šo rēķinu? ConfirmClassifyPaidPartiallyReasonAvoir=Remaining unpaid (%s %s) is a discount granted because payment was made before term. I regularise the VAT with a credit note. -ConfirmClassifyPaidPartiallyReasonDiscount=Remaining unpaid (%s %s) is a discount granted because payment was made before term. +ConfirmClassifyPaidPartiallyReasonDiscount=Atlikušais neapmaksātais (%s %s) ir piešķirta atlaide, jo maksājums tika veikts pirms termiņa. 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=Slikts klients @@ -210,7 +210,7 @@ ShowInvoice=Rādīt rēķinu ShowInvoiceReplace=Rādīt aizstājošo rēķinu ShowInvoiceAvoir=Rādīt kredīta piezīmi ShowInvoiceDeposit=Show down payment invoice -ShowInvoiceSituation=Show situation invoice +ShowInvoiceSituation=Rādīt situāciju rēķinu ShowPayment=Rādīt maksājumu AlreadyPaid=Jau samaksāts AlreadyPaidBack=Jau atgriezta nauda @@ -219,10 +219,10 @@ Abandoned=Pamests RemainderToPay=Neapmaksāts RemainderToTake=Atlikusī summa, kas jāsaņem RemainderToPayBack=Remaining amount to refund -Rest=Līdz +Rest=Gaida AmountExpected=Pieprasīto summu ExcessReceived=Excess saņemti -ExcessPaid=Excess paid +ExcessPaid=Pārmaksātā summa EscompteOffered=Piedāvāta atlaide (maksājums pirms termiņa) EscompteOfferedShort=Atlaide SendBillRef=Submission of invoice %s @@ -242,7 +242,7 @@ RelatedRecurringCustomerInvoices=Related recurring customer invoices MenuToValid=Lai derīgs DateMaxPayment=Jāapmaksā līdz DateInvoice=Rēķina datums -DatePointOfTax=Point of tax +DatePointOfTax=Nodokļu punkts NoInvoice=Nav rēķinu ClassifyBill=Klasificēt rēķinu SupplierBillsToPay=Neapmaksātie piegādātāja rēķini @@ -252,7 +252,7 @@ SetConditions=Uzstādīt apmaksas nosacījumus SetMode=Uzstādīt maksājumu režīmu SetRevenuStamp=Set revenue stamp Billed=Samaksāts -RecurringInvoices=Recurring invoices +RecurringInvoices=Atkārtoti rēķini RepeatableInvoice=Rēķina paraugs RepeatableInvoices=Rēķinu paraugs Repeatable=Sagateve @@ -261,7 +261,7 @@ ChangeIntoRepeatableInvoice=Pārveidot par parauga rēķinu CreateRepeatableInvoice=Izveidot rēķina paraugu CreateFromRepeatableInvoice=Izveidot no parauga rēķina CustomersInvoicesAndInvoiceLines=Klientu rēķinus un rēķinu s līnijas -CustomersInvoicesAndPayments=Klientu rēķiniem un maksājumiem +CustomersInvoicesAndPayments=Klientu rēķini un maksājumi ExportDataset_invoice_1=Klientu rēķinu sarakstu un rēķins ir līnijas ExportDataset_invoice_2=Klientu rēķiniem un maksājumiem ProformaBill=Proforma Bils: @@ -282,31 +282,32 @@ RelativeDiscount=Relatīva atlaide GlobalDiscount=Globālā atlaide CreditNote=Kredīta piezīme CreditNotes=Kredīta piezīmes +CreditNotesOrExcessReceived=Credit notes or excess received Deposit=Down payment Deposits=Down payments DiscountFromCreditNote=Atlaide no kredīta piezīmes %s DiscountFromDeposit=Down payments from invoice %s -DiscountFromExcessReceived=Payments in excess of invoice %s -DiscountFromExcessPaid=Payments in excess of invoice %s +DiscountFromExcessReceived=Maksājumi, kas pārsniedz rēķinu %s +DiscountFromExcessPaid=Maksājumi, kas pārsniedz rēķinu %s AbsoluteDiscountUse=Šis kredīta veids var izmantot rēķinā pirms tās apstiprināšanas CreditNoteDepositUse=Invoice must be validated to use this kind of credits NewGlobalDiscount=Jauna absolūta atlaide NewRelativeDiscount=Jauna relatīva atlaide -DiscountType=Discount type +DiscountType=Atlaides veids NoteReason=Piezīme / Iemesls ReasonDiscount=Iemesls DiscountOfferedBy=Piešķīris -DiscountStillRemaining=Discounts or credits available -DiscountAlreadyCounted=Discounts or credits already consumed -CustomerDiscounts=Customer discounts -SupplierDiscounts=Vendors discounts +DiscountStillRemaining=Atlaides vai kredīti pieejami +DiscountAlreadyCounted=Atlaides vai kredīti, kas jau ir iztērēti +CustomerDiscounts=Klientu atlaides +SupplierDiscounts=Pārdevēja atlaides BillAddress=Rēķina adrese HelpEscompte=Šī atlaide ir piešķirta klientam, jo ​​tas maksājumu veica pirms termiņa. HelpAbandonBadCustomer=Šī summa ir pamests (klients teica, ka slikts klients), un tiek uzskatīts par ārkārtēju zaudēt. HelpAbandonOther=Šī summa ir atteikusies, jo tā bija kļūda (nepareizs klients vai rēķins aizstāt ar citiem, piemēram) IdSocialContribution=Social/fiscal tax payment id PaymentId=Maksājuma id -PaymentRef=Payment ref. +PaymentRef=Maksājumu ref. InvoiceId=Rēķina id InvoiceRef=Rēķina ref. InvoiceDateCreation=Rēķina izveides datums @@ -334,37 +335,37 @@ RelatedSupplierInvoices=Related supplier invoices LatestRelatedBill=Jaunākais sasitītais rēķins WarningBillExist=Uzmanību, viens vai vairāki rēķini jau eksistē MergingPDFTool=Merging PDF tool -AmountPaymentDistributedOnInvoice=Payment amount distributed on invoice -PaymentOnDifferentThirdBills=Allow payments on different thirdparties bills but same parent company +AmountPaymentDistributedOnInvoice=Maksājuma summa ir sadalīta rēķinā +PaymentOnDifferentThirdBills=Atļaut maksājumus dažādiem trešo valstu rēķiniem, bet tas pats mātes uzņēmums PaymentNote=Maksājuma piezīmes -ListOfPreviousSituationInvoices=List of previous situation invoices -ListOfNextSituationInvoices=List of next situation invoices -ListOfSituationInvoices=List of situation invoices -CurrentSituationTotal=Total current situation -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 +ListOfPreviousSituationInvoices=Iepriekšējo situāciju rēķinu saraksts +ListOfNextSituationInvoices=Nākamo situāciju rēķinu saraksts +ListOfSituationInvoices=Rēķinu par situāciju saraksts +CurrentSituationTotal=Kopējā pašreizējā situācija +DisabledBecauseNotEnouthCreditNote=Lai noņemtu situācijas rēķinu no cikla, šajā rēķina kredītzīmju kopsummā jāaptver šis kopējais rēķins +RemoveSituationFromCycle=Noņemiet šo rēķinu no cikla +ConfirmRemoveSituationFromCycle=Noņemiet šo rēķinu %s no cikla? +ConfirmOuting=Apstipriniet atpūtu FrequencyPer_d=Katras %s dienas FrequencyPer_m=Katrus %s mēnešus FrequencyPer_y=Katrus %s gadus -FrequencyUnit=Frequency unit -toolTipFrequency=Examples:
Set 7, Day: give a new invoice every 7 days
Set 3, Month: give a new invoice every 3 month +FrequencyUnit=Frekvences vienība +toolTipFrequency=Piemēri:
Iestatīt 7, Diena : piešķirt jaunu rēķinu ik pēc 7 dienām
Iestatīt 3, mēnesi : piešķirt jaunu rēķinu reizi 3 mēnešos NextDateToExecution=Nākamās rēķina izveidošanas datums -NextDateToExecutionShort=Date next gen. +NextDateToExecutionShort=Datums nākamais 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 +DateLastGenerationShort=Datuma pēdējais gen. +MaxPeriodNumber=Maksimālais rēķina radīšanas skaits +NbOfGenerationDone=Rēķina paaudzes skaits jau ir pabeigts +NbOfGenerationDoneShort=Veicamās paaudzes skaits +MaxGenerationReached=Maksimālais sasniegto paaudžu skaits InvoiceAutoValidate=Rēķinus automātiski apstiprināt GeneratedFromRecurringInvoice=Generated from template recurring invoice %s DateIsNotEnough=Date not reached yet InvoiceGeneratedFromTemplate=Invoice %s generated from recurring 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 +WarningInvoiceDateInFuture=Brīdinājums! Rēķina datums ir lielāks par pašreizējo datumu +WarningInvoiceDateTooFarInFuture=Brīdinājums, rēķina datums ir pārāk tālu no pašreizējā datuma +ViewAvailableGlobalDiscounts=Skatīt pieejamās atlaides # PaymentConditions Statut=Statuss PaymentConditionShortRECEP=Due Upon Receipt @@ -386,13 +387,14 @@ PaymentConditionPT_5050=50%% priekšapmaksa, 50%% piegādes laikā PaymentConditionShort10D=10 dienas PaymentCondition10D=10 dienas PaymentConditionShort10DENDMONTH=10 dienas mēneša beigas -PaymentCondition10DENDMONTH=Within 10 days following the end of the month +PaymentCondition10DENDMONTH=10 dienu laikā pēc mēneša beigām PaymentConditionShort14D=14 dienas PaymentCondition14D=14 dienas -PaymentConditionShort14DENDMONTH=14 days of month-end -PaymentCondition14DENDMONTH=Within 14 days following the end of the month +PaymentConditionShort14DENDMONTH=Mēneša 14 dienas +PaymentCondition14DENDMONTH=14 dienu laikā pēc mēneša beigām FixAmount=Noteikt daudzumu VarAmount=Mainīgais apjoms (%% tot.) +VarAmountOneLine=Variable amount (%% tot.) - 1 line with label '%s' # PaymentType PaymentTypeVIR=Bankas pārskaitījums PaymentTypeShortVIR=Bankas pārskaitījums @@ -410,11 +412,11 @@ PaymentTypeVAD=Tiešsaistes maksājums PaymentTypeShortVAD=Tiešsaistes maksājums PaymentTypeTRA=Bankas sagatave PaymentTypeShortTRA=Melnraksts -PaymentTypeFAC=Factor -PaymentTypeShortFAC=Factor +PaymentTypeFAC=Faktors +PaymentTypeShortFAC=Faktors BankDetails=Bankas rekvizīti BankCode=Bankas kods -DeskCode=Desk kods +DeskCode=Galda kods BankAccountNumber=Konta numurs BankAccountNumberKey=Taustiņš Residence=Direct debit @@ -429,7 +431,7 @@ ChequeOrTransferNumber=Pārbaudiet / Transfer N ° ChequeBordereau=Pārbaudīt grafiku ChequeMaker=Check/Transfer transmitter ChequeBank=Čeka izsniegšanas banka -CheckBank=Check +CheckBank=Čeks NetToBePaid=Neto jāmaksā PhoneNumber=Tel FullPhoneNumber=Tālrunis @@ -460,7 +462,7 @@ ChequeDeposits=Pārbaudes noguldījumi Cheques=Pārbaudes DepositId=Id deposit NbCheque=Number of checks -CreditNoteConvertedIntoDiscount=This %s has been converted into %s +CreditNoteConvertedIntoDiscount=Šī %s ir pārveidota par %s UsBillingContactAsIncoiveRecipientIfExist=Izmantot klientu norēķinu kontaktadresi, nevis trešo personu adresi, kā adresāta rēķiniem ShowUnpaidAll=Rādīt visus neapmaksātos rēķinus ShowUnpaidLateOnly=Rādīt vēlu neapmaksātiem rēķiniem tikai @@ -472,11 +474,11 @@ Reported=Kavējas DisabledBecausePayments=Nav iespējams, kopš šeit ir daži no maksājumiem CantRemovePaymentWithOneInvoicePaid=Nevar dzēst maksājumu, jo eksistē kaut viens rēķins, kas klasificēts kā samaksāts ExpectedToPay=Gaidāmais maksājums -CantRemoveConciliatedPayment=Can't remove conciliated payment +CantRemoveConciliatedPayment=Nevar noņemt saskaņoto maksājumu PayedByThisPayment=Samaksāts ar šo maksājumu ClosePaidInvoicesAutomatically=Classify "Paid" all standard, down payment or replacement invoices entirely paid. ClosePaidCreditNotesAutomatically=Classify "Paid" all credit notes entirely paid back. -ClosePaidContributionsAutomatically=Classify "Paid" all social or fiscal contributions entirely paid. +ClosePaidContributionsAutomatically=Klasificējiet "Apmaksā" visas sociālās vai fiskālās iemaksas, kas pilnībā samaksātas. AllCompletelyPayedInvoiceWillBeClosed=Visi rēķini, kas ir apmaksāti pilnībā automātiski tiks aizvērti ar statusu "Samaksāts". ToMakePayment=Maksāt ToMakePaymentBack=Atmaksāt @@ -484,14 +486,14 @@ ListOfYourUnpaidInvoices=Saraksts ar neapmaksātiem rēķiniem NoteListOfYourUnpaidInvoices=Piezīme: Šis saraksts satur tikai rēķinus par trešo pušu Jums ir saistīti ar kā pārdošanas pārstāvis. RevenueStamp=Ieņēmumi zīmogs YouMustCreateInvoiceFromThird=This option is only available when creating invoice from tab "customer" of third par -YouMustCreateInvoiceFromSupplierThird=This option is only available when creating invoice from tab "supplier" of third party -YouMustCreateStandardInvoiceFirstDesc=You have to create a standard invoice first and convert it to "template" to create a new template invoice +YouMustCreateInvoiceFromSupplierThird=Šī opcija ir pieejama tikai, veidojot rēķinu no trešās puses cilnes "piegādātājs" +YouMustCreateStandardInvoiceFirstDesc=Vispirms vispirms jāizveido standarta rēķins un jāpārveido tas par "veidni", lai izveidotu jaunu veidnes rēķinu PDFCrabeDescription=Rēķina PDF paraugs. Pilnākais rēķina paraugs (vēlamais paraugs) -PDFCrevetteDescription=Invoice PDF template Crevette. A complete invoice template for situation invoices +PDFCrevetteDescription=Rēķina PDF veidne Crevette. Pabeigta rēķina veidne situāciju rēķiniem 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 +MarsNumRefModelDesc1=Atgriež numuru ar formātu %syymm-nnnn par standarta rēķiniem, %syymm-nnnn par nomainītajiem rēķiniem, %syymm-nnnn par norēķinu rēķiniem un %syymm-nnnn par kredītzīmēm, kur yy ir gads, mm ir mēnesis, un nnnn ir secība bez pārtraukuma un nē atgriezties pie 0 TerreNumRefModelError=Rēķinu sākot ar syymm $ jau pastāv un nav saderīgs ar šo modeli secību. Noņemt to vai pārdēvēt to aktivizētu šo moduli. -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 +CactusNumRefModelDesc1=Atgriešanās numurs ar formātu %syymm-nnnn standarta rēķiniem, %syymm-nnnn par kredītzīmēm un %syymm-nnnn par norēķinu rēķiniem, kur yy ir gads, mm ir mēnesis, un nnnn ir secība bez pārtraukuma un nav atgriezta 0 ##### Types de contacts ##### TypeContact_facture_internal_SALESREPFOLL=Pārstāvis šādi-up klientu rēķinu TypeContact_facture_external_BILLING=Klienta rēķina kontakts @@ -511,10 +513,10 @@ SituationAmount=Situation invoice amount(net) SituationDeduction=Situation subtraction ModifyAllLines=Labot visas līnijas CreateNextSituationInvoice=Izveidot nākošo situāciju -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. +ErrorFindNextSituationInvoice=Kļūda, nespējot atrast nākamo situācijas cikla ref +ErrorOutingSituationInvoiceOnUpdate=Nevar iziet no šīs situācijas rēķina. +ErrorOutingSituationInvoiceCreditNote=Nevar iznomāt saistītu kredītzīmi. +NotLastInCycle=Šis rēķins nav jaunākais ciklā, un to nedrīkst mainīt. DisabledBecauseNotLastInCycle=The next situation already exists. DisabledBecauseFinal=This situation is final. situationInvoiceShortcode_AS=AS @@ -522,25 +524,25 @@ situationInvoiceShortcode_S=Sv 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 +PDFCrevetteSituationNumber=Situācija Nr. %s +PDFCrevetteSituationInvoiceLineDecompte=Situācijas faktūrrēķins - 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 +TotalSituationInvoice=Kopējā situācija +invoiceLineProgressError=Rēķina līnijas progress nedrīkst būt lielāks vai vienāds ar nākamo rēķina līniju +updatePriceNextInvoiceErrorUpdateline=Kļūda: atjauniniet cenu rēķina līnijā: %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 you administrator to enable and setup module %s. Note that both method (manual and automatic) can be used together with no risk of duplication. -DeleteRepeatableInvoice=Delete template invoice +DeleteRepeatableInvoice=Dzēst veidnes rēķinu ConfirmDeleteRepeatableInvoice=Vai tiešām vēlaties izdzēst veidnes rēķinu? -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 +CreateOneBillByThird=Izveidojiet vienu rēķinu par trešo pusi (citādi, vienu rēķinu par pasūtījumu) +BillCreated=izveidots (-i) %s rēķins (-i) +StatusOfGeneratedDocuments=Dokumentu ģenerēšanas statuss +DoNotGenerateDoc=Neveidot dokumenta failu +AutogenerateDoc=Auto ģenerēt dokumenta failu +AutoFillDateFrom=Iestatiet pakalpojuma līnijas sākuma datumu ar rēķina datumu +AutoFillDateFromShort=Iestatīt sākuma datumu +AutoFillDateTo=Iestatīt pakalpojuma līnijas beigu datumu ar nākamo rēķina datumu +AutoFillDateToShort=Iestatīt beigu datumu +MaxNumberOfGenerationReached=Maksimālais gen. sasniedza diff --git a/htdocs/langs/lv_LV/boxes.lang b/htdocs/langs/lv_LV/boxes.lang index 77f8ce739b5bb..3edd2658315ec 100644 --- a/htdocs/langs/lv_LV/boxes.lang +++ b/htdocs/langs/lv_LV/boxes.lang @@ -3,61 +3,61 @@ BoxLoginInformation=Pieteikšanās informācija BoxLastRssInfos=RSS informācija BoxLastProducts=Pēdējie %s produkti/pakalpojumi BoxProductsAlertStock=Produktu krājumu brīdinājums -BoxLastProductsInContract=Pēdējie %s darījumi produktiem/servisiem -BoxLastSupplierBills=Latest supplier invoices +BoxLastProductsInContract=Pēdējie %s darījumi produktiem/pakalpojumiem +BoxLastSupplierBills=Jaunākie piegādātāja rēķini BoxLastCustomerBills=Pēdējie klientu rēķini -BoxOldestUnpaidCustomerBills=Oldest unpaid customer invoices -BoxOldestUnpaidSupplierBills=Oldest unpaid supplier invoices +BoxOldestUnpaidCustomerBills=Vecākie neapmaksātie klientu rēķini +BoxOldestUnpaidSupplierBills=Vecākie neapmaksāti piegādātāja rēķini BoxLastProposals=Latest commercial proposals -BoxLastProspects=Latest modified prospects -BoxLastCustomers=Latest modified customers -BoxLastSuppliers=Latest modified suppliers -BoxLastCustomerOrders=Latest customer orders -BoxLastActions=Latest actions -BoxLastContracts=Latest contracts +BoxLastProspects=Jaunākās labotās perspektīvas +BoxLastCustomers=Jaunākie labotie klienti +BoxLastSuppliers=Jaunākie modificētie piegādātāji +BoxLastCustomerOrders=Jaunākie klientu pasūtījumi +BoxLastActions=Jaunākās darbības +BoxLastContracts=Jaunākie līgumi BoxLastContacts=Latest contacts/addresses BoxLastMembers=Jaunākie dalībnieki -BoxFicheInter=Latest interventions -BoxCurrentAccounts=Open accounts balance -BoxTitleLastRssInfos=Latest %s news from %s -BoxTitleLastProducts=Latest %s modified products/services +BoxFicheInter=Jaunākās intervences +BoxCurrentAccounts=Atvērto kontu atlikums +BoxTitleLastRssInfos=Jaunākās %s ziņas no %s +BoxTitleLastProducts=Jaunākie %s labotie produkti / pakalpojumi BoxTitleProductsAlertStock=Produktu un krājumu brīdinājumi -BoxTitleLastSuppliers=Latest %s recorded suppliers -BoxTitleLastModifiedSuppliers=Latest %s modified suppliers -BoxTitleLastModifiedCustomers=Latest %s modified customers +BoxTitleLastSuppliers=Jaunākie %s reģistrēti piegādātāji +BoxTitleLastModifiedSuppliers=Jaunākie %s labotie piegādātāji +BoxTitleLastModifiedCustomers=Jaunākie %s labotie klienti BoxTitleLastCustomersOrProspects=Latest %s customers or prospects -BoxTitleLastCustomerBills=Latest %s customer invoices -BoxTitleLastSupplierBills=Latest %s supplier invoices -BoxTitleLastModifiedProspects=Latest %s modified prospects -BoxTitleLastModifiedMembers=Latest %s members -BoxTitleLastFicheInter=Latest %s modified interventions +BoxTitleLastCustomerBills=Jaunākie %s klientu rēķini +BoxTitleLastSupplierBills=Jaunākie %s piegādātāja rēķini +BoxTitleLastModifiedProspects=Jaunākās %s labotās izredzes +BoxTitleLastModifiedMembers=Jaunākie %s dalībnieki +BoxTitleLastFicheInter=Jaunākās %s izmaiņas iejaukšanās BoxTitleOldestUnpaidCustomerBills=Vecākie %s neapmaksātie klientu rēķini BoxTitleOldestUnpaidSupplierBills=Vecākie %s neapmaksātie piegādātāju rēķini -BoxTitleCurrentAccounts=Open accounts balances -BoxTitleLastModifiedContacts=Latest %s modified contacts/addresses -BoxMyLastBookmarks=My latest %s bookmarks +BoxTitleCurrentAccounts=Atvērto kontu atlikumi +BoxTitleLastModifiedContacts=Jaunākie %s labotie kontakti / adreses +BoxMyLastBookmarks=Manas jaunākās %s grāmatzīmes BoxOldestExpiredServices=Vecākais aktīvais beidzies pakalpojums -BoxLastExpiredServices=Latest %s oldest contacts with active expired services -BoxTitleLastActionsToDo=Latest %s actions to do -BoxTitleLastContracts=Latest %s modified contracts -BoxTitleLastModifiedDonations=Latest %s modified donations -BoxTitleLastModifiedExpenses=Latest %s modified expense reports +BoxLastExpiredServices=Jaunākie %s vecākie kontakti ar aktīviem derīguma termiņa beigām +BoxTitleLastActionsToDo=Jaunākās %s darbības, ko darīt +BoxTitleLastContracts=Jaunākie %s labotie līgumi +BoxTitleLastModifiedDonations=Jaunākie %s labotie ziedojumi +BoxTitleLastModifiedExpenses=Jaunākie %s modificētie izdevumu pārskati BoxGlobalActivity=Global darbība (pavadzīmes, priekšlikumi, rīkojumi) BoxGoodCustomers=Labi klienti -BoxTitleGoodCustomers=%s Good customers +BoxTitleGoodCustomers=%s Labi klienti FailedToRefreshDataInfoNotUpToDate=Failed to refresh RSS flux. Latest successfull refresh date: %s -LastRefreshDate=Latest refresh date +LastRefreshDate=Jaunākais atsvaidzināšanas datums NoRecordedBookmarks=Nav definētas grāmatzīmes. ClickToAdd=Klikšķiniet šeit, lai pievienotu. NoRecordedCustomers=Nav ierakstīti klienti NoRecordedContacts=Nav ierakstītie kontakti NoActionsToDo=Nav nevienas darbības ko darīt -NoRecordedOrders=No recorded customer orders +NoRecordedOrders=Nav reģistrētu klientu pasūtījumu NoRecordedProposals=Nav saglabātu priekšlikumu -NoRecordedInvoices=No recorded customer invoices -NoUnpaidCustomerBills=No unpaid customer invoices -NoUnpaidSupplierBills=No unpaid supplier invoices -NoModifiedSupplierBills=No recorded supplier invoices +NoRecordedInvoices=Nav reģistrētu klientu rēķinu +NoUnpaidCustomerBills=Nav neapmaksātu klientu rēķinu +NoUnpaidSupplierBills=Nav neapmaksātu piegādātāja rēķinu +NoModifiedSupplierBills=Nav reģistrētu piegādātāja rēķinu NoRecordedProducts=Nav ierakstīti produkti/pakalpojumi NoRecordedProspects=Nav ierakstītie perspektīvas NoContractedProducts=Nav produktu / pakalpojumu līgumi @@ -66,21 +66,21 @@ NoRecordedInterventions=Nav ierakstītie pasākumi BoxLatestSupplierOrders=Jaunākie piegādātāja pasūtījumi NoSupplierOrder=Nav ierakstītu piegādātāju pasūtījumu BoxCustomersInvoicesPerMonth=Klientu rēķini mēnesī -BoxSuppliersInvoicesPerMonth=Piegādātājs rēķini mēnesī +BoxSuppliersInvoicesPerMonth=Piegādātāja rēķini mēnesī BoxCustomersOrdersPerMonth=Klientu pasūtījumi mēnesī BoxSuppliersOrdersPerMonth=Piegādātāju pasūtījumi mēnesī BoxProposalsPerMonth=Priekšlikumi pa mēnešiem NoTooLowStockProducts=Nav produktu ar zemu krājumu brīdinājumu BoxProductDistribution=Produkti / Pakalpojumi izplatīšana BoxProductDistributionFor=Izplatīšana %s par %s -BoxTitleLastModifiedSupplierBills=Latest %s modified supplier bills -BoxTitleLatestModifiedSupplierOrders=Latest %s modified supplier orders -BoxTitleLastModifiedCustomerBills=Latest %s modified customer bills -BoxTitleLastModifiedCustomerOrders=Latest %s modified customer orders +BoxTitleLastModifiedSupplierBills=Jaunākie %s labotie piegādātāja rēķini +BoxTitleLatestModifiedSupplierOrders=Jaunākie %s labotie piegādātāja pasūtījumi +BoxTitleLastModifiedCustomerBills=Jaunākie %s modificētie klientu rēķini +BoxTitleLastModifiedCustomerOrders=Jaunākie %s labotie klientu pasūtījumi BoxTitleLastModifiedPropals=Pēdējie %s labotie priekšlikumi ForCustomersInvoices=Klientu rēķini ForCustomersOrders=Klientu pasūtījumi ForProposals=Priekšlikumi -LastXMonthRolling=The latest %s month rolling +LastXMonthRolling=Jaunākais %s mēnesis ritošais ChooseBoxToAdd=Pievienojiet logrīku savam informācijas panelim BoxAdded=Jūsu vadības panelī ir pievienots logrīks diff --git a/htdocs/langs/lv_LV/commercial.lang b/htdocs/langs/lv_LV/commercial.lang index f4168b499f63a..b51572cb047c3 100644 --- a/htdocs/langs/lv_LV/commercial.lang +++ b/htdocs/langs/lv_LV/commercial.lang @@ -5,32 +5,32 @@ Customer=Klients Customers=Klienti Prospect=Perspektīva Prospects=Perspektīvas -DeleteAction=Delete an event +DeleteAction=Dzēst notikumu NewAction=Jauns notikums AddAction=Izveidot notikumu -AddAnAction=Create an event +AddAnAction=Izveidot notikumu AddActionRendezVous=Create a Rendez-vous event ConfirmDeleteAction=Vai tiešām vēlaties dzēst šo notikumu? CardAction=Notikumu kartiņa -ActionOnCompany=Related company -ActionOnContact=Related contact +ActionOnCompany=Saistīts uzņēmums +ActionOnContact=Saistītie kontakti TaskRDVWith=Tikšanās ar %s ShowTask=Rādīt uzdevumu ShowAction=Rādīt notikumu ActionsReport=Notikumu ziņojumi ThirdPartiesOfSaleRepresentative=Third parties with sales representative -SaleRepresentativesOfThirdParty=Sales representatives of third party +SaleRepresentativesOfThirdParty=Trešo personu tirdzniecības pārstāvji SalesRepresentative=Pārdošanas pārstāvis SalesRepresentatives=Tirdzniecības pārstāvji SalesRepresentativeFollowUp=Tirdzniecības pārstāvis (pēcpārbaude) SalesRepresentativeSignature=Tirdzniecības pārstāvja (paraksts) NoSalesRepresentativeAffected=Nav īpaši tirdzniecības piešķirts pārstāvis ShowCustomer=Rādīt klientu -ShowProspect=Rādīt izredzes +ShowProspect=Parādīt perspektīvu ListOfProspects=Perspektīvu saraksts ListOfCustomers=Klientu saraksts LastDoneTasks=Latest %s completed actions -LastActionsToDo=Oldest %s not completed actions +LastActionsToDo=Vecākās %s nepabeigtās darbības DoneAndToDoActions=Pabeigts un Lai to izdarītu notikumus DoneActions=Īstenotie pasākumi ToDoActions=Nepabeigtie notikumi @@ -60,8 +60,8 @@ ActionAC_CLO=Aizvērt ActionAC_EMAILING=Sūtīt masveida e-pastu ActionAC_COM=Nosūtīt klienta pasūtījumu pa pastu ActionAC_SHIP=Nosūtīt piegādi pa pastu -ActionAC_SUP_ORD=Send purchase order by mail -ActionAC_SUP_INV=Send vendor invoice by mail +ActionAC_SUP_ORD=Nosūtiet pirkumu pa pastu +ActionAC_SUP_INV=Nosūtiet pārdevēju rēķinu pa pastu ActionAC_OTH=Cits ActionAC_OTH_AUTO=Automātiski ievietoti notikumi ActionAC_MANUAL=Manuāli ievietoti notikumi @@ -70,10 +70,10 @@ ActionAC_OTH_AUTOShort=Auto Stats=Tirdzniecības statistika StatusProsp=Prospekta statuss DraftPropals=Izstrādā komerciālos priekšlikumus -NoLimit=No limit -ToOfferALinkForOnlineSignature=Link for online signature -WelcomeOnOnlineSignaturePage=Welcome on the page to accept commerical proposals from %s -ThisScreenAllowsYouToSignDocFrom=This screen allow you to accept and sign, or refuse, a quote/commercial proposal -ThisIsInformationOnDocumentToSign=This is information on document to accept or refuse -SignatureProposalRef=Signature of quote/commerical proposal %s -FeatureOnlineSignDisabled=Feature for online signing disabled or document generated before the feature was enabled +NoLimit=Nav ierobežojuma +ToOfferALinkForOnlineSignature=Saite uz tiešsaistes parakstu +WelcomeOnOnlineSignaturePage=Laipni lūdzam lapā, lai pieņemtu %s komerciālos piedāvājumus +ThisScreenAllowsYouToSignDocFrom=Šis ekrāns ļauj pieņemt un parakstīt vai noraidīt citātu / komerciālu piedāvājumu +ThisIsInformationOnDocumentToSign=Šī ir informācija par dokumentu, kas pieņemams vai noraidīts +SignatureProposalRef=Citāts / komerciālā piedāvājuma paraksts %s +FeatureOnlineSignDisabled=Pirms funkcija tika aktivizēta, funkcija tiešsaistes parakstīšanai ir atspējota vai dokuments ir izveidots diff --git a/htdocs/langs/lv_LV/compta.lang b/htdocs/langs/lv_LV/compta.lang index f76b267cfb1af..840a653e48fc7 100644 --- a/htdocs/langs/lv_LV/compta.lang +++ b/htdocs/langs/lv_LV/compta.lang @@ -1,5 +1,5 @@ # Dolibarr language file - Source file is en_US - compta -MenuFinancial=Billing | Payment +MenuFinancial=Norēķini | Maksājums TaxModuleSetupToModifyRules=Iet uz Nodokļi moduļa uzstādīšanas mainīt aprēķināšanas noteikumus TaxModuleSetupToModifyRulesLT=Iet uz Kompānijas iestatījumiem lai labotu aprēķina noteikumus OptionMode=Variants grāmatvedības @@ -13,63 +13,64 @@ LTReportBuildWithOptionDefinedInModule=Amounts shown here are calculated using r Param=Iestatījumi RemainingAmountPayment=Summa maksājums Atlikušo: Account=Konts -Accountparent=Parent account -Accountsparent=Parent accounts +Accountparent=Galvenais konts +Accountsparent=Galvenie konti Income=Ienākumi Outcome=Izdevumi MenuReportInOut=Ienākumi / izdevumi -ReportInOut=Balance of income and expenses -ReportTurnover=Apgrozījums +ReportInOut=Ienākumu un izdevumu bilance +ReportTurnover=Apgrozījums ir izrakstīts rēķinā +ReportTurnoverCollected=Turnover collected PaymentsNotLinkedToInvoice=Maksājumi, kas nav saistīti ar kādu rēķinu, tāpēc nav saistīts ar trešajām personām PaymentsNotLinkedToUser=Maksājumi, kas nav saistīti ar jebkuru lietotāju Profit=Peļņa AccountingResult=Accounting result -BalanceBefore=Balance (before) +BalanceBefore=Bilance (pirms) Balance=Bilance Debit=Debets Credit=Kredīts -Piece=Accounting Doc. -AmountHTVATRealReceived=Neto iekasēto +Piece=Grāmatvedības dok. +AmountHTVATRealReceived=Neto savākti AmountHTVATRealPaid=Neto samaksāts -VATToPay=Tax sales +VATToPay=Nodokļu pārdošana VATReceived=Saņemti nodokļi -VATToCollect=Tax purchases -VATSummary=Tax monthly +VATToCollect=Nodokļu pirkumi +VATSummary=Nodoklis mēnesī VATBalance=Nodokļu bilance VATPaid=Samaksātie nodokļi -LT1Summary=Tax 2 summary -LT2Summary=Tax 3 summary +LT1Summary=Nodokļu 2 kopsavilkums +LT2Summary=Nodokļu 3 kopsavilkums LT1SummaryES=RE Balance LT2SummaryES=IRPF Bilance -LT1SummaryIN=CGST Balance -LT2SummaryIN=SGST Balance -LT1Paid=Tax 2 paid -LT2Paid=Tax 3 paid +LT1SummaryIN=CGST Bilance +LT2SummaryIN=SGST Bilance +LT1Paid=Nodoklis 2 ir apmaksāts +LT2Paid=Nodoklis 3 ir samaksāts LT1PaidES=RE Paid LT2PaidES=IRPF Maksas -LT1PaidIN=CGST Paid -LT2PaidIN=SGST Paid -LT1Customer=Tax 2 sales -LT1Supplier=Tax 2 purchases +LT1PaidIN=CGST apmaksāts +LT2PaidIN=SGST apmaksāts +LT1Customer=Nodokļu 2 pārdošana +LT1Supplier=Nodokļi 2 pirkumi LT1CustomerES=RE sales LT1SupplierES=RE purchases -LT1CustomerIN=CGST sales -LT1SupplierIN=CGST purchases -LT2Customer=Tax 3 sales -LT2Supplier=Tax 3 purchases +LT1CustomerIN=CGST pārdošana +LT1SupplierIN=CGST pirkumi +LT2Customer=Nodokļu 3 pārdošana +LT2Supplier=Nodoklis 3 pirkumi LT2CustomerES=IRPF pārdošanu LT2SupplierES=IRPF pirkumi -LT2CustomerIN=SGST sales -LT2SupplierIN=SGST purchases +LT2CustomerIN=SGST pārdošana +LT2SupplierIN=SGST pirkumi VATCollected=Iekasētais PVN ToPay=Jāsamaksā -SpecialExpensesArea=Area for all special payments +SpecialExpensesArea=Sadaļa visiem īpašajiem maksājumiem SocialContribution=Social or fiscal tax SocialContributions=Social or fiscal taxes -SocialContributionsDeductibles=Deductible social or fiscal taxes -SocialContributionsNondeductibles=Nondeductible social or fiscal taxes -LabelContrib=Label contribution -TypeContrib=Type contribution +SocialContributionsDeductibles=Atskaitāmi sociālie vai fiskālie nodokļi +SocialContributionsNondeductibles=Nekonkurējoši sociālie vai fiskālie nodokļi +LabelContrib=Marķējuma ieguldījums +TypeContrib=Veida iemaksa MenuSpecialExpenses=Īpašie izdevumi MenuTaxAndDividends=Nodokļi un dividendes MenuSocialContributions=Social/fiscal taxes @@ -77,17 +78,17 @@ MenuNewSocialContribution=New social/fiscal tax NewSocialContribution=New social/fiscal tax AddSocialContribution=Pievienot sociālo / fiskālo nodokli ContributionsToPay=Social/fiscal taxes to pay -AccountancyTreasuryArea=Grāmatvedība / kase laukums +AccountancyTreasuryArea=Billing and payment area NewPayment=Jauns maksājums Payments=Maksājumi PaymentCustomerInvoice=Klienta rēķina apmaksa -PaymentSupplierInvoice=Vendor invoice payment +PaymentSupplierInvoice=Piegādātāja rēķina maksājums PaymentSocialContribution=Social/fiscal tax payment PaymentVat=PVN maksājumi ListPayment=Maksājumu saraksts ListOfCustomerPayments=Saraksts klientu maksājumu -ListOfSupplierPayments=List of vendor payments -DateStartPeriod=Date start period +ListOfSupplierPayments=Pārdevēja maksājumu saraksts +DateStartPeriod=Sākuma datums periodam DateEndPeriod=Datums un periods newLT1Payment=New tax 2 payment newLT2Payment=New tax 3 payment @@ -104,26 +105,28 @@ LT2PaymentsES=IRPF Maksājumi VATPayment=Sales tax payment VATPayments=Sales tax payments VATRefund=PVN atmaksa -NewVATPayment=New sales tax payment +NewVATPayment=Jauns apgrozījuma nodokļa maksājums +NewLocalTaxPayment=Jauns nodokļa %s maksājums Refund=Atmaksa SocialContributionsPayments=Social/fiscal taxes payments ShowVatPayment=Rādīt PVN maksājumu TotalToPay=Summa -BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted ascending on %s and filtered for 1 bank account +BalanceVisibilityDependsOnSortAndFilters=Bilance ir redzama šajā sarakstā tikai tad, ja tabula ir sakārtota uz augšu %s un tiek filtrēta 1 bankas kontam. CustomerAccountancyCode=Klienta grāmatvedības kods -SupplierAccountancyCode=Vendor accounting code +SupplierAccountancyCode=Pārdevēja grāmatvedības kods CustomerAccountancyCodeShort=Cust. account. code SupplierAccountancyCodeShort=Sup. account. code AccountNumber=Konta numurs NewAccountingAccount=Jauns konts -SalesTurnover=Apgrozījums -SalesTurnoverMinimum=Minimālais apgrozījums -ByExpenseIncome=By expenses & incomes +Turnover=Apgrozījums izrakstīts rēķinā +TurnoverCollected=Turnover collected +SalesTurnoverMinimum=Minimum turnover +ByExpenseIncome=Ar izdevumiem un ienākumiem ByThirdParties=Trešās personas ByUserAuthorOfInvoice=Ar rēķinu autors CheckReceipt=Čeka depozīts CheckReceiptShort=Pārbaudīt depozītu -LastCheckReceiptShort=Latest %s check receipts +LastCheckReceiptShort=Jaunākie %s čeku čeki NewCheckReceipt=Jauna atlaide NewCheckDeposit=Jauns pārbaude depozīts NewCheckDepositOn=Izveidot kvīti par depozīta kontā: %s @@ -137,9 +140,9 @@ ConfirmDeleteSocialContribution=Are you sure you want to delete this social/fisc ExportDataset_tax_1=Social and fiscal taxes and payments CalcModeVATDebt=Mode %sVAT par saistību accounting%s. CalcModeVATEngagement=Mode %sVAT par ienākumu-expense%sS. -CalcModeDebt=Mode %sClaims-Debt%sS teica Saistību uzskaite. -CalcModeEngagement=Mode %sIncomes-Expense%sS teica naudas līdzekļu uzskaites -CalcModeBookkeeping=Analysis of data journalized in Bookkeeping Ledger table +CalcModeDebt=Zināma reģistrēto rēķinu analīze, pat ja tie vēl nav uzskaitīti virsgrāmatā. +CalcModeEngagement=Zināma reģistrēto maksājumu analīze, pat ja tie vēl nav uzskaitīti Ledger. +CalcModeBookkeeping=Grāmatvedības tabulas tabulā dati tiek analizēti CalcModeLT1= Mode %sRE on customer invoices - suppliers invoices%s CalcModeLT1Debt=Mode %sRE on customer invoices%s CalcModeLT1Rec= Mode %sRE on suppliers invoices%s @@ -148,47 +151,47 @@ CalcModeLT2Debt=Mode %sIRPF on customer invoices%s CalcModeLT2Rec= Mode %sIRPF on suppliers invoices%s AnnualSummaryDueDebtMode=Līdzsvars ienākumiem un izdevumiem, gada kopsavilkums AnnualSummaryInputOutputMode=Līdzsvars ienākumiem un izdevumiem, gada kopsavilkums -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=Skatīt ziņojums %sIncomes-Expense%sS teica naudas uzskaiti aprēķinu par faktiskajiem maksājumiem, kas -SeeReportInDueDebtMode=Skatīt ziņojums %sClaims-Debt%sS teica saistības veido aprēķinu par izrakstīto rēķinu -SeeReportInBookkeepingMode=See report %sBookeeping%s for a calculation on bookkeeping table analysis +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=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=Lai skatītu Grāmatvedības grāmatvedības tabulu , skatiet %sBookBooking report%s RulesAmountWithTaxIncluded=- Uzrādītas summas ir ar visiem ieskaitot nodokļus RulesResultDue=- It includes outstanding invoices, expenses, VAT, donations whether they are paid or not. Is also includes paid salaries.
- It is based on the validation date of invoices and VAT and on the due date for expenses. 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. RulesCADue=- It includes the client's due invoices whether they are paid or not.
- It is based on the validation date of these invoices.
RulesCAIn=- Tas ietver visas efektīvus maksājumus rēķiniem, kas saņemti no klientiem.
- Tā ir balstīta uz maksājuma datumu šiem rēķiniem
-RulesCATotalSaleJournal=It includes all credit lines from the Sale journal. -RulesAmountOnInOutBookkeepingRecord=It includes record in your Ledger with accounting accounts that has the group "EXPENSE" or "INCOME" -RulesResultBookkeepingPredefined=It includes record in your Ledger with accounting accounts that has the group "EXPENSE" or "INCOME" -RulesResultBookkeepingPersonalized=It show record in your Ledger with accounting accounts grouped by personalized groups -SeePageForSetup=See menu %s for setup +RulesCATotalSaleJournal=Tas ietver visas kredītlīnijas no pārdošanas žurnāla. +RulesAmountOnInOutBookkeepingRecord=Tas ietver jūsu Ledger ierakstu ar grāmatvedības kontiem, kuriem ir grupa "IZDEVUMS" vai "IENĀKUMS" +RulesResultBookkeepingPredefined=Tas ietver jūsu Ledger ierakstu ar grāmatvedības kontiem, kuriem ir grupa "IZDEVUMS" vai "IENĀKUMS" +RulesResultBookkeepingPersonalized=Tas rāda jūsu grāmatvedībā ierakstu ar grāmatvedības kontiem grupējot pēc personalizētām grupām +SeePageForSetup=Lai iestatītu, skatiet sadaļu %s DepositsAreNotIncluded=- Down payment invoices are nor included DepositsAreIncluded=- Down payment invoices are included -LT1ReportByCustomers=Report tax 2 by third party -LT2ReportByCustomers=Report tax 3 by third party +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=Sale tax report -VATReportByPeriods=Sale tax report by period -VATReportByRates=Sale tax report by rates -VATReportByThirdParties=Sale tax report by third parties -VATReportByCustomers=Sale tax report by customer +VATReport=Pārdošanas nodokļa atskaite +VATReportByPeriods=Pārdošanas nodokļu pārskats pa periodiem +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 VATReportByCustomersInInputOutputMode=Ziņojums klientu PVN iekasē un izmaksā -VATReportByQuartersInInputOutputMode=Report by Sale tax rate of the tax collected and paid -LT1ReportByQuarters=Report tax 2 by rate -LT2ReportByQuarters=Report tax 3 by rate +VATReportByQuartersInInputOutputMode=Ienākuma nodokļa likmes aprēķins par iekasēto un samaksāto nodokli +LT1ReportByQuarters=Ziņot par nodokli 2 pēc likmes +LT2ReportByQuarters=Ziņojiet par nodokli 3 pēc likmes LT1ReportByQuartersES=Report by RE rate LT2ReportByQuartersES=Report by IRPF rate SeeVATReportInInputOutputMode=Skatīt ziņot %sVAT encasement%s standarta aprēķināšanai SeeVATReportInDueDebtMode=Skatīt ziņojumu %sVAT par flow%s par aprēķinu ar opciju plūsmas RulesVATInServices=- Attiecībā uz pakalpojumiem, pārskatā ir iekļauti PVN noteikumi faktiski saņem vai izdota, pamatojoties uz maksājuma dienas. -RulesVATInProducts=- For material assets, the report includes the VAT received or issued on the basis of the date of payment. +RulesVATInProducts=- Materiālajiem aktīviem ziņojumā ir iekļauts PVN, kas saņemts vai izsniegts, pamatojoties uz maksājuma datumu. RulesVATDueServices=- Attiecībā uz pakalpojumiem, ziņojumā ir iekļauts PVN rēķinu dēļ, vai nav maksāts, pamatojoties uz rēķina datuma. -RulesVATDueProducts=- For material assets, the report includes the VAT invoices, based on the invoice date. +RulesVATDueProducts=- Materiālajiem aktīviem ziņojumā ir iekļauti PVN rēķini, pamatojoties uz rēķina datumu. OptionVatInfoModuleComptabilite=Piezīme: materiālo aktīvu, tai vajadzētu izmantot dzemdību datumu ir vairāk godīgi. -ThisIsAnEstimatedValue=This is a preview, based on business events and not from the final ledger table, so final results may differ from this preview values +ThisIsAnEstimatedValue=Šis ir priekšskatījums, kas balstīts uz uzņēmējdarbības notikumiem, nevis gala virsgrāmatu galda, tāpēc galīgie rezultāti var atšķirties no šīm priekšskatījuma vērtībām PercentOfInvoice=%%/Rēķins NotUsedForGoods=Nav izmantots precēm ProposalStats=Priekšlikumu statistika @@ -210,30 +213,30 @@ Pcg_version=Chart of accounts models Pcg_type=PCG veids Pcg_subtype=PCG apakštipu InvoiceLinesToDispatch=Rēķina līnijas nosūtīšanas -ByProductsAndServices=By product and service +ByProductsAndServices=Pēc produkta un pakalpojuma RefExt=Ārējā ref -ToCreateAPredefinedInvoice=To create a template invoice, create a standard invoice, then, without validating it, click onto button "%s". -LinkedOrder=Link to order +ToCreateAPredefinedInvoice=Lai izveidotu veidnes rēķinu, izveidojiet standarta rēķinu, pēc tam, neapstiprinot to, noklikšķiniet uz pogas "%s". +LinkedOrder=Saite uz pasūtījumu Mode1=Metode 1 Mode2=Metode 2 CalculationRuleDesc=Lai aprēķinātu kopējo PVN, ir divas metodes:
1 metode ir noapaļošanas pvn par katru līniju, tad summējot tos.
Metode 2 summējot visu PVN par katru līniju, tad noapaļošanas rezultāts.
Gala rezultāts var būt atšķirīgs no dažiem centiem. Noklusētais režīms ir režīms %s. CalculationRuleDescSupplier=According to supplier, choose appropriate method to apply same calculation rule and get same result expected by your supplier. -TurnoverPerProductInCommitmentAccountingNotRelevant=The Turnover report per product, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). -TurnoverPerSaleTaxRateInCommitmentAccountingNotRelevant=The Turnover report per sale tax rate, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). +TurnoverPerProductInCommitmentAccountingNotRelevant=Apgrozījuma pārskats, kas tiek apkopots par katru produktu, nav pieejams. Šis pārskats ir pieejams tikai apgrozījumam rēķinā. +TurnoverPerSaleTaxRateInCommitmentAccountingNotRelevant=Apgrozījuma pārskats, kas iegūts no pārdošanas nodokļa likmes, nav pieejams. Šis pārskats ir pieejams tikai apgrozījumam rēķinā. CalculationMode=Aprēķinu režīms -AccountancyJournal=Accounting code journal -ACCOUNTING_VAT_SOLD_ACCOUNT=Accounting account by default for VAT on sales (used if not defined on VAT dictionary setup) -ACCOUNTING_VAT_BUY_ACCOUNT=Accounting account by default for VAT on purchases (used if not defined on VAT dictionary setup) -ACCOUNTING_VAT_PAY_ACCOUNT=Accounting account by default for paying VAT -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 accouting only. This one will be used for General Ledger and as default value of Subledger accounting if dedicated customer accouting 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 accouting only. This one will be used for General Ledger and as default value of Subledger accounting if dedicated supplier accouting account on third party is not defined. +AccountancyJournal=Grāmatvedības kodu žurnāls +ACCOUNTING_VAT_SOLD_ACCOUNT=Grāmatvedības konts pēc noklusējuma par PVN pārdošanu (tiek izmantots, ja nav definēts, izmantojot PVN vārdnīcas iestatījumus). +ACCOUNTING_VAT_BUY_ACCOUNT=Grāmatvedības konts pēc noklusējuma par PVN pirkumiem (tiek izmantots, ja nav definēts, izmantojot PVN vārdnīcas iestatījumus). +ACCOUNTING_VAT_PAY_ACCOUNT=Grāmatvedības konts pēc noklusējuma PVN maksāšanai +ACCOUNTING_ACCOUNT_CUSTOMER=Grāmatvedības konts, kas tiek izmantots klientu trešajām pusēm +ACCOUNTING_ACCOUNT_CUSTOMER_Desc=Īpašais grāmatvedības konts, kas noteikts trešās personas kartē, tiks izmantots tikai pakārtotā izsaukšanai. Šis viens tiks izmantots General Ledger un kā noklusējuma vērtība Subledged grāmatvedībai, ja trešās puses īpašais klientu piesaistīšanas konts nav definēts. +ACCOUNTING_ACCOUNT_SUPPLIER=Pārdevēja trešo personu grāmatvedības konts +ACCOUNTING_ACCOUNT_SUPPLIER_Desc=Īpašais grāmatvedības konts, kas noteikts trešās personas kartē, tiks izmantots tikai pakārtotā izsaukšanai. Šis tiek izmantots General Ledger un noklusējuma vērtība Subledged grāmatvedībai, ja trešās puses īpašā piegādātāja konts nav definēts. CloneTax=Clone a social/fiscal tax ConfirmCloneTax=Confirm the clone of a social/fiscal tax payment CloneTaxForNextMonth=Klonēt nākošam mēnesim -SimpleReport=Simple report -AddExtraReport=Extra reports (add foreign and national customer report) +SimpleReport=Vienkāršs pārskats +AddExtraReport=Papildu pārskati (pievienojiet ārvalstu un valsts klientu pārskatu) OtherCountriesCustomersReport=Foreign customers report BasedOnTwoFirstLettersOfVATNumberBeingDifferentFromYourCompanyCountry=Based on the two first letters of the VAT number being different from your own company's country code SameCountryCustomersWithVAT=National customers report @@ -242,14 +245,15 @@ LinkedFichinter=Link to an intervention ImportDataset_tax_contrib=Social/fiscal taxes ImportDataset_tax_vat=PVN Maksājumi ErrorBankAccountNotFound=Kļūda: Bankas konts nav atrasts -FiscalPeriod=Accounting period -ListSocialContributionAssociatedProject=List of social contributions associated with the project -DeleteFromCat=Remove from accounting group -AccountingAffectation=Accounting assignement -LastDayTaxIsRelatedTo=Last day of period the tax is related to -VATDue=Sale tax claimed -ClaimedForThisPeriod=Claimed for the period -PaidDuringThisPeriod=Paid during this period -ByVatRate=By sale tax rate -TurnoverbyVatrate=Turnover by sale tax rate -PurchasebyVatrate=Purchase by sale tax rate +FiscalPeriod=Pārskata periods +ListSocialContributionAssociatedProject=Projektā iesaistīto sociālo iemaksu saraksts +DeleteFromCat=Noņemt no grāmatvedības grupas +AccountingAffectation=Grāmatvedības uzskaite +LastDayTaxIsRelatedTo=Nodokļa pēdējā diena ir saistīta ar +VATDue=Pieprasītais pārdošanas nodoklis +ClaimedForThisPeriod=Pretendē uz periodu +PaidDuringThisPeriod=Apmaksāts šajā periodā +ByVatRate=Ar pārdošanas nodokļa likmi +TurnoverbyVatrate=Apgrozījums, par kuru tiek aprēķināta pārdošanas nodokļa likme +TurnoverCollectedbyVatrate=Apgrozījums, kas iegūts, pārdodot nodokli +PurchasebyVatrate=Iegāde pēc pārdošanas nodokļa likmes diff --git a/htdocs/langs/lv_LV/contracts.lang b/htdocs/langs/lv_LV/contracts.lang index b128940513d3f..e86eef5e821d0 100644 --- a/htdocs/langs/lv_LV/contracts.lang +++ b/htdocs/langs/lv_LV/contracts.lang @@ -14,13 +14,13 @@ ServiceStatusNotLateShort=Nav beidzies ServiceStatusLate=Darbojas, beidzies ServiceStatusLateShort=Beidzies ServiceStatusClosed=Slēgts -ShowContractOfService=Show contract of service +ShowContractOfService=Rādīt pakalpojuma līgumu Contracts=Līgumi ContractsSubscriptions=Contracts/Subscriptions ContractsAndLine=Contracts and line of contracts Contract=Līgums -ContractLine=Contract line -Closing=Closing +ContractLine=Līguma līnija +Closing=Slēgšana NoContracts=Nav līgumi MenuServices=Pakalpojumi MenuInactiveServices=Pakalpojumi, kas nav aktīvi @@ -31,13 +31,13 @@ NewContract=Jaunu līgumu NewContractSubscription=New contract/subscription AddContract=Izveidot līgmu DeleteAContract=Dzēst līgumu -ActivateAllOnContract=Activate all services +ActivateAllOnContract=Aktivizēt visus pakalpojumus CloseAContract=Slēgt līgumu -ConfirmDeleteAContract=Are you sure you want to delete this contract and all its services? -ConfirmValidateContract=Are you sure you want to validate this contract under name %s -ConfirmActivateAllOnContract=This will open all services (not yet active). Are you sure you want to open all services? +ConfirmDeleteAContract=Vai tiešām vēlaties dzēst šo līgumu un visus tā pakalpojumus? +ConfirmValidateContract=Vai tiešām vēlaties apstiprināt šo līgumu ar nosaukumu %s ? +ConfirmActivateAllOnContract=Tas atvērs visus pakalpojumus (vēl nav aktīvi). Vai tiešām vēlaties atvērt visus pakalpojumus? ConfirmCloseContract=This will close all services (active or not). Are you sure you want to close this contract? -ConfirmCloseService=Are you sure you want to close this service with date %s? +ConfirmCloseService=Vai jūs tiešām vēlaties aizvērt šo pakalpojumu ar datumu %s ? ValidateAContract=Apstiprināt līgumu ActivateService=Aktivizēt pakalpojumu ConfirmActivateService=Are you sure you want to activate this service with date %s? @@ -51,7 +51,7 @@ ListOfClosedServices=Saraksts slēgtiem pakalpojumiem ListOfRunningServices=Saraksts ar aktīvajiem pakalpojumiem NotActivatedServices=Neaktīvais pakalpojumi (starp apstiprinātiem līgumiem) BoardNotActivatedServices=Pakalpojumi aktivizēt starp apstiprinātiem līgumiem -LastContracts=Latest %s contracts +LastContracts=Jaunākie %s līgumi LastModifiedServices=Pēdējais %s labotais pakalpojums ContractStartDate=Sākuma datums ContractEndDate=Beigu datums @@ -66,9 +66,9 @@ DateEndRealShort=Real beigu datums CloseService=Aizvērt pakalpojumu BoardRunningServices=Beigušies darbojošies pakalpojumi ServiceStatus=Pakalpojuma statuss -DraftContracts=Vekseļi līgumi +DraftContracts=Projektu līgumi CloseRefusedBecauseOneServiceActive=Līgumu nevar tikt slēgts kā tur ir vismaz viens atvērts pakalpojums uz to -ActivateAllContracts=Activate all contract lines +ActivateAllContracts=Aktivizējiet visas līguma līnijas CloseAllContracts=Aizveriet visus līguma līnijas DeleteContractLine=Izdzēst līgumu līniju ConfirmDeleteContractLine=Vai tiešām vēlaties dzēst šo līguma līniju? @@ -86,9 +86,9 @@ StandardContractsTemplate=Standard contracts template ContactNameAndSignature=For %s, name and signature: OnlyLinesWithTypeServiceAreUsed=Only lines with type "Service" will be cloned. CloneContract=Klonēt līgumu -ConfirmCloneContract=Are you sure you want to clone the contract %s? -LowerDateEndPlannedShort=Lower planned end date of active services -SendContractRef=Contract information __REF__ +ConfirmCloneContract=Vai tiešām vēlaties klonēt līgumu %s ? +LowerDateEndPlannedShort=Aktīvo pakalpojumu beigu datums +SendContractRef=Informācija par līgumu __REF__ ##### Types de contacts ##### TypeContact_contrat_internal_SALESREPSIGN=Tirdzniecības pārstāvis, parakstot līgumu, TypeContact_contrat_internal_SALESREPFOLL=Tirdzniecības pārstāvis, turpinot darboties līgums diff --git a/htdocs/langs/lv_LV/cron.lang b/htdocs/langs/lv_LV/cron.lang index c60117d80793f..37095d3cb99b2 100644 --- a/htdocs/langs/lv_LV/cron.lang +++ b/htdocs/langs/lv_LV/cron.lang @@ -1,12 +1,12 @@ # Dolibarr language file - Source file is en_US - cron # About page # Right -Permission23101 = Read Scheduled job -Permission23102 = Create/update Scheduled job -Permission23103 = Delete Scheduled job +Permission23101 = Lasīt Plānotos darbus +Permission23102 = Izveidot / atjaunāt plānoto darbu +Permission23103 = Dzēst plānoto darbu Permission23104 = Execute Scheduled job # Admin -CronSetup= Plānotais darbu vadības iestatīšana +CronSetup=Plānotais darbu vadības iestatīšana URLToLaunchCronJobs=URL to check and launch qualified cron jobs OrToLaunchASpecificJob=Or to check and launch a specific job KeyForCronAccess=Drošības atslēga URL uzsākt cron darbavietas @@ -14,36 +14,36 @@ 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 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 +CronJobDefDesc=Cron darba profili ir definēti moduļa deskriptora failā. Kad modulis ir aktivizēts, tie ir ielādēti un pieejami, lai jūs varētu administrēt darbus no admin instrumentu izvēlnes %s. +CronJobProfiles=Iepriekš noteiktu cron darba profilu saraksts # Menu -EnabledAndDisabled=Enabled and disabled +EnabledAndDisabled=Iespējots un atspējots # Page list CronLastOutput=Latest run output -CronLastResult=Latest result code +CronLastResult=Jaunākais rezultātu kods CronCommand=Komanda -CronList=Scheduled jobs -CronDelete=Delete scheduled jobs -CronConfirmDelete=Are you sure you want to delete these scheduled jobs? -CronExecute=Launch scheduled job +CronList=Plānoti darbi +CronDelete=Dzēst ieplānotos darbus +CronConfirmDelete=Vai tiešām vēlaties dzēst šos plānotos darbus? +CronExecute=Uzsākt plānoto darbu 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. CronTask=Darbs CronNone=Nav -CronDtStart=Not before -CronDtEnd=Not after +CronDtStart=Ne agrāk +CronDtEnd=Ne pēc CronDtNextLaunch=Nākošā izpilde -CronDtLastLaunch=Start date of latest execution -CronDtLastResult=End date of latest execution -CronFrequency=Frequency -CronClass=Class +CronDtLastLaunch=Jaunākās izpildes sākuma datums +CronDtLastResult=Pēdējās izpildes beigu datums +CronFrequency=Biežums +CronClass=Klase CronMethod=Metode CronModule=Modulis CronNoJobs=Nav reģistrētu darbu CronPriority=Prioritāte CronLabel=Nosaukums CronNbRun=Nb. sākt -CronMaxRun=Max number launch +CronMaxRun=Maksimālais numura izsaukšana CronEach=Katru JobFinished=Darbs uzsākts un pabeigts #Page card @@ -55,29 +55,29 @@ CronSaveSucess=Veiksmīgi saglabāts CronNote=Komentārs CronFieldMandatory=Lauki %s ir obligāti CronErrEndDateStartDt=Beigu datums nevar būt pirms sākuma datuma -StatusAtInstall=Status at module installation +StatusAtInstall=Statuss moduļa instalācijā CronStatusActiveBtn=Ieslēgt CronStatusInactiveBtn=Izslēgt CronTaskInactive=Šis darbs ir izslēgts 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 moduļu direktorijas nosaukums (arī darbojas ar ārēju Dolibarr moduli).
Piemēram, lai izsauktu Dolibarr produkta objekta /htdocs//class/product.class.php iegūšanas metodi, moduļa vērtība ir
produkts +CronClassFileHelp=Relatīvais ceļš un faila nosaukums ielādei (ceļš ir salīdzinājumā ar tīmekļa servera saknes direktoriju).
Piemēram, lai izsauktu Dolibarr produkta objekta htdocs / product / class / product.class.php iegūšanas metodi, klases faila nosaukuma vērtība ir
produkts / klase / product.class.php +CronObjectHelp=Objekta nosaukums ielādei.
Piemēram, lai izsauktu Dolibarr Produkta objekta /htdocs/product/class/product.class.php iegūšanas metodi, klases faila nosaukuma vērtība ir
Produkts +CronMethodHelp=Objekta metode, lai palaistu.
Piemēram, lai izsauktu Dolibarr produkta objekta /htdocs/product/class/product.class.php ielādes metodi, metode ir vērtība
atnest +CronArgsHelp=Metodes argumenti.
Piemēram, lai izsauktu Dolibarr Produkta objekta /htdocs/product/class/product.class.php iegūšanas metodi, paramērķu vērtība var būt
0, ProductRef CronCommandHelp=Sistēma komandrindas izpildīt. CronCreateJob=Create new Scheduled Job CronFrom=No # Info # Common -CronType=Job type -CronType_method=Call method of a PHP Class +CronType=Darba veids +CronType_method=PHP klases zvana metode CronType_command=Shell komandu -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. -JobDisabled=Job disabled +CronCannotLoadClass=Nevar ielādēt klases failu %s (izmantot klasi %s) +CronCannotLoadObject=Klases fails %s tika ielādēts, bet objekts %s tajā netika atrasts +UseMenuModuleToolsToAddCronJobs=Lai skatītu un rediģētu ieplānotās darbavietas, dodieties uz izvēlni "Sākums - Administratora rīki - Plānotās darbavietas". +JobDisabled=Darbs ir atspējots 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=Izveidojiet vietējo datubāzes dump. Parametri ir: kompresija ("gz" vai "bz" vai "neviens"), dublējuma tips ("mysql" vai "pgsql"), 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. diff --git a/htdocs/langs/lv_LV/ecm.lang b/htdocs/langs/lv_LV/ecm.lang index 38865f029d53a..c09eddc5c706c 100644 --- a/htdocs/langs/lv_LV/ecm.lang +++ b/htdocs/langs/lv_LV/ecm.lang @@ -3,10 +3,10 @@ ECMNbOfDocs=Dokumentu skaits sadaļā ECMSection=Katalogs ECMSectionManual=Manuālā sadaļa ECMSectionAuto=Automātiskā sadaļa -ECMSectionsManual=Manuālā koks +ECMSectionsManual=Manuālais koks ECMSectionsAuto=Automātiska koks ECMSections=Katalogi -ECMRoot=ECM Root +ECMRoot=ECM sakne ECMNewSection=Jauns katalogs ECMAddSection=Pievienot direktoriju ECMCreationDate=Izveides datums @@ -14,11 +14,11 @@ ECMNbOfFilesInDir=Failu skaits direktorijā ECMNbOfSubDir=Apakšsadaļu skaits ECMNbOfFilesInSubDir=Failu skaits apakšsadaļās ECMCreationUser=Autors -ECMArea=DMS/ECM area -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. +ECMArea=DMS / ECM apgabals +ECMAreaDesc=Platība DMS / ECM (Dokumentu pārvaldības sistēma / Elektroniskā satura pārvaldība) ļauj ātri saglabāt, kopīgot un ātri meklēt dokumentus Dolibarr. ECMAreaDesc2=* Automātiska katalogi tiek aizpildītas automātiski pievienojot dokumentus no kartes elementa.
* Manual abonentu var tikt izmantoti, lai saglabātu dokumentus nav saistītas ar noteiktu elementa. ECMSectionWasRemoved=Katalogs %s ir dzēsts. -ECMSectionWasCreated=Directory %s has been created. +ECMSectionWasCreated=Katalogs %s ir izveidots. ECMSearchByKeywords=Meklēt pēc atslēgvārdiem ECMSearchByEntity=Meklēt pēc objekta ECMSectionOfDocuments=Dokumentu sadaļas @@ -26,26 +26,25 @@ ECMTypeAuto=Automātiski ECMDocsBySocialContributions=Documents linked to social or fiscal taxes ECMDocsByThirdParties=Dokumenti, kas saistīti ar trešajām personām ECMDocsByProposals=Dokumenti, kas saistīti ar priekšlikumiem -ECMDocsByOrders=Dokumenti, kas saistīti ar klientu rīkojumiem +ECMDocsByOrders=Dokumenti, kas saistīti ar klientu pasūtījumiem ECMDocsByContracts=Dokumenti, kas saistīti ar līgumiem ECMDocsByInvoices=Dokumenti, kas saistīti ar klientu rēķiniem ECMDocsByProducts=Dokumenti, kas saistīti ar produktiem ECMDocsByProjects=Dokumenti, kas saistīti ar projektiem -ECMDocsByUsers=Documents linked to users +ECMDocsByUsers=Ar lietotājiem saistītie dokumenti ECMDocsByInterventions=Documents linked to interventions -ECMDocsByExpenseReports=Documents linked to expense reports +ECMDocsByExpenseReports=Ar izdevumu ziņojumiem saistītie dokumenti ECMNoDirectoryYet=Nav izveidots katalogs ShowECMSection=Rādīt katalogu DeleteSection=Dzēst direktoriju -ConfirmDeleteSection=Can you confirm you want to delete the directory %s? +ConfirmDeleteSection=Vai jūs apstiprināt, ka vēlaties dzēst direktoriju %s ? ECMDirectoryForFiles=Relatīvais failu katalogs -CannotRemoveDirectoryContainsFilesOrDirs=Removal not possible because it contains some files or sub-directories -CannotRemoveDirectoryContainsFiles=Removal not possible because it contains some files +CannotRemoveDirectoryContainsFilesOrDirs=Pārcelšana nav iespējama, jo tajā ir daži faili vai apakšiekārtas +CannotRemoveDirectoryContainsFiles=Dzēšana nav iespējama, jo tajā ir daži faili ECMFileManager=Failu pārvaldnieks -ECMSelectASection=Select a directory in the tree... -DirNotSynchronizedSyncFirst=This directory seems to be created or modified outside ECM module. You must click on "Resync" button first to synchronize disk and database to get content of this directory. -ReSyncListOfDir=Resync list of directories -HashOfFileContent=Hash of file content -FileNotYetIndexedInDatabase=File not yet indexed into database (try to re-upload it) -FileSharedViaALink=File shared via a link +ECMSelectASection=Izvēlieties direktoriju kokā ... +DirNotSynchronizedSyncFirst=Šķiet, ka šis direktorijs ir izveidots vai modificēts ārpus ECM moduļa. Vispirms noklikšķiniet uz pogas "Resync", lai sinhronizētu disku un datu bāzi, lai iegūtu saturu šajā direktorijā. +ReSyncListOfDir=Resync katalogu saraksts +HashOfFileContent=Faila satura pārslēgs NoDirectoriesFound=Nav atrastas direktorijas +FileNotYetIndexedInDatabase=Fails vēl nav indeksēts datu bāzē (mēģiniet to atkārtoti augšupielādēt). diff --git a/htdocs/langs/lv_LV/errors.lang b/htdocs/langs/lv_LV/errors.lang index 53ec393bb006a..c641357abf70c 100644 --- a/htdocs/langs/lv_LV/errors.lang +++ b/htdocs/langs/lv_LV/errors.lang @@ -1,7 +1,7 @@ # Dolibarr language file - Source file is en_US - errors # No errors -NoErrorCommitIsDone=Nav kļūda, mēs apņemamies +NoErrorCommitIsDone=Nav kļūda, mēs apstiprinam # Errors ErrorButCommitIsDone=Kļūdas atrast, bet mēs apstiprinātu neskatoties uz to ErrorBadEMail=E-pasts %s ir nepareizs @@ -18,11 +18,11 @@ ErrorFailToCreateFile=Neizdevās izveidot failu '%s'. ErrorFailToRenameDir=Neizdevās pārdēvēt mapi '%s' uz '%s'. ErrorFailToCreateDir=Neizdevās izveidot mapi '%s'. ErrorFailToDeleteDir=Neizdevās dzēst direktoriju '%s'. -ErrorFailToMakeReplacementInto=Failed to make replacement into file '%s'. -ErrorFailToGenerateFile=Failed to generate file '%s'. +ErrorFailToMakeReplacementInto=Neizdevās nomainīt failu ' %s '. +ErrorFailToGenerateFile=Neizdevās ģenerēt failu " %s ". ErrorThisContactIsAlreadyDefinedAsThisType=Šī kontaktpersona jau ir definēts kā kontaktpersona šāda veida. ErrorCashAccountAcceptsOnlyCashMoney=Šis bankas konts ir naudas konts, lai tā pieņem maksājumus no veida tikai skaidrā naudā. -ErrorFromToAccountsMustDiffers=Avots un mērķiem banku kontiem jābūt atšķirīgai. +ErrorFromToAccountsMustDiffers=Avota un mērķa banku kontiem jābūt atšķirīgiem. ErrorBadThirdPartyName=Nepareiza vērtība trešo personu nosaukumā ErrorProdIdIsMandatory=%s ir obligāti ErrorBadCustomerCodeSyntax=Nepareiza klienta koda sintakse @@ -32,9 +32,9 @@ ErrorBarCodeRequired=Svītrkods nepieciešams ErrorCustomerCodeAlreadyUsed=Klienta kods jau tiek izmantots ErrorBarCodeAlreadyUsed=Svītrkods jau tiek izmantots ErrorPrefixRequired=Prefikss nepieciešams -ErrorBadSupplierCodeSyntax=Bad syntax for vendor code -ErrorSupplierCodeRequired=Vendor code required -ErrorSupplierCodeAlreadyUsed=Vendor code already used +ErrorBadSupplierCodeSyntax=Pārdevēja kodu nepareiza sintakse +ErrorSupplierCodeRequired=Nepieciešams piegādātāja kods +ErrorSupplierCodeAlreadyUsed=Pārdevēja kods jau ir izmantots ErrorBadParameters=Slikts parametrs 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) @@ -73,9 +73,9 @@ 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 prasību ar "statut nav uzsākta", ja lauks "izdarīt", ir arī piepildīta. ErrorRefAlreadyExists=Ref izmantot izveidot jau pastāv. -ErrorPleaseTypeBankTransactionReportName=Please enter the bank statement name where the entry has to be reported (Format YYYYMM or YYYYMMDD) +ErrorPleaseTypeBankTransactionReportName=Lūdzu, ievadiet bankas izraksta nosaukumu, kurā ieraksts jāpaziņo (formāts GGGGMM vai GGGGMMDD). ErrorRecordHasChildren=Failed to delete record since it has some childs. -ErrorRecordHasAtLeastOneChildOfType=Object has at least one child of type %s +ErrorRecordHasAtLeastOneChildOfType=Objektam ir vismaz viens bērns no tipa %s ErrorRecordIsUsedCantDelete=Nevar izdzēst ierakstu. Tas ir pievienots citam objektam. ErrorModuleRequireJavascript=Javascript nedrīkst tikt izslēgti, ka šī funkcija strādā. Lai aktivizētu / deaktivizētu Javascript, dodieties uz izvēlni Home-> Setup-> Display. ErrorPasswordsMustMatch=Abām ievadītām parolēm jāsakrīt @@ -87,7 +87,7 @@ ErrorsOnXLines=Kļūdas %s avota ierakstu (-s) ErrorFileIsInfectedWithAVirus=Antivīrusu programma nevarēja apstiprināt failu (fails varētu būt inficēti ar vīrusu) ErrorSpecialCharNotAllowedForField=Speciālās rakstzīmes nav atļautas lauka "%s" ErrorNumRefModel=Norāde pastāv to datubāzē (%s), un tas nav saderīgs ar šo numerācijas noteikuma. Noņemt ierakstu vai pārdēvēts atsauci, lai aktivizētu šo moduli. -ErrorQtyTooLowForThisSupplier=Quantity too low for this vendor or no price defined on this product for this supplier +ErrorQtyTooLowForThisSupplier=Šim pārdevējam pārāk zems daudzums vai šī produkta piegādātājam nav noteikta cena ErrorModuleSetupNotComplete=Setup of module looks to be uncomplete. Go on Home - Setup - Modules to complet ErrorBadMask=Kļūda masku ErrorBadMaskFailedToLocatePosOfSequence=Kļūda, maska ​​bez kārtas numuru @@ -111,7 +111,7 @@ ErrorBadLoginPassword=Nepareiza vērtība lietotājvārdam vai parolei ErrorLoginDisabled=Jūsu konts ir bloķēts ErrorFailedToRunExternalCommand=Neizdevās palaist ārēju komandu. Pārbaudiet, tas ir pieejams, un skrienams ar savu PHP servera. Ja PHP Safe Mode ir iespējots, pārbaudiet, vai komanda ir iekšā direktorijā noteiktajā parametru safe_mode_exec_dir. ErrorFailedToChangePassword=Neizdevās nomainīt paroli -ErrorLoginDoesNotExists=Lietotājs ar pieteikšanās %s nevar atrast. +ErrorLoginDoesNotExists=Lietotāju ar pieteikšanos %s nevar atrast. ErrorLoginHasNoEmail=Šim lietotājam nav e-pasta adrese. Process atcelts. ErrorBadValueForCode=Nepareiza drošības koda vērtība. Mēģiniet vēlreiz ar jauno vērtību ... ErrorBothFieldCantBeNegative=Lauki %s un %s nevar būt abi negatīvi @@ -119,25 +119,25 @@ ErrorQtyForCustomerInvoiceCantBeNegative=Quantity for line into customer invoice ErrorWebServerUserHasNotPermission=Lietotāja konts %s izmantot, lai veiktu web serveri nav atļauja, kas ErrorNoActivatedBarcode=Nav svītrkodu veids aktivizēts ErrUnzipFails=Neizdevās atarhivēt %s izmantojot ZipArchive -ErrNoZipEngine=No engine to zip/unzip %s file in this PHP +ErrNoZipEngine=Nav dzinēja, lai zip / unzip %s failu šajā PHP ErrorFileMustBeADolibarrPackage=Failam %s jābūt Dolibarr zip -ErrorModuleFileRequired=You must select a Dolibarr module package file +ErrorModuleFileRequired=Jums ir jāizvēlas Dolibarr moduļa pakotnes fails ErrorPhpCurlNotInstalled=PHP CURL nav uzstādīts, tas ir svarīgi runāt ar Paypal ErrorFailedToAddToMailmanList=Neizdevās pievienot ierakstu %s, lai pastnieks saraksta %s vai SPIP bāze ErrorFailedToRemoveToMailmanList=Neizdevās noņemt ierakstu %s, lai pastnieks saraksta %s vai SPIP bāze ErrorNewValueCantMatchOldValue=Jaunā vērtība nevar būt vienāds ar veco ErrorFailedToValidatePasswordReset=Neizdevās reinit paroli. Var būt reinit tika izdarīts (šī saite var izmantot tikai vienu reizi). Ja tā nav, mēģiniet restartēt reinit procesu. -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'). +ErrorToConnectToMysqlCheckInstance=Izveidot savienojumu ar datubāzi neizdodas. Pārbauda datu bāzes serveri (piemēram, ar mysql / mariadb, jūs varat to palaist no komandrindas ar 'sudo service mysql start'). ErrorFailedToAddContact=Neizdevās pievienot kontaktu -ErrorDateMustBeBeforeToday=The date cannot be greater than today +ErrorDateMustBeBeforeToday=Datums nevar būt lielāks kā šodien ErrorPaymentModeDefinedToWithoutSetup=Maksājumu režīms tika noteikts rakstīt %s, bet uzstādīšana moduļa rēķins netika pabeigts, lai noteiktu informāciju, lai parādītu šo maksājumu režīmā. ErrorPHPNeedModule=Kļūda, jūsu PHP ir jābūt moduli %s uzstādītas, lai izmantotu šo funkciju. ErrorOpenIDSetupNotComplete=Jūs uzstādīšana Dolibarr config failu, lai ļautu OpenID autentifikācijas, bet OpenID pakalpojuma URL nav definēts spēkā salīdzināmajās %s ErrorWarehouseMustDiffers=Avota un mērķa noliktavas jābūt atšķiras ErrorBadFormat=Nepareizs formāts -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. +ErrorMemberNotLinkedToAThirpartyLinkOrCreateFirst=Kļūda, šis dalībnieks vēl nav saistīts ar kādu trešo pusi. Saistiet esošās trešās personas biedru vai izveidojiet jaunu trešo pusi, pirms izveidojat abonementu ar rēķinu. 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 +ErrorCantDeletePaymentReconciliated=Nevar izdzēst maksājumu, kas ir izveidojis bankas ierakstu, kas tika saskaņots ErrorCantDeletePaymentSharedWithPayedInvoice=Can't delete a payment shared by at least one invoice with status Payed ErrorPriceExpression1=Cannot assign to constant '%s' ErrorPriceExpression2=Cannot redefine built-in function '%s' @@ -155,12 +155,12 @@ ErrorPriceExpression19=Expression not found ErrorPriceExpression20=Empty expression ErrorPriceExpression21=Nav rezultāta '%s' ErrorPriceExpression22=Negatīvs rezultāts '%s' -ErrorPriceExpression23=Unknown or non set variable '%s' in %s -ErrorPriceExpression24=Variable '%s' exists but has no value +ErrorPriceExpression23=Nezināms vai nenoteikts mainīgais "%s" %s +ErrorPriceExpression24=Mainīgais '%s' pastāv, bet tam nav vērtības ErrorPriceExpressionInternal=Iekšēja kļūda '%s' ErrorPriceExpressionUnknown=Nezināma kļūda '%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 +ErrorTryToMakeMoveOnProductRequiringBatchData=Kļūda, cenšoties veikt krājumu kustību bez partijas / sērijas informācijas, produktam '%s', kas prasa daudz / sērijas informāciju 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' @@ -172,42 +172,42 @@ 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 opportunity/lead. So you must also enter its status -ErrorFailedToLoadModuleDescriptorForXXX=Failed to load module descriptor class for %s +ErrorFailedToLoadModuleDescriptorForXXX=Neizdevās ielādēt moduļa deskriptoru klasi %s ErrorBadDefinitionOfMenuArrayInModuleDescriptor=Bad Definition Of Menu Array In Module Descriptor (bad value for key fk_menu) ErrorSavingChanges=Kļūda saglabājot izmaiņas ErrorWarehouseRequiredIntoShipmentLine=Warehouse is required on the line to ship ErrorFileMustHaveFormat=File must have format %s -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. -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. +ErrorSupplierCountryIsNotDefined=Šī piegādātāja valsts nav definēta. Vispirms labojiet to. +ErrorsThirdpartyMerge=Neizdevās apvienot abus ierakstus. Pieprasījums ir atcelts. +ErrorStockIsNotEnoughToAddProductOnOrder=Krājumu nepietiek ar produktu %s, lai to pievienotu jaunam pasūtījumam. +ErrorStockIsNotEnoughToAddProductOnInvoice=Krājumu nepietiek ar produktu %s, lai to pievienotu jaunam rēķinam. +ErrorStockIsNotEnoughToAddProductOnShipment=Krājumu nepietiek ar produktu %s, lai pievienotu to jaunā sūtījumā. +ErrorStockIsNotEnoughToAddProductOnProposal=Krājumu nepietiek ar produktu %s, lai to pievienotu jaunam piedāvājumam. +ErrorFailedToLoadLoginFileForMode=Neizdevās iegūt pieteikšanās atslēgu režīmam '%s'. +ErrorModuleNotFound=Moduļa fails netika atrasts. +ErrorFieldAccountNotDefinedForBankLine=Grāmatvedības konta vērtība nav definēta avota līnijas id %s (%s) +ErrorFieldAccountNotDefinedForInvoiceLine=Grāmatvedības konta vērtība nav definēta rēķina id %s (%s) +ErrorFieldAccountNotDefinedForLine=Grāmatvedības konta vērtība nav noteikta līnijai (%s) +ErrorBankStatementNameMustFollowRegex=Kļūdai, bankas izraksta nosaukumam jāatbilst šādam sintakses noteikumam %s +ErrorPhpMailDelivery=Pārbaudiet, vai nelietojat pārāk daudz saņēmēju un ka jūsu e-pasta saturs nav līdzīgs mēstulēm. Jautājiet arī savam administratoram, lai pārbaudītu ugunsmūra un servera žurnālu failus, lai iegūtu pilnīgāku informāciju. +ErrorUserNotAssignedToTask=Lietotājam ir jāpiešķir uzdevums, lai varētu ievadīt patērēto laiku. +ErrorTaskAlreadyAssigned=Uzdevums jau ir piešķirts lietotājam +ErrorModuleFileSeemsToHaveAWrongFormat=Šķiet, ka moduļu pakotne ir nepareizā formātā. +ErrorFilenameDosNotMatchDolibarrPackageRules=Moduļu pakotnes nosaukums ( %s ) neatbilst paredzētā vārda sintaksei: %s +ErrorDuplicateTrigger=Kļūda, dublikātu izraisītāja nosaukums %s. Jau piekrauts no %s. ErrorNoWarehouseDefined=Kļūda, noliktavas nav definētas. -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 +ErrorBadLinkSourceSetButBadValueForRef=Izmantotā saite nav derīga. Maksājuma avots ir definēts, bet "ref" vērtība nav derīga. +ErrorTooManyErrorsProcessStopped=Pārāk daudz kļūdu. Process tika apturēts. +ErrorMassValidationNotAllowedWhenStockIncreaseOnAction=Masas validēšana nav iespējama, ja šai darbībai ir iestatīta iespēja palielināt / samazināt krājumu (jums ir jāapstiprina viens pēc otra, lai jūs varētu noteikt noliktavu, lai palielinātu / samazinātu). +ErrorObjectMustHaveStatusDraftToBeValidated=Objektam %s ir jābūt statusam "Draft", lai tas tiktu apstiprināts. +ErrorObjectMustHaveLinesToBeValidated=Objektam %s jābūt apstiprināmām līnijām. +ErrorOnlyInvoiceValidatedCanBeSentInMassAction=Izmantojot masu pasākumu "Sūtīt pa e-pastu", var nosūtīt tikai apstiprinātos rēķinus. +ErrorChooseBetweenFreeEntryOrPredefinedProduct=Jums ir jāizvēlas, vai raksts ir iepriekš definēts produkts +ErrorDiscountLargerThanRemainToPaySplitItBefore=Atlaide, kuru mēģināt piemērot, ir lielāka par atlikušo samaksu. Pirms divas mazākas atlaides sadaliet atlaidi. +ErrorFileNotFoundWithSharedLink=Fails netika atrasts. Var mainīt koplietošanas atslēgu vai nesen izņemt failu. +ErrorProductBarCodeAlreadyExists=Produkta svītrkoda %s jau pastāv citā produkta atsaucei. +ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Ņemiet vērā arī, ka virtuālā produkta izmantošana, lai automātiski palielinātu vai samazinātu subproduktus, nav iespējama, ja vismaz vienam produktam (vai blakusproduktam) ir nepieciešams sērijas / partijas numurs. +ErrorDescRequiredForFreeProductLines=Apraksts ir obligāts līnijām ar bezmaksas produktu # Warnings 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. @@ -224,10 +224,10 @@ WarningCloseAlways=Brīdinājums, aizvēršanas tiek darīts, pat ja summa atš WarningUsingThisBoxSlowDown=Uzmanību, izmantojot šo lodziņu palēnināt nopietni visas lapas, kas parāda lodziņu. WarningClickToDialUserSetupNotComplete=Iestatīšana ClickToDial informāciju par jūsu lietotāja nav pilnīga (skat. tab ClickToDial uz jūsu lietotāja kartes). WarningFeatureDisabledWithDisplayOptimizedForBlindNoJs=Iespēja bloķēta kad iestatījumi ir optimizēti aklai persionai vai teksta pārlūkprogrammām -WarningPaymentDateLowerThanInvoiceDate=Payment date (%s) is earlier than invoice date (%s) for invoice %s. +WarningPaymentDateLowerThanInvoiceDate=Apmaksas datums (%s) ir agrāks par rēķina datumu (%s) rēķinam %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. +WarningSomeLinesWithNullHourlyRate=Daži lietotāji dažreiz ierakstīja, bet viņu stundas likme netika definēta. Tika izmantota vērtība 0 %s stundā, taču tas var novest pie nepareiza pavadītā laika vērtējuma. 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 bulk actions on lists -WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report +WarningAnEntryAlreadyExistForTransKey=Šīs valodas tulkošanas taustiņam jau ir ieraksts +WarningNumberOfRecipientIsRestrictedInMassAction=Brīdinot, dažādu saņēmēju skaits ir ierobežots līdz %s , ja tiek izmantota lielākā daļa darbību sarakstos +WarningDateOfLineMustBeInExpenseReportRange=Brīdinājums, rindas datums nav izdevumu pārskata diapazonā diff --git a/htdocs/langs/lv_LV/holiday.lang b/htdocs/langs/lv_LV/holiday.lang index 374b2d2107f04..61b1aba0acfc3 100644 --- a/htdocs/langs/lv_LV/holiday.lang +++ b/htdocs/langs/lv_LV/holiday.lang @@ -1,11 +1,11 @@ # Dolibarr language file - Source file is en_US - holiday HRM=CRV -Holidays=Leaves -CPTitreMenu=Leaves +Holidays=Brīvdienas +CPTitreMenu=Brīvdienas MenuReportMonth=Ikmēneša paziņojums -MenuAddCP=New leave request +MenuAddCP=Jauns atvaļinājuma pieprasījums NotActiveModCP=You must enable the module Leaves to view this page. -AddCP=Make a leave request +AddCP=Izveidot atvaļinājuma pieprasījumu DateDebCP=Sākuma datums DateFinCP=Beigu datums DateCreateCP=Izveidošanas datums @@ -14,14 +14,19 @@ ToReviewCP=Gaida apstiprināšanu ApprovedCP=Apstiprināts CancelCP=Atcelts RefuseCP=Atteikts -ValidatorCP=Approbator -ListeCP=List of leaves -ReviewedByCP=Will be approved by +ValidatorCP=Asistents +ListeCP=Atvaļinājumu saraksts +LeaveId=Atvaļinājuma ID +ReviewedByCP=To apstiprinās +UserForApprovalID=Lietotājs apstiprinājuma ID +UserForApprovalFirstname=Apstiprinājuma lietotāja vārds +UserForApprovalLastname=Apstiprinājuma lietotāja vārds +UserForApprovalLogin=Apstiprinājuma lietotāja pieteikšanās DescCP=Apraksts -SendRequestCP=Create leave request +SendRequestCP=Izveidot atvaļinājuma pieprasījumu DelayToRequestCP=Leave requests must be made at least %s day(s) before them. MenuConfCP=Balance of leaves -SoldeCPUser=Leaves balance is %s days. +SoldeCPUser=Atvaļinājums ir %s dienas. ErrorEndDateCP=Jums ir jāizvēlas beigu datumu lielāks par sākuma datums. ErrorSQLCreateCP=SQL kļūda izveides laikā: ErrorIDFicheCP=An error has occurred, the leave request does not exist. @@ -29,41 +34,49 @@ ReturnCP=Atgriezties uz iepriekšējo lappusi ErrorUserViewCP=You are not authorized to read this leave request. InfosWorkflowCP=Informācijas plūsma RequestByCP=Pieprasījis -TitreRequestCP=Leave request +TitreRequestCP=Atstāt pieprasījumu +TypeOfLeaveId=Atvaļinājuma ID veids +TypeOfLeaveCode=Atvaļinājuma kods +TypeOfLeaveLabel=Atvaļinājuma veids NbUseDaysCP=Patērēto atvaļinājuma dienu skaits +NbUseDaysCPShort=Patērētās dienas +NbUseDaysCPShortInMonth=Mēneša laikā patērētās dienas +DateStartInMonth=Sākuma datums mēnesī +DateEndInMonth=Mēneša beigu datums EditCP=Rediģēt DeleteCP=Dzēst ActionRefuseCP=Atteikt ActionCancelCP=Atcelt StatutCP=Statuss -TitleDeleteCP=Leave request +TitleDeleteCP=Dzēst atvaļinājuma pieprasījumu ConfirmDeleteCP=Confirm the deletion of this leave request? ErrorCantDeleteCP=Error you don't have the right to delete this leave request. CantCreateCP=You don't have the right to make leave requests. InvalidValidatorCP=You must choose an approbator to your leave request. NoDateDebut=Jums ir jāizvēlas sākuma datums. NoDateFin=Jums ir jāizvēlas beigu datums. -ErrorDureeCP=Your leave request does not contain working day. -TitleValidCP=Approve the leave request -ConfirmValidCP=Are you sure you want to approve the leave request? +ErrorDureeCP=Jūsu atvaļinājuma pieprasījumā nav darba dienas. +TitleValidCP=Apstipriniet atvaļinājuma pieprasījumu +ConfirmValidCP=Vai tiešām vēlaties apstiprināt atvaļinājuma pieprasījumu? DateValidCP=Datums apstiprināts -TitleToValidCP=Send leave request +TitleToValidCP=Nosūtīt atvaļinājuma pieprasījumu ConfirmToValidCP=Are you sure you want to send the leave request? -TitleRefuseCP=Refuse the leave request -ConfirmRefuseCP=Are you sure you want to refuse the leave request? +TitleRefuseCP=Atteikties no atvaļinājuma pieprasījuma +ConfirmRefuseCP=Vai tiešām vēlaties atteikt atvaļinājuma pieprasījumu? NoMotifRefuseCP=Jums ir jāizvēlas iemesls kāpēc atteikt pieprasījums. -TitleCancelCP=Cancel the leave request -ConfirmCancelCP=Are you sure you want to cancel the leave request? +TitleCancelCP=Atcelt atvaļinājuma pieprasījumu +ConfirmCancelCP=Vai tiešām vēlaties atcelt atvaļinājuma pieprasījumu? DetailRefusCP=Atteikuma iemesls DateRefusCP=Atteikuma datums DateCancelCP=Atcelšanas datums DefineEventUserCP=Piešķirt ārkārtas atvaļinājumu lietotājam addEventToUserCP=Piešķirt atvaļinājumu +NotTheAssignedApprover=Jums nav piešķirts apstiprinātājs MotifCP=Iemesls UserCP=Lietotājs -ErrorAddEventToUserCP=Kļūda, pievienojot ārkārtas atvaļinājumu. +ErrorAddEventToUserCP=Pievienojot ārpuskārtas atvaļinājumu, radās kļūda. AddEventToUserOkCP=Par ārkārtas atvaļinājumu papildinājums ir pabeigta. -MenuLogCP=View change logs +MenuLogCP=Skatīt izmaiņu žurnālus LogCP=Log of updates of available vacation days ActionByCP=Veic UserUpdateCP=Lietotājam @@ -75,32 +88,37 @@ LastDayOfHoliday=Pēdēja atvaļinājuma diena BoxTitleLastLeaveRequests=Latest %s modified leave requests HolidaysMonthlyUpdate=Ikmēneša atjauninājums ManualUpdate=Manuāla aktualizēšana -HolidaysCancelation=Leave request cancelation +HolidaysCancelation=Atvaļinājuma pieprasījuma atcelšana EmployeeLastname=Darbinieka uzvārds EmployeeFirstname=Darbinieka vārds TypeWasDisabledOrRemoved=Leave type (id %s) was disabled or removed -LastHolidays=Latest %s leave requests -AllHolidays=All leave requests - +LastHolidays=Jaunākie %s atvaļinājuma pieprasījumi +AllHolidays=Visi atvaļinājumu pieprasījumi +HalfDay=Puse dienas +NotTheAssignedApprover=Jums nav piešķirts apstiprinātājs +LEAVE_PAID=Apmaksāts atvaļinājums +LEAVE_SICK=Slimības lapa +LEAVE_OTHER=Cits atvaļinājums +LEAVE_PAID_FR=Apmaksāts atvaļinājums ## Configuration du Module ## LastUpdateCP=Latest automatic update of leaves allocation MonthOfLastMonthlyUpdate=Month of latest automatic update of leaves allocation UpdateConfCPOK=Veiksmīgi atjaunināta. Module27130Name= Management of leave requests -Module27130Desc= Management of leave requests +Module27130Desc= Atvaļinājumu pieprasījumu vadīšana ErrorMailNotSend=Kļūda sūtot e-pastu: -NoticePeriod=Notice period +NoticePeriod=Paziņojuma periods #Messages HolidaysToValidate=Validate leave requests -HolidaysToValidateBody=Below is a leave request to validate +HolidaysToValidateBody=Zemāk ir atvaļinājuma pieprasījums kuru jāapstiprina HolidaysToValidateDelay=This leave request will take place within a period of less than %s days. HolidaysToValidateAlertSolde=The user who made this leave reques do not have enough available days. -HolidaysValidated=Validated leave requests +HolidaysValidated=Apstiprinātie atvaļinājumu pieprasījumi HolidaysValidatedBody=Your leave request for %s to %s has been validated. HolidaysRefused=Pieprasījums noraidīts HolidaysRefusedBody=Your leave request for %s to %s has been denied for the following reason : HolidaysCanceled=Canceled leaved request HolidaysCanceledBody=Your leave request for %s to %s has been canceled. -FollowedByACounter=1: This type of leave need to be followed by a counter. Counter is incremented manually or automatically and when a leave request is validated, counter is decremented.0: Not followed by a counter. +FollowedByACounter=1: Šāda veida atvaļinājumam jāievēro skaitītājs. Skaitījtājs tiek palielināts manuāli vai automātiski, un, ja atvaļinājuma pieprasījums ir apstiprināts, skaitītājs tiek samazināts.
0: neseko skaitītājs. NoLeaveWithCounterDefined=There is no leave types defined that need to be followed by a counter GoIntoDictionaryHolidayTypes=Go into Home - Setup - Dictionaries - Type of leaves to setup the different types of leaves. diff --git a/htdocs/langs/lv_LV/install.lang b/htdocs/langs/lv_LV/install.lang index 1c31bc01f0edd..23a8e5d909f2c 100644 --- a/htdocs/langs/lv_LV/install.lang +++ b/htdocs/langs/lv_LV/install.lang @@ -12,14 +12,14 @@ PHPSupportSessions=PHP atbalsta sesijas. PHPSupportPOSTGETOk=PHP atbalsta mainīgos POST un GET. PHPSupportPOSTGETKo=Iespējams, ka jūsu PHP neatbalsta mainīgos POST un / vai GET. Pārbaudiet parametrus variables_order failā php.ini. PHPSupportGD=PHP atbalsta GD grafiskās funkcijas. -PHPSupportCurl=This PHP support Curl. +PHPSupportCurl=Šis PHP atbalsts Curl. PHPSupportUTF8=PHP atbalsta UTF8 funkcijas. PHPMemoryOK=Jūsu PHP maksimālā sesijas atmiņa ir iestatīts uz %s. Tas ir pietiekami. PHPMemoryTooLow=Jūsu PHP max sesijas atmiņa ir iestatīts uz %s baitu. Tas būtu pārāk mazs. Mainiet savu php.ini lai uzstādītu memory_limit parametrs vismaz %s baitos. Recheck=Klikšķiniet šeit, lai vairāk izceltu testu ErrorPHPDoesNotSupportSessions=PHP instalācija neatbalsta sesijas. Šī funkcija ir nepieciešama lai Dolibarr strādātu. Pārbaudiet savus PHP iestatījumus. ErrorPHPDoesNotSupportGD=PHP instalācija neatbalsta grafisko funkciju GD. Nebūs pieejami grafiki. -ErrorPHPDoesNotSupportCurl=Your PHP installation does not support Curl. +ErrorPHPDoesNotSupportCurl=Jūsu PHP instalācija neatbalsta Curl. ErrorPHPDoesNotSupportUTF8=PHP instalācija neatbalsta UTF8 funkciju. Dolibarr nevar strādāt pareizi. Atrisiniet šo pirms instalējat Dolibarr. ErrorDirDoesNotExists=Katalogs %s neeksistē. ErrorGoBackAndCorrectParameters=Atgriezieties un labojiet nepareizos parametrus. @@ -54,10 +54,10 @@ AdminLogin=Dolibarr datu bāzes īpašnieka lietotājvārds PasswordAgain=Atkārtot paroli otrreiz AdminPassword=Parole Dolibarr datu bāzes īpašniekam. CreateDatabase=Izveidot datubāzi -CreateUser=Create owner or grant him permission on database +CreateUser=Izveidojiet īpašnieku vai piešķiriet viņam atļauju datu bāzē DatabaseSuperUserAccess=Datu bāzes serveris - superlietotājs piekļuve CheckToCreateDatabase=Ieķeksējiet, ja datu bāze neeksistē, un tā ir jāizveido.
Tādā gadījumā, jums ir jāaizpilda pieteikšanās / paroli SuperUser kontā šīs lapas apakšā. -CheckToCreateUser=Check box if database owner does not exist and must be created, or if it exists but database does not exists and permissions must be granted.
In this case, you must choose its login and password and also fill the login/password for the superuser account at the bottom of this page. If this box is unchecked, owner database and its passwords must exists. +CheckToCreateUser=Atzīmējiet izvēles rūtiņu, ja datubāzes īpašnieks neeksistē un tas ir jāizveido vai ja tas ir pieejams, bet datu bāze neeksistē un atļaujas ir jāpiešķir.
Šajā gadījumā jums ir jāizvēlas tā lietotājvārds un parole, kā arī jāaizpilda lietotājvārds / parole Lietotāja kontu šīs lapas apakšdaļā. Ja šī rūtiņa nav atzīmēta, jābūt īpašnieka datu bāzei un tās parolēm. DatabaseRootLoginDescription=Lietotāja vārds, kas var izveidot datubāzes vai jaunos lietotājus. Obligāti jāaizpilda, ja datubāze vai tās īpašnieks jau neeksistē. KeepEmptyIfNoPassword=Atstājiet tukšu, ja lietotājam nav vajadzīga parole (izvairieties no bezparoles lietotāja vārda) SaveConfigurationFile=Saglabā vērtības @@ -88,12 +88,12 @@ DirectoryRecommendation=Ieteicams izmantot mapi ārpus mājas lapas failu direkt LoginAlreadyExists=Jau eksistē DolibarrAdminLogin=Dolibarr administratora lietotāja vārds AdminLoginAlreadyExists=Dolibarr administratora konts '%s' jau eksistē. Dodieties atpakaļ, ja jūs vēlaties izveidot vēl vienu kontu. -FailedToCreateAdminLogin=Failed to create Dolibarr administrator account. +FailedToCreateAdminLogin=Neizdevās izveidot Dolibarr administratora kontu. WarningRemoveInstallDir=Brīdinājums, drošības apsvērumu dēļ pēc instalēšanas vai atjaunināšanas beigām, lai izvairītos no instalēšanas rīku atkārtotas izmantošanas, Jums jāpievieno failu ar nosaukumu install.lock Dolibarr dokumentu direktorijā, lai novērstu ļaunprātīgu instalācijas izmantošanu. FunctionNotAvailableInThisPHP=Nav pieejams šajā PHP versijā ChoosedMigrateScript=Izvēlieties migrācijas skriptu -DataMigration=Database migration (data) -DatabaseMigration=Database migration (structure + some data) +DataMigration=Datubāzes migrācijas (dati) +DatabaseMigration=Datubāzes migrācija (struktūra + daži dati) ProcessMigrateScript=Skripts darbojas ChooseYourSetupMode=Izvēlies savu instalācijas režīmu un noklikšķiniet uz "Sākt" ... FreshInstall=Svaiga instalēšana @@ -108,7 +108,7 @@ AlreadyDone=Jau pārvietoti DatabaseVersion=Datubāzes versija ServerVersion=Datubāzes servera versija YouMustCreateItAndAllowServerToWrite=Jums ir jāizveido šo direktoriju un jāļauj web serverim tajā rakstīt. -DBSortingCollation=Raksturs šķirošana, lai +DBSortingCollation=Rakstzīmju šķirošanas secība YouAskDatabaseCreationSoDolibarrNeedToConnect=Jūs lūdzat, lai izveidotu datu bāzi %s, bet par to, Dolibarr ir nepieciešams, lai izveidotu savienojumu ar serveri %s ar super lietotāja %s atļaujas. YouAskLoginCreationSoDolibarrNeedToConnect=Jūs lūdzat, lai izveidotu datu bāzi pieteikšanās %s, bet par to, Dolibarr ir nepieciešams, lai izveidotu savienojumu ar serveri %s ar super lietotāja %s atļaujas. BecauseConnectionFailedParametersMayBeWrong=Kā savienojums neizdevās, uzņēmēja vai super lietotāju parametri ir nepareizi. @@ -133,21 +133,21 @@ MigrationFinished=Migrācija pabeigta LastStepDesc=Pēdējais solis: Norādīt pieteikšanās lietotāja vārdu un paroli, kuru Jūs plānojat izmantot, lai izveidotu savienojumu ar programmu. Nepalaidiet garām šo, jo šis konts varēs administrēt visus pārējos. ActivateModule=Aktivizēt moduli %s ShowEditTechnicalParameters=Noklikšķiniet šeit, lai parādītu / rediģēt papildu parametrus (ekspertu režīmā) -WarningUpgrade=Warning:\nDid your run a database backup first?\nThis is highly recommanded: for example, due to some bugs into databases systems (for example mysql version 5.5.40/41/42/43), some data or tables may be lost during this process, so it is highly recommanded to have a complete dump of your database before starting migration.\n\nClick OK to start migration process... +WarningUpgrade=Brīdinājums:\nVai vispirms izmantojāt datu bāzi?\nTas ir ļoti ieteicams: piemēram, datu bāzu sistēmu (piemēram, mysql versijas 5.5.40 / 41/42/43) dēļ dažu datu vai tabulu dēļ var tikt zaudēti daži dati vai tabulas, tādēļ ir ļoti ieteicams izveidot pabeigtu datu bāzē pirms migrācijas sākšanas.\n\nNoklikšķiniet uz OK, lai sāktu migrācijas procesu ... ErrorDatabaseVersionForbiddenForMigration=Your database version is %s. It has a critical bug making data loss if you make structure change on your database, like it is required by the migration process. For his reason, migration will not be allowed until you upgrade your database to a higher fixed version (list of known bugged version: %s) KeepDefaultValuesWamp=Jūs izmantojat Dolibarr iestatīšanas vedni no DoliWamp, tāpēc vērtības šeit jau ir optimizētas. Mainiet tikai tad, ja jūs zināt, ko darāt. KeepDefaultValuesDeb=Jūs izmantojat Dolibarr iestatīšanas vedni no Linux paketi (Ubuntu, Debian, Fedora ...), tāpēc vērtības ierosinātās šeit jau ir optimizēta. Tikai datu bāzes īpašnieks, lai izveidotu paroli jāpabeidz. Mainītu citus parametrus tikai tad, ja jūs zināt, ko jūs darāt. KeepDefaultValuesMamp=Jūs izmantojat Dolibarr iestatīšanas vedni no DoliMamp, tāpēc vērtības ierosinātās šeit jau ir optimizēta. Mainīt tikai tad, ja jūs zināt, ko jūs darāt. KeepDefaultValuesProxmox=Jūs izmantojat Dolibarr iestatīšanas vedni no Proxmox virtuālās ierīces, tāpēc vērtības ierosinātās šeit jau ir optimizēta. Mainīt tikai tad, ja jūs zināt, ko jūs darāt. -UpgradeExternalModule=Run dedicated upgrade process of external modules -SetAtLeastOneOptionAsUrlParameter=Set at least one option as a parameter in URL. For example: '...repair.php?standard=confirmed' -NothingToDelete=Nothing to clean/delete -NothingToDo=Nothing to do +UpgradeExternalModule=Izpildiet īpašu ārējo moduļu jaunināšanas procesu +SetAtLeastOneOptionAsUrlParameter=Iestatiet vismaz vienu opciju kā parametru URL. Piemēram: "... repair.php? Standard = apstiprināts" +NothingToDelete=Nav ko tīrīt / dzēst +NothingToDo=Nav ko darīt ######### # upgrade MigrationFixData=Noteikt, denormalized datiem MigrationOrder=Klientu pasūtījumu datu migrācija -MigrationSupplierOrder=Data migration for vendor's orders +MigrationSupplierOrder=Datu migrācija pēc pārdevēja pasūtījumiem MigrationProposal=Datu migrācija komerciāliem priekšlikumus MigrationInvoice=Klienta rēķinu datu migrācija MigrationContract=Datu migrācija līgumiem @@ -194,13 +194,17 @@ MigrationActioncommElement=Atjaunināt informāciju par pasākumiem MigrationPaymentMode=Datu migrācija uz maksājumu režīmā MigrationCategorieAssociation=Kategoriju migrācija MigrationEvents=Migration of events to add event owner into assignement table -MigrationEventsContact=Migration of events to add event contact into assignement 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 +MigrationEventsContact=Notikumu migrēšana, lai pievienotu notikuma kontaktu nodalīšanas tabulā +MigrationRemiseEntity=Atjauniniet llx_societe_remise objekta lauka vērtību +MigrationRemiseExceptEntity=Atjauniniet llx_societe_remise_except objekta lauka vērtību +MigrationUserRightsEntity=Atjauniniet llx_user_rights objekta lauka vērtību +MigrationUserGroupRightsEntity=Atjauniniet llx_usergroup_rights objekta lauka vērtību MigrationReloadModule=Reload module %s -MigrationResetBlockedLog=Reset module BlockedLog for v7 algorithm +MigrationResetBlockedLog=Atjaunot moduli BlockedLog par v7 algoritmu ShowNotAvailableOptions=Rādīt nepieejamās iespējas HideNotAvailableOptions=Slēpt nepieejamās iespējas -ErrorFoundDuringMigration=Error were reported during migration process so next step is not available. To ignore errors, you can click here, but application or some features may not work correctly until fixed. +ErrorFoundDuringMigration=Migrēšanas procesa laikā tika ziņots par kļūdu, tāpēc nākamais solis nav pieejams. Lai ignorētu kļūdas, varat noklikšķināt šeit , taču lietojumprogramma vai dažas funkcijas, iespējams, nedarbosies pareizi, līdz tās nav fiksētas. +YouTryInstallDisabledByDirLock=Lietojumprogramma mēģina uzlabot versiju, bet instalēšanas / jaunināšanas lapas ir atspējotas drošības apsvērumu dēļ (katalogs tiek pārdēvēts ar .lock sufiksu).
+YouTryInstallDisabledByFileLock=Lietojumprogramma mēģina uzlabot versiju, bet lapu instalēšana / pilnveidošana lapas drošības apsvērumu dēļ ir atspējotas (ar bloķēšanas failu install.lock iekļauta Dolibarr dokumentu direktorijā).
+ClickHereToGoToApp=Noklikšķiniet šeit, lai pārietu uz savu pieteikumu +ClickOnLinkOrRemoveManualy=Noklikšķiniet uz šādas saites un, ja jūs vienmēr sasniedzat šo lapu, jums manuāli jāinstalē faila installock diff --git a/htdocs/langs/lv_LV/languages.lang b/htdocs/langs/lv_LV/languages.lang index 92a06d4465ae5..86c165da60160 100644 --- a/htdocs/langs/lv_LV/languages.lang +++ b/htdocs/langs/lv_LV/languages.lang @@ -1,6 +1,6 @@ # Dolibarr language file - Source file is en_US - languages Language_ar_AR=Arābu -Language_ar_EG=Arabic (Egypt) +Language_ar_EG=Arābu (Ēģipte) Language_ar_SA=Arābu Language_bn_BD=Bengali Language_bg_BG=Bulgāru @@ -24,9 +24,9 @@ Language_en_US=Angļu (ASV) Language_en_ZA=English (Dienvidāfrika) Language_es_ES=Spāņu Language_es_AR=Spāņu (Argentīna) -Language_es_BO=Spanish (Bolivia) +Language_es_BO=Spāņu (Bolīvija) Language_es_CL=Spāņu (Ķīle) -Language_es_CO=Spanish (Colombia) +Language_es_CO=Spāņu (Kolumbija) Language_es_DO=Spāņu (Dominikānas Republika) Language_es_EC=Spāņu (Ekvadora) Language_es_HN=Spāņu (Hondurasa) @@ -35,7 +35,7 @@ Language_es_PA=Spāņu (Panama) Language_es_PY=Spāņu (Paragvaja) Language_es_PE=Spāņu (Peru) Language_es_PR=Spāņu (Puertoriko) -Language_es_UY=Spanish (Uruguay) +Language_es_UY=Spāņu (Urugvaja) Language_es_VE=Spāņu (Venecuēla) Language_et_EE=Igauņu Language_eu_ES=Basku @@ -54,8 +54,8 @@ Language_id_ID=Indonēziešu Language_is_IS=Islandiešu Language_it_IT=Itāļu Language_ja_JP=Japāņu -Language_ka_GE=Georgian -Language_km_KH=Khmer +Language_ka_GE=Gruzīnu valoda +Language_km_KH=Khmeru Language_kn_IN=Kannada Language_ko_KR=Korejiešu Language_lo_LA=Lao diff --git a/htdocs/langs/lv_LV/ldap.lang b/htdocs/langs/lv_LV/ldap.lang index 0283b92eda948..73af7425eaf4c 100644 --- a/htdocs/langs/lv_LV/ldap.lang +++ b/htdocs/langs/lv_LV/ldap.lang @@ -1,6 +1,6 @@ # Dolibarr language file - Source file is en_US - ldap -YouMustChangePassNextLogon=Parole lietotāju %s par domēna %s ir jāmaina. -UserMustChangePassNextLogon=Lietotājam ir nomainīt paroli uz domēna %s +YouMustChangePassNextLogon=Lietotāja parole %s domēnā %s ir jāmaina. +UserMustChangePassNextLogon=Lietotājam ir jāmaina domēna %s parole LDAPInformationsForThisContact=Informācija LDAP datubāzē šim kontaktam LDAPInformationsForThisUser=Informācija LDAP datubāzē šim lietotājam LDAPInformationsForThisGroup=Informācija LDAP datubāzē šai grupai @@ -11,7 +11,7 @@ LDAPCard=LDAP karte LDAPRecordNotFound=Ierakstīt nav atrasts LDAP datubāzē LDAPUsers=Lietotāji LDAP datu bāzē LDAPFieldStatus=Statuss -LDAPFieldFirstSubscriptionDate=Pirmais abonēšanas datumu +LDAPFieldFirstSubscriptionDate=Pirmais abonēšanas datums LDAPFieldFirstSubscriptionAmount=Pirmais parakstīšanās summu LDAPFieldLastSubscriptionDate=Jaunākais piereģistrēšanās datums LDAPFieldLastSubscriptionAmount=Latest subscription amount @@ -19,9 +19,9 @@ LDAPFieldSkype=Skype id LDAPFieldSkypeExample=Piemērs : skypeNosaukums UserSynchronized=Lietotājs sinhronizēts GroupSynchronized=Grupa sinhronizēta -MemberSynchronized=Biedrs sinhronizēti -MemberTypeSynchronized=Member type synchronized +MemberSynchronized=Biedrs sinhronizēts +MemberTypeSynchronized=Dalībnieka veids ir sinhronizēts ContactSynchronized=Kontakti sinhronizēti -ForceSynchronize=Force sinhronizācija Dolibarr -> LDAP +ForceSynchronize=Forsēt sinhronizāciju Dolibarr -> LDAP ErrorFailedToReadLDAP=Neizdevās nolasīt LDAP datu bāzi. Pārbaudiet LDAP modulis uzstādīšanas un datu bāzes pieejamību. -PasswordOfUserInLDAP=Password of user in LDAP +PasswordOfUserInLDAP=Lietotāja LDAP parole diff --git a/htdocs/langs/lv_LV/loan.lang b/htdocs/langs/lv_LV/loan.lang index a2fe3ff53ed31..a1b5567aef582 100644 --- a/htdocs/langs/lv_LV/loan.lang +++ b/htdocs/langs/lv_LV/loan.lang @@ -1,31 +1,31 @@ # Dolibarr language file - Source file is en_US - loan -Loan=Loan -Loans=Loans -NewLoan=New Loan -ShowLoan=Show Loan -PaymentLoan=Loan payment -LoanPayment=Loan payment -ShowLoanPayment=Show Loan Payment -LoanCapital=Capital +Loan=Aizdevums +Loans=Aizdevumi +NewLoan=Jauns kredīts +ShowLoan=Rādīt aizdevumu +PaymentLoan=Aizdevuma maksājums +LoanPayment=Aizdevuma maksājums +ShowLoanPayment=Rādīt aizdevuma maksājumu +LoanCapital=Kapitāls Insurance=Apdrošināšana -Interest=Interest +Interest=Interese Nbterms=Number of terms -Term=Term +Term=Termiņš LoanAccountancyCapitalCode=Accounting account capital LoanAccountancyInsuranceCode=Accounting account insurance LoanAccountancyInterestCode=Accounting account interest -ConfirmDeleteLoan=Confirm deleting this loan -LoanDeleted=Loan Deleted Successfully +ConfirmDeleteLoan=Apstipriniet aizdevuma dzēšanu +LoanDeleted=Aizdevums veiksmīgi dzēsts ConfirmPayLoan=Confirm classify paid this loan LoanPaid=Loan Paid -ListLoanAssociatedProject=List of loan associated with the project -AddLoan=Create loan -FinancialCommitment=Financial commitment -InterestAmount=Interest -CapitalRemain=Capital remain +ListLoanAssociatedProject=Ar projektu saistīto aizdevumu saraksts +AddLoan=Izveidot aizdevumu +FinancialCommitment=Finanšu saistības +InterestAmount=Interese +CapitalRemain=Kapitāls paliek # Admin ConfigLoan=Configuration of the module loan -LOAN_ACCOUNTING_ACCOUNT_CAPITAL=Accounting account capital by default -LOAN_ACCOUNTING_ACCOUNT_INTEREST=Accounting account interest by default -LOAN_ACCOUNTING_ACCOUNT_INSURANCE=Accounting account insurance by default -CreateCalcSchedule=Edit financial commitment +LOAN_ACCOUNTING_ACCOUNT_CAPITAL=Grāmatvedības konta kapitāls pēc noklusējuma +LOAN_ACCOUNTING_ACCOUNT_INTEREST=Grāmatvedības konta procenti pēc noklusējuma +LOAN_ACCOUNTING_ACCOUNT_INSURANCE=Grāmatvedības konta apdrošināšana pēc noklusējuma +CreateCalcSchedule=Rediģēt finansiālās saistības diff --git a/htdocs/langs/lv_LV/mailmanspip.lang b/htdocs/langs/lv_LV/mailmanspip.lang index 17d88924beb55..3e744f0babceb 100644 --- a/htdocs/langs/lv_LV/mailmanspip.lang +++ b/htdocs/langs/lv_LV/mailmanspip.lang @@ -17,7 +17,7 @@ DescADHERENT_SPIP_DB=SPIP datu bāzes nosaukums DescADHERENT_SPIP_USER=SPIP datu bāzes pieteikšanās DescADHERENT_SPIP_PASS=SPIP datu bāzes paroli AddIntoSpip=Pievienot uz SPIP -AddIntoSpipConfirmation=Vai tiešām vēlaties pievienot šo locekli uz SPIP? +AddIntoSpipConfirmation=Vai tiešām vēlaties pievienot šo dalībnieku uz SPIP? AddIntoSpipError=Neizdevās pievienot lietotāju SPIP DeleteIntoSpip=Noņemt no SPIP DeleteIntoSpipConfirmation=Vai tiešām vēlaties noņemt šo dalībnieku no SPIP? diff --git a/htdocs/langs/lv_LV/mails.lang b/htdocs/langs/lv_LV/mails.lang index e65e1cc013196..824007ba978ab 100644 --- a/htdocs/langs/lv_LV/mails.lang +++ b/htdocs/langs/lv_LV/mails.lang @@ -11,14 +11,14 @@ MailFrom=Nosūtītājs MailErrorsTo=Kļūdas līdz MailReply=Atbildēt uz MailTo=Saņēmējs (-i) -MailToUsers=To user(s) +MailToUsers=Lietotājam (-iem) MailCC=Kopēt -MailToCCUsers=Copy to users(s) -MailCCC=Kešatmiņā kopiju +MailToCCUsers=Kopēt lietotājiem (-iem) +MailCCC=Kešatmiņā kopija uz MailTopic=E-pasta tēma MailText=Ziņa MailFile=Pievienotie faili -MailMessage=E-pasta iestādi +MailMessage=E-pasta saturs ShowEMailing=Rādīt e-pastus ListOfEMailings=E-pastu saraksts NewMailing=Jauna e-pasta vēstuļu sūtīšana @@ -37,13 +37,13 @@ MailingStatusSentPartialy=Nosūtīts daļēji MailingStatusSentCompletely=Nosūtīta pilnīgi MailingStatusError=Kļūda MailingStatusNotSent=Nav nosūtīts -MailSuccessfulySent=Email (from %s to %s) successfully accepted for delivery +MailSuccessfulySent=E-pasts (no %s kam %s) veiksmīgi pieņemts piegādei MailingSuccessfullyValidated=Pasta vēstuļu sūtīšanas veiksmīgi apstiprināti MailUnsubcribe=Atrakstīties MailingStatusNotContact=Nesazināties MailingStatusReadAndUnsubscribe=Lasīt un atrakstīties ErrorMailRecipientIsEmpty=E-pasta adresāts ir tukšs -WarningNoEMailsAdded=Nav jaunu e-pasta, lai pievienotu adresāta sarakstā. +WarningNoEMailsAdded=Nav jaunu e-pastu, lai pievienotu adresātu sarakstā. ConfirmValidMailing=Are you sure you want to validate this emailing? ConfirmResetMailing=Warning, by reinitializing emailing %s, you allow to make a mass sending of this email another time. Are you sure you this is what you want to do? ConfirmDeleteMailing=Are you sure you want to delete this emailling? @@ -51,7 +51,7 @@ NbOfUniqueEMails=Nb unikālu e-pastiem NbOfEMails=Nb no e-pastiem TotalNbOfDistinctRecipients=Skaits atsevišķu saņēmēju NoTargetYet=Nav saņēmēji vēl nav noteiktas (Iet uz TAB "saņēmēji") -NoRecipientEmail=No recipient email for %s +NoRecipientEmail=Neviens saņēmējs e-pasts %s RemoveRecipient=Dzēst adresātu YouCanAddYourOwnPredefindedListHere=Lai izveidotu savu e-pasta selektoru moduli, skatiet htdocs / core / modules / pasta sūtījumi / README. EMailTestSubstitutionReplacedByGenericValues=Lietojot testa režīmā, aizstāšanu mainīgie tiek aizstāts ar vispārēju vērtības @@ -59,51 +59,51 @@ MailingAddFile=Pievienojiet šo failu NoAttachedFiles=Nav pievienotu failu BadEMail=Nepareiza e-pasta vērtība CloneEMailing=Klons pasta vēstuļu sūtīšanas -ConfirmCloneEMailing=Are you sure you want to clone this emailing? +ConfirmCloneEMailing=Vai tiešām vēlaties klonēt šo e-pasta ziņojumu? CloneContent=Klonēt ziņu -CloneReceivers=Cloner saņēmēji -DateLastSend=Date of latest sending +CloneReceivers=Klonēt saņēmējus +DateLastSend=Jaunākās nosūtīšanas datums DateSending=Sūtīšanas datums SentTo=Nosūtīts %s MailingStatusRead=Lasīt YourMailUnsubcribeOK=E-pasts %s ir veiksmīgi izņemts no adresātu saraksta ActivateCheckReadKey=Key used to encrypt URL used for "Read Receipt" and "Unsubcribe" feature EMailSentToNRecipients=E-pastu nosūtīja %s saņēmējiem. -EMailSentForNElements=EMail sent for %s elements. +EMailSentForNElements=E-pasts tiek nosūtīts par %s elementiem. XTargetsAdded=%s recipients added into target list -OnlyPDFattachmentSupported=If the PDF documents were already generated for the objects to send, they will be attached to email. If not, no email will be sent (also, note that only pdf documents are supported as attachment in mass sending in this version). -AllRecipientSelected=The recipients of the %s record selected (if their email is known). -GroupEmails=Group emails -OneEmailPerRecipient=One email per recipient (by default, one email per record selected) -WarningIfYouCheckOneRecipientPerEmail=Warning, if you check this box, it means only one email will be sent for several different record selected, so, if your message contains substitution variables that refers to data of a record, it becomes not possible to replace them. +OnlyPDFattachmentSupported=Ja PDF faili jau tika izveidoti, lai nosūtītos objektus, tie tiks pievienoti e-pastam. Ja nē, neviens e-pasts netiks nosūtīts (turklāt ņemiet vērā, ka šajā versijā masveida sūtīšanai tiek atbalstīti tikai pdf dokumenti). +AllRecipientSelected=Izvēlētie %s ieraksta saņēmēji (ja viņu e-pasts ir zināms). +GroupEmails=Grupas e-pasti +OneEmailPerRecipient=Viens e-pasts katram adresātam (pēc noklusējuma viens e-pasts uz vienu atlasīto ierakstu) +WarningIfYouCheckOneRecipientPerEmail=Brīdinājums. Ja atzīmēsit šo izvēles rūtiņu, tas nozīmē, ka tiks nosūtīts tikai viens e-pasta ziņojums, izvēloties vairākus atšķirīgus ierakstus, tādēļ, ja jūsu ziņojumā ir iekļauti aizstājējumultiņi, kas attiecas uz ieraksta datiem, tos nevar aizstāt. ResultOfMailSending=Result of mass EMail sending NbSelected=Nb selected NbIgnored=Nb ignored NbSent=Nb sent -SentXXXmessages=%s message(s) sent. -ConfirmUnvalidateEmailing=Are you sure you want to change email %s to draft status? -MailingModuleDescContactsWithThirdpartyFilter=Contact with customer filters -MailingModuleDescContactsByCompanyCategory=Contacts by third party category -MailingModuleDescContactsByCategory=Contacts by categories -MailingModuleDescContactsByFunction=Contacts by position +SentXXXmessages=%s ziņa (s) nosūtīta. +ConfirmUnvalidateEmailing=Vai tiešām vēlaties mainīt e-pastu %s uz melnraksta statusu? +MailingModuleDescContactsWithThirdpartyFilter=Sazinieties ar klientu filtriem +MailingModuleDescContactsByCompanyCategory=Kontaktpersonas pēc trešo pušu kategorijas +MailingModuleDescContactsByCategory=Kontakti pa sadaļām +MailingModuleDescContactsByFunction=Kontakti pēc amata MailingModuleDescEmailsFromFile=E-pasti no faila -MailingModuleDescEmailsFromUser=Emails input by user +MailingModuleDescEmailsFromUser=Lietotāja ievadītie e-pasti MailingModuleDescDolibarrUsers=Lietotāji ar e-pastu -MailingModuleDescThirdPartiesByCategories=Third parties (by categories) -SendingFromWebInterfaceIsNotAllowed=Sending from web interface is not allowed. +MailingModuleDescThirdPartiesByCategories=Trešās personas (pēc sadaļām) +SendingFromWebInterfaceIsNotAllowed=Sūtīšana no tīmekļa saskarnes nav atļauta. # Libelle des modules de liste de destinataires mailing -LineInFile=Line %s failā +LineInFile=Līnija %s failā RecipientSelectionModules=Definētie pieprasījumi saņēmēja izvēles MailSelectedRecipients=Atlasītie saņēmēji MailingArea=Emailings platība -LastMailings=Latest %s emailings +LastMailings=Jaunākie %s e-pasta ziņojumi TargetsStatistics=Mērķi statistika NbOfCompaniesContacts=Unikālie kontakti/adreses MailNoChangePossible=Saņēmējiem par apstiprinātus pasta vēstuļu sūtīšanas nevar mainīt SearchAMailing=Meklēt e-pastu SendMailing=Nosūtīt e-pastu -SentBy=Iesūtīja +SentBy=Nosūtīja MailingNeedCommand=Sending an emailing can be performed from command line. Ask your server administrator to launch the following command to send the emailing to all recipients: MailingNeedCommand2=Taču jūs varat sūtīt tos tiešsaistē, pievienojot parametru MAILING_LIMIT_SENDBYWEB ar vērtību max skaitu e-pasta Jūs vēlaties nosūtīt pa sesiju. Lai to izdarītu, dodieties uz Home - Setup - pārējie. 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 ? @@ -113,12 +113,12 @@ ToClearAllRecipientsClickHere=Klikšķiniet šeit, lai notīrītu adresātu sara ToAddRecipientsChooseHere=Pievienotu adresātus, izvēloties no sarakstiem NbOfEMailingsReceived=Masu emailings saņemti NbOfEMailingsSend=Masveida e-pasts izsūtīts -IdRecord=ID ierakstu +IdRecord=Ieraksta ID DeliveryReceipt=Delivery Ack. YouCanUseCommaSeparatorForSeveralRecipients=Jūs varat izmantot komatu atdalītāju, lai norādītu vairākus adresātus. TagCheckMail=Izsekot pasta atvēršanu TagUnsubscribe=Atrakstīšanās saite -TagSignature=Signature of sending user +TagSignature=Nosūtītāja lietotāja paraksts EMailRecipient=Saņēmēja e-pasts TagMailtoEmail=Recipient EMail (including html "mailto:" link) NoEmailSentBadSenderOrRecipientEmail=No email sent. Bad sender or recipient email. Verify user profile. @@ -135,35 +135,35 @@ MailSendSetupIs2=You must first go, with an admin account, into menu %sHome - Se 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 magic caracters. For exemple 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 exemple jean;joe;jim%%;!jimo;!jima% will target all jean, joe, start with jim but not jimo and not everythnig taht start by jima -AdvTgtSearchIntHelp=Use interval to select int or float value +UseFormatFileEmailToTarget=Importētajam failam jābūt formatētam e-pasts; vārds; uzvārds; cits +UseFormatInputEmailToTarget=Ievadiet virkni ar formātu e-pasts; vārds; uzvā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ā burvju karakuģus. Piemēram, lai atrastu visu objektu, piemēram, jean, joe, jim , jūs varat ievadīt j%% , 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% tiks atlasīti visi žanri, joe, sākas ar jim, bet ne jimo, nevis ikviens sākums ar 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 -AdvTgtSearchDtHelp=Use interval to select date value +AdvTgtSearchDtHelp=Izmantojiet intervālu, lai izvēlētos datuma vērtību AdvTgtStartDt=Sākuma dat. AdvTgtEndDt=Beigu dat. -AdvTgtTypeOfIncudeHelp=Target Email of third party and email of contact of the third party, or just third party email or just contact email -AdvTgtTypeOfIncude=Type of targeted email -AdvTgtContactHelp=Use only if you target contact into "Type of targeted email" +AdvTgtTypeOfIncudeHelp=Trešās puses mērķa e-pasta adrese un trešās puses kontaktpersonas e-pasta adrese vai tikai trešās puses e-pasts vai vienkārši sazinieties ar e-pastu +AdvTgtTypeOfIncude=Mērķa e-pasta adrese +AdvTgtContactHelp=Izmantojiet tikai tad, ja mērķauditoriju atlasījāt kontaktā ar "mērķa e-pasta ziņojuma veidu" AddAll=Pievienot visu RemoveAll=Dzēst visu ItemsCount=Vienība(-s) AdvTgtNameTemplate=Filtra nosaukums -AdvTgtAddContact=Add emails according to criterias +AdvTgtAddContact=Pievienot e-pastus atbilstoši kritērijiem AdvTgtLoadFilter=Ielādēt filtru AdvTgtDeleteFilter=Dzēst filtru AdvTgtSaveFilter=Saglabāt filtru AdvTgtCreateFilter=Izveidot filtru AdvTgtOrCreateNewFilter=Jauna filtra nosaukums -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 mass emailing) -DefaultOutgoingEmailSetup=Default outgoing email setup +NoContactWithCategoryFound=Nav kontaktpersonas / adreses ar atrastu kategoriju +NoContactLinkedToThirdpartieWithCategoryFound=Nav kontaktpersonas / adreses ar atrastu kategoriju +OutGoingEmailSetup=Izejošā e-pasta iestatīšana +InGoingEmailSetup=Ienākošā e-pasta iestatīšana +OutGoingEmailSetupForEmailing=Izejošā e-pasta iestatīšana (masveida e-pasta sūtīšanai) +DefaultOutgoingEmailSetup=Noklusējuma izejošā e-pasta iestatīšana Information=Informācija -ContactsWithThirdpartyFilter=Contacts avec filtre client +ContactsWithThirdpartyFilter=Kontakti avec filtre klients diff --git a/htdocs/langs/lv_LV/main.lang b/htdocs/langs/lv_LV/main.lang index e8185c39a044c..29826e30dad5c 100644 --- a/htdocs/langs/lv_LV/main.lang +++ b/htdocs/langs/lv_LV/main.lang @@ -14,7 +14,7 @@ FormatDateShortJava=dd.MM.yyyy FormatDateShortJavaInput=dd.MM.yyyy FormatDateShortJQuery=dd.mm.yy FormatDateShortJQueryInput=dd.mm.yy -FormatHourShortJQuery=HH:MI +FormatHourShortJQuery=HH: MI FormatHourShort=%I:%M %p FormatHourShortDuration=%H:%M FormatDateTextShort=%b %d, %Y @@ -24,12 +24,12 @@ FormatDateHourSecShort=%d/%m/%Y %I:%M:%S %p FormatDateHourTextShort=%b %d, %Y, %I:%M %p FormatDateHourText=%B %d, %Y, %I:%M %p DatabaseConnection=Savienojums ar datubāzi -NoTemplateDefined=No template available for this email type +NoTemplateDefined=Šim e-pasta veidam nav pieejamas veidnes AvailableVariables=Available substitution variables NoTranslation=Nav iztulkots -Translation=Tulkojums +Translation=Tulkošana NoRecordFound=Nav atrasti ieraksti -NoRecordDeleted=No record deleted +NoRecordDeleted=Neviens ieraksts nav dzēsts NotEnoughDataYet=Nepietiek datu NoError=Nav kļūdu Error=Kļūda @@ -44,7 +44,7 @@ ErrorConstantNotDefined=Parametrs %s nav definēts ErrorUnknown=Nezināma kļūda ErrorSQL=SQL kļūda ErrorLogoFileNotFound=Logotipa fails '%s' nav atrasts -ErrorGoToGlobalSetup=Go to 'Company/Organization' setup to fix this +ErrorGoToGlobalSetup=Lai to novērstu, pārejiet uz iestatījumu "Uzņēmums / organizācija" ErrorGoToModuleSetup=Iet uz moduļa uzstādīšanu, lai atrisinātu šo ErrorFailedToSendMail=Neizdevās nosūtīt pastu (sūtītājs = %s, saņēmējs = %s) ErrorFileNotUploaded=Fails netika augšupielādēts. Pārbaudiet vai izmērs nepārsniedz maksimāli pieļaujamo un, ka brīvas vietas ir pieejama uz diska, un nav jau failu ar tādu pašu nosaukumu šajā direktorijā. @@ -63,23 +63,23 @@ ErrorCantLoadUserFromDolibarrDatabase=Neizdevās atrast lietotāju %s Dol ErrorNoVATRateDefinedForSellerCountry=Kļūda, PVN likme nav definēta sekojošai valstij '%s'. ErrorNoSocialContributionForSellerCountry=Error, no social/fiscal taxes type defined for country '%s'. ErrorFailedToSaveFile=Kļūda, neizdevās saglabāt failu. -ErrorCannotAddThisParentWarehouse=You are trying to add a parent warehouse which is already a child of current one -MaxNbOfRecordPerPage=Max number of record per page +ErrorCannotAddThisParentWarehouse=Jūs mēģināt pievienot vecāku noliktavu, kas jau ir pašreizējā bērns +MaxNbOfRecordPerPage=Maksimālais ierakstu skaits lapā NotAuthorized=Jums nav tiesību, lai veiktu šo darbību. SetDate=Iestatīt datumu SelectDate=Izvēlēties datumu SeeAlso=Skatīt arī %s -SeeHere=See here +SeeHere=Skatīt šeit ClickHere=Noklikšķiniet šeit -Here=Here +Here=Šeit Apply=Pielietot BackgroundColorByDefault=Noklusējuma fona krāsu -FileRenamed=The file was successfully renamed -FileGenerated=The file was successfully generated -FileSaved=The file was successfully saved -FileUploaded=The file was successfully uploaded +FileRenamed=Fails tika veiksmīgi pārdēvēts +FileGenerated=Fails tika veiksmīgi ģenerēts +FileSaved=Fails tika veiksmīgi saglabāts +FileUploaded=Fails veiksmīgi augšupielādēts FileTransferComplete=Fails(i) tika augšupielādēts veiksmīgi -FilesDeleted=File(s) successfully deleted +FilesDeleted=Fails (-i) ir veiksmīgi dzēsti FileWasNotUploaded=Fails ir izvēlēts pielikumam, bet vēl nav augšupielādēti. Noklikšķiniet uz "Pievienot failu", lai to pievienotu. NbOfEntries=Ierakstu sk GoToWikiHelpPage=Lasīt tiešsaistes palīdzību (nepieciešams interneta piekļuve) @@ -92,7 +92,7 @@ DolibarrInHttpAuthenticationSoPasswordUseless=Dolibarr authentication mode is se Administrator=Administrators Undefined=Nav definēts PasswordForgotten=Aizmirsāt paroli? -NoAccount=No account? +NoAccount=Nav konts? SeeAbove=Skatīt iepriekš HomeArea=Mājas sadaļa LastConnexion=Latest connection @@ -107,8 +107,8 @@ RequestLastAccessInError=Latest database access request error ReturnCodeLastAccessInError=Return code for latest database access request error InformationLastAccessInError=Information for latest database access request error DolibarrHasDetectedError=Dolibarr ir atklājis tehnisku kļūdu -YouCanSetOptionDolibarrMainProdToZero=You can read log file or set option $dolibarr_main_prod to '0' in your config file to get more information. -InformationToHelpDiagnose=This information can be useful for diagnostic purposes (you can set option $dolibarr_main_prod to '1' to remove such notices) +YouCanSetOptionDolibarrMainProdToZero=Jūs varat izlasīt žurnāla failu vai iestatīt opciju $ dolibarr_main_prod uz '0' savā konfigurācijas failā, lai iegūtu vairāk informācijas. +InformationToHelpDiagnose=Šī informācija var būt noderīga diagnostikas nolūkos (jūs varat iestatīt iespēju $ dolibarr_main_prod uz "1", lai noņemtu šādus paziņojumus). MoreInformation=Vairāk informācijas TechnicalInformation=Tehniskā informācija TechnicalID=Tehniskais ID @@ -135,7 +135,7 @@ Under=saskaņā ar Period=Periods PeriodEndDate=Beigu datums periodam SelectedPeriod=Izvēlētais periods -PreviousPeriod=Previous period +PreviousPeriod=Iepriekšējais periods Activate=Aktivizēt Activated=Aktivizēta Closed=Slēgts @@ -147,16 +147,16 @@ Disable=Atslēgt Disabled=Atslēgts Add=Pievienot AddLink=Pievienot saiti -RemoveLink=Remove link +RemoveLink=Noņemt saiti AddToDraft=Pievienot melnrakstiem Update=Atjaunot Close=Aizvērt -CloseBox=Remove widget from your dashboard +CloseBox=Noņemiet logrīku no sava informācijas paneļa Confirm=Apstiprināt ConfirmSendCardByMail=Do you really want to send content of this card by mail to %s? Delete=Izdzēst Remove=Noņemt -Resiliate=Terminate +Resiliate=Pārtraukt Cancel=Atcelt Modify=Modificēt Edit=Rediģēt @@ -188,7 +188,7 @@ ToLink=Saite Select=Atlasīt Choose=Izvēlēties Resize=Samazināt -ResizeOrCrop=Resize or Crop +ResizeOrCrop=Mainīt izmērus vai apgriezt Recenter=Centrēt Author=Autors User=Lietotājs @@ -232,7 +232,7 @@ Limit=Ierobežot Limits=Ierobežojums Logout=Iziet NoLogoutProcessWithAuthMode=No applicative disconnect feature with authentication mode %s -Connection=Login +Connection=Pieslēgties Setup=Iestatījumi Alert=Brīdināt MenuWarnings=Brīdinājumi @@ -241,11 +241,11 @@ Next=Nākamais Cards=Kartes Card=Karte Now=Tagad -HourStart=Start hour +HourStart=Sākuma stunda Date=Datums DateAndHour=Datums un laiks DateToday=Šodienas datums -DateReference=Reference date +DateReference=Atsauces datums DateStart=Sākuma datums DateEnd=Beigu datums DateCreation=Izveidošanas datums @@ -265,15 +265,15 @@ DateRequest=Pieprasījuma datumu DateProcess=Procesa datumu DateBuild=Ziņojuma veidošanas datums DatePayment=Maksājuma datums -DateApprove=Approving date +DateApprove=Apstiprināšanas datums DateApprove2=Approving date (second approval) RegistrationDate=Reģistrācijas datums UserCreation=Izveidošanas lietotājs UserModification=Labošanas lietotājs -UserValidation=Validation user +UserValidation=Validācijas lietotājs UserCreationShort=Izveidot lietotāju UserModificationShort=Labot lietotāju -UserValidationShort=Valid. user +UserValidationShort=Derīgs lietotājs DurationYear=gads DurationMonth=mēnesis DurationWeek=nedēļa @@ -315,8 +315,8 @@ KiloBytes=Kilobaiti MegaBytes=Megabaiti GigaBytes=Gigabaiti TeraBytes=Terabaiti -UserAuthor=User of creation -UserModif=User of last update +UserAuthor=Radīšanas lietotājs +UserModif=Pēdējā atjauninājuma lietotājs b=b. Kb=Kb Mb=Mb @@ -329,10 +329,10 @@ Default=Noklusējums DefaultValue=Noklusējuma vērtība DefaultValues=Noklusējuma vērtības Price=Cena -PriceCurrency=Price (currency) +PriceCurrency=Cena (valūta) UnitPrice=Vienības cena UnitPriceHT=Vienības cena (neto) -UnitPriceHTCurrency=Unit price (net) (currency) +UnitPriceHTCurrency=Vienības cena (neto) (valūta) UnitPriceTTC=Vienības cena PriceU=UP PriceUHT=UP (neto) @@ -340,14 +340,14 @@ PriceUHTCurrency=U.P (currency) PriceUTTC=U.P. (inc. tax) Amount=Summa AmountInvoice=Rēķina summa -AmountInvoiced=Amount invoiced +AmountInvoiced=Rēķinā iekļautā summa AmountPayment=Maksājuma summa AmountHTShort=Summa (neto) AmountTTCShort=Summa (ar PVN) AmountHT=Daudzums (neto pēc nodokļiem) AmountTTC=Summa (ar PVN) AmountVAT=Nodokļa summa -MulticurrencyAlreadyPaid=Already payed, original currency +MulticurrencyAlreadyPaid=Jau samaksāta, oriģināla valūta MulticurrencyRemainderToPay=Atlikums, kas jāsamaksā oriģinālā valūtā MulticurrencyPaymentAmount=Maksājuma summa, oriģinālajā valūtā MulticurrencyAmountHT=Amount (net of tax), original currency @@ -360,7 +360,7 @@ AmountLT2ES=Summa IRPF AmountTotal=Kopējā summa AmountAverage=Vidējā summa PriceQtyMinHT=Cena daudzumu min. (bez nodokļiem) -PriceQtyMinHTCurrency=Price quantity min. (net of tax) (currency) +PriceQtyMinHTCurrency=Cenas daudzums min. (bez nodokļiem) (valūta) Percentage=Procentuālā attiecība Total=Kopsumma SubTotal=Starpsumma @@ -369,41 +369,41 @@ TotalHTShortCurrency=Total (net in currency) TotalTTCShort=Pavisam (ar PVN) TotalHT=Pavisam (bez PVN) TotalHTforthispage=Kopā (bez PVN) šajā lapā -Totalforthispage=Total for this page +Totalforthispage=Kopā par šo lapu TotalTTC=Pavisam (ar PVN) TotalTTCToYourCredit=Pavisam (ieskaitot nodokli), pie jūsu kredīta TotalVAT=Kopējā nodokļu -TotalVATIN=Total IGST +TotalVATIN=Kopā IGST TotalLT1=Kopējā nodokļu 2 TotalLT2=Kopējā nodokļu 3 TotalLT1ES=Kopējais RE TotalLT2ES=Kopējais IRPF -TotalLT1IN=Total CGST -TotalLT2IN=Total SGST +TotalLT1IN=Kopējais CGST +TotalLT2IN=Kopējais SGST HT=Bez PVN TTC=Ar PVN INCVATONLY=ar PVN -INCT=Inc. all taxes +INCT=Inc visiem nodokļiem VAT=PVN VATIN=IGST VATs=Sales taxes -VATINs=IGST taxes -LT1=Sales tax 2 -LT1Type=Sales tax 2 type -LT2=Sales tax 3 -LT2Type=Sales tax 3 type +VATINs=IGST nodokļi +LT1=Pārdošanas nodoklis 2 +LT1Type=Pārdošanas nodoklis 2 tips +LT2=Pārdošanas nodoklis 3 +LT2Type=3 pārdošanas nodoklis LT1ES=RE LT2ES=IRPF LT1IN=CGST LT2IN=SGST VATRate=Nodokļa likme -VATCode=Tax Rate code -VATNPR=Tax Rate NPR -DefaultTaxRate=Default tax rate +VATCode=Nodokļu likmes kods +VATNPR=Nodokļa likme NPR +DefaultTaxRate=Noklusētā nodokļa likme Average=Vidējais Sum=Summa Delta=Delta -RemainToPay=Remain to pay +RemainToPay=Paliek maksāt Module=Module/Application Modules=Moduļi/lietojumprogrammas Option=Iespējas @@ -412,11 +412,11 @@ FullList=Pilns saraksts Statistics=Statistika OtherStatistics=Citas statistika Status=Statuss -Favorite=Favorite +Favorite=Iecienītākais ShortInfo=Info. Ref=Ref. ExternalRef=Ref. extern -RefSupplier=Ref. vendor +RefSupplier=Atsauces pārdevējs RefPayment=Ref. maksājums CommercialProposalsShort=Komerciālie priekšlikumi Comment=Komentēt @@ -429,18 +429,18 @@ ActionRunningNotStarted=Jāsāk ActionRunningShort=Procesā ActionDoneShort=Pabeigts ActionUncomplete=Nepabeigts -LatestLinkedEvents=Latest %s linked events -CompanyFoundation=Company/Organization -Accountant=Accountant +LatestLinkedEvents=Jaunākie %s saistīti notikumi +CompanyFoundation=Uzņēmums / organizācija +Accountant=Grāmatvedis ContactsForCompany=Šīs trešās personas kontakti ContactsAddressesForCompany=Kontakti / adreses par šīs trešās personas AddressesForCompany=Šīs trešās puses adreses ActionsOnCompany=Pasākumi par šīs trešās personas ActionsOnMember=Pasākumi par šo locekli -ActionsOnProduct=Events about this product +ActionsOnProduct=Notikumi par šo produktu NActionsLate=%s vēlu ToDo=Jāizdara -Completed=Completed +Completed=Pabeigts Running=Procesā RequestAlreadyDone=Request already recorded Filter=Filtrs @@ -455,7 +455,7 @@ TotalDuration=Kopējais pasākuma ilgums Summary=Kopsavilkums DolibarrStateBoard=Database statistics DolibarrWorkBoard=Open items dashboard -NoOpenedElementToProcess=No opened element to process +NoOpenedElementToProcess=Nav atvērts elements apstrādāt Available=Pieejams NotYetAvailable=Nav vēl pieejams NotAvailable=Nav pieejams @@ -490,12 +490,12 @@ Discount=Atlaide Unknown=Nezināms General=Vispārējs Size=Lielums -OriginalSize=Original size +OriginalSize=Oriģinālais izmērs Received=Saņemts Paid=Apmaksāts Topic=Virsraksts ByCompanies=Pēc trešajām personām -ByUsers=By user +ByUsers=Pēc lietotāja Links=Saites Link=Saite Rejects=Atteikumi @@ -504,17 +504,18 @@ NextStep=Nākamais solis Datas=Dati None=Nav NoneF=Nav -NoneOrSeveral=None or several +NoneOrSeveral=Neviens vai vairāki Late=Vēlu LateDesc=Delay to define if a record is late or not depends on your setup. Ask your admin to change delay from menu Home - Setup - Alerts. +NoItemLate=No late item Photo=Attēls Photos=Attēli AddPhoto=Pievienot attēlu DeletePicture=Dzēst attēlu ConfirmDeletePicture=Apstiprināt attēla dzēšanu Login=Ieiet -LoginEmail=Login (email) -LoginOrEmail=Login or Email +LoginEmail=Ieiet (e-pasts) +LoginOrEmail=Pieteikšanās vai e-pasts CurrentLogin=Pašreiz pieteicies EnterLoginDetail=Ievadiet pieteikšanās informāciju January=Janvāris @@ -578,7 +579,7 @@ MonthVeryShort10=O MonthVeryShort11=N MonthVeryShort12=D AttachedFiles=Pievienotie faili un dokumenti -JoinMainDoc=Join main document +JoinMainDoc=Pievienojieties galvenajam dokumentam DateFormatYYYYMM=MM.YYYY DateFormatYYYYMMDD=DD.MM.YYYY DateFormatYYYYMMDDHHMM=DD.MM.YYYY HH:SS @@ -621,9 +622,9 @@ BuildDoc=Izveidot Doc Entity=Vide Entities=Subjekti CustomerPreview=Klientu pirmskats -SupplierPreview=Vendor preview +SupplierPreview=Pārdevēja priekšskatījums ShowCustomerPreview=Rādīt klientu priekšskatījumu -ShowSupplierPreview=Show vendor preview +ShowSupplierPreview=Rādīt pārdevēja priekšskatījumu RefCustomer=Ref. klienta Currency=Valūta InfoAdmin=Informācija administratoriem @@ -655,28 +656,28 @@ CanBeModifiedIfOk=Var mainīt ja ir pareizs CanBeModifiedIfKo=Var mainīt, ja nav derīgs ValueIsValid=Vērtība ir pareizas ValueIsNotValid=Vērtība nav pareiza -RecordCreatedSuccessfully=Record created successfully +RecordCreatedSuccessfully=Ieraksts izveidots veiksmīgi RecordModifiedSuccessfully=ieraksts modificēts veiksmīgi RecordsModified=%s ieraksti modificēti -RecordsDeleted=%s record deleted +RecordsDeleted=%s ieraksts dzēsts AutomaticCode=Automātiskās kods FeatureDisabled=Funkcija bloķēta -MoveBox=Move widget +MoveBox=Pārvietot logrīku Offered=Piedāvāts NotEnoughPermissions=Jums nav atļauta šī darbība SessionName=Sesijas nosaukums Method=Metode Receive=Saņemt -CompleteOrNoMoreReceptionExpected=Complete or nothing more expected -ExpectedValue=Expected Value +CompleteOrNoMoreReceptionExpected=Pabeigts vai nekas vairāk nav gaidīts +ExpectedValue=Paredzamā vērtība CurrentValue=Pašreizējā vērtība PartialWoman=Daļējs TotalWoman=Kopsumma NeverReceived=Nekad nav saņemts Canceled=Atcelts -YouCanChangeValuesForThisListFromDictionarySetup=You can change values for this list from menu Setup - Dictionaries -YouCanChangeValuesForThisListFrom=You can change values for this list from menu %s -YouCanSetDefaultValueInModuleSetup=You can set the default value used when creating a new record into module setup +YouCanChangeValuesForThisListFromDictionarySetup=Jūs varat mainīt šī saraksta vērtības no izvēlnes Iestatīšana - Vārdnīcas +YouCanChangeValuesForThisListFrom=Jūs varat mainīt šī saraksta vērtības no izvēlnes %s +YouCanSetDefaultValueInModuleSetup=Jūs varat iestatīt noklusējuma vērtību, ko izmanto, veidojot jaunu ierakstu moduļa iestatījumos Color=Krāsa Documents=Piesaistītie faili Documents2=Dokumenti @@ -707,8 +708,8 @@ Page=Lappuse Notes=Piezīmes AddNewLine=Pievienot jaunu līniju AddFile=Pievienot failu -FreeZone=Not a predefined product/service -FreeLineOfType=Not a predefined entry of type +FreeZone=Nav iepriekš definēts produkts / pakalpojums +FreeLineOfType=Nav iepriekš definēts tipa ieraksts CloneMainAttributes=Klonēt objektu ar tā galvenajiem atribūtiem PDFMerge=Apvienot PDF Merge=Apvienot @@ -720,7 +721,7 @@ CoreErrorTitle=Sistēmas kļūda CoreErrorMessage=Sorry, an error occurred. Contact your system administrator to check the logs or disable $dolibarr_main_prod=1 to get more information. CreditCard=Kredītkarte ValidatePayment=Apstiprināt maksājumu -CreditOrDebitCard=Credit or debit card +CreditOrDebitCard=Kredīta vai debetkarte FieldsWithAreMandatory=Lauki ar %s ir obligāti aizpildāmi FieldsWithIsForPublic=Lauki ar %s parāda sabiedrības locekļu sarakstu. Ja jūs nevēlaties to, tad izņemiet ķeksi pie "sabiedrības" lodziņa. AccordingToGeoIPDatabase=(Saskaņā ar GeoIP) @@ -746,20 +747,20 @@ AttributeCode=Atribūts kods URLPhoto=Saite bildei/logo SetLinkToAnotherThirdParty=Saite uz citu trešo personu LinkTo=Saite uz -LinkToProposal=Link to proposal +LinkToProposal=Saite uz priekšlikumu LinkToOrder=Link to order LinkToInvoice=Saite uz rēķinu LinkToSupplierOrder=Saite uz piegādātāja pasūtījumu LinkToSupplierProposal=Saite uz piegādātāja piedāvājumu LinkToSupplierInvoice=Saite uz piegādātāja rēķinu LinkToContract=Saite uz līgumu -LinkToIntervention=Link to intervention +LinkToIntervention=Saikne ar intervenci CreateDraft=Izveidot melnrakstu SetToDraft=Atpakaļ uz melnrakstu ClickToEdit=Klikšķiniet, lai rediģētu -EditWithEditor=Edit with CKEditor -EditWithTextEditor=Edit with Text editor -EditHTMLSource=Edit HTML Source +EditWithEditor=Rediģēt ar CKEditor +EditWithTextEditor=Rediģēt ar teksta redaktoru +EditHTMLSource=Rediģēt HTML avotu ObjectDeleted=Objekts %s dzēsts ByCountry=Pēc valsts ByTown=Pēc pilsētas @@ -784,27 +785,27 @@ from=no toward=uz Access=Pieeja SelectAction=Izvēlēties darbību -SelectTargetUser=Select target user/employee +SelectTargetUser=Atlasiet mērķa lietotāju / darbinieku HelpCopyToClipboard=Izmantot taustiņu kombināciju Ctrl + C, lai kopētu SaveUploadedFileWithMask=Saglabāt failu uz servera ar nosaukumu "%s" (citādi "%s") OriginFileName=Oriģinālais faila nosaukums SetDemandReason=Izvēlēties avotu SetBankAccount=Definēt bankas kontu -AccountCurrency=Account currency +AccountCurrency=Konta valūta ViewPrivateNote=Apskatīt piezīmes XMoreLines=%s līnija(as) slēptas -ShowMoreLines=Show more/less lines +ShowMoreLines=Parādīt vairāk / mazāk rindas PublicUrl=Publiskā saite AddBox=Pievienot info logu -SelectElementAndClick=Select an element and click %s +SelectElementAndClick=Izvēlieties elementu un noklikšķiniet %s PrintFile=Drukāt failu %s -ShowTransaction=Show entry on bank account +ShowTransaction=Rādīt ierakstu bankas kontā ShowIntervention=Rādīt iejaukšanās ShowContract=Rādīt līgumu GoIntoSetupToChangeLogo=Go into Home - Setup - Company to change logo or go into Home - Setup - Display to hide. Deny=Deny Denied=Denied -ListOf=List of %s +ListOf=%s saraksts ListOfTemplates=List of templates Gender=Dzimums Genderman=Vīrietis @@ -818,57 +819,57 @@ DeleteLine=Delete line ConfirmDeleteLine=Vai Jūs tiešām vēlaties izdzēst šo līniju? NoPDFAvailableForDocGenAmongChecked=No PDF were available for the document generation among checked record TooManyRecordForMassAction=Too many record selected for mass action. The action is restricted to a list of %s record. -NoRecordSelected=No record selected +NoRecordSelected=Nav atlasīts neviens ieraksts MassFilesArea=Area for files built by mass actions ShowTempMassFilesArea=Show area of files built by mass actions -ConfirmMassDeletion=Bulk delete confirmation +ConfirmMassDeletion=Lielapjoma dzēšanas apstiprinājums ConfirmMassDeletionQuestion=Vai tiešām vēlaties dzēst izvēlēto ierakstu %s? RelatedObjects=Saistītie objekti ClassifyBilled=Klasificēt apmaksāts -ClassifyUnbilled=Classify unbilled +ClassifyUnbilled=Klasificēt neapmaksāts Progress=Progress FrontOffice=birojs BackOffice=Back office View=Izskats Export=Eksportēt Exports=Eksports -ExportFilteredList=Export filtered list -ExportList=Export list +ExportFilteredList=Eksportēt filtrēto sarakstu +ExportList=Eksporta saraksts ExportOptions=Eksportēšanas iespējas Miscellaneous=Dažādi Calendar=Kalendārs GroupBy=Kārtot pēc... -ViewFlatList=View flat list +ViewFlatList=Skatīt plakanu sarakstu RemoveString=Noņemt virkni '%s' -SomeTranslationAreUncomplete=Some languages may be partially translated or may contains errors. If you detect some, you can fix language files registering to https://transifex.com/projects/p/dolibarr/. +SomeTranslationAreUncomplete=Dažas valodas var būt daļēji tulkotas vai tām var būt kļūdas. Ja konstatējat dažus, varat iestatīt valodas failus, reģistrējoties https://transifex.com/projects/p/ dolibarr / . DirectDownloadLink=Tiešā lejupielādes saite (publiska / ārēja) -DirectDownloadInternalLink=Direct download link (need to be logged and need permissions) +DirectDownloadInternalLink=Tiešā lejupielādes saite (ir jāreģistrē un tai ir nepieciešamas atļaujas). Download=Lejupielādēt DownloadDocument=Lejupielādēt dokumentu ActualizeCurrency=Atjaunināt valūtas kursu Fiscalyear=Fiskālais gads -ModuleBuilder=Module Builder +ModuleBuilder=Moduļu veidotājs SetMultiCurrencyCode=Iestatīt valūtu -BulkActions=Bulk actions -ClickToShowHelp=Click to show tooltip help +BulkActions=Lielapjoma darbības +ClickToShowHelp=Noklikšķiniet, lai parādītu rīka padomju palīdzību WebSite=Mājas lapa WebSites=Tīmekļa vietnes WebSiteAccounts=Vietnes konti ExpenseReport=Izdevumu pārskats ExpenseReports=Izdevumu atskaites HR=HR -HRAndBank=HR and Bank +HRAndBank=HR un Banka AutomaticallyCalculated=Automātiski aprēķināts TitleSetToDraft=Atgriezties uz melnrakstu -ConfirmSetToDraft=Are you sure you want to go back to Draft status ? -ImportId=Import id +ConfirmSetToDraft=Vai tiešām vēlaties atgriezties pie melnrakstu statusa? +ImportId=Importēt ID Events=Pasākumi EMailTemplates=E-pastu paraugi -FileNotShared=File not shared to exernal public +FileNotShared=Fails nav koplietots ar exernal sabiedrību Project=Projekts Projects=Projekti Rights=Atļaujas -LineNb=Line no. +LineNb=Rinda Nr. IncotermLabel=Inkoterms # Week day Monday=Pirmdiena @@ -899,14 +900,14 @@ ShortThursday=Ce ShortFriday=P ShortSaturday=Se ShortSunday=Sv -SelectMailModel=Select an email template +SelectMailModel=Izvēlieties e-pasta veidni SetRef=Set ref -Select2ResultFoundUseArrows=Some results found. Use arrows to select. +Select2ResultFoundUseArrows=Daži rezultāti ir atrasti. Izmantojiet bultiņas, lai izvēlētos. Select2NotFound=Rezultāti nav atrasti Select2Enter=Ieiet Select2MoreCharacter=vai vairāk rakstzīmes Select2MoreCharacters=vai vairāk simbolus -Select2MoreCharactersMore=Search syntax:
| OR (a|b)
* Any character (a*b)
^ Start with (^ab)
$ End with (ab$)
+Select2MoreCharactersMore= Meklēšanas sintakse: * Jebkurš raksturs (a * b)
^ Sāciet ar (^ ab)
$ Beigt ar (ab $)
Select2LoadingMoreResults=Ielādē vairāk rezultātus... Select2SearchInProgress=Meklēšana procesā... SearchIntoThirdparties=Trešās personas @@ -917,11 +918,11 @@ SearchIntoProductsOrServices=Preces un pakalpojumi SearchIntoProjects=Projekti SearchIntoTasks=Uzdevumi SearchIntoCustomerInvoices=Klienta rēķini -SearchIntoSupplierInvoices=Vendor invoices +SearchIntoSupplierInvoices=Piegādātāja rēķini SearchIntoCustomerOrders=Klienta pasūtījumi -SearchIntoSupplierOrders=Purchase orders +SearchIntoSupplierOrders=Pirkuma pasūtījumi SearchIntoCustomerProposals=Klienta piedāvājumi -SearchIntoSupplierProposals=Vendor proposals +SearchIntoSupplierProposals=Pārdevēja priekšlikumi SearchIntoInterventions=Interventions SearchIntoContracts=Līgumi SearchIntoCustomerShipments=Klientu sūtījumi @@ -929,19 +930,21 @@ SearchIntoExpenseReports=Izdevumu atskaites SearchIntoLeaves=Leaves CommentLink=Komentāri NbComments=Komentāru skaits -CommentPage=Comments space +CommentPage=Komentāru telpa CommentAdded=Komentārs pievienots CommentDeleted=Komentārs dzēsts Everybody=Visi -PayedBy=Payed by -PayedTo=Payed to -Monthly=Monthly -Quarterly=Quarterly -Annual=Annual -Local=Local -Remote=Remote -LocalAndRemote=Local and Remote -KeyboardShortcut=Keyboard shortcut +PayedBy=Samaksājis +PayedTo=Samaksāts +Monthly=Katru mēnesi +Quarterly=Ceturksnis +Annual=Gada +Local=Vietējais +Remote=Attālinātais +LocalAndRemote=Vietējais un attālais +KeyboardShortcut=Tastatūras saīsne AssignedTo=Piešķirts -Deletedraft=Delete draft -ConfirmMassDraftDeletion=Draft Bulk delete confirmation +Deletedraft=Dzēst melnrakstu +ConfirmMassDraftDeletion=Melnraksta dzēšanas apstiprinājuma projekts +FileSharedViaALink=Fails koplietots, izmantojot saiti + diff --git a/htdocs/langs/lv_LV/margins.lang b/htdocs/langs/lv_LV/margins.lang index 8d7d7dc3a901c..2c4bd11ab3da3 100644 --- a/htdocs/langs/lv_LV/margins.lang +++ b/htdocs/langs/lv_LV/margins.lang @@ -4,13 +4,13 @@ Margin=Robeža Margins=Robežas TotalMargin=Kopējais Maržinālā MarginOnProducts=Maržinālā / Produkti -MarginOnServices=Maržinālā / Pakalpojumi -MarginRate=Maržinālā likme -MarkRate=Mark likme +MarginOnServices=Margin / Pakalpojumi +MarginRate=Noguldījuma likme +MarkRate=Atzīmēt likmi DisplayMarginRates=Displeja maržinālās DisplayMarkRates=Displeja zīmju cenas InputPrice=Ieejas cena -margin=Peļņas norma vadība +margin=Peļņas normu vadība margesSetup=Peļņa vadības iestatīšanas MarginDetails=Maržinālā detaļas ProductMargins=Produktu rezerves @@ -28,17 +28,17 @@ UseDiscountAsService=Kā pakalpojums UseDiscountOnTotal=Par starpsummu MARGIN_METHODE_FOR_DISCOUNT_DETAILS=Nosaka, ja globālā atlaide tiek uzskatīts par produktu, pakalpojumu, vai tikai starpsumma starpības aprēķinu. MARGIN_TYPE=Buying/Cost price suggested by default for margin calculation -MargeType1=Margin on Best vendor price +MargeType1=Marža par labāko pārdevēja cenu MargeType2=Margin on Weighted Average Price (WAP) -MargeType3=Margin on Cost Price -MarginTypeDesc=* Margin on best buying price = Selling price - Best vendor price defined on product card
* Margin on Weighted Average Price (WAP) = Selling price - Product Weighted Average Price (WAP) or best supplier price if WAP not yet defined
* Margin on Cost price = Selling price - Cost price defined on product card or WAP if cost price not defined, or best supplier price if WAP not yet defined +MargeType3=Ienesīguma cena +MarginTypeDesc=* Marka par labāko pirkšanas cenu = Pārdošanas cena - Labākā pārdevēju cena, kas noteikta produkta kartē
* Vidējā svērtā vidējā cena (WAP) = pārdošanas cena - produkta vidējā svērtā cena (WAP) vai labākā piegādātāja cena, ja WAP vēl nav definēts < br> * Marža par izmaksu cenu = Pārdošanas cena - Izmaksu cena, kas noteikta produkta kartē vai WAP, ja nav noteikta izmaksu cena, vai labākā piegādātāja cena, ja WAP vēl nav definēts CostPrice=Pašizmaksa UnitCharges=Vienības izmaksas Charges=Maksas AgentContactType=Commercial agent contact type AgentContactTypeDetails=Define what contact type (linked on invoices) will be used for margin report per sale representative -rateMustBeNumeric=Rate must be a numeric value +rateMustBeNumeric=Likmei jābūt skaitliskai vērtībai markRateShouldBeLesserThan100=Mark rate should be lower than 100 ShowMarginInfos=Show margin infos CheckMargins=Margins detail -MarginPerSaleRepresentativeWarning=The report of margin per user use the link between third parties and sale representatives to calculate the margin of each sale representative. Because some thirdparties may not have any ddiated sale representative and some thirdparties may be linked to several, some amounts may not be included into this report (if there is no sale representative) and some may appear on different lines (for each sale representative). +MarginPerSaleRepresentativeWarning=Atskaites par starpību katram lietotājam izmanto saiti starp trešajām personām un tirdzniecības pārstāvjiem, lai aprēķinātu katra pārdošanas pārstāvja rezervi. Tā kā dažām trešām pusēm var nebūt tirdzniecības pārstāvniecības, un dažas trešās puses var būt saistītas ar vairākām, dažas summas var neiekļaut šajā pārskatā (ja pārdošanas pārstāvis nav pieejams), un daži var parādīties dažādās pozīcijās (katram pārdošanas pārstāvim). diff --git a/htdocs/langs/lv_LV/members.lang b/htdocs/langs/lv_LV/members.lang index 22ae7355e9678..34105afcc03d1 100644 --- a/htdocs/langs/lv_LV/members.lang +++ b/htdocs/langs/lv_LV/members.lang @@ -1,24 +1,24 @@ # Dolibarr language file - Source file is en_US - members MembersArea=Dalībnieku sadaļa MemberCard=Dalībnieka karte -SubscriptionCard=Abonēšana kartiņa -Member=Dalībnieks -Members=Dalībnieki +SubscriptionCard=Abonēšanas kartiņa +Member=Biedrs +Members=Biedri ShowMember=Rādīt dalībnieka kartiņu -UserNotLinkedToMember=Lietotājs nav saistīta ar kādu ES +UserNotLinkedToMember=Lietotājs nav saistīts ar dalībnieku ThirdpartyNotLinkedToMember=Trešās puses nav piesaistīta dalībniekam -MembersTickets=Locekļi Biļetes +MembersTickets=Dalībnieku pieteikumi FundationMembers=Fonda biedri ListOfValidatedPublicMembers=Saraksts ar apstiprināto valsts locekļu ErrorThisMemberIsNotPublic=Šis dalībnieks nav publisks ErrorMemberIsAlreadyLinkedToThisThirdParty=Vēl viens dalībnieks (nosaukums: %s, pieteikšanās: %s) jau ir saistīts ar trešo personu %s. Noņemt šo saiti vispirms tāpēc, ka trešā persona nevar saistīt tikai loceklim (un otrādi). ErrorUserPermissionAllowsToLinksToItselfOnly=Drošības apsvērumu dēļ, jums ir jāpiešķir atļaujas, lai rediģētu visi lietotāji varētu saistīt locekli, lai lietotājam, kas nav jūsu. SetLinkToUser=Saite uz Dolibarr lietotāju -SetLinkToThirdParty=Saite uz Dolibarr trešajai personai +SetLinkToThirdParty=Saite uz Dolibarr trešo personu MembersCards=Dalībnieku vizītkartes MembersList=Dalībnieku saraksts MembersListToValid=Saraksts projektu dalībnieki (tiks apstiprināts) -MembersListValid=Saraksts derīgo biedru +MembersListValid=Derīgo dalībnieku saraksts MembersListUpToDate=Saraksts derīgiem locekļiem ar līdz šim abonementu MembersListNotUpToDate=Saraksts derīgiem locekļiem ar abonementu novecojis MembersListResiliated=List of terminated members @@ -27,8 +27,8 @@ MenuMembersToValidate=Projektu dalībnieki MenuMembersValidated=Apstiprināti biedri MenuMembersUpToDate=Aktuālie dalībnieki MenuMembersNotUpToDate=Novecojušie dalībnieki -MenuMembersResiliated=Terminated members -MembersWithSubscriptionToReceive=Locekļiem ar abonementu, lai saņemtu +MenuMembersResiliated=Izslēgtie dalībnieki +MembersWithSubscriptionToReceive=Dalībniekiem ar abonementu, lai saņemtu DateSubscription=Abonēšanas datums DateEndSubscription=Abonēšanas beigu datums EndSubscription=Beigt abonementu @@ -42,24 +42,24 @@ MembersTypes=Dalībnieku veidi MemberStatusDraft=Melnraksts (jāapstiprina) MemberStatusDraftShort=Melnraksts MemberStatusActive=Validēta (gaidīšanas abonements) -MemberStatusActiveShort=Validated -MemberStatusActiveLate=Subscription expired +MemberStatusActiveShort=Apstiprināts +MemberStatusActiveLate=Abonements beidzies MemberStatusActiveLateShort=Beidzies MemberStatusPaid=Abonēšana atjaunināta MemberStatusPaidShort=Aktuāls -MemberStatusResiliated=Terminated member -MemberStatusResiliatedShort=Terminated +MemberStatusResiliated=Apturēts dalībnieks +MemberStatusResiliatedShort=Izbeigta MembersStatusToValid=Projektu dalībnieki MembersStatusResiliated=Terminated members NewCotisation=Jauns ieguldījums PaymentSubscription=Jauns ieguldījums maksājums SubscriptionEndDate=Abonēšanas beigu datums MembersTypeSetup=Dalībnieki tipa iestatīšana -MemberTypeModified=Member type modified -DeleteAMemberType=Delete a member type -ConfirmDeleteMemberType=Are you sure you want to delete this member type? -MemberTypeDeleted=Member type deleted -MemberTypeCanNotBeDeleted=Member type can not be deleted +MemberTypeModified=Dalībnieka tips ir modificēts +DeleteAMemberType=Dzēst biedra veidu +ConfirmDeleteMemberType=Vai tiešām vēlaties dzēst šo dalībnieka veidu? +MemberTypeDeleted=Dalībnieka veids dzēsts +MemberTypeCanNotBeDeleted=Dalībnieka veidu nevar dzēst NewSubscription=Jauns abonements NewSubscriptionDesc=Šī veidlapa ļauj ierakstīt savu abonementu kā jaunu locekli pamats. Ja jūs vēlaties atjaunot savu abonementu (ja jau loceklis), lūdzu, sazinieties Dibināšanas valdē, nevis pa e-pastu %s. Subscription=Abonēšana @@ -68,10 +68,10 @@ SubscriptionLate=Vēlu SubscriptionNotReceived=Abonēšana nekad nav saņēmusi ListOfSubscriptions=Saraksts abonementu SendCardByMail=Nosūtīt kartiņu pa e-pastu -AddMember=Create member +AddMember=Izveidot biedru NoTypeDefinedGoToSetup=Neviens dalībnieka veids nav definēts. Iet uz izvēlnes "Dalībnieku veidi" NewMemberType=Jauns dalībnieka veids -WelcomeEMail=Welcome e-pastu +WelcomeEMail=Sveiciena e-pasts SubscriptionRequired=Abonēšanas nepieciešams DeleteType=Dzēst VoteAllowed=Balsot atļauts @@ -85,54 +85,54 @@ DeleteMember=Dzēst dalībnieku ConfirmDeleteMember=Are you sure you want to delete this member (Deleting a member will delete all his subscriptions)? DeleteSubscription=Dzēst abonementu ConfirmDeleteSubscription=Are you sure you want to delete this subscription? -Filehtpasswd=Htpasswd failu +Filehtpasswd=Htpasswd fails ValidateMember=Apstiprināt dalībnieku ConfirmValidateMember=Are you sure you want to validate this member? FollowingLinksArePublic=Šādas saites ir atvērtas lapas, kas nav aizsargāti ar kādu Dolibarr atļauju. Tie nav formated lapas, sniedz kā piemērs, lai parādītu, kā uzskaitīt biedrus datu bāzi. PublicMemberList=Sabiedrības Biedru saraksts -BlankSubscriptionForm=Public self-subscription form -BlankSubscriptionFormDesc=Dolibarr can provide you a public URL/website to allow external visitors to ask to subscribe to the foundation. If an online payment module is enabled, a payment form may also be automatically provided. -EnablePublicSubscriptionForm=Enable the public website with self-subscription form -ForceMemberType=Force the member type +BlankSubscriptionForm=Publiska pašapkalpošanās veidlapa +BlankSubscriptionFormDesc=Dolibarr var nodrošināt jums publisku URL / tīmekļa vietni, lai ļautu ārējiem apmeklētājiem lūgt parakstīties uz fondu. Ja ir iespējots tiešsaistes maksājumu modulis, maksājuma veidlapa var tikt automātiski nodrošināta. +EnablePublicSubscriptionForm=Iespējojiet publisko vietni ar pašapkalpošanās veidlapu +ForceMemberType=Piespiediet dalībnieka tipu ExportDataset_member_1=Dalībnieki un abonēšana ImportDataset_member_1=Dalībnieki -LastMembersModified=Latest %s modified members -LastSubscriptionsModified=Latest %s modified subscriptions +LastMembersModified=Jaunākie %s labotie dalībnieki +LastSubscriptionsModified=Jaunākie %s labotie abonementi String=Rinda Text=Teksts Int=Int DateAndTime=Datums un laiks PublicMemberCard=Dalībnieku publiskā kartiņa -SubscriptionNotRecorded=Subscription not recorded -AddSubscription=Create subscription +SubscriptionNotRecorded=Abonēšana nav ierakstīta +AddSubscription=Izveidot abonementu ShowSubscription=Rādīt abonementu # Label of email templates -SendingAnEMailToMember=Sending information email to member -SendingEmailOnAutoSubscription=Sending email on auto registration -SendingEmailOnMemberValidation=Sending email on new member validation -SendingEmailOnNewSubscription=Sending email on new subscription -SendingReminderForExpiredSubscription=Sending reminder for expired subscriptions -SendingEmailOnCancelation=Sending email on cancelation +SendingAnEMailToMember=Sūtīt informācijas e-pastu dalībniekam +SendingEmailOnAutoSubscription=E-pasta sūtīšana uz automātisko reģistrāciju +SendingEmailOnMemberValidation=E-pasta sūtīšana uz jauno dalībnieku apstiprināšanu +SendingEmailOnNewSubscription=E-pasta sūtīšana uz jaunu abonementu +SendingReminderForExpiredSubscription=Atgādinājuma nosūtīšana uz abonementu beigu datumu +SendingEmailOnCancelation=E-pasta sūtīšana par atcelšanu # Topic of email templates -YourMembershipRequestWasReceived=Your membership was received. -YourMembershipWasValidated=Your membership was validated -YourSubscriptionWasRecorded=Your new subscription was recorded -SubscriptionReminderEmail=Subscription reminder -YourMembershipWasCanceled=Your membership was canceled +YourMembershipRequestWasReceived=Jūsu dalība tika saņemta. +YourMembershipWasValidated=Jūsu dalība tika apstiprināta +YourSubscriptionWasRecorded=Jūsu jaunais abonements tika reģistrēts +SubscriptionReminderEmail=Abonementa atgādinājums +YourMembershipWasCanceled=Jūsu dalība tika atcelta CardContent=Saturu jūsu dalības kartes # 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 thet your subscription is about to expire. We hope you can make a renewal of it.

-ThisIsContentOfYourCard=This is a remind of the information we get about you. Feel free to contact us if something looks wrong.

+ThisIsContentOfYourMembershipRequestWasReceived=Mēs vēlamies jūs informēt, ka jūsu dalības pieprasījums ir saņemts.

+ThisIsContentOfYourMembershipWasValidated=Mēs vēlamies jūs informēt, ka jūsu dalība tika apstiprināta ar šādu informāciju:

+ThisIsContentOfYourSubscriptionWasRecorded=Mēs vēlamies jūs informēt, ka jūsu jaunais abonements tika reģistrēts.

+ThisIsContentOfSubscriptionReminderEmail=Mēs vēlamies jūs paziņot, ka jūsu abonēšanas termiņš beigsies. Mēs ceram, ka jūs varat to atjaunot.

+ThisIsContentOfYourCard=Tas ir atgādinājums par informāciju, kuru mēs saņemam par jums. Jūtieties brīvi sazināties ar mums, ja kaut kas izskatās nepareizi.

DescADHERENT_AUTOREGISTER_NOTIF_MAIL_SUBJECT=Priekšmets e-pastu saņēma, ja auto-uzrakstu viesis DescADHERENT_AUTOREGISTER_NOTIF_MAIL=E-pasts saņemta gadījumā auto-uzrakstu viesis -DescADHERENT_EMAIL_TEMPLATE_AUTOREGISTER=Template Email to use to send email to a member on member autosubscription -DescADHERENT_EMAIL_TEMPLATE_MEMBER_VALIDATION=Template EMail to use to send email to a member on member validation -DescADHERENT_EMAIL_TEMPLATE_SUBSCRIPTION=Template Email to use to send email to a member on new subscription recording -DescADHERENT_EMAIL_TEMPLATE_REMIND_EXPIRATION=Template Email to use to send email remind when subscription is about to expire -DescADHERENT_EMAIL_TEMPLATE_CANCELATION=Template Email to use to send email to a member on member cancelation +DescADHERENT_EMAIL_TEMPLATE_AUTOREGISTER=Veidne E-pasts, lai izmantotu, lai nosūtītu e-pastu dalībniekam, kas piedalās dalībnieka autosubscription +DescADHERENT_EMAIL_TEMPLATE_MEMBER_VALIDATION=Veidne Nosūtīt, lai izmantotu, lai nosūtītu e-pastu dalībniekam, kas piedalījies dalībnieku apstiprināšanā +DescADHERENT_EMAIL_TEMPLATE_SUBSCRIPTION=Veidne Nosūtīt izmantot, lai nosūtītu e-pastu dalībniekam par jaunu abonēšanas ierakstu +DescADHERENT_EMAIL_TEMPLATE_REMIND_EXPIRATION=Veidne E-pasts, lai izmantotu, lai nosūtītu e-pastu, ir jāatgādina, kad beidzas abonementa derīguma termiņš +DescADHERENT_EMAIL_TEMPLATE_CANCELATION=Veidne E-pasts, lai izmantotu, lai nosūtītu e-pastu dalībniekam par atteikšanos no dalībniekiem DescADHERENT_MAIL_FROM=Sūtītāja e-pasts automātisko e-pastiem DescADHERENT_ETIQUETTE_TYPE=Formāts etiķešu lapā DescADHERENT_ETIQUETTE_TEXT=Teksts drukāts uz dalībvalstu adrese lapām @@ -141,14 +141,14 @@ DescADHERENT_CARD_HEADER_TEXT=Teksts drukāts virsū uz biedru kartes augšpusē DescADHERENT_CARD_TEXT=Teksts drukāts uz biedru kartes (izlīdzinājums pa kreisi) DescADHERENT_CARD_TEXT_RIGHT=Teksts drukāts uz biedru kartes (izlīdzinājums pa labi) DescADHERENT_CARD_FOOTER_TEXT=Teksts uzdrukāts uz biedru kartes apakšā -ShowTypeCard=Rādīt veidu "%s" +ShowTypeCard=Rādīt veidu "%s" HTPasswordExport=htpassword faila paaudze NoThirdPartyAssociatedToMember=Neviena trešā puse saistīta ar šo locekli MembersAndSubscriptions= Dalībnieki un Abonementi MoreActions=Papildu darbības ar ierakstu MoreActionsOnSubscription=Papildina rīcību, kas ierosināta pēc noklusējuma, ierakstot abonementu -MoreActionBankDirect=Create a direct entry on bank account -MoreActionBankViaInvoice=Create an invoice, and a payment on bank account +MoreActionBankDirect=Izveidojiet tiešu ierakstu par bankas kontu +MoreActionBankViaInvoice=Izveidojiet rēķinu un maksājumu bankas kontā MoreActionInvoiceOnly=Izveidot rēķinu bez maksājuma LinkToGeneratedPages=Izveidot vizītkartes LinkToGeneratedPagesDesc=Šis ekrāns ļauj jums, lai radītu PDF failus ar vizītkartēm visiem saviem biedriem, vai konkrētā loceklis. @@ -169,12 +169,12 @@ MembersByStateDesc=Šis ekrāns parādīs statistiku par dalībniekiem, valsts / MembersByTownDesc=Šis ekrāns parādīs statistiku par biedriem ar pilsētu. MembersStatisticsDesc=Izvēlieties statistiku vēlaties izlasīt ... MenuMembersStats=Statistika -LastMemberDate=Latest member date +LastMemberDate=Pēdējā biedra datums LatestSubscriptionDate=Jaunākais piereģistrēšanās datums Nature=Daba Public=Informācija ir publiska NewMemberbyWeb=Jauns dalībnieks pievienots. Gaida apstiprinājumu -NewMemberForm=Jauns dalībnieks forma +NewMemberForm=Jauna dalībnieka forma SubscriptionsStatistics=Statistika par abonementu NbOfSubscriptions=Abonementu skaits AmountOfSubscriptions=Apjoms abonementu @@ -182,17 +182,17 @@ TurnoverOrBudget=Apgrozījums (uzņēmumam) vai budžets (par pamatu) DefaultAmount=Default summa parakstīšanās CanEditAmount=Apmeklētājs var izvēlēties / rediģēt summu no tās parakstītā MEMBER_NEWFORM_PAYONLINE=Pārlēkt uz integrētu tiešsaistes maksājumu lapā -ByProperties=By nature -MembersStatisticsByProperties=Members statistics by nature +ByProperties=Pēc būtības +MembersStatisticsByProperties=Dalībnieku statistika pēc būtības MembersByNature=This screen show you statistics on members by nature. MembersByRegion=This screen show you statistics on members by region. VATToUseForSubscriptions=PVN likme izmantot abonementu NoVatOnSubscription=Nav TVA par abonēšanu MEMBER_PAYONLINE_SENDEMAIL=Email to use for email warning when Dolibarr receive a confirmation of a validated payment for a subscription (Example: paymentdone@example.com) ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=Product used for subscription line into invoice: %s -NameOrCompany=Name or company -SubscriptionRecorded=Subscription recorded -NoEmailSentToMember=No email sent to member -EmailSentToMember=Email sent to member at %s -SendReminderForExpiredSubscriptionTitle=Send reminder by email for expired subscription -SendReminderForExpiredSubscription=Send reminder by email to members when subscription is about to expire (parameter is number of days before end of subscription to send the remind) +NameOrCompany=Vārds vai uzņēmums +SubscriptionRecorded=Abonements ir ierakstīts +NoEmailSentToMember=Biedram nav nosūtīts neviens e-pasts +EmailSentToMember=E-pasts tiek nosūtīts dalībniekam %s +SendReminderForExpiredSubscriptionTitle=Nosūtiet atgādinājumu pa e-pastu, kad esat beidzis abonementu +SendReminderForExpiredSubscription=Nosūtiet atgādinājumu pa e-pastu dalībniekiem, kad abonements beigsies (parametrs ir dienu skaits pirms abonēšanas beigām, lai nosūtītu atgādinājumu). diff --git a/htdocs/langs/lv_LV/modulebuilder.lang b/htdocs/langs/lv_LV/modulebuilder.lang index 1e1d3a916f8cb..a70b03d2c696e 100644 --- a/htdocs/langs/lv_LV/modulebuilder.lang +++ b/htdocs/langs/lv_LV/modulebuilder.lang @@ -1,5 +1,5 @@ # Dolibarr language file - Source file is en_US - loan -ModuleBuilderDesc=This tools must be used by experienced users or developers. It gives you utilities to build or edit your own module (Documentation for alternative manual development is here). +ModuleBuilderDesc=Šie rīki ir jāizmanto pieredzējušiem lietotājiem vai izstrādātājiem. Tas dod jums programmu, lai izveidotu vai rediģētu savu moduli (dokumentācija alternatīvu manuālajai izstrādei ir pieejama šeit ). EnterNameOfModuleDesc=Enter name of the module/application to create with no spaces. Use uppercase to separate words (For example: MyModule, EcommerceForShop, SyncWithMySystem...) EnterNameOfObjectDesc=Enter name of the object to create with no spaces. Use uppercase to separate words (For example: MyObject, Student, Teacher...). The CRUD class file, but also API file, pages to list/add/edit/delete object and SQL files will be generated. ModuleBuilderDesc2=Path where modules are generated/edited (first alternative directory defined into %s): %s @@ -7,91 +7,95 @@ ModuleBuilderDesc3=Generated/editable modules found: %s ModuleBuilderDesc4=A module is detected as 'editable' when the file %s exists in root of module directory NewModule=Jauns modulis NewObject=Jauns objekts -ModuleKey=Module key -ObjectKey=Object key +ModuleKey=Moduļa atslēga +ObjectKey=Objekta atslēga ModuleInitialized=Modulis inicializēts FilesForObjectInitialized=Files for new object '%s' initialized FilesForObjectUpdated=Files for object '%s' updated (.sql files and .class.php file) ModuleBuilderDescdescription=Enter here all general information that describe your module. -ModuleBuilderDescspecifications=You can enter here a long text to describe the specifications of your module that is not already structured into other tabs. So you have within easy reach all the rules to develop. Also this text content will be included into the generated documentation (see last tab). You can use Markdown format, but it is recommanded to use Asciidoc format (Comparison between .md and .asciidoc: http://asciidoctor.org/docs/user-manual/#compared-to-markdown) -ModuleBuilderDescobjects=Define here the objects you want to manage with your module. A CRUD DAO class, SQL files, page to list record of objects, to create/edit/view a record and an API will be generated. -ModuleBuilderDescmenus=This tab is dedicated to define menu entries provided by your module. -ModuleBuilderDescpermissions=This tab is dedicated to define the new permissions you want to provide with your module. -ModuleBuilderDesctriggers=This is the view of triggers provided by your module. To include code executed when a triggered business event is launched, just edit this file. -ModuleBuilderDeschooks=This tab is dedicated to hooks. +ModuleBuilderDescspecifications=Šeit varat ievadīt garu tekstu, lai aprakstītu moduļa specifikācijas, kas vēl nav strukturētas citās cilnēs. Tātad jums ir viegli sasniegt visus noteikumus, kas jāattīsta. Arī šis teksta saturs tiks iekļauts ģenerētajā dokumentācijā (skatiet pēdējo rindkopu). Jūs varat izmantot Markdown formātu, bet tiek ieteikts izmantot Asciidoc formātu (salīdzinājums starp .md un .asciidoc: http://asciidoctor.org/docs/user-manual/#compared-to-markdown). +ModuleBuilderDescobjects=Šeit definējiet objektus, kurus vēlaties pārvaldīt, izmantojot moduli. Tiks izveidots CRUD DAO klase, SQL faili, objektu ierakstu saraksta lapa, lai izveidotu / rediģētu / skatītu ierakstu un API. +ModuleBuilderDescmenus=Šī cilne ir paredzēta, lai definētu izvēlnes ierakstus, ko nodrošina jūsu modulis. +ModuleBuilderDescpermissions=Šī cilne ir paredzēta, lai definētu jaunās atļaujas, kuras vēlaties nodrošināt ar savu moduli. +ModuleBuilderDesctriggers=Tas ir moduļa sniegto aktivitāšu skatījums. Lai iekļautu kodu, kas palaists, kad tiek aktivizēts aktivizēts biznesa notikums, vienkārši rediģējiet šo failu. +ModuleBuilderDeschooks=Šī cilne ir paredzēta āķiem. ModuleBuilderDescwidgets=Šī cilne ir paredzēta, lai pārvaldītu/veidotu logrīkus. -ModuleBuilderDescbuildpackage=You can generate here a "ready to distribute" package file (a normalized .zip file) of your module and a "ready to distribute" documentation file. Just click on button to build the package or documentation file. -EnterNameOfModuleToDeleteDesc=You can delete your module. WARNING: All files of module but also structured data and documentation will be definitly lost ! -EnterNameOfObjectToDeleteDesc=You can delete an object. WARNING: All files related to object will be definitly lost ! +ModuleBuilderDescbuildpackage=Jūs varat ģenerēt šeit moduļa "gatavs izplatīšanai" pakotnes failu (standartizētu .zip failu) un dokumentācijas failu "gatavs izplatīšanai". Vienkārši noklikšķiniet uz pogas, lai izveidotu paketi vai dokumentācijas failu. +EnterNameOfModuleToDeleteDesc=Varat izdzēst savu moduli. BRĪDINĀJUMS: visi moduļa faili, kā arī strukturētie dati un dokumentācija noteikti tiks zaudēti! +EnterNameOfObjectToDeleteDesc=Jūs varat izdzēst objektu. BRĪDINĀJUMS: visi faili, kas saistīti ar objektu, tiks noteikti zaudēti! DangerZone=Bīstamā zona -BuildPackage=Build package/documentation -BuildDocumentation=Build documentation -ModuleIsNotActive=This module was not activated yet. Go into %s to make it live or click here: -ModuleIsLive=This module has been activated. Any change on it may break a current active feature. +BuildPackage=Veidojiet paketi / dokumentāciju +BuildDocumentation=Izveidot dokumentāciju +ModuleIsNotActive=Šis modulis vēl nav aktivizēts. Iet uz %s, lai to veiktu, vai arī noklikšķiniet šeit: +ModuleIsLive=Šis modulis ir aktivizēts. Jebkuras izmaiņas tajā var pārtraukt pašreizējo aktīvo funkciju. DescriptionLong=Apraksts EditorName=Redaktora vārds EditorUrl=Rediģētāja URL -DescriptorFile=Descriptor file of module -ClassFile=File for PHP DAO CRUD class -ApiClassFile=File for PHP API class -PageForList=PHP page for list of record -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 -PathToModulePackage=Path to zip of module/application package -PathToModuleDocumentation=Path to file of module/application documentation -SpaceOrSpecialCharAreNotAllowed=Spaces or special characters are not allowed. -FileNotYetGenerated=File not yet generated -RegenerateClassAndSql=Erase and regenerate class and sql files -RegenerateMissingFiles=Generate missing files -SpecificationFile=File with business rules -LanguageFile=File for language -ConfirmDeleteProperty=Are you sure you want to delete the property %s ? This will change code in PHP class but also remove column from table definition of object. -NotNull=Not NULL -NotNullDesc=1=Set database to NOT NULL. -1=Allow null values and force value to NULL if empty ('' or 0). -SearchAll=Used for 'search all' +DescriptorFile=Moduļa apraksta fails +ClassFile=PHP DAO CRUD klase +ApiClassFile=PHP API klases fails +PageForList=PHP lapa ierakstu sarakstam +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ē +PathToModulePackage=Ceļš uz moduļa / pieteikuma pakotnes rāvienu +PathToModuleDocumentation=Ceļš uz moduļa / lietojumprogrammas dokumentāciju +SpaceOrSpecialCharAreNotAllowed=Spaces vai speciālās rakstzīmes nav atļautas. +FileNotYetGenerated=Fails vēl nav izveidots +RegenerateClassAndSql=Dzēst un atjaunot klases un sql failus +RegenerateMissingFiles=Izveidot trūkstošos failus +SpecificationFile=Fails ar uzņēmējdarbības noteikumiem +LanguageFile=Valoda +ConfirmDeleteProperty=Vai tiešām vēlaties dzēst īpašumu %s ? Tas mainīs kodu PHP klasē, bet no tabulas definīcijas no kolonnas noņems arī objektu. +NotNull=Nav NULL +NotNullDesc=1 = Iestatiet datubāzi NOT NULL. -1 = Atļaut nulles vērtības un spēka vērtību NULL, ja tukšs ('' vai 0). +SearchAll=Lietots, lai "meklētu visu" DatabaseIndex=Datubāzes indekss -FileAlreadyExists=File %s already exists -TriggersFile=File for triggers code -HooksFile=File for hooks code +FileAlreadyExists=Fails %s jau eksistē +TriggersFile=Fails par aktivizētāja kodu +HooksFile=Āķu koda fails ArrayOfKeyValues=Array of key-val -ArrayOfKeyValuesDesc=Array of keys and values if field is a combo list with fixed values +ArrayOfKeyValuesDesc=Atslēgu un vērtību masīvs, ja lauks ir kombinēts saraksts ar fiksētām vērtībām WidgetFile=Logrīku fails ReadmeFile=Izlasi mani fails ChangeLog=Izmaiņu fails -TestClassFile=File for PHP Unit Test class +TestClassFile=PHP Unit Test klases fails SqlFile=Sql fails -PageForLib=File for PHP libraries -SqlFileExtraFields=Sql file for complementary attributes -SqlFileKey=Sql file for keys -AnObjectAlreadyExistWithThisNameAndDiffCase=An object already exists with this name and a different case -UseAsciiDocFormat=You can use Markdown format, but it is recommanded to use Asciidoc format (Comparison between .md and .asciidoc: http://asciidoctor.org/docs/user-manual/#compared-to-markdown) -IsAMeasure=Is a measure -DirScanned=Directory scanned -NoTrigger=No trigger -NoWidget=No widget -GoToApiExplorer=Go to API explorer -ListOfMenusEntries=List of menu entries -ListOfPermissionsDefined=List of defined permissions -EnabledDesc=Condition to have this field active (Examples: 1 or $conf->global->MYMODULE_MYOPTION) -VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only. Using a negative value means field is not shown by default on list but can be selected for viewing) -IsAMeasureDesc=Can the value of field be cumulated to get a total into list ? (Examples: 1 or 0) -SearchAllDesc=Is the field used to make a search from the quick search tool ? (Examples: 1 or 0) -SpecDefDesc=Enter here all documentation you want to provide with your module that is not already defined by other tabs. You can use .md or better, the rich .asciidoc syntax. -LanguageDefDesc=Enter in this files, all the key and the translation for each language file. -MenusDefDesc=Define here the menus provided by your module (once defined, they are visible into the menu editor %s) -PermissionsDefDesc=Define here the new permissions provided by your module (once defined, they are visible into the default permissions setup %s) -HooksDefDesc=Define in the module_parts['hooks'] property, in the module descriptor, the context of hooks you want to manage (list of contexts can be found by a search on 'initHooks(' in core code).
Edit the hook file to add code of your hooked functions (hookable functions can be found by a search on 'executeHooks' in core code). -TriggerDefDesc=Define in the trigger file the code you want to execute for each business event executed. -SeeIDsInUse=See IDs in use in your installation -SeeReservedIDsRangeHere=See range of reserved IDs -ToolkitForDevelopers=Toolkit for Dolibarr developers -TryToUseTheModuleBuilder=If you have knowledge in SQL and PHP, you can try to use the native module builder wizard. Just enable the module and use the wizard by clicking the on the top right menu. Warning: This is a developer feature, bad use may breaks your application. -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) +PageForLib=PHP bibliotēku fails +SqlFileExtraFields=Sql fails papildu atribūtiem +SqlFileKey=Sql failu atslēgas +AnObjectAlreadyExistWithThisNameAndDiffCase=Priekšmets jau pastāv ar šo vārdu un citu lietu +UseAsciiDocFormat=Jūs varat izmantot Markdown formātu, bet tiek ieteikts izmantot Asciidoc formātu (salīdzinājums starp .md un .asciidoc: http://asciidoctor.org/docs/user-manual/#compared-to-markdown). +IsAMeasure=Vai pasākums +DirScanned=Direktorija skenēta +NoTrigger=Nav sprūda +NoWidget=Nav logrīku +GoToApiExplorer=Iet uz API pētnieku +ListOfMenusEntries=Izvēlnes ierakstu saraksts +ListOfPermissionsDefined=Noteikto atļauju saraksts +SeeExamples=See examples here +EnabledDesc=Nosacījums, lai šis lauks būtu aktīvs (piemēri: 1 vai $ conf-> globāla-> MYMODULE_MYOPTION) +VisibleDesc=Vai lauks ir redzams? (Piemēri: 0 = Nekad nav redzams, 1 = Redzams sarakstā un izveido / atjaunina / skata veidlapas, 2 = Redzams tikai sarakstā, 3 = Redzams tikai veidojot / atjauninot / skata formu. saraksta noklusējums, bet to var atlasīt skatīšanai) +IsAMeasureDesc=Vai lauka vērtību var uzkrāties, lai kopsumma tiktu iekļauta sarakstā? (Piemēri: 1 vai 0) +SearchAllDesc=Vai laukums tiek izmantots, lai veiktu meklēšanu no ātrās meklēšanas rīka? (Piemēri: 1 vai 0) +SpecDefDesc=Ievadiet šeit visu dokumentāciju, ko vēlaties iesniegt ar savu moduli, kuru vēl nav definējušas citas cilnes. Jūs varat izmantot .md vai labāku, bagātīgo .asciidoc sintaksi. +LanguageDefDesc=Ievadiet šos failus, visu valodas faila atslēgu un tulkojumu. +MenusDefDesc=Šeit definējiet izvēlnes, ko nodrošina jūsu modulis (pēc definīcijas tie ir redzami izvēlnes redaktorā %s) +PermissionsDefDesc=Šeit definējiet jaunās atļaujas, kuras nodrošina jūsu modulis (pēc definīcijas tie ir redzami noklusējuma atļaujas iestatījumam %s) +HooksDefDesc=Modu deskriptorā module_parts ['āķi'] definējiet āķu kontekstu, kuru vēlaties pārvaldīt (konteksta sarakstu var atrast, veicot meklēšanu ar initHooks ( b> "galvenajā kodā).
Rediģējiet āķa failu, lai pievienotu savu āķa funkciju kodu (kontaktu funkcijas var atrast, veicot meklēšanu ar kodu executeHooks '). +TriggerDefDesc=Sprūda failā definējiet kodu, kuru vēlaties izpildīt katram notikušajam notikumam. +SeeIDsInUse=Skatiet jūsu instalācijā izmantotos ID +SeeReservedIDsRangeHere=Skatiet rezervēto ID diapazonu +ToolkitForDevelopers=Dolibarr izstrādātāju rīks +TryToUseTheModuleBuilder=Ja jums ir zināšanas SQL un PHP, varat mēģināt izmantot vietējo moduļu veidotāja vedni. Vienkārši aktivizējiet moduli un izmantojiet vedni, noklikšķinot uz augšējā labajā izvēlnē. Brīdinājums: šī ir izstrādātāja funkcija, jo slikta lietošana var pārtraukt jūsu lietojumprogrammas darbību. +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) TableDoesNotExists=Tabula %s nepastāv TableDropped=Tabula %s dzēsta -InitStructureFromExistingTable=Build the structure array string of an existing table +InitStructureFromExistingTable=Veidojiet esošās tabulas struktūras masīva virkni +UseAboutPage=Disallow the about page +UseDocFolder=Disallow the documentation folder +UseSpecificReadme=Use a specific ReadMe diff --git a/htdocs/langs/lv_LV/orders.lang b/htdocs/langs/lv_LV/orders.lang index f4d190a0d5121..c10c77fe4c44b 100644 --- a/htdocs/langs/lv_LV/orders.lang +++ b/htdocs/langs/lv_LV/orders.lang @@ -1,30 +1,30 @@ # Dolibarr language file - Source file is en_US - orders OrdersArea=Klienti pasūtījumu sadaļa -SuppliersOrdersArea=Purchase orders area +SuppliersOrdersArea=Pirkumu pasūtījumu apgabals OrderCard=Pasūtījumu kartiņa OrderId=Pasūtījuma ID Order=Rīkojums PdfOrderTitle=Pasūtījums Orders=Pasūtījumi -OrderLine=Lai līnija +OrderLine=Pasūtījuma rinda OrderDate=Pasūtīt datumu OrderDateShort=Pasūtījuma datums OrderToProcess=Pasūtījums, kas jāapstrādā NewOrder=Jauns pasūtījums ToOrder=Veicot pasūtījumu MakeOrder=Veicot pasūtījumu -SupplierOrder=Purchase order -SuppliersOrders=Purchase orders -SuppliersOrdersRunning=Current purchase orders -CustomerOrder=Klienta pasūtijums -CustomersOrders=Klientu Pasūtījumi -CustomersOrdersRunning=Current customer orders +SupplierOrder=Pirkuma pasūtījums +SuppliersOrders=Pirkuma pasūtījumi +SuppliersOrdersRunning=Pašreizējie pirkumu pasūtījumi +CustomerOrder=Klienta pasūtījums +CustomersOrders=Klientu pasūtījumi +CustomersOrdersRunning=Pašreizējie klientu pasūtījumi CustomersOrdersAndOrdersLines=Customer orders and order lines OrdersDeliveredToBill=Klienta pasūtījumi piegādāti rēķinam -OrdersToBill=Customer orders delivered +OrdersToBill=Klienta pasūtījumi piegādāti OrdersInProcess=Klientu pasūtījumi apstrādē OrdersToProcess=Klientu pasūtījumi, kas jāapstrādā -SuppliersOrdersToProcess=Purchase orders to process +SuppliersOrdersToProcess=Pirkuma pasūtījumi apstrādāt StatusOrderCanceledShort=Atcelts StatusOrderDraftShort=Projekts StatusOrderValidatedShort=Apstiprināts @@ -40,7 +40,7 @@ StatusOrderRefusedShort=Atteikts StatusOrderBilledShort=Billed StatusOrderToProcessShort=Jāapstrādā StatusOrderReceivedPartiallyShort=Daļēji saņemti -StatusOrderReceivedAllShort=Products received +StatusOrderReceivedAllShort=Saņemtie produkti StatusOrderCanceled=Atcelts StatusOrderDraft=Projekts (ir jāapstiprina) StatusOrderValidated=Apstiprināts @@ -52,7 +52,7 @@ StatusOrderApproved=Apstiprināts StatusOrderRefused=Atteikts StatusOrderBilled=Billed StatusOrderReceivedPartially=Daļēji saņemts -StatusOrderReceivedAll=All products received +StatusOrderReceivedAll=Visi produkti saņemti ShippingExist=Sūtījums pastāv QtyOrdered=Pasūtītais daudzums ProductQtyInDraft=Product quantity into draft orders @@ -65,25 +65,25 @@ RefuseOrder=Atteikt pasūtījumu ApproveOrder=Apstiprināt pasūtījumu Approve2Order=Approve order (second level) ValidateOrder=Apstiprināt pasūtījumu -UnvalidateOrder=Unvalidate pasūtījumu +UnvalidateOrder=Neapstiprināts pasūtījums DeleteOrder=Dzēst pasūtījumu CancelOrder=Atcelt pasūtījumu -OrderReopened= Order %s Reopened +OrderReopened= Pasūtījums %s atkārtoti atvērts AddOrder=Jauns pasūtījums AddToDraftOrders=Pievienot rīkojuma projektu ShowOrder=Rādīt pasūtījumu OrdersOpened=Orders to process NoDraftOrders=Nav projektu pasūtījumi NoOrder=Nav pasūtījuma -NoSupplierOrder=No purchase order -LastOrders=Latest %s customer orders -LastCustomerOrders=Latest %s customer orders -LastSupplierOrders=Latest %s purchase orders +NoSupplierOrder=Neviens pirkuma pasūtījums nav +LastOrders=Jaunākie %s klientu pasūtījumi +LastCustomerOrders=Jaunākie %s klientu pasūtījumi +LastSupplierOrders=Jaunākie %s pirkuma pasūtījumi LastModifiedOrders=Latest %s modified orders AllOrders=Visi pasūtījumi NbOfOrders=Pasūtījumu skaits OrdersStatistics=Pasūtījuma-u statistika -OrdersStatisticsSuppliers=Purchase order statistics +OrdersStatisticsSuppliers=Pirkuma pasūtījumu statistika NumberOfOrdersByMonth=Pasūtījumu skaits pa mēnešiem AmountOfOrdersByMonthHT=Pasūtījumu summa mēnesī (bez nodokļiem) ListOfOrders=Pasūtījumu saraksts @@ -97,12 +97,12 @@ ConfirmMakeOrder=Are you sure you want to confirm you made this order on %s%s ? DispatchSupplierOrder=Saņemšanas piegādātājs pasūtījuma %s -FirstApprovalAlreadyDone=First approval already done +FirstApprovalAlreadyDone=Pirmais apstiprinājums jau ir izdarīts SecondApprovalAlreadyDone=Second approval already done -SupplierOrderReceivedInDolibarr=Purchase Order %s received %s -SupplierOrderSubmitedInDolibarr=Purchase Order %s submited -SupplierOrderClassifiedBilled=Purchase Order %s set billed -OtherOrders=Citi rīkojumi +SupplierOrderReceivedInDolibarr=Pirkuma pasūtījumu %s saņēma %s +SupplierOrderSubmitedInDolibarr=Pirkuma pasūtījums %s iesniegts +SupplierOrderClassifiedBilled=Pirkuma pasūtījums %s, kas ir iekasēts +OtherOrders=Citi pasūtījumi ##### Types de contacts ##### TypeContact_commande_internal_SALESREPFOLL=Pārstāvis turpinot darboties klienta pasūtījumu TypeContact_commande_internal_SHIPPING=Pārstāvis turpinot darboties kuģniecības TypeContact_commande_external_BILLING=Klienta rēķina kontakts TypeContact_commande_external_SHIPPING=Klientu kuģniecības kontakts TypeContact_commande_external_CUSTOMER=Klientu kontaktu šādi pasākumi, lai -TypeContact_order_supplier_internal_SALESREPFOLL=Representative following-up purchase order +TypeContact_order_supplier_internal_SALESREPFOLL=Pārstāvošs pēcpārdošanas pasūtījums TypeContact_order_supplier_internal_SHIPPING=Pārstāvis turpinot darboties kuģniecības -TypeContact_order_supplier_external_BILLING=Vendor invoice contact -TypeContact_order_supplier_external_SHIPPING=Vendor shipping contact -TypeContact_order_supplier_external_CUSTOMER=Vendor contact following-up order +TypeContact_order_supplier_external_BILLING=Piegādātāja rēķina kontakts +TypeContact_order_supplier_external_SHIPPING=Piegādātāja piegādes kontaktpersona +TypeContact_order_supplier_external_CUSTOMER=Piegādātāja kontaktinformācija pēc pasūtījuma Error_COMMANDE_SUPPLIER_ADDON_NotDefined=Pastāvīga COMMANDE_SUPPLIER_ADDON nav noteikts Error_COMMANDE_ADDON_NotDefined=Pastāvīga COMMANDE_ADDON nav noteikts Error_OrderNotChecked=Nav pasūtījumus izvēlētā rēķina @@ -152,7 +152,7 @@ OrderCreated=Jūsu pasūtījumi ir radīti OrderFail=Kļūda notika laikā jūsu pasūtījumu radīšanu CreateOrders=Izveidot pasūtījumus ToBillSeveralOrderSelectCustomer=To create an invoice for several orders, click first onto customer, then choose "%s". -OptionToSetOrderBilledNotEnabled=Option (from module Workflow) to set order to 'Billed' automatically when invoice is validated is off, so you will have to set status of order to 'Billed' manually. -IfValidateInvoiceIsNoOrderStayUnbilled=If invoice validation is 'No', the order will remain to status 'Unbilled' until the invoice is validated. -CloseReceivedSupplierOrdersAutomatically=Close order to "%s" automatically if all products are received. +OptionToSetOrderBilledNotEnabled=Opcija (no moduļa Workflow), lai automātiski iestatītu pasūtījumu uz "Billing", kad rēķins tiek apstiprināts, ir izslēgts, tādēļ jums būs jāiestata pasūtījuma statuss uz "Billed" manuāli. +IfValidateInvoiceIsNoOrderStayUnbilled=Ja rēķina apstiprinājums ir "Nē", pasūtījums paliek statusā "Neapstiprināts", kamēr rēķins nav apstiprināts. +CloseReceivedSupplierOrdersAutomatically=Aizveriet "%s" automātiski, ja visi produkti ir saņemti. SetShippingMode=Iestatiet piegādes režīmu diff --git a/htdocs/langs/lv_LV/other.lang b/htdocs/langs/lv_LV/other.lang index b3ebe64fcb0f8..c03dc12a691a4 100644 --- a/htdocs/langs/lv_LV/other.lang +++ b/htdocs/langs/lv_LV/other.lang @@ -10,34 +10,34 @@ 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 -MonthOfInvoice=Month (number 1-12) of invoice date +MonthOfInvoice=Rēķina datuma mēnesis (no 1-12) TextMonthOfInvoice=Month (text) of invoice date -PreviousMonthOfInvoice=Previous month (number 1-12) of invoice date +PreviousMonthOfInvoice=Rēķina datuma iepriekšējais mēnesis (no 1-12) 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 +NextMonthOfInvoice=Pēc mēneša (no 1-12) rēķina datums +TextNextMonthOfInvoice=Pēc mēneša (teksts) rēķina datums +ZipFileGeneratedInto=Zip fails, kas ģenerēts %s . +DocFileGeneratedInto=Doc fails ir izveidots %s . +JumpToLogin=Atvienots. Iet uz pieteikšanās lapu ... +MessageForm=Ziņa par tiešsaistes maksājuma veidlapu MessageOK=Ziņu kopā ar apstiprinātu maksājuma atgriešanās lapā MessageKO=Ziņa par atcelto maksājumu atgriešanās lapā -ContentOfDirectoryIsNotEmpty=Content of this directory is not empty. -DeleteAlsoContentRecursively=Check to delete all content recursiveley +ContentOfDirectoryIsNotEmpty=Šīs direktorijas saturs nav tukšs. +DeleteAlsoContentRecursively=Pārbaudiet, lai izdzēstu visu rekursīvu saturu YearOfInvoice=Rēķina datums PreviousYearOfInvoice=Iepriekšējā rēķina datuma gads -NextYearOfInvoice=Following year of invoice date -DateNextInvoiceBeforeGen=Date of next invoice (before generation) -DateNextInvoiceAfterGen=Date of next invoice (after generation) +NextYearOfInvoice=Pēc gada rēķina datuma +DateNextInvoiceBeforeGen=Nākamā rēķina datums (pirms paaudzes) +DateNextInvoiceAfterGen=Nākamā rēķina datums (pēc paaudzes) Notify_FICHINTER_ADD_CONTACT=Added contact to Intervention Notify_FICHINTER_VALIDATE=Intervences apstiprināts Notify_FICHINTER_SENTBYMAIL=Intervences nosūtīt pa pastu -Notify_ORDER_VALIDATE=Klienta rīkojumu apstiprināts +Notify_ORDER_VALIDATE=Klienta pasūtījums apstiprināts Notify_ORDER_SENTBYMAIL=Klienta rīkojumam, kas nosūtīts pa pastu Notify_ORDER_SUPPLIER_SENTBYMAIL=Piegādātājs rīkojumam, kas nosūtīts pa pastu -Notify_ORDER_SUPPLIER_VALIDATE=Supplier order recorded +Notify_ORDER_SUPPLIER_VALIDATE=Piegādātāja pasūtījums reģistrēts Notify_ORDER_SUPPLIER_APPROVE=Piegādātājs, lai apstiprinātu Notify_ORDER_SUPPLIER_REFUSE=Piegādātājs lai atteicās Notify_PROPAL_VALIDATE=Klientu priekšlikums apstiprināts @@ -58,14 +58,14 @@ Notify_BILL_SUPPLIER_VALIDATE=Piegādātāja rēķins apstiprināts Notify_BILL_SUPPLIER_PAYED=Piegādātāja rēķins jāapmaksā Notify_BILL_SUPPLIER_SENTBYMAIL=Piegādātāja rēķins nosūtīts pa pastu Notify_BILL_SUPPLIER_CANCELED=Supplier invoice cancelled -Notify_CONTRACT_VALIDATE=Līgums apstiprināts +Notify_CONTRACT_VALIDATE=Līgums ir apstiprināts Notify_FICHEINTER_VALIDATE=Intervences apstiprināts Notify_SHIPPING_VALIDATE=Piegāde apstiprināta -Notify_SHIPPING_SENTBYMAIL=Piegāde nosūtīt pa pastu +Notify_SHIPPING_SENTBYMAIL=Piegāde nosūtīta pa pastu Notify_MEMBER_VALIDATE=Dalībnieks apstiprināts -Notify_MEMBER_MODIFY=Member modified +Notify_MEMBER_MODIFY=Dalībnieks ir labots Notify_MEMBER_SUBSCRIPTION=Dalībnieks pierakstījies -Notify_MEMBER_RESILIATE=Member terminated +Notify_MEMBER_RESILIATE=Dalībnieks izbeidzies Notify_MEMBER_DELETE=Biedrs svītrots Notify_PROJECT_CREATE=Projekts izveidots Notify_TASK_CREATE=Uzdevums izveidots @@ -78,22 +78,23 @@ MaxSize=Maksimālais izmērs AttachANewFile=Pievienot jaunu failu / dokumentu LinkedObject=Saistītais objekts NbOfActiveNotifications=Number of notifications (nb of recipient emails) -PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe two lines are separated by a carriage return.\n\n__USER_SIGNATURE__ -PredefinedMailTestHtml=__(Hello)__\nThis is a test mail (the word test must be in bold).
The two lines are separated by a carriage return.

__USER_SIGNATURE__ -PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\nThis is the link to make your online payment if this invoice is not already payed:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\nThis is the link to make your online payment:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendProposal=__(Hello)__\n\nYou will find here the commercial proposal __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendSupplierProposal=__(Hello)__\n\nYou will find here the price request __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendOrder=__(Hello)__\n\nYou will find here the order __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendSupplierOrder=__(Hello)__\n\nYou will find here our order __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendSupplierInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendShipping=__(Hello)__\n\nYou will find here the shipping __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendFichInter=__(Hello)__\n\nYou will find here the intervention __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentThirdparty=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentUser=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailTest=__(Sveiki)__\nŠis ir testa pasts, kas nosūtīts uz __EMAIL__.\nAbas līnijas ir atdalītas ar vagona atgriešanu.\n\n__USER_SIGNATURE__ +PredefinedMailTestHtml=__(Sveiki)__\nŠis ir testa pasts (vārda pārbaude ir treknrakstā).
Divas rindas atdala ar rāmja atgriešanu.

__USER_SIGNATURE__ +PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendProposal=__(Sveiki)__\n\nŠeit jūs atradīsiet komerciālu priekšlikumu __REF__\n\n\n__ (Ar cieņu) __\n\n__USER_SIGNATURE__ +PredefinedMailContentSendSupplierProposal=__(Sveiki)__\n\nŠeit jūs atradīsiet cenu pieprasījumu __REF__\n\n\n__ (Ar cieņu) __\n\n__USER_SIGNATURE__ +PredefinedMailContentSendOrder=__(Sveiki)__\n\nJūs atradīsit šeit pasūtījumu __REF__\n\n\n__ (Ar cieņu) __\n\n__USER_SIGNATURE__ +PredefinedMailContentSendSupplierOrder=__(Sveiki)__\n\nJūs atradīsiet šeit mūsu pasūtījumu __REF__\n\n\n__ (Ar cieņu) __\n\n__USER_SIGNATURE__ +PredefinedMailContentSendSupplierInvoice=__(Sveiki)__\n\nŠeit jūs atradīsiet rēķinu __REF__\n\n\n__ (Ar cieņu) __\n\n__USER_SIGNATURE__ +PredefinedMailContentSendShipping=__(Sveiki)__\n\nŠeit jūs atradīsit piegādi __REF__\n\n\n__ (Ar cieņu) __\n\n__USER_SIGNATURE__ +PredefinedMailContentSendFichInter=__(Sveiki)__\n\nŠeit jūs atradīsiet intervenci __REF__\n\n\n__ (Ar cieņu) __\n\n__USER_SIGNATURE__ +PredefinedMailContentThirdparty=__(Sveiki)__\n\n\n__ (Ar cieņu) __\n\n__USER_SIGNATURE__ +PredefinedMailContentUser=__(Sveiki)__\n\n\n__ (Ar cieņu) __\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 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) +ChooseYourDemoProfilMore=... vai izveidojiet savu profilu
(manuālā moduļa izvēle) DemoFundation=Pārvaldīt locekļus nodibinājumam DemoFundation2=Pārvaldīt dalībniekus un bankas kontu nodibinājumam DemoCompanyServiceOnly=Company or freelance selling service only @@ -128,7 +129,7 @@ Right=Labā puse CalculatedWeight=Aprēķinātais svars CalculatedVolume=Aprēķinātais tilpums Weight=Svars -WeightUnitton=tonne +WeightUnitton=tonna WeightUnitkg=kg WeightUnitg=gr WeightUnitmg=mg @@ -164,7 +165,7 @@ SizeUnitinch=colla SizeUnitfoot=pēda SizeUnitpoint=punkts 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=Šī veidlapa ļauj pieprasīt jaunu paroli. Tas tiks nosūtīts uz jūsu e-pasta adresi.
Mainīšana stāsies spēkā pēc tam, kad noklikšķināsit uz e-pasta ziņojuma apstiprinājuma saites.
Pārbaudiet savu iesūtni. BackToLoginPage=Atpakaļ uz autorizācijas lapu AuthenticationDoesNotAllowSendNewPassword=Autentifikācijas režīms ir %s.
Šajā režīmā, Dolibarr nevar zināt, ne nomainīt savu paroli.
Sazinieties ar sistēmas administratoru, ja jūs vēlaties mainīt savu paroli. EnableGDLibraryDesc=Install or enable GD library on your PHP installation to use this option. @@ -175,20 +176,20 @@ StatsByNumberOfEntities=Statistics in number of referring entities (nb of invoic NumberOfProposals=Priekšlikumu skaits NumberOfCustomerOrders=Klientu pasūtījumu skaits NumberOfCustomerInvoices=Klientu rēķinu skaits -NumberOfSupplierProposals=Number of supplier proposals +NumberOfSupplierProposals=Piegādes priekšlikumu skaits NumberOfSupplierOrders=Number of supplier orders NumberOfSupplierInvoices=Piegādātāju rēķinu skaits NumberOfUnitsProposals=Number of units on proposals NumberOfUnitsCustomerOrders=Number of units on customer orders NumberOfUnitsCustomerInvoices=Number of units on customer invoices -NumberOfUnitsSupplierProposals=Number of units on supplier proposals +NumberOfUnitsSupplierProposals=Vienību skaits pēc piegādātāju priekšlikumiem NumberOfUnitsSupplierOrders=Number of units on supplier orders NumberOfUnitsSupplierInvoices=Number of units on supplier invoices EMailTextInterventionAddedContact=A newintervention %s has been assigned to you. EMailTextInterventionValidated=Iejaukšanās %s ir apstiprināta. EMailTextInvoiceValidated=Rēķins %s ir apstiprināts. EMailTextProposalValidated=Priekšlikums %s ir apstiprināts. -EMailTextProposalClosedSigned=The proposal %s has been closed signed. +EMailTextProposalClosedSigned=Priekšlikums %s ir slēgts parakstīts. EMailTextOrderValidated=Pasūtījums %s ir apstiprināts. EMailTextOrderApproved=Pasūtījums %s ir apstiprināts. EMailTextOrderValidatedBy=The order %s has been recorded by %s. @@ -216,9 +217,9 @@ StartUpload=Sākt augšupielādi CancelUpload=Atcelt augšupielādi FileIsTooBig=Faili ir pārāk lieli PleaseBePatient=Lūdzu, esiet pacietīgi ... -NewPassword=New password -ResetPassword=Reset password -RequestToResetPasswordReceived=A request to change your password has been received +NewPassword=Jauna parole +ResetPassword=Atiestatīt paroli +RequestToResetPasswordReceived=Ir saņemts pieprasījums mainīt jūsu paroli. NewKeyIs=Tas ir jūsu jaunās atslēgas, lai pieteiktos NewKeyWillBe=Jūsu jaunais galvenais, lai pieteiktos uz programmatūru, būs ClickHereToGoTo=Klikšķiniet šeit, lai dotos uz %s @@ -227,13 +228,13 @@ ForgetIfNothing=Ja Jums nav lūgt šīs izmaiņas, vienkārši aizmirst šo e-pa IfAmountHigherThan=If amount higher than %s SourcesRepository=Repository for sources Chart=Diagramma -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 +PassEncoding=Paroles kodēšana +PermissionsAdd=Pievienotas atļaujas +PermissionsDelete=Atļaujas noņemtas +YourPasswordMustHaveAtLeastXChars=Jūsu parolei ir jābūt vismaz %s simboliem +YourPasswordHasBeenReset=Jūsu parole ir veiksmīgi atiestatīta +ApplicantIpAddress=Pieteikuma iesniedzēja IP adrese +SMSSentTo=SMS nosūtīta uz %s ##### Export ##### ExportsArea=Eksportēšanas sadaļa @@ -243,9 +244,9 @@ LibraryVersion=Bibliotēkas versija ExportableDatas=Eksportējamie dati NoExportableData=Nav eksportējami dati (nav moduļi ar eksportējami datu ielādes, vai trūkstošos atļaujas) ##### External sites ##### -WebsiteSetup=Setup of module website -WEBSITE_PAGEURL=URL of page +WebsiteSetup=Moduļa vietnes iestatīšana +WEBSITE_PAGEURL=Lapas URL WEBSITE_TITLE=Virsraksts WEBSITE_DESCRIPTION=Apraksts WEBSITE_KEYWORDS=Atslēgas vārdi -LinesToImport=Lines to import +LinesToImport=Importa līnijas diff --git a/htdocs/langs/lv_LV/paybox.lang b/htdocs/langs/lv_LV/paybox.lang index 054537dec4925..12f6f119f1e93 100644 --- a/htdocs/langs/lv_LV/paybox.lang +++ b/htdocs/langs/lv_LV/paybox.lang @@ -1,5 +1,5 @@ # Dolibarr language file - Source file is en_US - paybox -PayBoxSetup=Paybox modulis uzstādīšana +PayBoxSetup=PayBox moduļa iestatīšana PayBoxDesc=Šis modulis piedāvā lapas, lai ļautu maksājumus par Paybox ar klientiem. To var izmantot par brīvu maksājumu vai maksājumu par konkrētu Dolibarr objektu (rēķins, rīkojums, ...) FollowingUrlAreAvailableToMakePayments=Pēc URL ir pieejami, lai piedāvātu lapu, lai klients varētu veikt maksājumu par Dolibarr objektiem PaymentForm=Maksājuma formu @@ -23,12 +23,12 @@ ToOfferALinkForOnlinePaymentOnMemberSubscription=URL piedāvāt %s tiešsaistes YouCanAddTagOnUrl=Jūs varat arī pievienot url parametrs & Tag = vērtība, kādu no šiem URL (nepieciešams tikai bezmaksas samaksu), lai pievienotu savu maksājumu komentāru tagu. SetupPayBoxToHavePaymentCreatedAutomatically=Setup savu Paybox ar url %s ir maksājums izveidots automātiski, kad apstiprinājis Paybox. YourPaymentHasBeenRecorded=Šajā lapā apliecina, ka jūsu maksājums ir reģistrēts. Paldies. -YourPaymentHasNotBeenRecorded=Jūs maksājums nav reģistrēts, un darījums tika atcelts. Paldies. +YourPaymentHasNotBeenRecorded=Jūsu maksājums NAV reģistrēts un darījums ir atcelts. Paldies. AccountParameter=Konta parametri UsageParameter=Izmantošanas parametri InformationToFindParameters=Palīdzēt atrast savu %s konta informāciju PAYBOX_CGI_URL_V2=URL Paybox CGI modulis par samaksu -VendorName=Nosaukums pārdevējam +VendorName=Pārdevēja nosaukums CSSUrlForPaymentForm=CSS stila lapas url maksājuma formu NewPayboxPaymentReceived=Jauns Paybox maksājums saņemts NewPayboxPaymentFailed=Jauns Paybox maksājums mēģināju, bet neizdevās diff --git a/htdocs/langs/lv_LV/paypal.lang b/htdocs/langs/lv_LV/paypal.lang index 48b5730424331..3f90ad287e119 100644 --- a/htdocs/langs/lv_LV/paypal.lang +++ b/htdocs/langs/lv_LV/paypal.lang @@ -1,35 +1,34 @@ # Dolibarr language file - Source file is en_US - paypal PaypalSetup=PayPal moduļa iestatīšana PaypalDesc=Šis modulis piedāvā lapas, lai ļautu maksājumu ar PayPal klienti. To var izmantot par brīvu maksājumu vai maksājumu par konkrētu Dolibarr objektu (rēķins, rīkojums, ...) -PaypalOrCBDoPayment=Pay with Paypal (Credit Card or Paypal) +PaypalOrCBDoPayment=Maksāt ar Paypal (kredītkarti vai PayPal) PaypalDoPayment=Maksāt ar Paypal PAYPAL_API_SANDBOX=Mode tests / sandbox PAYPAL_API_USER=API lietotājvārds PAYPAL_API_PASSWORD=API parole PAYPAL_API_SIGNATURE=API paraksts -PAYPAL_SSLVERSION=Curl SSL Version +PAYPAL_SSLVERSION=Curl SSL versija PAYPAL_API_INTEGRAL_OR_PAYPALONLY=Akcija maksājums "neatņemama sastāvdaļa" (Kredītkaršu + Paypal), vai "Paypal" tikai PaypalModeIntegral=Integrālis PaypalModeOnlyPaypal=PayPal tikai ONLINE_PAYMENT_CSS_URL=Optionnal URL of CSS style sheet on online payment page ThisIsTransactionId=Tas ir id darījuma: %s PAYPAL_ADD_PAYMENT_URL=Pievieno url Paypal maksājumu, kad jūs sūtīt dokumentu pa pastu -PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.

%s

-YouAreCurrentlyInSandboxMode=You are currently in the %s "sandbox" mode +YouAreCurrentlyInSandboxMode=Pašlaik esat %s "smilškastes" režīmā NewOnlinePaymentReceived=Saņemts jauns tiešsaistes maksājums NewOnlinePaymentFailed=Jauns tiešsaistes maksājums tika izmēģināts, bet neizdevās ONLINE_PAYMENT_SENDEMAIL=E-pastu, lai brīdinātu pēc maksājuma (veiksme vai ne) ReturnURLAfterPayment=Return URL after payment ValidationOfOnlinePaymentFailed=Neveiksmīgs tiešsaistes maksājumu apstiprinājums -PaymentSystemConfirmPaymentPageWasCalledButFailed=Payment confirmation page was called by payment system returned an error +PaymentSystemConfirmPaymentPageWasCalledButFailed=Maksājuma apstiprinājuma lapa tika izsaukta ar maksājumu sistēmu, atgriezās kļūda SetExpressCheckoutAPICallFailed=SetExpressCheckout API call failed. DoExpressCheckoutPaymentAPICallFailed=DoExpressCheckoutPayment API call failed. -DetailedErrorMessage=Detailed Error Message -ShortErrorMessage=Short Error Message +DetailedErrorMessage=Detalizēta kļūdu ziņa +ShortErrorMessage=Īss kļūdas ziņojums ErrorCode=Kļūdas kods ErrorSeverityCode=Error Severity Code OnlinePaymentSystem=Tiešsaistes maksājumu sistēma -PaypalLiveEnabled=Paypal live 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. +PaypalLiveEnabled=Ieslēgts Paypal tiešraidē (citādi tests / smilškastes režīms) +PaypalImportPayment=Importēt Paypal maksājumus +PostActionAfterPayment=Ievietot darbības pēc maksājumiem +ARollbackWasPerformedOnPostActions=Atkārtojums tika veikts visos Post darbībās. Ja nepieciešams, jums ir jāaizpilda pasta darbības manuāli. diff --git a/htdocs/langs/lv_LV/printing.lang b/htdocs/langs/lv_LV/printing.lang index b55fa59459cec..8936aeed91cdb 100644 --- a/htdocs/langs/lv_LV/printing.lang +++ b/htdocs/langs/lv_LV/printing.lang @@ -1,24 +1,24 @@ # Dolibarr language file - Source file is en_US - printing -Module64000Name=Direct Printing -Module64000Desc=Enable Direct Printing System +Module64000Name=Tiešā drukāšana +Module64000Desc=Iespējot tiešās drukāšanas sistēmu PrintingSetup=Setup of Direct Printing System PrintingDesc=This module adds a Print button to send documents directly to a printer (without opening document into an application) with various module. -MenuDirectPrinting=Direct Printing jobs -DirectPrint=Direct print +MenuDirectPrinting=Tiešās drukāšanas darbi +DirectPrint=Tiešā druka PrintingDriverDesc=Configuration variables for printing driver. ListDrivers=Draiveru saraksts PrintTestDesc=Printeru saraksts. FileWasSentToPrinter=Fails %s nosūtīts uz printeri -ViaModule=via the module +ViaModule=izmantojot moduli NoActivePrintingModuleFound=No active driver to print document. Check setup of module %s. PleaseSelectaDriverfromList=Lūdzu izvēlies draiveri no saraksta. PleaseConfigureDriverfromList=Please configure the selected driver from list. SetupDriver=Draivera iestatījumi -TargetedPrinter=Targeted printer -UserConf=Setup per user +TargetedPrinter=Noklusējuma printeris +UserConf=Iestatījumi katram lietotājam PRINTGCP_INFO=Google OAuth API setup PRINTGCP_AUTHLINK=Autentifikācija -PRINTGCP_TOKEN_ACCESS=Google Cloud Print OAuth Token +PRINTGCP_TOKEN_ACCESS=Google mākoņdrukas OAuth marķieris PrintGCPDesc=This driver allow to send documents directly to a printer with Google Cloud Print. GCP_Name=Nosaukums GCP_displayName=Nosaukums @@ -28,25 +28,27 @@ GCP_State=Printera statuss GCP_connectionStatus=Statuss GCP_Type=Printera tips PrintIPPDesc=This driver allow to send documents directly to a printer. It requires a Linux system with CUPS installed. -PRINTIPP_HOST=Print server +PRINTIPP_HOST=Drukas serveris PRINTIPP_PORT=Ports -PRINTIPP_USER=Login +PRINTIPP_USER=Pieslēgties PRINTIPP_PASSWORD=Parole -NoDefaultPrinterDefined=No default printer defined +NoDefaultPrinterDefined=Nav definēts noklusējuma printeris DefaultPrinter=Noklusējuma printeris Printer=Printeris -IPP_Uri=Printer Uri +IPP_Uri=Printera Uri IPP_Name=Printera nosaukums IPP_State=Printera statuss IPP_State_reason=State reason IPP_State_reason1=State reason1 IPP_BW=Melnbalts IPP_Color=Krāsainais -IPP_Device=Device -IPP_Media=Printer media -IPP_Supported=Type of media +IPP_Device=Ierīce +IPP_Media=Printera multivide +IPP_Supported=Mediju veids DirectPrintingJobsDesc=This page lists printing jobs found for available printers. GoogleAuthNotConfigured=Google OAuth setup not done. Enable module OAuth and set a Google ID/Secret. -GoogleAuthConfigured=Google OAuth credentials were found into setup of module OAuth. +GoogleAuthConfigured=Google OAuth akreditācijas dati tika atrasti moduļa OAuth iestatījumos. PrintingDriverDescprintgcp=Configuration variables for printing driver Google Cloud Print. +PrintingDriverDescprintipp=Konfigurācijas mainīgie drukāšanas vadītāja krūzes. PrintTestDescprintgcp=List of Printers for Google Cloud Print. +PrintTestDescprintipp=Krūzīšu printeru saraksts. diff --git a/htdocs/langs/lv_LV/products.lang b/htdocs/langs/lv_LV/products.lang index a4be557f13c32..5e9201c2f68fa 100644 --- a/htdocs/langs/lv_LV/products.lang +++ b/htdocs/langs/lv_LV/products.lang @@ -3,7 +3,7 @@ ProductRef=Produkta ref. ProductLabel=Produkta marķējums ProductLabelTranslated=Translated product label ProductDescriptionTranslated=Translated product description -ProductNoteTranslated=Translated product note +ProductNoteTranslated=Tulkota produkta piezīme ProductServiceCard=Produktu / Pakalpojumu kartiņa TMenuProducts=Produkti TMenuServices=Pakalpojumi @@ -18,29 +18,29 @@ NewProduct=Jauns produkts NewService=Jauns pakalpojums ProductVatMassChange=Masveida PVN maiņa ProductVatMassChangeDesc=This page can be used to modify a VAT rate defined on products or services from a value to another. Warning, this change is done on all database. -MassBarcodeInit=Mass barcode init +MassBarcodeInit=Masveida svītru kodu izveidošana 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. -ProductAccountancyBuyCode=Accounting code (purchase) -ProductAccountancySellCode=Accounting code (sale) -ProductAccountancySellIntraCode=Accounting code (sale intra-community) -ProductAccountancySellExportCode=Accounting code (sale export) +ProductAccountancyBuyCode=Grāmatvedības kods (iegāde) +ProductAccountancySellCode=Grāmatvedības kods (tirdzniecība) +ProductAccountancySellIntraCode=Grāmatvedības kods (pārdošana Kopienas iekšienē) +ProductAccountancySellExportCode=Grāmatvedības kods (pārdošanas eksports) ProductOrService=Produkts vai pakalpojums ProductsAndServices=Produkti un pakalpojumi ProductsOrServices=Produkti vai pakalpojumi -ProductsPipeServices=Products | Services +ProductsPipeServices=Produkti | Pakalpojumi ProductsOnSaleOnly=Produkti pārdošanai -ProductsOnPurchaseOnly=Products for purchase only +ProductsOnPurchaseOnly=Produkti tikai pirkšanai ProductsNotOnSell=Products not for sale and not for purchase -ProductsOnSellAndOnBuy=Products for sale and for purchase +ProductsOnSellAndOnBuy=Produkti pārdošanai un pirkšanai ServicesOnSaleOnly=Pakalpojumi pārdošanai -ServicesOnPurchaseOnly=Services for purchase only -ServicesNotOnSell=Services not for sale and not for purchase +ServicesOnPurchaseOnly=Pakalpojumi tikai pirkšanai +ServicesNotOnSell=Pakalpojumi, kas nav paredzēti pārdošanai un nav paredzēti pirkšanai ServicesOnSellAndOnBuy=Services for sale and for purchase -LastModifiedProductsAndServices=Latest %s modified products/services -LastRecordedProducts=Latest %s recorded products +LastModifiedProductsAndServices=Jaunākie %s labotie produkti / pakalpojumi +LastRecordedProducts=Jaunākie ieraksti %s LastRecordedServices=Latest %s recorded services CardProduct0=Produkta kartiņa -CardProduct1=Paikalpojuma kartiņa +CardProduct1=Pakalpojuma karte Stock=Krājums Stocks=Krājumi Movements=Pārvietošanas @@ -59,24 +59,24 @@ ProductStatusOnBuyShort=Iegādei ProductStatusNotOnBuyShort=Nav iegādei UpdateVAT=Atjaunot PVN UpdateDefaultPrice=Atjaunot noklusējuma cenu -UpdateLevelPrices=Update prices for each level +UpdateLevelPrices=Atjauniniet cenas katram līmenim AppliedPricesFrom=Piemērotās cenas no SellingPrice=Pārdošanas cena SellingPriceHT=Pārdošanas cena (bez PVN) SellingPriceTTC=Pārdošanas cena (ar PVN) CostPriceDescription=This price (net of tax) can be used to store the average amount this product cost 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. +CostPriceUsage=Šo vērtību var izmantot, lai aprēķinātu peļņu. SoldAmount=Pārdošanas apjoms PurchasedAmount=Iegādātā summa NewPrice=Jaunā cena MinPrice=Min. pārdošanas cena -EditSellingPriceLabel=Edit selling price label +EditSellingPriceLabel=Labot pārdošanas cenas nosaukumu CantBeLessThanMinPrice=Pārdošanas cena nevar būt zemāka par minimālo pieļaujamo šī produkta (%s bez PVN). Šis ziņojums var būt arī parādās, ja esat ievadījis pārāk lielu atlaidi. ContractStatusClosed=Slēgts ErrorProductAlreadyExists=Prece ar atsauci %s jau pastāv. ErrorProductBadRefOrLabel=Nepareiza vērtība atsauces vai etiķeti. -ErrorProductClone=Radās problēma, mēģinot klons produktu vai pakalpojumu. -ErrorPriceCantBeLowerThanMinPrice=Error, price can't be lower than minimum price. +ErrorProductClone=Radās problēma, mēģinot klonēt produktu vai pakalpojumu. +ErrorPriceCantBeLowerThanMinPrice=Kļūda, cena nevar būt zemāka par minimālo cenu. Suppliers=Piegādātāji SupplierRef=Piegādātāja produkta ref. ShowProduct=Rādīt preci @@ -124,7 +124,7 @@ ConfirmDeleteProductLine=Vai tiešām vēlaties dzēst šo produktu līniju? ProductSpecial=Īpašs QtyMin=Minimālais Daudzums PriceQtyMin=Cena par šo min. daudzums (bez atlaides) -PriceQtyMinCurrency=Price for this min. qty (w/o discount) (currency) +PriceQtyMinCurrency=Cena par šo minūti. Daudzums (bez atlaides) (valūta) VATRateForSupplierProduct=PVN likme (šim piegādātājam / produktam) DiscountQtyMin=Noklusējuma apjoma atlaide NoPriceDefinedForThisSupplier=Nav cena /gab definēti šim piegādātājam/precei @@ -146,9 +146,9 @@ RowMaterial=Izejviela CloneProduct=Klonēt produktu vai pakalpojumu ConfirmCloneProduct=Vai jūs tiešām vēlaties klonēt šo produktu vai pakalpojumu %s? CloneContentProduct=Klons visus galvenos informations par produktu / pakalpojumu -ClonePricesProduct=Clone prices +ClonePricesProduct=Klonēt cenas CloneCompositionProduct=Clone packaged product/service -CloneCombinationsProduct=Clone product variants +CloneCombinationsProduct=Klonu produktu varianti ProductIsUsed=Šis produkts tiek izmantots NewRefForClone=Ref. jaunu produktu / pakalpojumu SellingPrices=Pārdošanas cenas @@ -156,7 +156,7 @@ BuyingPrices=Iepirkšanas cenas CustomerPrices=Klienta cenas SuppliersPrices=Piegādātāja cenas SuppliersPricesOfProductsOrServices=Supplier prices (of products or services) -CustomCode=Customs / Commodity / HS code +CustomCode=Muita / Prece / HS kods CountryOrigin=Izcelsmes valsts Nature=Daba ShortLabel=Short label @@ -182,15 +182,15 @@ m3=m³ liter=litrs l=L unitP=Gabals -unitSET=Set +unitSET=Iestatīt unitS=Sekunde unitH=Stunda unitD=Diena unitKG=Kilograms unitG=Grams unitM=Metrs -unitLM=Linear meter -unitM2=Square meter +unitLM=Lineārais skaitītājs +unitM2=Kvadrātmetrs unitM3=Kubikmetrs unitL=Litrs ProductCodeModel=Produkta art. paraugs @@ -199,18 +199,18 @@ CurrentProductPrice=Pašreizējā cena AlwaysUseNewPrice=Vienmēr izmantot pašreizējo cenu produktam / pakalpojumam AlwaysUseFixedPrice=Izmantot fiksētu cenu PriceByQuantity=Different prices by quantity -DisablePriceByQty=Disable prices by quantity +DisablePriceByQty=Atspējot cenas pēc daudzuma PriceByQuantityRange=Daudzuma diapazons -MultipriceRules=Price segment rules -UseMultipriceRules=Use price segment rules (defined into product module setup) to autocalculate prices of all other segment according to first segment +MultipriceRules=Cenu segmenta noteikumi +UseMultipriceRules=Izmantojiet cenu segmenta noteikumus (definēti produkta 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 -KeepEmptyForAutoCalculation=Keep empty to have this calculated automatically from weight or volume of products -VariantRefExample=Example: COL +KeepEmptyForAutoCalculation=Saglabājiet tukšu, lai tas tiktu automātiski aprēķināts pēc svara vai produktu daudzuma +VariantRefExample=Piemērs: COL VariantLabelExample=Piemērs: Krāsa ### composition fabrication Build=Ražot -ProductsMultiPrice=Products and prices for each price segment +ProductsMultiPrice=Produkti un cenas katram cenu segmentam ProductsOrServiceMultiPrice=Customer prices (of products or services, multi-prices) ProductSellByQuarterHT=Products turnover quarterly before tax ServiceSellByQuarterHT=Services turnover quarterly before tax @@ -227,10 +227,10 @@ FillBarCodeTypeAndValueManually=Aizpildīt svītrukodu veidu un vērtību manuā FillBarCodeTypeAndValueFromProduct=Fill barcode type and value from barcode of a product. FillBarCodeTypeAndValueFromThirdParty=Aizpildīt svītrkodu veidu un vērtību no trešo pušu svītrkoda. DefinitionOfBarCodeForProductNotComplete=Definition of type or value of bar code not complete for product %s. -DefinitionOfBarCodeForThirdpartyNotComplete=Definition of type or value of bar code non complete for third party %s. +DefinitionOfBarCodeForThirdpartyNotComplete=Svītrkoda veida vai vērtības definīcija nav pilnīga trešajām personām %s. BarCodeDataForProduct=Svītrkoda produkta informācija %s : BarCodeDataForThirdparty=Svītrkoda informācija trešajām personām %s : -ResetBarcodeForAllRecords=Define barcode value for all record (this will also reset barcode value already defined with new values) +ResetBarcodeForAllRecords=Norādiet visu ierakstu svītrkodu vērtību (tas arī atjaunos svītrkoda vērtību, kas jau ir definēta ar jaunām vērtībām). PriceByCustomer=Dažādas cenas katram klientam PriceCatalogue=A single sell price per product/service PricingRule=Cenu veidošanas noteikumi @@ -251,8 +251,8 @@ PriceNumeric=Numurs DefaultPrice=Noklusējuma cena ComposedProductIncDecStock=Increase/Decrease stock on parent change ComposedProduct=Apakš produkts -MinSupplierPrice=Minimum supplier price -MinCustomerPrice=Minimālā klienta cena +MinSupplierPrice=Minimālā iepirkuma cena +MinCustomerPrice=Minimum selling price DynamicPriceConfiguration=Dynamic price configuration DynamicPriceDesc=On product card, with this module enabled, you should be able to set mathematic functions to calculate Customer or Supplier prices. Such function can use all mathematic operators, some constants and variables. You can set here the variables you want to be able to use and if the variable need an automatic update, the external URL to use to ask Dolibarr to update automaticaly the value. AddVariable=Pievienot mainīgo @@ -260,24 +260,24 @@ AddUpdater=Pievienot Atjaunotāju GlobalVariables=Global variables VariableToUpdate=Mainīgais kas jāatjauno GlobalVariableUpdaters=Global variable updaters -GlobalVariableUpdaterType0=JSON data +GlobalVariableUpdaterType0=JSON dati 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"} +GlobalVariableUpdaterHelpFormat0=Pieprasījuma formāts ("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"}} +GlobalVariableUpdaterHelpFormat1=Pieprasījuma formāts ir {"URL": "http://example.com/urlofws", "VALUE": "masīvs, mērķa vērtība", "NS": "http://example.com/urlofns", "METODE" : "myWSMethod", "DATA": {"jūsu": "dati", "uz": "nosūtīt"}} UpdateInterval=Atjaunošanās intervāls (minūtes) LastUpdated=Pēdējo reizi atjaunots -CorrectlyUpdated=Correctly updated +CorrectlyUpdated=Pareizi atjaunināts PropalMergePdfProductActualFile=Files use to add into PDF Azur are/is PropalMergePdfProductChooseFile=Izvēlieties PDF failus IncludingProductWithTag=Including product/service with tag DefaultPriceRealPriceMayDependOnCustomer=Default price, real price may depend on customer WarningSelectOneDocument=Please select at least one document DefaultUnitToShow=Vienība -NbOfQtyInProposals=Qty in proposals +NbOfQtyInProposals=Daudzums priekšlikumos ClinkOnALinkOfColumn=Click on a link of column %s to get a detailed view... -ProductsOrServicesTranslations=Products or services translation +ProductsOrServicesTranslations=Produktu vai pakalpojumu tulkošana TranslatedLabel=Translated label TranslatedDescription=Translated description TranslatedNote=Translated notes @@ -288,49 +288,49 @@ VolumeUnits=Volume unit SizeUnits=Izmēra vienība DeleteProductBuyPrice=Dzēst pirkšanas cenu ConfirmDeleteProductBuyPrice=Vai tiešām vēlaties dzēst pirkšanas cenu? -SubProduct=Sub product +SubProduct=Apakšprodukts ProductSheet=Produkta lapa -ServiceSheet=Service sheet -PossibleValues=Possible values -GoOnMenuToCreateVairants=Go on menu %s - %s to prepare attribute variants (like colors, size, ...) +ServiceSheet=Servisa lapa +PossibleValues=Iespējamās vērtības +GoOnMenuToCreateVairants=Iet uz izvēlni %s - %s, lai sagatavotu atribūtu variantus (piemēram, krāsas, izmērs, ...) #Attributes -VariantAttributes=Variant attributes -ProductAttributes=Variant attributes for products -ProductAttributeName=Variant attribute %s -ProductAttribute=Variant attribute -ProductAttributeDeleteDialog=Are you sure you want to delete this attribute? All values will be deleted -ProductAttributeValueDeleteDialog=Are you sure you want to delete the value "%s" with reference "%s" of this attribute? -ProductCombinationDeleteDialog=Are you sure want to delete the variant of the product "%s"? -ProductCombinationAlreadyUsed=There was an error while deleting the variant. Please check it is not being used in any object +VariantAttributes=Variantu atribūti +ProductAttributes=Variantu atribūti produktiem +ProductAttributeName=Variants atribūts %s +ProductAttribute=Variants atribūts +ProductAttributeDeleteDialog=Vai tiešām vēlaties dzēst šo atribūtu? Visas vērtības tiks dzēstas +ProductAttributeValueDeleteDialog=Vai tiešām vēlaties izdzēst vērtību "%s" ar atsauci "%s" šim atribūtam? +ProductCombinationDeleteDialog=Vai tiešām vēlaties izdzēst produkta variantu " %s "? +ProductCombinationAlreadyUsed=Dzēšot variantu, radās kļūda. Lūdzu, pārbaudiet, vai tas netiek izmantots nevienā objektā ProductCombinations=Varianti -PropagateVariant=Propagate variants -HideProductCombinations=Hide products variant in the products selector +PropagateVariant=Pavairot variantus +HideProductCombinations=Produktu produktu atlases laikā paslēpiet produktu variantu ProductCombination=Variants NewProductCombination=Jauns variants EditProductCombination=Rediģēšanas variants NewProductCombinations=Jauni varianti EditProductCombinations=Rediģēšanas varianti SelectCombination=Izvēlieties kombināciju -ProductCombinationGenerator=Variants generator +ProductCombinationGenerator=Variantu ģenerators Features=Iespējas -PriceImpact=Price impact -WeightImpact=Weight impact +PriceImpact=Cenu ietekme +WeightImpact=Svars ietekmē NewProductAttribute=Jauns atribūts -NewProductAttributeValue=New attribute value -ErrorCreatingProductAttributeValue=There was an error while creating the attribute value. It could be because there is already an existing value with that reference -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. -DoNotRemovePreviousCombinations=Do not remove previous variants -UsePercentageVariations=Use percentage variations -PercentageVariation=Percentage variation -ErrorDeletingGeneratedProducts=There was an error while trying to delete existing product variants +NewProductAttributeValue=Jauna atribūta vērtība +ErrorCreatingProductAttributeValue=Veidojot atribūta vērtību, radās kļūda. Tas varētu būt tādēļ, ka ar šo atsauci jau ir esoša vērtība +ProductCombinationGeneratorWarning=Ja turpināsiet, pirms jaunu variantu ģenerēšanas visi iepriekšējie tiks izdzēsti. Jau esošie tiks atjaunināti ar jaunajām vērtībām +TooMuchCombinationsWarning=Daudzu variantu ģenerēšana var izraisīt augstu CPU, atmiņas izmantošanu un Dolibarr nespēj to izveidot. Opcijas "%s" iespējošana var palīdzēt samazināt atmiņas izmantošanu. +DoNotRemovePreviousCombinations=Nedzēst iepriekšējos variantus +UsePercentageVariations=Izmantojiet procentuālās svārstības +PercentageVariation=Procentu variācijas +ErrorDeletingGeneratedProducts=Mēģinot izdzēst esošos produktu variantus, radās kļūda NbOfDifferentValues=Sk dažādu vērtību NbProducts=Produktu sk. -ParentProduct=Parent product -HideChildProducts=Hide variant products -ConfirmCloneProductCombinations=Would you like to copy all the product variants to the other parent product with the given reference? -CloneDestinationReference=Destination product reference -ErrorCopyProductCombinations=There was an error while copying the product variants -ErrorDestinationProductNotFound=Destination product not found -ErrorProductCombinationNotFound=Product variant not found +ParentProduct=Mātes produkts +HideChildProducts=Paslēpt dažādus produktus +ConfirmCloneProductCombinations=Vai vēlaties kopēt visus produkta variantus uz citu vecāku produktu ar norādīto atsauci? +CloneDestinationReference=Galamērķa produkta atsauce +ErrorCopyProductCombinations=Atsiuninot produkta variantus, radās kļūda +ErrorDestinationProductNotFound=Galamērķa produkts nav atrasts +ErrorProductCombinationNotFound=Produkta variants nav atrasts diff --git a/htdocs/langs/lv_LV/projects.lang b/htdocs/langs/lv_LV/projects.lang index bcd56713d4869..b81f2d75a3840 100644 --- a/htdocs/langs/lv_LV/projects.lang +++ b/htdocs/langs/lv_LV/projects.lang @@ -1,10 +1,10 @@ # Dolibarr language file - Source file is en_US - projects -RefProject=Ref. project -ProjectRef=Project ref. +RefProject=Atsauces projekts +ProjectRef=Projekta atsauces Nr. ProjectId=Projekta ID ProjectLabel=Projekta nosaukums ProjectsArea=Projektu sadaļa -ProjectStatus=Project status +ProjectStatus=Projekta statuss SharedProject=Visi PrivateProject=Projekta kontakti ProjectsImContactFor=Projects I'm explicitely a contact of @@ -15,16 +15,16 @@ ProjectsPublicDesc=Šo viedokli iepazīstina visus projektus jums ir atļauts la TasksOnProjectsPublicDesc=This view presents all tasks on projects you are allowed to read. ProjectsPublicTaskDesc=This view presents all projects and tasks you are allowed to read. ProjectsDesc=Šo viedokli iepazīstina visus projektus (jūsu lietotāja atļaujas piešķirt jums atļauju skatīt visu). -TasksOnProjectsDesc=This view presents all tasks on all projects (your user permissions grant you permission to view everything). -MyTasksDesc=This view is limited to projects or tasks you are a contact for +TasksOnProjectsDesc=Šis skats atspoguļo visus uzdevumus visos projektos (jūsu lietotāja atļaujas piešķir jums atļauju apskatī visu). +MyTasksDesc=Šis skats attiecas tikai uz projektiem vai uzdevumiem, par kuriem esat kontaktpersona OnlyOpenedProject=Only open projects are visible (projects in draft or closed status are not visible). -ClosedProjectsAreHidden=Closed projects are not visible. +ClosedProjectsAreHidden=Slēgtie projekti nav redzami. TasksPublicDesc=Šo viedokli iepazīstina visus projektus un uzdevumus, jums ir atļauts lasīt. TasksDesc=Šo viedokli iepazīstina visus projektus un uzdevumus (jūsu lietotāja atļaujas piešķirt jums atļauju skatīt visu). -AllTaskVisibleButEditIfYouAreAssigned=All tasks for qualified projects are visible, but you can enter time only for task assigned to selected user. Assign task if you need to enter time on it. -OnlyYourTaskAreVisible=Only tasks assigned to you are visible. Assign task to yourself if it is not visible and you need to enter time on it. -ImportDatasetTasks=Tasks of projects -ProjectCategories=Project tags/categories +AllTaskVisibleButEditIfYouAreAssigned=Visi uzdevumi kvalificētiem projektiem ir redzami, taču jūs varat ievadīt laiku tikai tam uzdevumam, kas piešķirts izvēlētajam lietotājam. Piešķirt uzdevumu, ja uz to ir jāievada laiks. +OnlyYourTaskAreVisible=Ir redzami tikai jums uzdotie uzdevumi. Piešķiriet uzdevumu sev, ja tas nav redzams, un tam ir jāievada laiks. +ImportDatasetTasks=Projektu uzdevumi +ProjectCategories=Projekta tagi / kategorijas NewProject=Jauns projekts AddProject=Izveidot projektu DeleteAProject=Dzēst projektu @@ -33,17 +33,17 @@ ConfirmDeleteAProject=Vai tiešām vēlaties dzēst šo projektu? ConfirmDeleteATask=Vai tiešām vēlaties dzēst šo uzdevumu? OpenedProjects=Atvērtie projekti OpenedTasks=Atvērtie uzdevumi -OpportunitiesStatusForOpenedProjects=Opportunities amount of open projects by status -OpportunitiesStatusForProjects=Opportunities amount of projects by status +OpportunitiesStatusForOpenedProjects=Atvērto projektu iespējas pēc statusa +OpportunitiesStatusForProjects=Iespēju skaits pēc projektu statusa ShowProject=Rādīt projektu ShowTask=Rādīt uzdevumu SetProject=Izvēlēties projektu NoProject=Neviens projekts nosaka, vai īpašumā NbOfProjects=Nb projektu -NbOfTasks=Nb of tasks +NbOfTasks=Uzdevumu sk. TimeSpent=Laiks, kas pavadīts -TimeSpentByYou=Time spent by you -TimeSpentByUser=Time spent by user +TimeSpentByYou=Jūsu patērētais laiks +TimeSpentByUser=Lietotāja patērētais laiks TimesSpent=Laiks, kas patērēts RefTask=Ref. uzdevums LabelTask=Label uzdevums @@ -52,10 +52,10 @@ TaskTimeUser=Lietotājs TaskTimeNote=Piezīme TaskTimeDate=Datums TasksOnOpenedProject=Tasks on open projects -WorkloadNotDefined=Workload not defined +WorkloadNotDefined=Darba slodze nav definēta NewTimeSpent=Laiks, kas patērēts MyTimeSpent=Mans pavadīts laiks -BillTime=Bill the time spent +BillTime=Norādiet pavadīto laiku Tasks=Uzdevumi Task=Uzdevums TaskDateStart=Uzdevuma sākuma datums @@ -63,22 +63,22 @@ TaskDateEnd=Uzdevuma beigu datums TaskDescription=Uzdevuma apraksts NewTask=Jauns uzdevums AddTask=Izveidot uzdevumu -AddTimeSpent=Create time spent +AddTimeSpent=Izveidot pavadīto laiku AddHereTimeSpentForDay=Pievienot šeit pavadīto laiku šodienai/uzdevumam Activity=Aktivitāte Activities=Uzdevumi/aktivitātes MyActivities=Mani uzdevumi / aktivitātes MyProjects=Mani projekti -MyProjectsArea=My projects Area +MyProjectsArea=Manu projektu sadaļa DurationEffective=Efektīvais ilgums ProgressDeclared=Deklarētais progress ProgressCalculated=Aprēķinātais progress Time=Laiks ListOfTasks=Uzdevumu saraksts GoToListOfTimeConsumed=Go to list of time consumed -GoToListOfTasks=Go to list of tasks -GoToGanttView=Go to Gantt view -GanttView=Gantt View +GoToListOfTasks=Doties uz uzdevumu sarakstu +GoToGanttView=Doties uz Ganta skatu +GanttView=Ganta skats ListProposalsAssociatedProject=Saraksts tirdzniecības priekšlikumiem saistībā ar projektu ListOrdersAssociatedProject=Saraksts ar klienta pasūtījumiem saistīts ar projektu ListInvoicesAssociatedProject=Saraksts ar klienta rēķiniem, kas piesaistīti projektam @@ -86,46 +86,46 @@ ListPredefinedInvoicesAssociatedProject=List of customer template invoices assoc ListSupplierOrdersAssociatedProject=List of supplier orders associated with the project ListSupplierInvoicesAssociatedProject=List of supplier invoices associated with the project ListContractAssociatedProject=Līgumu sarakstu kas saistīti ar projektu -ListShippingAssociatedProject=List of shippings associated with the project +ListShippingAssociatedProject=Sūtījumu saraksts, kas saistīts ar projektu ListFichinterAssociatedProject=Saraksts iejaukšanās saistīts ar projektu ListExpenseReportsAssociatedProject=List of expense reports associated with the project ListDonationsAssociatedProject=List of donations associated with the project -ListVariousPaymentsAssociatedProject=List of miscellaneous payments associated with the project +ListVariousPaymentsAssociatedProject=Dažādu ar projektu saistīto maksājumu saraksts ListActionsAssociatedProject=Saraksts ar notikumiem, kas saistīti ar projektu ListTaskTimeUserProject=List of time consumed on tasks of project -ListTaskTimeForTask=List of time consumed on task +ListTaskTimeForTask=Uzdevumā patērētā laika saraksts ActivityOnProjectToday=Activity on project today ActivityOnProjectYesterday=Activity on project yesterday ActivityOnProjectThisWeek=Aktivitāte projektu šonedēļ ActivityOnProjectThisMonth=Aktivitāte projektu šomēnes ActivityOnProjectThisYear=Aktivitāte projektā šogad ChildOfProjectTask=Bērna projekta / uzdevuma -ChildOfTask=Child of task -TaskHasChild=Task has child +ChildOfTask=Apakš uzdevums +TaskHasChild=Uzdevumam ir bērns NotOwnerOfProject=Ne īpašnieks šo privātam projektam AffectedTo=Piešķirtas CantRemoveProject=Šo projektu nevar noņemt, jo tam ir atsauce ar kādu citu objektu (rēķinu, rīkojumus vai cits). Skatīt atsauču sadaļa. ValidateProject=Apstiprināt Projet ConfirmValidateProject=Vai jūs tiešām vēlaties apstiprināt šo projektu? CloseAProject=Aizvērt projektu -ConfirmCloseAProject=Are you sure you want to close this project? -AlsoCloseAProject=Also close project (keep it open if you still need to follow production tasks on it) +ConfirmCloseAProject=Vai tiešām vēlaties aizvērt šo projektu? +AlsoCloseAProject=Arī aizveriet projektu (atstājiet to atvērtu, ja jums joprojām ir jāievēro ražošanas uzdevumi) ReOpenAProject=Atvērt projektu -ConfirmReOpenAProject=Are you sure you want to re-open this project? +ConfirmReOpenAProject=Vai tiešām vēlaties atvērt šo projektu vēlreiz? ProjectContact=Projekta kontakti -TaskContact=Task contacts +TaskContact=Uzdevumu kontakti ActionsOnProject=Pasākumi par projektu -YouAreNotContactOfProject=Jūs neesat kontakts šīs privātam projektam -UserIsNotContactOfProject=User is not a contact of this private project +YouAreNotContactOfProject=Jūs neesat kontakpersona šim privātam projektam +UserIsNotContactOfProject=Lietotājs nav šī privātā projekta kontaktpersona DeleteATimeSpent=Dzēst pavadīts laiks 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 task +ShowMyTasksOnly=Skatīt tikai uzdevumus, kas piešķirti man +TaskRessourceLinks=Kontaktpersonu uzdevums ProjectsDedicatedToThisThirdParty=Projekti, kas veltīta šai trešajai personai NoTasks=Neviens uzdevumi šajā projektā LinkedToAnotherCompany=Saistīts ar citām trešajām personām -TaskIsNotAssignedToUser=Task not assigned to user. Use button '%s' to assign task now. +TaskIsNotAssignedToUser=Uzdevums nav piešķirts lietotājam. Izmantojiet pogu " %s ", lai tagad uzdevumu piešķirtu. ErrorTimeSpentIsEmpty=Pavadīts laiks ir tukšs ThisWillAlsoRemoveTasks=Šī darbība arī izdzēst visus uzdevumus projekta (%s uzdevumi brīdī) un visu laiku ieguldījumiem pavadīts. IfNeedToUseOhterObjectKeepEmpty=Ja daži objekti (rēķinu, pasūtījumu, ...), kas pieder citai trešai personai, ir saistītas ar projektu, lai izveidotu, saglabāt šo tukšo, lai būtu projektam, multi trešajām personām. @@ -135,26 +135,26 @@ CloneContacts=Klonēt kontaktus CloneNotes=Klonēt piezīmes CloneProjectFiles=Klons projekts pievienojās failus CloneTaskFiles=Klons uzdevums (-i) pievienotie failus (ja uzdevums (-i) klonēt) -CloneMoveDate=Update project/tasks dates from now? +CloneMoveDate=Vai tagad atjaunināt projektu / uzdevumus? ConfirmCloneProject=Are you sure to clone this project? ProjectReportDate=Change task dates according to new project start date ErrorShiftTaskDate=Nav iespējams novirzīt uzdevumu datumu saskaņā ar jaunu projektu uzsākšanas datuma ProjectsAndTasksLines=Projekti un uzdevumi -ProjectCreatedInDolibarr=Projekta %s izveidots -ProjectValidatedInDolibarr=Project %s validated -ProjectModifiedInDolibarr=Project %s modified +ProjectCreatedInDolibarr=Projekts %s izveidots +ProjectValidatedInDolibarr=Projekts %s apstiprināts +ProjectModifiedInDolibarr=Projekts %s ir labots TaskCreatedInDolibarr=Uzdevums %s izveidots TaskModifiedInDolibarr=Uzdevums %s labots TaskDeletedInDolibarr=Uzdevums %s dzēsts OpportunityStatus=Iespēju statuss OpportunityStatusShort=Opp. status -OpportunityProbability=Opportunity probability -OpportunityProbabilityShort=Opp. probab. +OpportunityProbability=Iespējas varbūtība +OpportunityProbabilityShort=Opp probab OpportunityAmount=Opportunity amount OpportunityAmountShort=Opp. amount -OpportunityAmountAverageShort=Average Opp. amount -OpportunityAmountWeigthedShort=Weighted Opp. amount -WonLostExcluded=Won/Lost excluded +OpportunityAmountAverageShort=Vidējā opcija summa +OpportunityAmountWeigthedShort=Svērtā opcija summa +WonLostExcluded=Izslēgts / uzvarēts / zaudēts ##### Types de contacts ##### TypeContact_project_internal_PROJECTLEADER=Projekta vadītājs TypeContact_project_external_PROJECTLEADER=Projekta vadītājs @@ -170,61 +170,61 @@ AddElement=Saite uz elementu DocumentModelBeluga=Project template for linked objects overview DocumentModelBaleine=Project report template for tasks PlannedWorkload=Plānotais darba apjoms -PlannedWorkloadShort=Workload +PlannedWorkloadShort=Darba slodze ProjectReferers=Saistītās vienības ProjectMustBeValidatedFirst=Projektu vispirms jāpārbauda -FirstAddRessourceToAllocateTime=Assign a user resource to task to allocate time -InputPerDay=Input per day -InputPerWeek=Input per week -InputDetail=Input detail -TimeAlreadyRecorded=This is time spent already recorded for this task/day and user %s +FirstAddRessourceToAllocateTime=Piešķiriet lietotājam resursus, lai piešķirtu laiku +InputPerDay=Ievades dienā +InputPerWeek=Ievades nedēļā +InputDetail=Ievades dati +TimeAlreadyRecorded=Šis laiks ir jau ierakstīts šim uzdevumam / dienā un lietotājam %s ProjectsWithThisUserAsContact=Projects with this user as contact TasksWithThisUserAsContact=Tasks assigned to this user ResourceNotAssignedToProject=Not assigned to project -ResourceNotAssignedToTheTask=Not assigned to the task -TimeSpentBy=Time spent by -TasksAssignedTo=Tasks assigned to +ResourceNotAssignedToTheTask=Uzdevumam nav piešķirts +TimeSpentBy=Pavadītais laiks +TasksAssignedTo=Uzdevumi, kas piešķirti AssignTaskToMe=Assign task to me -AssignTaskToUser=Assign task to %s -SelectTaskToAssign=Select task to assign... +AssignTaskToUser=Piešķirt uzdevumu %s +SelectTaskToAssign=Atlasiet uzdevumu, lai piešķirtu ... AssignTask=Assign ProjectOverview=Overview ManageTasks=Use projects to follow tasks and time ManageOpportunitiesStatus=Use projects to follow leads/opportinuties ProjectNbProjectByMonth=Nb of created projects by month -ProjectNbTaskByMonth=Nb of created tasks by month +ProjectNbTaskByMonth=Nb izveidoto darbu pēc mēneša ProjectOppAmountOfProjectsByMonth=Amount of opportunities by month ProjectWeightedOppAmountOfProjectsByMonth=Weighted amount of opportunities by month -ProjectOpenedProjectByOppStatus=Open project/lead by opportunity status +ProjectOpenedProjectByOppStatus=Atklāts projekts / vadība ar iespēju statusu ProjectsStatistics=Statistics on projects/leads -TasksStatistics=Statistics on project/lead tasks +TasksStatistics=Statistika par projektu / vadošajiem uzdevumiem TaskAssignedToEnterTime=Task assigned. Entering time on this task should be possible. IdTaskTime=Id task time -YouCanCompleteRef=If you want to complete the ref with some information (to use it as search filters), it is recommanded to add a - character to separate it, so the automatic numbering will still work correctly for next projects. For example %s-ABC. You may also prefer to add search keys into label. But best practice may be to add a dedicated field, also called complementary attributes. -OpenedProjectsByThirdparties=Open projects by third parties -OnlyOpportunitiesShort=Only opportunities -OpenedOpportunitiesShort=Open opportunities +YouCanCompleteRef=Ja vēlaties pabeigt ref ar kādu informāciju (lai to izmantotu kā meklēšanas filtrus), to ieteicams pievienot rakstzīmi, lai to nošķirtu, tāpēc automātiska numerācija joprojām darbosies nākamajiem projektiem. Piemēram %s-ABC. Varat arī ieteicams pievienot meklēšanas atslēgas etiķetē. Bet labākā prakse var būt pievienot īpašu jomu, ko sauc arī par papildinošiem atribūtiem. +OpenedProjectsByThirdparties=Atvērt trešo pušu projektus +OnlyOpportunitiesShort=Tikai iespējas +OpenedOpportunitiesShort=Atvērtās iespējas NotAnOpportunityShort=Not an opportunity OpportunityTotalAmount=Opportunities total amount OpportunityPonderatedAmount=Opportunities weighted amount -OpportunityPonderatedAmountDesc=Opportunities amount weighted with probability +OpportunityPonderatedAmountDesc=Iespēju summa, kas svērta ar varbūtību OppStatusPROSP=Prospection OppStatusQUAL=Kvalifikācija -OppStatusPROPO=Proposal +OppStatusPROPO=Priekšlikums OppStatusNEGO=Negociation -OppStatusPENDING=Pending -OppStatusWON=Won -OppStatusLOST=Lost +OppStatusPENDING=Gaida +OppStatusWON=Uzvarēja +OppStatusLOST=Zaudēja Budget=Budžets -AllowToLinkFromOtherCompany=Allow to link project from other company

Supported values :
- Keep empty: Can link any project of the company (default)
- "all" : Can link any projects, even project of other companies
- A list of thirdparty id separated with commas : Can link all projects of these thirdparty defined (Example : 123,4795,53)
-LatestProjects=Latest %s projects -LatestModifiedProjects=Latest %s modified projects -OtherFilteredTasks=Other filtered tasks -NoAssignedTasks=No assigned tasks (assign project/tasks the current user from the top select box to enter time on it) +AllowToLinkFromOtherCompany=Atļaut saistīt projektu ar citu uzņēmumu

Atbalstītās vērtības:
- Uzglabāt tukšs: var saistīt jebkuru uzņēmuma projektu (noklusējums)
- "visi": var saiti jebkurš projekts, pat citu uzņēmumu projekts
- Trešās puses identifikācijas numurs, kas atdalīts ar komatu: var sasaistīt visus šo trešās puses projektu (Piemērs: 123,4795,53)
+LatestProjects=Pēdējie %s projekti +LatestModifiedProjects=Jaunākie %s modificētie projekti +OtherFilteredTasks=Citi filtrētie uzdevumi +NoAssignedTasks=Nav piešķirtu uzdevumu (piešķiriet projektu / uzdevumus pašreizējam lietotājam no augšējā atlases lodziņa, lai tajā ievadītu laiku) # Comments trans -AllowCommentOnTask=Allow user comments on tasks -AllowCommentOnProject=Allow user comments on projects -DontHavePermissionForCloseProject=You do not have permissions to close the project %s -DontHaveTheValidateStatus=The project %s must be open to be closed -RecordsClosed=%s project(s) closed -SendProjectRef=Information project %s +AllowCommentOnTask=Atļaut lietotāju komentārus par uzdevumiem +AllowCommentOnProject=Atļaut lietotājam komentēt projektus +DontHavePermissionForCloseProject=Jums nav tiesību aizvērt projektu %s +DontHaveTheValidateStatus=Projektam %s jābūt atvērtai slēgšanai +RecordsClosed=%s projekts (-i) ir slēgts +SendProjectRef=Informācijas projekts %s diff --git a/htdocs/langs/lv_LV/propal.lang b/htdocs/langs/lv_LV/propal.lang index 249045d744f87..7c532ebc615e7 100644 --- a/htdocs/langs/lv_LV/propal.lang +++ b/htdocs/langs/lv_LV/propal.lang @@ -3,7 +3,7 @@ Proposals=Komerciālie priekšlikumi Proposal=Komerciālais priekšlikums ProposalShort=Priekšlikums ProposalsDraft=Sagatave komerciālajiem priekšlikumiem -ProposalsOpened=Open commercial proposals +ProposalsOpened=Atveriet tirdzniecības priekšlikumus CommercialProposal=Komerciālais priekšlikums PdfCommercialProposalTitle=Komerciālais priekšlikums ProposalCard=Priekšlikuma kartiņa @@ -13,13 +13,13 @@ Prospect=Perspektīva DeleteProp=Dzēst komerciālo priekšlikumu ValidateProp=Apstiprināt komerciālo priekšlikumu AddProp=Izveidot piedāvājumu -ConfirmDeleteProp=Are you sure you want to delete this commercial proposal? +ConfirmDeleteProp=Vai tiešām vēlaties dzēst šo piedāvājumu? ConfirmValidateProp=Vai jūs tiešām vēlaties apstiprinātu šo komerciālo priekšlikumu saskaņā ar nosaukumu %s ? LastPropals=Pēdējie %s priekšlikumi LastModifiedProposals=Pēdējie %s labotie priekšlikumi AllPropals=Visi priekšlikumi SearchAProposal=Meklēt priekšlikumu -NoProposal=No proposal +NoProposal=Nav priekšlikumu ProposalsStatistics=Komerciālo priekšlikuma'u statistika NumberOfProposalsByMonth=Numurs pēc mēneša AmountOfProposalsByMonthHT=Summa pa mēnešiem (neto pēc nodokļiem) @@ -27,13 +27,13 @@ NbOfProposals=Skaits tirdzniecības priekšlikumiem ShowPropal=Rādīt priekšlikumu PropalsDraft=Sagatave PropalsOpened=Atvērts -PropalStatusDraft=Projekts (ir jāapstiprina) +PropalStatusDraft=Sagatave (ir jāapstiprina) PropalStatusValidated=Apstiprināts (priekšlikums ir atvērts) PropalStatusSigned=Parakstīts (vajadzības rēķinu) -PropalStatusNotSigned=Nav parakstīts (slēgta) +PropalStatusNotSigned=Nav parakstīts (slēgts) PropalStatusBilled=Jāmaksā PropalStatusDraftShort=Melnraksts -PropalStatusValidatedShort=Validated +PropalStatusValidatedShort=Apstiprināts PropalStatusClosedShort=Slēgts PropalStatusSignedShort=Parakstīts PropalStatusNotSignedShort=Nav parakstīts @@ -45,10 +45,10 @@ ActionsOnPropal=Pasākumi attiecībā uz priekšlikumu RefProposal=Commercial priekšlikums ref SendPropalByMail=Nosūtīt komerciālo priekšlikumu pa pastu DatePropal=Datums, kad priekšlikumu -DateEndPropal=Derīguma beigu datumu +DateEndPropal=Derīguma beigu datums ValidityDuration=Derīguma termiņš -CloseAs=Set status to -SetAcceptedRefused=Set accepted/refused +CloseAs=Iestatīt statusu uz +SetAcceptedRefused=Iestatījums ir pieņemts / noraidīts ErrorPropalNotFound=Propal %s nav atrasts AddToDraftProposals=Pievienot pie priekšlikuma projektā NoDraftProposals=Nav sagatavot priekšlikumus @@ -56,11 +56,11 @@ CopyPropalFrom=Izveidot komerciālo priekšlikumu, kopējot esošo priekšlikumu CreateEmptyPropal=Izveidojiet tukšu komerciālu priekšlikumi Jaunava vai no saraksta produktu / pakalpojumu DefaultProposalDurationValidity=Default komerciālā priekšlikumu derīguma termiņš (dienās) UseCustomerContactAsPropalRecipientIfExist=Izmantojiet klientu kontaktu adresi, ja noteikta nevis trešās puses adresi priekšlikumu saņēmēja adresi -ClonePropal=Klons komerciālo priekšlikumu -ConfirmClonePropal=Are you sure you want to clone the commercial proposal %s? +ClonePropal=Klonēt tirdzniecības priekšlikumu +ConfirmClonePropal=Vai tiešām vēlaties klonēt komerciālo priekšlikumu %s ? ConfirmReOpenProp=Are you sure you want to open back the commercial proposal %s? ProposalsAndProposalsLines=Commercial priekšlikumu un līnijas -ProposalLine=Priekšlikums līnija +ProposalLine=Priekšlikuma līnija AvailabilityPeriod=Pieejamība kavēšanās SetAvailability=Uzstādīt pieejamību kavēšanos AfterOrder=pēc pasūtījuma @@ -75,10 +75,11 @@ AvailabilityTypeAV_1M=1 mēnesis TypeContact_propal_internal_SALESREPFOLL=Pārstāvis turpinot darboties priekšlikums TypeContact_propal_external_BILLING=Klientu rēķinu kontakts TypeContact_propal_external_CUSTOMER=Klientu kontaktu turpinot darboties priekšlikums +TypeContact_propal_external_SHIPPING=Klienta kontaktpersona piegādei # Document models DocModelAzurDescription=Pilnīgs priekšlikums modelis (logo. ..) DefaultModelPropalCreate=Default modeļa izveide DefaultModelPropalToBill=Noklusējuma veidne aizverot uzņēmējdarbības priekšlikumu (tiks izrakstīts rēķins) DefaultModelPropalClosed=Noklusējuma veidne aizverot uzņēmējdarbības priekšlikumu (unbilled) ProposalCustomerSignature=Written acceptance, company stamp, date and signature -ProposalsStatisticsSuppliers=Supplier proposals statistics +ProposalsStatisticsSuppliers=Piegādātāja priekšlikumu statistika diff --git a/htdocs/langs/lv_LV/receiptprinter.lang b/htdocs/langs/lv_LV/receiptprinter.lang index 1b15c1bfce527..fdab9d4ee40fb 100644 --- a/htdocs/langs/lv_LV/receiptprinter.lang +++ b/htdocs/langs/lv_LV/receiptprinter.lang @@ -1,17 +1,17 @@ # Dolibarr language file - Source file is en_US - receiptprinter -ReceiptPrinterSetup=Setup of module ReceiptPrinter -PrinterAdded=Printer %s added -PrinterUpdated=Printer %s updated +ReceiptPrinterSetup=Moduļa Čeku printera uzstādīšana +PrinterAdded=Pievienots printeris %s +PrinterUpdated=Printeris %s ir atjaunināts PrinterDeleted=Printeris %s dzēsts -TestSentToPrinter=Test Sent To Printer %s +TestSentToPrinter=Pārbaude nosūtīta printerim %s ReceiptPrinter=Čeku printeri -ReceiptPrinterDesc=Setup of receipt printers -ReceiptPrinterTemplateDesc=Setup of Templates +ReceiptPrinterDesc=Iestatījumi čeku printeriem +ReceiptPrinterTemplateDesc=Veidņu iestatīšana ReceiptPrinterTypeDesc=Description of Receipt Printer's type ReceiptPrinterProfileDesc=Description of Receipt Printer's Profile ListPrinters=Printeru saraksts SetupReceiptTemplate=Template Setup -CONNECTOR_DUMMY=Dummy Printer +CONNECTOR_DUMMY=Viltots printeris CONNECTOR_NETWORK_PRINT=Tīkla printeris CONNECTOR_FILE_PRINT=Lokālais printeris CONNECTOR_WINDOWS_PRINT=Lokālais Windows printeris @@ -23,15 +23,15 @@ PROFILE_DEFAULT=Noklusētais profils PROFILE_SIMPLE=Vienāršais profils PROFILE_EPOSTEP=Epos Tep Profile PROFILE_P822D=P822D Profils -PROFILE_STAR=Star Profile +PROFILE_STAR=Zvaigžņu profils PROFILE_DEFAULT_HELP=Noklusētais profils piemērots Epson printeriem PROFILE_SIMPLE_HELP=Simple Profile No Graphics -PROFILE_EPOSTEP_HELP=Epos Tep Profile Help +PROFILE_EPOSTEP_HELP=Epos Tep profila palīdzība PROFILE_P822D_HELP=P822D Profile No Graphics PROFILE_STAR_HELP=Star Profile -DOL_ALIGN_LEFT=Left align text +DOL_ALIGN_LEFT=Pa kreisi izlīdzināts teksts DOL_ALIGN_CENTER=Centrēt tekstu -DOL_ALIGN_RIGHT=Right align text +DOL_ALIGN_RIGHT=Pa labi izlīdzināt tekstu DOL_USE_FONT_A=Lietot fontu A printerim DOL_USE_FONT_B=Lietot fontu B printerim DOL_USE_FONT_C=Lietot fontu C printerim diff --git a/htdocs/langs/lv_LV/sendings.lang b/htdocs/langs/lv_LV/sendings.lang index d8fb165b1c20e..48e35449a3ec2 100644 --- a/htdocs/langs/lv_LV/sendings.lang +++ b/htdocs/langs/lv_LV/sendings.lang @@ -2,10 +2,10 @@ RefSending=Ref. sūtījumam Sending=Sūtījums Sendings=Sūtījumi -AllSendings=All Shipments +AllSendings=Visi sūtījumi Shipment=Sūtījums Shipments=Sūtījumi -ShowSending=Show Shipments +ShowSending=Rādīt sūtījumus Receivings=Piegāde kvītis SendingsArea=Sūtījumu sadaļa ListOfSendings=Sūtījumu saraksts @@ -14,17 +14,17 @@ LastSendings=Pēdējie %s sūtījumi StatisticsOfSendings=Sūtījumu statistika NbOfSendings=Sūtījumu skaits NumberOfShipmentsByMonth=Sūtījumu skaits pa mēnešiem -SendingCard=Shipment card +SendingCard=Piegādes kartiņa NewSending=Jauns sūtījums CreateShipment=Izveidot sūtījumu QtyShipped=Daudzums kas nosūtīts -QtyShippedShort=Qty ship. +QtyShippedShort=Nosūtītais daudzums. QtyPreparedOrShipped=Sagatavotais vai nosūtītais daudzums QtyToShip=Daudzums, kas jānosūta QtyReceived=Saņemtais daudzums QtyInOtherShipments=Daudz. citi sūtījumi KeepToShip=Vēl jāpiegādā -KeepToShipShort=Remain +KeepToShipShort=Atlikušais OtherSendingsForSameOrder=Citas sūtījumiem uz šo rīkojumu SendingsAndReceivingForSameOrder=Shipments and receipts for this order SendingsToValidate=Sūtījumi apstiprināšanai, @@ -35,16 +35,16 @@ StatusSendingProcessed=Apstrādāts StatusSendingDraftShort=Melnraksts StatusSendingValidatedShort=Apstiprināts StatusSendingProcessedShort=Apstrādāti -SendingSheet=Shipment sheet +SendingSheet=Sūtījuma lapa ConfirmDeleteSending=Vai tiešām vēlaties dzēst šo sūtījumu? ConfirmValidateSending=Vai jūs tiešām vēlaties apstiprināt šo sūtījumu ar atsauci %s? ConfirmCancelSending=Vai esat pārliecināts, ka vēlaties atcelt šo sūtījumu? DocumentModelMerou=Merou A5 modelis WarningNoQtyLeftToSend=Uzmanību, nav produktu kuri gaida nosūtīšanu. StatsOnShipmentsOnlyValidated=Statistika veikti uz sūtījumiem tikai apstiprinātiem. Lietots datums ir datums apstiprināšanu sūtījuma (ēvelēti piegādes datums ir ne vienmēr ir zināms). -DateDeliveryPlanned=Planned date of delivery -RefDeliveryReceipt=Ref delivery receipt -StatusReceipt=Status delivery receipt +DateDeliveryPlanned=Plānotais piegādes datums +RefDeliveryReceipt=Ref piegādes kvīts +StatusReceipt=Piegādes kvīts statuss DateReceived=Datums piegāde saņemti SendShippingByEMail=Nosūtīt sūtījumu pa e-pastu SendShippingRef=Submission of shipment %s @@ -52,19 +52,19 @@ ActionsOnShipping=Notikumi sūtījumu LinkToTrackYourPackage=Saite uz izsekot savu paketi ShipmentCreationIsDoneFromOrder=Izveidot jaunu sūtījumu var no pasūtījuma kartiņas. ShipmentLine=Sūtījumu līnija -ProductQtyInCustomersOrdersRunning=Product quantity into open customers orders -ProductQtyInSuppliersOrdersRunning=Product quantity into open suppliers orders -ProductQtyInShipmentAlreadySent=Product quantity from open customer order already sent -ProductQtyInSuppliersShipmentAlreadyRecevied=Product quantity from open supplier order already received +ProductQtyInCustomersOrdersRunning=Product quantity into open customer orders +ProductQtyInSuppliersOrdersRunning=Product quantity into open purchase orders +ProductQtyInShipmentAlreadySent=Produkta daudzums, kuri sakārtoti pēc piegādātāja pasūtīšanas +ProductQtyInSuppliersShipmentAlreadyRecevied=Produkta daudzums jau ir saņemts no atvērta piegādātāja pasūtījuma NoProductToShipFoundIntoStock=No product to ship found into warehouse %s. Correct stock or go back to choose another warehouse. -WeightVolShort=Weight/Vol. +WeightVolShort=Svars / tilp. ValidateOrderFirstBeforeShipment=You must first validate the order before being able to make shipments. # Sending methods # ModelDocument DocumentModelTyphon=Vairāk pilnīgu dokumentu modelis piegādes ieņēmumiem (logo. ..) Error_EXPEDITION_ADDON_NUMBER_NotDefined=Pastāvīga EXPEDITION_ADDON_NUMBER nav noteikts -SumOfProductVolumes=Summa saražotās produkcijas apjomu +SumOfProductVolumes=Produkta apjomu summa SumOfProductWeights=Summēt produkta svaru # warehouse details diff --git a/htdocs/langs/lv_LV/stocks.lang b/htdocs/langs/lv_LV/stocks.lang index d77cde02aa8f1..cf87f02b0eebd 100644 --- a/htdocs/langs/lv_LV/stocks.lang +++ b/htdocs/langs/lv_LV/stocks.lang @@ -2,15 +2,15 @@ WarehouseCard=Noliktava kartiņa Warehouse=Noliktava Warehouses=Noliktavas -ParentWarehouse=Parent warehouse +ParentWarehouse=Galvenā noliktava NewWarehouse=Jauns noliktavu / Noliktavas platība WarehouseEdit=Modificēt noliktavas MenuNewWarehouse=Jauna noliktava WarehouseSource=Sākotnējā noliktava WarehouseSourceNotDefined=Nē noliktava noteikts, -AddWarehouse=Create warehouse +AddWarehouse=Izveidot noliktavu AddOne=Pievieno vienu -DefaultWarehouse=Default warehouse +DefaultWarehouse=Noklusētā noliktava WarehouseTarget=Mērķa noliktava ValidateSending=Dzēst nosūtot CancelSending=Atcelt sūtīšanu @@ -24,10 +24,10 @@ Movements=Kustības ErrorWarehouseRefRequired=Noliktava nosaukums ir obligāts ListOfWarehouses=Saraksts noliktavās ListOfStockMovements=Krājumu pārvietošanas saraksts -ListOfInventories=List of inventories +ListOfInventories=Krājumu saraksts MovementId=Pārvietošanas ID -StockMovementForId=Movement ID %d -ListMouvementStockProject=List of stock movements associated to project +StockMovementForId=Pārvietošanas ID %d +ListMouvementStockProject=Ar projektu saistīto krājumu kustību saraksts StocksArea=Noliktavas platība Location=Vieta LocationSummary=Īsais atrašanās vietas nosaukums @@ -37,10 +37,10 @@ LastMovement=Pēdējā pārvietošana LastMovements=Pēdējās pārvietošanas Units=Vienības Unit=Vienība -StockCorrection=Stock correction +StockCorrection=Krājumu korekcija CorrectStock=Labot krājumus StockTransfer=Krājumu pārvietošana -TransferStock=Transfer stock +TransferStock=Pārvietot krājumus MassStockTransferShort=Masveida krājumu pārvietošana StockMovement=Krājumu pārvietošana StockMovements=Krājumu pārvietošanas @@ -53,21 +53,21 @@ EnhancedValue=Vērtība PMPValue=Vidējā svērtā cena PMPValueShort=VSC EnhancedValueOfWarehouses=Noliktavas vērtība -UserWarehouseAutoCreate=Create a user warehouse automatically when creating a user -AllowAddLimitStockByWarehouse=Allow to add limit and desired stock per couple (product, warehouse) instead of per product +UserWarehouseAutoCreate=Lietotāja noliktavas izveide, izveidojot lietotāju +AllowAddLimitStockByWarehouse=Ļauj pievienot ierobežojumu un vēlamo krājumu uz pāris (produkts, noliktava), nevis uz produktu IndependantSubProductStock=Product stock and subproduct stock are independant QtyDispatched=Nosūtītais daudzums -QtyDispatchedShort=Qty dispatched -QtyToDispatchShort=Qty to dispatch -OrderDispatch=Item receipts +QtyDispatchedShort=Daudz. nosūtīts +QtyToDispatchShort=Daudzums nosūtīšanai +OrderDispatch=Posteņu ieņēmumi RuleForStockManagementDecrease=Rule for automatic stock management decrease (manual decrease is always possible, even if an automatic decrease rule is activated) RuleForStockManagementIncrease=Rule for automatic stock management increase (manual increase is always possible, even if an automatic increase rule is activated) DeStockOnBill=Samazināt nekustamā krājumi uz klientu rēķinu / kredīta piezīmes apstiprināšanu DeStockOnValidateOrder=Samazināt nekustamā krājumus klientu pasūtījumus apstiprināšanu -DeStockOnShipment=Decrease real stocks on shipping validation -DeStockOnShipmentOnClosing=Decrease real stocks on shipping classification closed +DeStockOnShipment=Samazināt reālos krājumus piegādes apstiprinājuma gadījumā +DeStockOnShipmentOnClosing=Samazināt reālās krājumus kuģošanas klasifikācijā ReStockOnBill=Palielināt nekustamā krājumus piegādātāju rēķinu / kredīta piezīmes apstiprināšanu -ReStockOnValidateOrder=Palielināt nekustamā krājumi piegādātājiem pasūtījumu aprobācijai +ReStockOnValidateOrder=Increase real stocks on purchase orders approbation ReStockOnDispatchOrder=Increase real stocks on manual dispatching into warehouses, after supplier order receipt of goods OrderStatusNotReadyToDispatch=Lai vēl nav vai vairs statusu, kas ļauj sūtījumiem produktu krājumu noliktavās. StockDiffPhysicTeoric=Explanation for difference between physical and virtual stock @@ -75,13 +75,13 @@ NoPredefinedProductToDispatch=Nav iepriekš produktu šo objektu. Līdz ar to na DispatchVerb=Nosūtīšana StockLimitShort=Brīdinājuma limits StockLimit=Krājumu brīdinājuma limits -StockLimitDesc=(empty) means no warning.
0 can be used for a warning as soon as stock is empty. +StockLimitDesc=(tukšs) nozīmē, ka nav brīdinājuma.
0 var izmantot brīdinājumam, tiklīdz krājums ir tukšs. PhysicalStock=Fiziskie krājumi RealStock=Rālie krājumi -RealStockDesc=Physical or real stock is the stock you currently have into your internal warehouses/emplacements. -RealStockWillAutomaticallyWhen=The real stock will automatically change according to this rules (see stock module setup to change this): +RealStockDesc=Fiziskais vai reālais krājums ir krājums, kas jums patlaban ir pieejams jūsu iekšējās noliktavās / izvietojumos. +RealStockWillAutomaticallyWhen=Reālais krājums automātiski mainās saskaņā ar šiem noteikumiem (skatiet krājumu moduļa iestatījumus, lai mainītu šo): VirtualStock=Virtuālie krājumi -VirtualStockDesc=Virtual stock is the stock you will get once all open pending actions that affect stocks will be closed (supplier order received, customer order shipped, ...) +VirtualStockDesc=Virtuālais krājums ir krājums, ko saņemsiet, kad tiks atvērtas visas atvērtas, neapdraudētās darbības, kas ietekmē krājumus (piegādes pasūtījums saņemts, nosūtīts pasūtītājs, ...) IdWarehouse=Id noliktava DescWareHouse=Apraksts noliktava LieuWareHouse=Lokālā noliktava @@ -102,7 +102,7 @@ SelectWarehouseForStockDecrease=Izvēlieties noliktavu krājumu samazināšanai SelectWarehouseForStockIncrease=Izvēlieties noliktavu krājumu palielināšanai NoStockAction=Nav akciju darbība DesiredStock=Vēlamais minimālais krājums -DesiredStockDesc=This stock amount will be the value used to fill the stock by replenishment feature. +DesiredStockDesc=Šī krājuma summa būs vērtība, ko izmanto krājumu papildināšanai, izmantojot papildināšanas funkciju. StockToBuy=Lai pasūtītu Replenishment=Papildinājums ReplenishmentOrders=Papildināšanas pasūtījumus @@ -126,19 +126,19 @@ NbOfProductBeforePeriod=Produktu daudzums %s noliktavā pirms izvēlētā period NbOfProductAfterPeriod=Daudzums produktu %s krājumā pēc izvēlētā perioda (> %s) MassMovement=Masveida pārvietošana SelectProductInAndOutWareHouse=Izvēlieties produktu, daudzumu, avota noliktavu un mērķa noliktavu, tad noklikšķiniet uz "%s". Kad tas ir izdarīts visām nepieciešamajām kustībām, noklikšķiniet uz "%s". -RecordMovement=Record transfer +RecordMovement=Ierakstīt pārvietošanu ReceivingForSameOrder=Receipts for this order StockMovementRecorded=Krājumu pārvietošana saglabāta RuleForStockAvailability=Noteikumi krājumu nepieciešamībai -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 is 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 is 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 is rule for automatic stock change) +StockMustBeEnoughForInvoice=Krājumu līmenim ir jābūt pietiekamam, lai produktu / pakalpojumu pievienotu rēķinam (pārbaudīt tiek veikta, izmantojot esošo reālo krājumus, pievienojot rindu rēķinā neatkarīgi no tā, vai ir spēkā automātiskas krājumu izmaiņas) +StockMustBeEnoughForOrder=Krājumu līmenim ir jābūt pietiekamam, lai produktu / pakalpojumu pasūtītam pēc pasūtījuma (pārbaude tiek veikta, izmantojot esošo reālo krājumus, pievienojot rindu kārtībā neatkarīgi no tā, kāds ir noteikums par automātisko krājumu maiņu) +StockMustBeEnoughForShipment= Krājumu līmenim ir jābūt pietiekamam, lai produktam / pakalpojumam pievienotu sūtījumu (pārbaude tiek veikta, izmantojot pašreizējo reālo krājumu, pievienojot līniju sūtījumā neatkarīgi no tā, vai ir spēkā automātiskas krājumu izmaiņas) MovementLabel=Label of movement -DateMovement=Date of movement +DateMovement=Pārvietošanas datums InventoryCode=Movement or inventory code IsInPackage=Contained into package WarehouseAllowNegativeTransfer=Krājumi var būt negatīvi -qtyToTranferIsNotEnough=You don't have enough stock from your source warehouse and your setup does not allow negative stocks. +qtyToTranferIsNotEnough=Jums nav pietiekami daudz krājumu no jūsu avota noliktavas, un jūsu iestatīšana neļauj negatīvus krājumus. ShowWarehouse=Rādīt noliktavu MovementCorrectStock=Stock correction for product %s MovementTransferStock=Stock transfer of product %s into another warehouse @@ -146,14 +146,14 @@ InventoryCodeShort=Inv./Mov. code NoPendingReceptionOnSupplierOrder=No pending reception due to open supplier order ThisSerialAlreadyExistWithDifferentDate=This lot/serial number (%s) already exists but with different eatby or sellby date (found %s but you enter %s). OpenAll=Atvērt visām darbībām -OpenInternal=Open only for internal actions -UseDispatchStatus=Use a dispatch status (approve/refuse) for product lines on supplier 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 +OpenInternal=Atveras tikai iekšējām darbībām +UseDispatchStatus=Izmantojiet nosūtīšanas statusu (apstipriniet / noraidiet) produktu līnijām piegādātāja pasūtījuma saņemšanā +OptionMULTIPRICESIsOn=Ir ieslēgta opcija "vairākas cenas par segmentu". Tas nozīmē, ka produktam ir vairākas pārdošanas cenas, tāpēc pārdošanas vērtību nevar aprēķināt +ProductStockWarehouseCreated=Brīdinājuma krājuma limits un pareizi izveidots vēlamais optimālais krājums +ProductStockWarehouseUpdated=Uzturvērtības ierobežojums brīdinājumam un vēlamais optimālais krājums ir pareizi atjaunināts +ProductStockWarehouseDeleted=Brīdinājuma krājumu limits un vēlamais optimālais krājums ir pareizi svītrots +AddNewProductStockWarehouse=Iestatiet jaunu ierobežojumu brīdinājumam un vēlamo optimālo krājumu +AddStockLocationLine=Samaziniet daudzumu, pēc tam noklikšķiniet, lai pievienotu citu izstrādājumu noliktavu InventoryDate=Inventāra datums NewInventory=Jauns inventārs inventorySetup = Inventāra iestatīšana @@ -163,38 +163,38 @@ inventoryWritePermission=Atjaunināt krājumus inventoryValidatePermission=Pārbaudīt inventāru inventoryTitle=Inventārs inventoryListTitle=Inventāri -inventoryListEmpty=No inventory in progress +inventoryListEmpty=Netiek veikta neviena inventarizācija inventoryCreateDelete=Izveidot/Dzēst inventāru inventoryCreate=Izveidot jaunu inventoryEdit=Labot -inventoryValidate=Validated +inventoryValidate=Apstiprināts inventoryDraft=Darbojas inventorySelectWarehouse=Noliktavas izvēle inventoryConfirmCreate=Izveidot inventoryOfWarehouse=Noliktavas inventārs : %s -inventoryErrorQtyAdd=Error : one quantity is leaser than zero +inventoryErrorQtyAdd=Kļūda: viens daudzums ir leaser nekā nulle inventoryMvtStock=Pēc inventāra inventoryWarningProductAlreadyExists=Šis produkts jau ir iekļauts sarakstā SelectCategory=Sadaļu filtrs -SelectFournisseur=Supplier filter +SelectFournisseur=Piegādātāju filtrs inventoryOnDate=Inventārs -INVENTORY_DISABLE_VIRTUAL=Allow to not destock child product from a kit on inventory -INVENTORY_USE_MIN_PA_IF_NO_LAST_PA=Use the buy price if no last buy price can be found -INVENTORY_USE_INVENTORY_DATE_FROM_DATEMVT=Stock movement have date of inventory -inventoryChangePMPPermission=Allow to change PMP value for a product -ColumnNewPMP=New unit PMP +INVENTORY_DISABLE_VIRTUAL=Ļaujiet neiznīcināt bērnu produktu no inventāra komplekta +INVENTORY_USE_MIN_PA_IF_NO_LAST_PA=Izmantojiet pirkuma cenu, ja nevarat atrast pēdējo pirkuma cenu +INVENTORY_USE_INVENTORY_DATE_FROM_DATEMVT=Krājumu kustība ir inventāra datums +inventoryChangePMPPermission=Ļauj mainīt produkta PMP vērtību +ColumnNewPMP=Jauna vienība PMP OnlyProdsInStock=Nepievienojiet produktu bez krājuma -TheoricalQty=Theorique qty -TheoricalValue=Theorique qty -LastPA=Last BP +TheoricalQty=Teorētiskais daudzums +TheoricalValue=Teorētiskais daudzums +LastPA=Pēdējais BP CurrentPA=Curent BP RealQty=Reālais daudzums RealValue=Reālā vērtība RegulatedQty=Regulēts daudzums AddInventoryProduct=Pievienot produktu inventāram AddProduct=Pievienot -ApplyPMP=Apply PMP -FlushInventory=Flush inventory +ApplyPMP=Piesakies PMP +FlushInventory=Ielieciet inventāru ConfirmFlushInventory=Vai jūs apstiprināt šo darbību? InventoryFlushed=Inventory flushed ExitEditMode=Iziet no labošanas @@ -202,5 +202,5 @@ inventoryDeleteLine=Delete line RegulateStock=Regulēt krājumus ListInventory=Saraksts StockSupportServices=Stock management support services -StockSupportServicesDesc=By default, you can stock only product with type "product". If on, and if module service is on, you can also stock a product with type "service" -ReceiveProducts=Receive products +StockSupportServicesDesc=Pēc noklusējuma varat iegādāties tikai produktu ar veidu "produkts". Ja ieslēgts un ja moduļa pakalpojums ir ieslēgts, varat arī nolikt produktu ar tipu "pakalpojums" +ReceiveProducts=Saņemt priekšmetus diff --git a/htdocs/langs/lv_LV/stripe.lang b/htdocs/langs/lv_LV/stripe.lang index a688ad06c1b72..51b07f0269531 100644 --- a/htdocs/langs/lv_LV/stripe.lang +++ b/htdocs/langs/lv_LV/stripe.lang @@ -1,65 +1,63 @@ # Dolibarr language file - Source file is en_US - stripe -StripeSetup=Stripe module setup +StripeSetup=Joslas moduļa iestatīšana StripeDesc=Module to offer an online payment page accepting payments with Credit/Debit card via Stripe. This can be used to allow your customers to make free payments or for a payment on a particular Dolibarr object (invoice, order, ...) -StripeOrCBDoPayment=Maksājiet ar kredītkarti vai joslu +StripeOrCBDoPayment=Maksājiet ar kredītkarti vai Stripe FollowingUrlAreAvailableToMakePayments=Pēc URL ir pieejami, lai piedāvātu lapu, lai klients varētu veikt maksājumu par Dolibarr objektiem -PaymentForm=Maksājuma formu +PaymentForm=Maksājuma forma WelcomeOnPaymentPage=Laipni lūdzam mūsu tiešsaistes maksājumu pakalpojumu -ThisScreenAllowsYouToPay=Šis ekrāns ļauj jums veikt tiešsaistes maksājumu %s. +ThisScreenAllowsYouToPay=Šis logs ļauj jums veikt tiešsaistes maksājumu %s. ThisIsInformationOnPayment=Šī ir informācija par maksājumu, kas darīt ToComplete=Lai pabeigtu YourEMail=Nosūtīt saņemt maksājuma apstiprinājumu STRIPE_PAYONLINE_SENDEMAIL=E-pastu, lai brīdinātu pēc maksājuma (veiksme vai ne) -Creditor=Kreditors +Creditor=Kreditoru PaymentCode=Maksājuma kods StripeDoPayment=Pay with Credit or Debit Card (Stripe) -YouWillBeRedirectedOnStripe=You will be redirected on secured Stripe page to input you credit card information +YouWillBeRedirectedOnStripe=Jūs tiksiet novirzīts uz drošo lapu, lai ievadītu kredītkartes informāciju Continue=Nākamais -ToOfferALinkForOnlinePayment=URL %s maksājumu +ToOfferALinkForOnlinePayment=maksājumu %s URL ToOfferALinkForOnlinePaymentOnOrder=URL piedāvāt %s tiešsaistes maksājumu lietotāja interfeisu klienta pasūtījuma ToOfferALinkForOnlinePaymentOnInvoice=URL piedāvāt %s tiešsaistes maksājumu lietotāja interfeisu klientu rēķina ToOfferALinkForOnlinePaymentOnContractLine=URL piedāvāt %s tiešsaistes maksājumu lietotāja interfeisu līguma līnijas ToOfferALinkForOnlinePaymentOnFreeAmount=URL piedāvāt %s tiešsaistes maksājumu lietotāja saskarni par brīvu summu ToOfferALinkForOnlinePaymentOnMemberSubscription=URL piedāvāt %s tiešsaistes maksājumu lietotāja interfeisu locekli abonementu YouCanAddTagOnUrl=Jūs varat arī pievienot url parametrs & Tag = vērtība, kādu no šiem URL (nepieciešams tikai bezmaksas samaksu), lai pievienotu savu maksājumu komentāru tagu. -SetupStripeToHavePaymentCreatedAutomatically=Setup your Stripe with url %s to have payment created automatically when validated by Stripe. -YourPaymentHasBeenRecorded=Šajā lapā apliecina, ka jūsu maksājums ir reģistrēts. Paldies. -YourPaymentHasNotBeenRecorded=Jūs maksājums nav reģistrēts, un darījums tika atcelts. Paldies. +SetupStripeToHavePaymentCreatedAutomatically=Set up your Stripe ar url %s , lai maksājums tiktu izveidots automātiski, ja to apstiprina Stripe. AccountParameter=Konta parametri UsageParameter=Izmantošanas parametri InformationToFindParameters=Palīdzēt atrast savu %s konta informāciju -STRIPE_CGI_URL_V2=Url of Stripe CGI module for payment -VendorName=Nosaukums pārdevējam +STRIPE_CGI_URL_V2=CGI moduļa norēķinu URL +VendorName=Pārdevēja nosaukums CSSUrlForPaymentForm=CSS stila lapas url maksājuma formu -NewStripePaymentReceived=New Stripe payment received -NewStripePaymentFailed=New Stripe payment tried but failed +NewStripePaymentReceived=Saņemta jauna josla maksājums +NewStripePaymentFailed=New Stripe maksājums tika izmēģināts, bet neizdevās STRIPE_TEST_SECRET_KEY=Slepena testa atslēga -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 -StripeID=Stripe ID -NameOnCard=Name on card -CardNumber=Card Number -ExpiryDate=Expiry Date +STRIPE_TEST_PUBLISHABLE_KEY=Publicējamais testa taustiņš +STRIPE_TEST_WEBHOOK_KEY=Webhooka testa atslēga +STRIPE_LIVE_SECRET_KEY=Slepena atslēga +STRIPE_LIVE_PUBLISHABLE_KEY=Publicēts atslēgšanas taustiņš +STRIPE_LIVE_WEBHOOK_KEY=Webhokas tiešraides atslēga +ONLINE_PAYMENT_WAREHOUSE=Krājums, ko izmanto, lai krājumu samazinātu, kad tiek veikts tiešsaistes maksājums
(TODO Kad iespēja samazināt akciju tiek veikta, veicot darbību rēķinā, un tiešsaistes maksājums pats par sevi sagatavo rēķinu?) +StripeLiveEnabled=Ieslēgta josla dzīvot (citādi tests / smilškastē režīms) +StripeImportPayment=Importēšanas joslas maksājumi +ExampleOfTestCreditCard=Testa kredītkartes piemērs: %s (derīgs), %s (kļūda CVC), %s (beidzies derīguma termiņš), %s (maksa neizdodas) +StripeGateways=Joslas vārti +OAUTH_STRIPE_TEST_ID=Stripe Connect klienta ID (ca _...) +OAUTH_STRIPE_LIVE_ID=Stripe Connect klienta ID (ca _...) +BankAccountForBankTransfer=Bankas konts fonda izmaksām +StripeAccount=Joslas konts +StripeChargeList=Joslu saraksts +StripeTransactionList=Lentes darījumu saraksts +StripeCustomerId=Joslu klienta ID +StripePaymentModes=Stripa maksājumu veidi +LocalID=Lokālais ID +StripeID=Stripa ID +NameOnCard=Vārds uz kartes +CardNumber=Kartes numurs +ExpiryDate=Derīguma termiņš 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 +DeleteACard=Dzēst karti +ConfirmDeleteCard=Vai tiešām vēlaties izdzēst šo kredītkarti vai debetkarti? +CreateCustomerOnStripe=Izveidojiet klientu joslā +CreateCardOnStripe=Izveidojiet karti joslā +ShowInStripe=Rādīt joslā diff --git a/htdocs/langs/lv_LV/supplier_proposal.lang b/htdocs/langs/lv_LV/supplier_proposal.lang index c18fa6f869f67..3019228e921ce 100644 --- a/htdocs/langs/lv_LV/supplier_proposal.lang +++ b/htdocs/langs/lv_LV/supplier_proposal.lang @@ -1,6 +1,6 @@ # Dolibarr language file - Source file is en_US - supplier_proposal -SupplierProposal=Vendor commercial proposals -supplier_proposalDESC=Manage price requests to vendors +SupplierProposal=Pārdevēja komerciālie priekšlikumi +supplier_proposalDESC=Pārvaldīt cenu pieprasījumus pārdevējiem SupplierProposalNew=Jauns cenas pieprasījums CommRequest=Cenas pieprasījums CommRequests=Cenas pieprasījumi @@ -9,47 +9,47 @@ DraftRequests=Pieprasījuma melnraksts SupplierProposalsDraft=Draft vendor proposals LastModifiedRequests=Pēdējie %s labotie cenu pieprasījumi RequestsOpened=Atvērt cenas pieprasījumu -SupplierProposalArea=Vendor proposals area -SupplierProposalShort=Vendor proposal -SupplierProposals=Vendor proposals -SupplierProposalsShort=Vendor proposals +SupplierProposalArea=Pārdevēju piedāvājumu apgabals +SupplierProposalShort=Pārdevēja piedāvājums +SupplierProposals=Pārdevēja priekšlikumi +SupplierProposalsShort=Pārdevēja priekšlikumi NewAskPrice=Jauns cenas pieprasījums ShowSupplierProposal=Rādīt cenas pieprasījumu AddSupplierProposal=Izveidot cenas pieprasījumu -SupplierProposalRefFourn=Vendor ref +SupplierProposalRefFourn=Pārdevējs ref SupplierProposalDate=Piegādes datums -SupplierProposalRefFournNotice=Before closing to "Accepted", think to grasp suppliers references. -ConfirmValidateAsk=Are you sure you want to validate this price request under name %s? +SupplierProposalRefFournNotice=Pirms slēgšanas pie "Apstiprināšanas" , uzziniet piegādātāju atsauces. +ConfirmValidateAsk=Vai tiešām vēlaties apstiprināt šo cenu pieprasījumu ar nosaukumu %s ? DeleteAsk=Dzēst pieprasījumu ValidateAsk=Apstiprināt pieprasījumu SupplierProposalStatusDraft=Draft (needs to be validated) -SupplierProposalStatusValidated=Validated (request is open) +SupplierProposalStatusValidated=Apstiprināts (pieprasījums ir atvērts) SupplierProposalStatusClosed=Slēgts SupplierProposalStatusSigned=Apstiprināts SupplierProposalStatusNotSigned=Atteikts SupplierProposalStatusDraftShort=Melnraksts -SupplierProposalStatusValidatedShort=Validated +SupplierProposalStatusValidatedShort=Apstiprināts SupplierProposalStatusClosedShort=Slēgts -SupplierProposalStatusSignedShort=Apstiprināts +SupplierProposalStatusSignedShort=Pieņemts SupplierProposalStatusNotSignedShort=Atteikts CopyAskFrom=Izveidot cenas pieprasījumu kopējot jau esošo pieprasījumu CreateEmptyAsk=Izveidot jaunu tukšu pieprasījumu CloneAsk=Klonēt cenas pieprasījumu -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? +ConfirmCloneAsk=Vai tiešām vēlaties klonēt cenu pieprasījumu %s ? +ConfirmReOpenAsk=Vai tiešām vēlaties atvērt cenu pieprasījumu %s? SendAskByMail=Sūtīt cenas pieprasījumu pa pastu SendAskRef=Sūta cenas pieprasījumu %s -SupplierProposalCard=Request card -ConfirmDeleteAsk=Are you sure you want to delete this price request %s? -ActionsOnSupplierProposal=Events on price request +SupplierProposalCard=Pieprasīt karti +ConfirmDeleteAsk=Vai tiešām vēlaties dzēst šo cenu pieprasījumu %s ? +ActionsOnSupplierProposal=Pasākumi pēc cenas pieprasījuma DocModelAuroreDescription=A complete request model (logo...) CommercialAsk=Cenas pieprasījums 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 +ListOfSupplierProposals=Pārdevēja piedāvājuma pieprasījumu saraksts +ListSupplierProposalsAssociatedProject=Ar projektu saistīto projektu iesniedzēju saraksts +SupplierProposalsToClose=Pārdevēja priekšlikumi slēgt +SupplierProposalsToProcess=Pārdevēja priekšlikumi apstrādāt +LastSupplierProposals=Jaunākie %s cenu pieprasījumi AllPriceRequests=Visi pieprasījumi diff --git a/htdocs/langs/lv_LV/trips.lang b/htdocs/langs/lv_LV/trips.lang index a7034d90d090c..471d8f1ebe397 100644 --- a/htdocs/langs/lv_LV/trips.lang +++ b/htdocs/langs/lv_LV/trips.lang @@ -1,80 +1,80 @@ # 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=Rādīt izdevumu pārskatu +Trips=Izdevumu atskaites +TripsAndExpenses=Izdevumu pārskati +TripsAndExpensesStatistics=Izdevumu pārskatu statistika +TripCard=Izdevumu pārskata kartiņa +AddTrip=Izveidot izdevumu pārskatu +ListOfTrips=Izdevumu pārskatu saraksts ListOfFees=Saraksts maksu -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 +TypeFees=Maksu veidi +ShowTrip=Rādīt izdevumu pārskatu +NewTrip=Jauns izdevumu pārskats +LastExpenseReports=Jaunākie %s izdevumu pārskati +AllExpenseReports=Visu izdevumu pārskati +CompanyVisited=Apmeklēts uzņēmums / organizācija FeesKilometersOrAmout=Summa vai kilometri -DeleteTrip=Delete expense report +DeleteTrip=Dzēst izdevumu pārskatu ConfirmDeleteTrip=Vai tiešām vēlaties dzēst šo izdevumu atskaiti ? -ListTripsAndExpenses=List of expense reports -ListToApprove=Waiting for approval -ExpensesArea=Expense reports area +ListTripsAndExpenses=Izdevumu pārskatu saraksts +ListToApprove=Gaida apstiprinājumu +ExpensesArea=Izdevumu pārskatu sadaļa 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 +ExpenseReportWaitingForApprovalMessage=Ir iesniegts jauns izdevumu pārskats un tas gaida apstiprināšanu.
- Lietotājs: %s
- Periods: %s
Uzklikšķināt šeit, lai apstiprinātu: %s +ExpenseReportWaitingForReApproval=Izdevumu pārskats ir iesniegts atkārtotai apstiprināšanai +ExpenseReportWaitingForReApprovalMessage=Izdevumu pārskats ir iesniegts un gaida atkārtotu apstiprināšanu.
%s, jūs atteicās apstiprināt izdevumu pārskatu šā iemesla dēļ: %s.
Ir ierosināta jauna versija un gaida jūsu apstiprinājumu.
- Lietotājs: %s
- Periods: %s
Uzklikšķināt šeit, lai apstiprinātu: %s +ExpenseReportApproved=Izdevumu pārskats tika apstiprināts +ExpenseReportApprovedMessage=Izdevumu pārskats %s tika apstiprināts.
- Lietotājs: %s
- Apstiprinājis: %s
Uzklikšķināt šeit, lai parādītu izdevumu pārskatu: %s +ExpenseReportRefused=Izdevumu pārskats tika noraidīts +ExpenseReportRefusedMessage=Izdevumu pārskats %s tika noraidīts.
- Lietotājs: %s
- Atteikts: %s - Atteikšanās motīvs: %s
Uzklikšķināt šeit, lai parādītu izdevumu pārskatu: %s +ExpenseReportCanceled=Izdevumu pārskats tika atcelts +ExpenseReportCanceledMessage=Izdevumu pārskats %s tika atcelts.
- Lietotājs: %s
- Atcēla: %s
- Atcelšanas iemesls: %s
Uzklikšķināt šeit, lai parādītu izdevumu pārskatu: %s +ExpenseReportPaid=Izdevumu pārskats tika samaksāts +ExpenseReportPaidMessage=Izmaksu pārskats %s tika samaksāts.
- Lietotājs: %s
- Maksā: %s
Uzklikšķināt šeit, lai parādītu izdevumu pārskatu: %s TripId=Id expense report AnyOtherInThisListCanValidate=Person to inform for validation. -TripSociete=Information company -TripNDF=Informations expense report +TripSociete=Informācijas kompānija +TripNDF=Informācijas izdevumu pārskats PDFStandardExpenseReports=Standard template to generate a PDF document for expense report -ExpenseReportLine=Expense report line +ExpenseReportLine=Izdevumu pārskata rinda TF_OTHER=Cits -TF_TRIP=Transportation +TF_TRIP=Transports TF_LUNCH=Pusdienas TF_METRO=Metro TF_TRAIN=Vilciens TF_BUS=Autobuss TF_CAR=Automašīna -TF_PEAGE=Toll +TF_PEAGE=Maksa TF_ESSENCE=Degviela TF_HOTEL=Viesnīca TF_TAXI=Taksis -EX_KME=Mileage costs -EX_FUE=Fuel CV +EX_KME=Attāluma izmaksas +EX_FUE=Degvielas CV EX_HOT=Viesnīca -EX_PAR=Parking CV +EX_PAR=Autostāvvieta CV EX_TOL=Toll CV EX_TAX=Dažādi nodokļi -EX_IND=Indemnity transportation subscription -EX_SUM=Maintenance supply -EX_SUO=Office supplies +EX_IND=Kompensācijas transporta abonēšana +EX_SUM=Apgādes nodrošinājums +EX_SUO=Ofisa piederumi EX_CAR=Autonoma EX_DOC=Dokumentācija -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_CUR=Klienti, kas saņem +EX_OTR=Cits saņemšanas veids +EX_POS=Sūtījums +EX_CAM=CV uzturēšana un remonts +EX_EMM=Darbinieku ēdieni +EX_GUM=Viesu ēdieni EX_BRE=Brokastis -EX_FUE_VP=Fuel PV +EX_FUE_VP=Degvielas 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 +EX_PAR_VP=PVN autostāvvieta +EX_CAM_VP=PV apkope un remonts +DefaultCategoryCar=Noklusētais transporta veids +DefaultRangeNumber=Noklusējuma diapazona numurs -Error_EXPENSEREPORT_ADDON_NotDefined=Error, the rule for expense report numbering ref was not defined into setup of module 'Expense Report' +Error_EXPENSEREPORT_ADDON_NotDefined=Kļūda, izdevumu atskaites numerācijas refreģēšanas noteikums nav definēts moduļa "Izdevumu pārskats" iestatīšanā ErrorDoubleDeclaration=You have declared another expense report into a similar date range. AucuneLigne=There is no expense report declared yet @@ -82,76 +82,76 @@ ModePaiement=Maksājuma veids VALIDATOR=User responsible for approval VALIDOR=Apstiprinājis -AUTHOR=Recorded by +AUTHOR=Ierakstījis AUTHORPAIEMENT=Apmaksājis -REFUSEUR=Denied by +REFUSEUR=Aizliedzis CANCEL_USER=Dzēsis MOTIF_REFUS=Iemesls MOTIF_CANCEL=Iemesls -DATE_REFUS=Deny date -DATE_SAVE=Validation date -DATE_CANCEL=Cancelation date +DATE_REFUS=Aizliegšanas datums +DATE_SAVE=Apstiprināšanas datums +DATE_CANCEL=Atcelšanas datums DATE_PAIEMENT=Maksājuma datums BROUILLONNER=Atvērt pa jaunu -ExpenseReportRef=Ref. expense report +ExpenseReportRef=Atsauces izdevumu pārskats ValidateAndSubmit=Validate and submit for approval -ValidatedWaitingApproval=Validated (waiting for approval) +ValidatedWaitingApproval=Apstiprināts (gaida apstiprinājumu) NOT_AUTHOR=You are not the author of this expense report. Operation cancelled. ConfirmRefuseTrip=Vai jūs tiešām vēlaties bloķēt šo izdevumu pārskatu? -ValideTrip=Approve expense report +ValideTrip=Apstiprināt izdevumu pārskatu ConfirmValideTrip=Vai tiešām vēlaties apstiprināt šo izdevumu atskaiti? 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? +ConfirmPaidTrip=Vai tiešām vēlaties mainīt šī izdevumu pārskata statusu uz "Apmaksātais"? +ConfirmCancelTrip=Vai tiešām vēlaties atcelt šo izdevumu pārskatu? BrouillonnerTrip=Move back expense report to status "Draft" -ConfirmBrouillonnerTrip=Are you sure you want to move this expense report to status "Draft"? +ConfirmBrouillonnerTrip=Vai tiešām vēlaties pārvietot šo izdevumu pārskatu uz statusu "Melnraksts"? SaveTrip=Validate expense report -ConfirmSaveTrip=Are you sure you want to validate this expense report? +ConfirmSaveTrip=Vai tiešām vēlaties apstiprināt šo izdevumu pārskatu? NoTripsToExportCSV=No expense report to export for this period. ExpenseReportPayment=Expense report payment -ExpenseReportsToApprove=Expense reports to approve +ExpenseReportsToApprove=Izdevumu ziņojumi jāapstiprina ExpenseReportsToPay=Expense reports to pay -CloneExpenseReport=Clone expense report -ConfirmCloneExpenseReport=Are you sure you want to clone this expense report ? -ExpenseReportsIk=Expense report milles index -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 +CloneExpenseReport=Klonēt izdevumu pārskatu +ConfirmCloneExpenseReport=Vai tiešām vēlaties klonēt šo izdevumu pārskatu? +ExpenseReportsIk=Izdevumu pārskats, kurā ir indekss +ExpenseReportsRules=Izdevumu pārskatu noteikumi +ExpenseReportIkDesc=Varat mainīt kilometru izdevumu aprēķinu pa kategorijām un diapazoniem, kurus tie iepriekš ir definējuši. d ir attālums kilometros +ExpenseReportRulesDesc=Jūs varat izveidot vai atjaunināt visus aprēķina noteikumus. Šī daļa tiks izmantota, ja lietotājs izveidos jaunu izdevumu pārskatu expenseReportOffset=Kompensācija -expenseReportCoef=Coefficient -expenseReportTotalForFive=Example with d = 5 -expenseReportRangeFromTo=from %d to %d +expenseReportCoef=Koeficents +expenseReportTotalForFive=Piemērs ar d = 5 +expenseReportRangeFromTo=no %d līdz %d expenseReportRangeMoreThan=vairāk nekā %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 +expenseReportCoefUndefined=(vērtība nav definēta) +expenseReportCatDisabled=Kategorija ir atspējota - skatiet c_exp_tax_cat vārdnīcu +expenseReportRangeDisabled=Diapazons ir atspējots - skatiet c_exp_tax_range dictionay +expenseReportPrintExample=kompensēt + (d x coef) = %s +ExpenseReportApplyTo=Pielietot +ExpenseReportDomain=Domēns jāpiemēro +ExpenseReportLimitOn=Ierobežot ExpenseReportDateStart=Sākuma datums ExpenseReportDateEnd=Beigu datums -ExpenseReportLimitAmount=Limite amount -ExpenseReportRestrictive=Restrictive -AllExpenseReport=All type of expense report -OnExpense=Expense line -ExpenseReportRuleSave=Expense report rule saved +ExpenseReportLimitAmount=Limita daudzums +ExpenseReportRestrictive=Ierobežojošs +AllExpenseReport=Visu izdevumu pārskatu veids +OnExpense=Izdevumu līnija +ExpenseReportRuleSave=Izdevumu pārskatu noteikums ir saglabāts ExpenseReportRuleErrorOnSave=Kļūda: %s -RangeNum=Range %d +RangeNum=Diapazons %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) +ExpenseReportConstraintViolationError=Ierobežojuma pārkāpuma ID [%s]: %s ir pārāka par %s %s. +byEX_DAY=pēc dienas (ierobežojums līdz %s) +byEX_MON=pēc mēneša (ierobežojums līdz %s) +byEX_YEA=pa gadiem (ierobežojums līdz %s) +byEX_EXP=pēc rindas (ierobežojums līdz %s) +ExpenseReportConstraintViolationWarning=Ierobežojuma pārkāpuma ID [%s]: %s ir pārāka par %s %s. +nolimitbyEX_DAY=pēc dienas (bez ierobežojuma) +nolimitbyEX_MON=pa mēnešiem (bez ierobežojumiem) +nolimitbyEX_YEA=pa gadiem (bez ierobežojumiem) +nolimitbyEX_EXP=pēc rindas (bez ierobežojuma) -CarCategory=Category of car -ExpenseRangeOffset=Offset amount: %s -RangeIk=Mileage range +CarCategory=Automašīnu sadaļa +ExpenseRangeOffset=Kompensācijas summa: %s +RangeIk=Nobraukums diff --git a/htdocs/langs/lv_LV/users.lang b/htdocs/langs/lv_LV/users.lang index 1c53cb152595d..440a74419c4c3 100644 --- a/htdocs/langs/lv_LV/users.lang +++ b/htdocs/langs/lv_LV/users.lang @@ -6,10 +6,10 @@ Permission=Atļauja Permissions=Atļaujas EditPassword=Labot paroli SendNewPassword=Atjaunot un nosūtīt paroli -SendNewPasswordLink=Send link to reset password +SendNewPasswordLink=Sūtīt saiti, lai atiestatītu paroli ReinitPassword=Ģenerēt paroli PasswordChangedTo=Parole mainīts: %s -SubjectNewPassword=Your new password for %s +SubjectNewPassword=Jūsu jaunā parole %s GroupRights=Grupas atļaujas UserRights=Lietotāja atļaujas UserGUISetup=Lietotāja attēlošanas iestatīšana @@ -44,11 +44,11 @@ NewGroup=Jauna grupa CreateGroup=Izveidot grupu RemoveFromGroup=Dzēst no grupas PasswordChangedAndSentTo=Parole nomainīta un nosūtīta %s. -PasswordChangeRequest=Request to change password for %s +PasswordChangeRequest=Pieprasījums nomainīt paroli %s PasswordChangeRequestSent=Pieprasīt, lai nomaina paroli, %s nosūtīt %s. -ConfirmPasswordReset=Confirm password reset +ConfirmPasswordReset=Paroles atiestatīšanas apstiprināšana MenuUsersAndGroups=Lietotāji un grupas -LastGroupsCreated=Pēdējās %s izveidotās grupas +LastGroupsCreated=Jaunākās %s grupas izveidotas LastUsersCreated=Pēdējie %s izveidotie lietotāji ShowGroup=Rādīt grupa ShowUser=Rādīt lietotāju @@ -66,16 +66,16 @@ CreateDolibarrThirdParty=Izveidot trešo pusi LoginAccountDisableInDolibarr=Konts bloķēts Dolibarr. UsePersonalValue=Izmantot personisko vērtību InternalUser=Iekšējais lietotājs -ExportDataset_user_1=Dolibarr lietotājus un īpašības +ExportDataset_user_1=Dolibarr lietotāji un īpašības DomainUser=Domēna lietotājs %s Reactivate=Aktivizēt -CreateInternalUserDesc=This form allows you to create an user internal to your company/organization. To create an external user (customer, supplier, ...), use the button 'Create Dolibarr user' from third party's contact card. -InternalExternalDesc=An internal user is a user that is part of your company/organization.
An external user is a customer, supplier or other.

In both cases, permissions defines rights on Dolibarr, also external user can have a different menu manager than internal user (See Home - Setup - Display) +CreateInternalUserDesc=Šī veidlapa ļauj izveidot uzņēmuma / organizācijas iekšējo lietotāju. Lai izveidotu ārēju lietotāju (klientu, piegādātāju, ...), izmantojiet pogu "Izveidot Dolibarr lietotāju" no trešās personas kontakta kartītes. +InternalExternalDesc= iekšējais lietotājs ir lietotājs, kas ir jūsu uzņēmuma / organizācijas daļa.
ārējais lietotājs ir klients, piegādātājs vai cits.

In abos gadījumos atļaujas definē Dolibarr tiesības, arī ārējam lietotājam var būt atšķirīgs izvēlnes pārvaldnieks nekā iekšējam lietotājam (skatiet sadaļu Sākums - Iestatīšana - Displejs) PermissionInheritedFromAGroup=Atļauja piešķirta, jo mantojis no viena lietotāja grupai. Inherited=Iedzimta UserWillBeInternalUser=Izveidots lietotājs būs iekšējā lietotāja (jo nav saistīta ar konkrētu trešajai personai) UserWillBeExternalUser=Izveidots lietotājs būs ārējo lietotāju (jo saistīts ar konkrētu trešajai personai) -IdPhoneCaller=Id tālruni zvanītājs +IdPhoneCaller=Id zvanītāja tālrunis NewUserCreated=Lietotājs %s izveidots NewUserPassword=Parole nomainīta %s EventUserModified=Lietotājs %s modificēts @@ -93,18 +93,18 @@ NameToCreate=Nosaukums trešās puses, lai radītu YourRole=Jūsu lomas YourQuotaOfUsersIsReached=Jūsu aktīvo lietotāju limits ir sasniegts! NbOfUsers=Lietotāju sk -NbOfPermissions=Nb of permissions +NbOfPermissions=Nb atļauju DontDowngradeSuperAdmin=Tikai superadmins var pazemināt superadminu HierarchicalResponsible=Uzraugs HierarchicView=Hierarhiska view UseTypeFieldToChange=Izmantojiet lauka veids, lai mainītu OpenIDURL=OpenID URL LoginUsingOpenID=Izmantojiet OpenID, lai pieteiktos -WeeklyHours=Hours worked (per week) -ExpectedWorkedHours=Expected worked hours per week +WeeklyHours=Nostrādātais laiks (nedēļā) +ExpectedWorkedHours=Paredzamais darba laiks nedēļā ColorUser=Lietotāja krāsa -DisabledInMonoUserMode=Disabled in maintenance mode -UserAccountancyCode=User accounting code +DisabledInMonoUserMode=Atspējots uzturēšanas režīmā +UserAccountancyCode=Lietotāja grāmatvedības kods UserLogoff=Lietotājs atslēdzies UserLogged=Lietotājs pieteicies DateEmployment=Darba uzsākšanas datums diff --git a/htdocs/langs/lv_LV/website.lang b/htdocs/langs/lv_LV/website.lang index ff78442b0b2ad..02ba0404abfd2 100644 --- a/htdocs/langs/lv_LV/website.lang +++ b/htdocs/langs/lv_LV/website.lang @@ -2,83 +2,85 @@ Shortname=Kods WebsiteSetupDesc=Create here as much entry as number of different websites you need. Then go into menu Websites to edit them. DeleteWebsite=Dzēst mājaslapu -ConfirmDeleteWebsite=Are you sure you want to delete this web site. All its pages and content will also be removed. -WEBSITE_TYPE_CONTAINER=Type of page/container -WEBSITE_PAGE_EXAMPLE=Web page to use as example +ConfirmDeleteWebsite=Vai tiešām vēlaties dzēst šo tīmekļa vietni. Visas tās lapas un saturs tiks dzēstas. +WEBSITE_TYPE_CONTAINER=Lapas / konteinera veids +WEBSITE_PAGE_EXAMPLE=Tīmekļa lapa, ko izmantot kā piemēru WEBSITE_PAGENAME=Lapas nosaukums / pseidonīms WEBSITE_ALIASALT=Alternative page names/aliases +WEBSITE_ALIASALTDesc=Izmantojiet šeit citu nosaukumu / aizstājvārdu sarakstu, lai arī šo lapu varētu piekļūt, izmantojot šo citus vārdus / aizstājvārdus (piemēram, vecais vārds pēc tam, kad pārdēvēja aizstājvārdu, lai saglabātu atpakaļsaišu vecās saites / nosaukuma darbībai). Sintakse ir:
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_JS_INLINE=Javascript failu saturs (kopīgs visām lapām) WEBSITE_HTML_HEADER=Addition at bottom of HTML Header (common to all pages) -WEBSITE_ROBOT=Robot file (robots.txt) +WEBSITE_ROBOT=Robotfails (robots.txt) WEBSITE_HTACCESS=Tīmekļa vietne .htaccess fails -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. +HtmlHeaderPage=HTML virsraksts (tikai šai lapai) +PageNameAliasHelp=Lapas nosaukums vai pseidonīms.
Šis aizstājvārds tiek izmantots arī, lai izveidotu SEO vietrādi, ja vietne tiek izmantota no Web servera virtuālās saimniekdatora (piemēram, Apacke, Nginx, ...). Izmantojiet pogu " %s , lai rediģētu šo aizstājvārdu. +EditTheWebSiteForACommonHeader=Piezīme: ja vēlaties norādīt personalizētu galveni visām lapām, rediģējiet virsrakstu vietnes līmenī, nevis lapā / konteinerā. MediaFiles=Mediju bibliotēka -EditCss=Edit Style/CSS or HTML header +EditCss=Rediģēt stilu / CSS vai HTML virsrakstu EditMenu=Labot izvēlni EditMedias=Rediģēt medijus -EditPageMeta=Edit Meta +EditPageMeta=Rediģēt meta AddWebsite=Pievienot vietni -Webpage=Web page/container +Webpage=Web lapa / konteiners AddPage=Pievienot lapu / konteineru HomePage=Mājas lapa -PageContainer=Page/container +PageContainer=Lapa / konteiners PreviewOfSiteNotYetAvailable=Jūsu tīmekļa vietnes priekšskatījums %svēl nav pieejams. Vispirms jāpievieno lapa. -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. -PageContent=Page/Contenair -PageDeleted=Page/Contenair '%s' of website %s deleted -PageAdded=Page/Contenair '%s' added +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. +PageContent=Lapa / Konteiners +PageDeleted=Lapa / Saturs %s "%s" ir izdzēsts +PageAdded=Lapa / Konteiners '%s' ir pievienota ViewSiteInNewTab=Skatīt vietni jaunā cilnē ViewPageInNewTab=Skatīt lapu jaunā cilnē SetAsHomePage=Iestatīt kā mājas lapu RealURL=Reāls URL -ViewWebsiteInProduction=View web site using home URLs -SetHereVirtualHost=If you can create, on your web server (Apache, Nginx, ...), a dedicated Virtual Host with PHP enabled and a Root directory on
%s
then enter here the virtual hostname you have created, so the preview can be done also using this dedicated web server access instead of only using Dolibarr server. -YouCanAlsoTestWithPHPS=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 -CheckVirtualHostPerms=Check also that virtual host has permission %s on files into
%s +ViewWebsiteInProduction=Apskatīt vietni, izmantojot mājas URL +SetHereVirtualHost=Ja varat savā tīmekļa serverī (Apache, Nginx, ...) izveidot īpašu virtuālo saimniekdatoru ar iespējotu PHP un Saknes direktoriju vietnē %s
, tad ievadiet šeit virtuālo jūsu izveidotā saimniekdatora nosaukumu, tāpēc priekšskatījumu var veikt arī, izmantojot šo īpašo tīmekļa servera piekļuvi, nevis tikai Dolibarr servera izmantošanu. +YouCanAlsoTestWithPHPS=Izstrādājot vidi, jūs varat izvēlēties testēt vietni ar PHP iegulto tīmekļa serveri (nepieciešams PHP 5.5), palaižot php -S 0.0.0.0:8080 -t %s +CheckVirtualHostPerms=Pārbaudiet arī to, vai virtuālajam uzņēmējam ir atļauja %s failiem vietnē %s ReadPerm=Lasīt -WritePerm=Write +WritePerm=Rakstīt 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 +PreviewSiteServedByDolibarr= Priekšskatīt %s jaunā cilnē.

Dolibarr serveris izsniegs %s, tāpēc tam nevajadzēs instalēt papildu tīmekļa serveri (piemēram, Apache, Nginx, IIS). < br> Nelabvēlīgi ir tas, ka lapu URL nav lietotājam draudzīgs un sākas ar jūsu Dolibarr ceļu.
URL, ko izsniedz Dolibarr:
%s

Lai izmantotu savu ārējais tīmekļa serveris, kas kalpo šai vietnei, izveido virtuālo saimniekdatoru savā tīmekļa serverī, kas norādīts direktorijā
%s
, pēc tam ievadiet šī virtuālā servera nosaukumu un noklikšķiniet uz citas priekšskatījuma pogas . +VirtualHostUrlNotDefined=Virtuālā resursdatora adrese, kuru apkalpo ārējs tīmekļa serveris, nav definēts NoPageYet=Vēl nav nevienas lapas -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, $langs, $db, $mysoc, $user, $website.

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:
<?php redirectToContainer('alias_of_container_to_redirect_to'); ?>

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 access), syntax is:
<a href="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">
-ClonePage=Clone page/container +SyntaxHelp=Palīdzība par konkrētiem sintakses padomiem +YouCanEditHtmlSourceckeditor=Jūs varat rediģēt HTML avota kodu, izmantojot redaktorā pogu "Avots". +YouCanEditHtmlSource=
Jūs varat iekļaut PHP kodu šajā avotā, izmantojot tagus <? php? > . Pieejami šādi globālie mainīgie: $ conf, $ langs, $ db, $ mysoc, $ user, $ website.

Jūs varat arī iekļaut cita lapas / konteinera saturs ar šādu sintaksi:
<? php includeContainer ('alias_of_container_to_include'); ? >

Jūs varat veikt novirzīšanu uz citu lapu / konteineru ar šādu sintaksi:
<? php redirectToContainer ('alias_ofcontainer_to_redirect_to'); ? >

Lai iekļautu saiti, lai lejupielādētu failu, kas saglabāts dokumentos < / strong> direktorijā izmantojiet iesaiņojuma document.php mapi:
Piemērs failam dokumentos / ecm (jāreģistrē) sintakse ir:
<a href = "/document.php?modulepart=ecm&file=[relative_dir/]filename.ext" >
Ja failā ir dokumenti / mediji (atvērtā direktorijā publiskai piekļuvei), sintakse ir:
<a href = "/ document.php? modulepart = media_file =" [relative_dir /] filename.ext ">
par failu, kas koplietots ar koplietošanas saiti (atvērtā piekļuve, izmantojot faila koplietošanas hash atslēgu), sintakse ir:
<a href = "/ document.php? hashp = publicsharekeyoffile" >

Lai ietver attēlu , kas tiek glabāts direktorijā documents , izmantojiet apvalku viewimage.php :
piemēram, attēlam uz dokumentiem / medijiem (atvērtā piekļuve) sintakse ir:
<a href = "/ viewimage.php? modulepart = medias&file = [relative_dir /] filename.ext" >
+ClonePage=Klonēt lapu / konteineru CloneSite=Klonēt vietni SiteAdded=Pievienota vietne -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 +ConfirmClonePage=Lūdzu, ievadiet jaunās lapas kodu / aizstājvārdu un, ja tas ir klonētas lapas tulkojums. +PageIsANewTranslation=Jaunā lapa ir pašreizējās lapas tulkojums? +LanguageMustNotBeSameThanClonedPage=Jūs klons lapas kā tulkojumu. Jaunās lapas valodai jābūt atšķirīgai no avota lapas valodas. +ParentPageId=Vecāku lapas ID WebsiteId=Vietnes ID -CreateByFetchingExternalPage=Create page/container by fetching page from external URL... -OrEnterPageInfoManually=Or create empty page from scratch... -FetchAndCreate=Fetch and Create -ExportSite=Export site +CreateByFetchingExternalPage=Izveidojiet lapu / konteineru, ielādējot lapu no ārējā URL ... +OrEnterPageInfoManually=Vai arī izveidojiet tukšu lapu no sākuma ... +FetchAndCreate=Ielādēt un izveidot +ExportSite=Eksporta vietne IDOfPage=Lapas ID -Banner=Banner -BlogPost=Blog post +Banner=Baneris +BlogPost=Emuāra ziņa WebsiteAccount=Vietnes konts WebsiteAccounts=Vietnes konti -AddWebsiteAccount=Create web site account -BackToListOfThirdParty=Back to list for Third Party -DisableSiteFirst=Disable website first -MyContainerTitle=My web site title -AnotherContainer=Another container -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 / thirdparty -YouMustDefineTheHomePage=You must first define the default Home page -OnlyEditionOfSourceForGrabbedContentFuture=Note: only edition of HTML source will be possible when a page content is initiliazed by grabbing it from an external page (WYSIWYG editor will not be available) -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 +AddWebsiteAccount=Izveidot mājas lapas kontu +BackToListOfThirdParty=Atpakaļ uz trešo personu sarakstu +DisableSiteFirst=Vispirms atspējojiet vietni +MyContainerTitle=Manas tīmekļa vietnes virsraksts +AnotherContainer=Vēl viens konteiners +WEBSITE_USE_WEBSITE_ACCOUNTS=Iespējot tīmekļa vietnes kontu tabulu +WEBSITE_USE_WEBSITE_ACCOUNTSTooltip=Iespējojiet tabulu, lai saglabātu tīmekļa vietnes kontus (login / pass) katram vietnei / trešās puses kontam +YouMustDefineTheHomePage=Vispirms ir jādefinē noklusējuma sākumlapa +OnlyEditionOfSourceForGrabbedContentFuture=Piezīme. Tikai HTML avota izdevums būs iespējams, ja lapas saturs tiks sākts, satverot to no ārējās lapas (WYSIWYG redaktors nebūs pieejams). +OnlyEditionOfSourceForGrabbedContent=Tikai HTML avota izdevums ir pieejams, ja saturs tiek satverts no ārējas vietnes +GrabImagesInto=Grab arī attēlus, kas atrodami CSS un lapā. +ImagesShouldBeSavedInto=Attēli jāuzglabā mapē +WebsiteRootOfImages=Mājaslapu attēlu sakņu direktorija +SubdirOfPage=Apakškatalogs, kas veltīts lapai +AliasPageAlreadyExists=Aliases lapa %s jau pastāv +CorporateHomePage=Korporatīvā mājas lapa +EmptyPage=Tukša lapa +ExternalURLMustStartWithHttp=Ārējam URL ir jāsākas ar http: // vai https: // diff --git a/htdocs/langs/lv_LV/withdrawals.lang b/htdocs/langs/lv_LV/withdrawals.lang index dc36ab52f4686..a192c07573259 100644 --- a/htdocs/langs/lv_LV/withdrawals.lang +++ b/htdocs/langs/lv_LV/withdrawals.lang @@ -1,13 +1,13 @@ # Dolibarr language file - Source file is en_US - withdrawals -CustomersStandingOrdersArea=Direct debit payment orders area -SuppliersStandingOrdersArea=Direct credit payment orders area +CustomersStandingOrdersArea=Tiešā debeta maksājumu pasūtījumu sadaļa +SuppliersStandingOrdersArea=Tiešo kredīta maksājumu uzdevumu apgabals StandingOrdersPayment=Direct debit payment orders -StandingOrderPayment=Direct debit payment order -NewStandingOrder=New direct debit order +StandingOrderPayment=Tiešā debeta maksājuma uzdevums +NewStandingOrder=Jauns tiešā debeta pasūtījums StandingOrderToProcess=Jāapstrādā -WithdrawalsReceipts=Direct debit orders -WithdrawalReceipt=Direct debit order -LastWithdrawalReceipts=Latest %s direct debit files +WithdrawalsReceipts=Tiešā debeta rīkojumi +WithdrawalReceipt=Tiešā debeta rīkojums +LastWithdrawalReceipts=Jaunākie %s tiešā debeta faili WithdrawalsLines=Direct debit order lines RequestStandingOrderToTreat=Request for direct debit payment order to process RequestStandingOrderTreated=Request for direct debit payment order processed @@ -17,22 +17,22 @@ NbOfInvoiceToWithdrawWithInfo=Nb. of customer invoice with direct debit payment InvoiceWaitingWithdraw=Invoice waiting for direct debit AmountToWithdraw=Summa atsaukt WithdrawsRefused=Direct debit refused -NoInvoiceToWithdraw=No customer invoice with open 'Direct debit requests' is waiting. Go on tab '%s' on invoice card to make a request. +NoInvoiceToWithdraw=Netika gaidīts neviens klienta rēķins ar atvērtiem tiešā debeta pieprasījumiem. Rēķina kartē dodieties uz cilni "%s", lai iesniegtu pieprasījumu. ResponsibleUser=Atbildīgais lietotājs -WithdrawalsSetup=Direct debit payment setup -WithdrawStatistics=Direct debit payment statistics -WithdrawRejectStatistics=Direct debit payment reject statistics -LastWithdrawalReceipt=Latest %s direct debit receipts -MakeWithdrawRequest=Make a direct debit payment request -WithdrawRequestsDone=%s direct debit payment requests recorded +WithdrawalsSetup=Tiešā debeta maksājuma iestatīšana +WithdrawStatistics=Tiešā debeta maksājumu statistika +WithdrawRejectStatistics=Tiešā debeta maksājums noraida statistiku +LastWithdrawalReceipt=Jaunākie %s tiešā debeta ieņēmumi +MakeWithdrawRequest=Izveidojiet tiešā debeta maksājumu pieprasījumu +WithdrawRequestsDone=%s reģistrēti tiešā debeta maksājumu pieprasījumi ThirdPartyBankCode=Trešās puses bankas kods -NoInvoiceCouldBeWithdrawed=No invoice withdrawed with success. Check that invoices are on companies with a valid default BAN and that BAN has a RUM with mode %s. -ClassCredited=Klasificēt kreditē -ClassCreditedConfirm=Are you sure you want to classify this withdrawal receipt as credited on your bank account? +NoInvoiceCouldBeWithdrawed=Nav veiksmīgi izņemts rēķins. Pārbaudiet, vai rēķini ir uz uzņēmumiem ar derīgu noklusējuma BAN un ka BAN ir RUM ar režīmu %s . +ClassCredited=Klasificēt kredītus +ClassCreditedConfirm=Vai tiešām vēlaties klasificēt šo atsaukuma kvīti kā kredītu jūsu bankas kontā? TransData=Darījuma datums TransMetod=Darījuma veids Send=Sūtīt -Lines=Lines +Lines=Līnijas StandingOrderReject=Noraidīt WithdrawalRefused=Atsaukšana WithdrawalRefusedConfirm=Vai jūs tiešām vēlaties, lai ievadītu izdalīšanās noraidījumu sabiedrībai @@ -44,20 +44,20 @@ InvoiceRefused=Invoice refused (Charge the rejection to customer) StatusDebitCredit=Statuss debets/kredīts StatusWaiting=Gaidīšana StatusTrans=Sūtīt -StatusCredited=Apmaksātie +StatusCredited=Kredīts StatusRefused=Atteikts -StatusMotif0=Nav zināms +StatusMotif0=Nenoteikts StatusMotif1=Nepietiekami līdzekļi StatusMotif2=Pieprasījumu apstrīdēja -StatusMotif3=No direct debit payment order +StatusMotif3=Nav tiešā debeta maksājuma uzdevuma StatusMotif4=Klienta pasūtijums StatusMotif5=RIB nelietojams -StatusMotif6=Konta bez atlikuma +StatusMotif6=Konts bez atlikuma StatusMotif7=Juridiskais lēmums StatusMotif8=Cits iemesls -CreateForSepaFRST=Create direct debit file (SEPA FRST) -CreateForSepaRCUR=Create direct debit file (SEPA RCUR) -CreateAll=Create direct debit file (all) +CreateForSepaFRST=Izveidot tiešā debeta failu (SEPA FRST) +CreateForSepaRCUR=Izveidojiet tiešā debeta failu (SEPA RCUR) +CreateAll=Izveidot tiešā debeta failu (visu) CreateGuichet=Tikai birojs CreateBanque=Tikai banka OrderWaiting=Gaida ārstēšanai @@ -66,26 +66,26 @@ NotifyCredit=Izstāšanās Kredīts NumeroNationalEmetter=Valsts raidītājs skaits WithBankUsingRIB=Attiecībā uz banku kontiem, izmantojot RIB WithBankUsingBANBIC=Attiecībā uz banku kontiem, izmantojot IBAN / BIC / SWIFT -BankToReceiveWithdraw=Bank account to receive direct debit +BankToReceiveWithdraw=Bankas konts, lai saņemtu tiešo debetu CreditDate=Kredīts WithdrawalFileNotCapable=Unable to generate withdrawal receipt file for your country %s (Your country is not supported) ShowWithdraw=Rādīt izņemšana IfInvoiceNeedOnWithdrawPaymentWontBeClosed=Tomēr, ja rēķins satur vismaz vienu maksājums, kas nav apstrādāts, to nevar noteikt kā apmaksātu. -DoStandingOrdersBeforePayments=This tab allows you to request a direct debit payment order. Once done, go into menu Bank->Direct Debit orders to manage the direct debit payment order. When payment order is closed, payment on invoice will be automatically recorded, and invoice closed if remainder to pay is null. +DoStandingOrdersBeforePayments=Šī cilne ļauj pieprasīt tiešā debeta maksājuma uzdevumu. Kad esat pabeidzis, dodieties uz izvēlni Bank-> Tiešais debets, lai pārvaldītu tiešā debeta maksājuma uzdevumu. Ja maksājuma uzdevums ir slēgts, rēķins tiek automātiski reģistrēts, un rēķins tiek slēgts, ja atlikušais maksājums ir nulle. WithdrawalFile=Izstāšanās fails SetToStatusSent=Nomainīt uz statusu "Fails nosūtīts" -ThisWillAlsoAddPaymentOnInvoice=This will also record payments to invoices and will classify them as "Paid" if remain to pay is null +ThisWillAlsoAddPaymentOnInvoice=Tas arī ierakstīs maksājumus rēķiniem un klasificēs tos kā "Apmaksātais", ja atlikušais maksājums ir nulle StatisticsByLineStatus=Statistics by status of lines RUM=RUM -RUMLong=Unique Mandate Reference -RUMWillBeGenerated=If empty, UMR number will be generated once bank account information are saved -WithdrawMode=Direct debit mode (FRST or RECUR) -WithdrawRequestAmount=Amount of Direct debit 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. +RUMLong=Unikāla pilnvaru atsauce +RUMWillBeGenerated=Ja tukšs, UMR numurs tiks ģenerēts, tiklīdz tiks saglabāta informācija par bankas kontu +WithdrawMode=Tiešā debeta režīms (FRST vai RECUR) +WithdrawRequestAmount=Tiešā debeta pieprasījuma summa: +WithdrawRequestErrorNilAmount=Nevar izveidot tīrās summas tiešā debeta pieprasījumu. +SepaMandate=SEPA tiešā debeta pilnvarojums +SepaMandateShort=SEPA mandāts +PleaseReturnMandate=Lūdzu, atsūtiet šo pilnvaru veidlapu pa e-pastu uz adresi %s vai pa pastu uz +SEPALegalText=Parakstot šo pilnvaru veidlapu, jūs pilnvarojat (A) %s, lai nosūtītu norādījumus savai bankai, lai debetētu jūsu kontu, un (B) savu banku, lai debetētu jūsu kontu saskaņā ar %s norādījumiem. Kā daļu no savām tiesībām jums ir tiesības saņemt atmaksu no jūsu bankas saskaņā ar jūsu līguma noteikumiem ar jūsu banku. Kompensācija ir jāpieprasa 8 nedēļu laikā, sākot no datuma, kurā no jūsu konta tika debetēts. Jūsu tiesības attiecībā uz iepriekšminēto mandātu ir izskaidrotas paziņojumā, ko varat saņemt no bankas. CreditorIdentifier=Kreditora identifikators CreditorName=Kreditora vārds SEPAFillForm=(B) Lūdzu, aizpildiet visus laukus ar atzīmi * @@ -94,21 +94,21 @@ SEPAFormYourBAN=Jūsu bankas konta nosaukums (IBAN) SEPAFormYourBIC=Jūsu bankas identifikācijas kods (BIC) SEPAFrstOrRecur=Maksājuma veids ModeRECUR=Atkārtotais maksājums -ModeFRST=One-off payment +ModeFRST=Vienreizējs maksājums PleaseCheckOne=Lūdzu izvēlaties tikai vienu -DirectDebitOrderCreated=Direct debit order %s created +DirectDebitOrderCreated=Tiešais debeta uzdevums %s izveidots AmountRequested=Pieprasītais daudzums SEPARCUR=SEPA CUR -SEPAFRST=SEPA FRST -ExecutionDate=Execution date -CreateForSepa=Create direct debit file +SEPAFRST=SEPA vispirms +ExecutionDate=Izpildes datums +CreateForSepa=Izveidojiet tiešā debeta failu ### 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.

+InfoCreditSubject=Bankas veiktais tiešā debeta maksājuma uzdevuma %s maksājums +InfoCreditMessage=Tiešā debeta maksājuma uzdevums %s ir samaksājis banka
Maksājuma dati: %s +InfoTransSubject=Tiešā debeta maksājuma uzdevuma %s pārsūtīšana bankai +InfoTransMessage=Tiešais debeta maksājuma uzdevums %s bankai ir nosūtīts ar %s %s.

InfoTransData=Daudzums: %s
Metode: %s
Datums: %s -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 +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 diff --git a/htdocs/langs/mk_MK/accountancy.lang b/htdocs/langs/mk_MK/accountancy.lang index daa159280969a..04bbaa447e791 100644 --- a/htdocs/langs/mk_MK/accountancy.lang +++ b/htdocs/langs/mk_MK/accountancy.lang @@ -55,6 +55,7 @@ AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from m AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s AccountancyAreaDescVat=STEP %s: Define accounting accounts for each VAT Rates. For this, use the menu entry %s. +AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. AccountancyAreaDescExpenseReport=STEP %s: Define default accounting accounts for each type of expense report. For this, use the menu entry %s. AccountancyAreaDescSal=STEP %s: Define default accounting accounts for payment of salaries. For this, use the menu entry %s. AccountancyAreaDescContrib=STEP %s: Define default accounting accounts for special expences (miscellaneous taxes). For this, use the menu entry %s. @@ -131,6 +132,7 @@ ACCOUNTING_LENGTH_GACCOUNT=Length of the general accounting accounts (If you set 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 zero at the end of an accounting account. Needed by some countries (like switzerland). If keep to off (default), you can set the 2 following parameters to ask application to add virtual zero. BANK_DISABLE_DIRECT_INPUT=Disable direct recording of transaction in bank account +ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Enable draft export on journal ACCOUNTING_SELL_JOURNAL=Sell journal ACCOUNTING_PURCHASE_JOURNAL=Purchase journal diff --git a/htdocs/langs/mk_MK/admin.lang b/htdocs/langs/mk_MK/admin.lang index 481556183945c..26e1fdc334734 100644 --- a/htdocs/langs/mk_MK/admin.lang +++ b/htdocs/langs/mk_MK/admin.lang @@ -454,7 +454,7 @@ ModuleCompanyCodeDigitaria=Accounting code depends on third party code. The code Use3StepsApproval=By default, Purchase Orders need to be created and approved by 2 different users (one step/user to create and one step/user to approve. Note that if user has both permission to create and approve, one step/user will be enough). You can ask with this option to introduce a third step/user approval, if amount is higher than a dedicated value (so 3 steps will be necessary: 1=validation, 2=first approval and 3=second approval if amount is enough).
Set this to empty if one approval (2 steps) is enough, set it to a very low value (0.1) if a second approval (3 steps) is always required. UseDoubleApproval=Use a 3 steps approval when amount (without tax) is higher than... WarningPHPMail=WARNING: It is often better to setup outgoing emails to use the email server of your provider instead of the default setup. Some email providers (like Yahoo) does not allow you to send an email from another server than their own server. Your current setup use 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 a server of them, so few of your sent Emails may not be accepted (be carefull also to your email provider sending quota).
If your Email provider (like Yahoo) has this restriction, you must change Email setup to choose the other method "SMTP server" and enter the SMTP server and credentials provided by your Email provider (ask your EMail provider to get SMTP credentials for your account). -WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of your ERP CRM application: %s. +WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of the mail user agent (MUA) for your ERP CRM application: %s. ClickToShowDescription=Click to show description DependsOn=This module need the module(s) RequiredBy=This module is required by module(s) @@ -497,7 +497,7 @@ Module25Desc=Customer order management Module30Name=Invoices Module30Desc=Invoice and credit note management for customers. Invoice management for suppliers Module40Name=Suppliers -Module40Desc=Supplier management and buying (orders and invoices) +Module40Desc=Suppliers and purchase management (purchase orders and billing) Module42Name=Debug Logs Module42Desc=Logging facilities (file, syslog, ...). Such logs are for technical/debug purposes. Module49Name=Editors @@ -605,7 +605,7 @@ Module4000Desc=Human resources management (management of department, employee co Module5000Name=Multi-company Module5000Desc=Allows you to manage multiple companies Module6000Name=Workflow -Module6000Desc=Workflow management +Module6000Desc=Workflow management (automatic creation of object and/or automatic status change) Module10000Name=Websites Module10000Desc=Create public websites with a WYSIWG editor. Just setup your web server (Apache, Nginx, ...) to point to the dedicated Dolibarr directory to have it online on the Internet with your own domain name. Module20000Name=Leave Requests management @@ -891,7 +891,7 @@ DictionaryCivility=Personal and professional titles DictionaryActions=Types of agenda events DictionarySocialContributions=Social or fiscal taxes types DictionaryVAT=VAT Rates or Sales Tax Rates -DictionaryRevenueStamp=Amount of revenue stamps +DictionaryRevenueStamp=Amount of tax stamps DictionaryPaymentConditions=Payment terms DictionaryPaymentModes=Payment modes DictionaryTypeContact=Contact/Address types @@ -919,7 +919,7 @@ SetupSaved=Setup saved SetupNotSaved=Setup not saved BackToModuleList=Back to modules list BackToDictionaryList=Back to dictionaries list -TypeOfRevenueStamp=Type of revenue stamp +TypeOfRevenueStamp=Type of tax stamp VATManagement=VAT Management VATIsUsedDesc=By default when creating prospects, invoices, orders etc the VAT rate follows the active standard rule:
If the seller is not subjected to VAT, then VAT defaults to 0. End of rule.
If the (selling country= buying country), then the VAT by default equals the VAT of the product in the selling country. End of rule.
If seller and buyer are both in the European Community and goods are transport products (car, ship, plane), the default VAT is 0 ( The VAT should be paid by the buyer to the customoffice of his country and not to the seller). End of rule.
If seller and buyer are both in the European Community and the buyer is not a company, then the VAT by defaults to the VAT of the product sold. End of rule.
If seller and buyer are both in the European Community and the buyer is a company, then the VAT is 0 by default . End of rule.
In any othe case the proposed default is VAT=0. End of rule. VATIsNotUsedDesc=By default the proposed VAT is 0 which can be used for cases like associations, individuals ou small companies. @@ -1027,7 +1027,7 @@ Delays_MAIN_DELAY_ACTIONS_TODO=Delay tolerance (in days) before alert on planned Delays_MAIN_DELAY_PROJECT_TO_CLOSE=Delay tolerance (in days) before alert on project not closed in time Delays_MAIN_DELAY_TASKS_TODO=Delay tolerance (in days) before alert on planned tasks (project tasks) not completed yet Delays_MAIN_DELAY_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on orders not processed yet -Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on suppliers orders not processed yet +Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on purchase orders not processed yet Delays_MAIN_DELAY_PROPALS_TO_CLOSE=Delay tolerance (in days) before alert on proposals to close Delays_MAIN_DELAY_PROPALS_TO_BILL=Delay tolerance (in days) before alert on proposals not billed Delays_MAIN_DELAY_NOT_ACTIVATED_SERVICES=Tolerance delay (in days) before alert on services to activate @@ -1458,7 +1458,7 @@ SyslogFilename=File name and path YouCanUseDOL_DATA_ROOT=You can use DOL_DATA_ROOT/dolibarr.log for a log file in Dolibarr "documents" directory. You can set a different path to store this file. ErrorUnknownSyslogConstant=Constant %s is not a known Syslog constant OnlyWindowsLOG_USER=Windows only supports LOG_USER -CompressSyslogs=Syslog files compression and backup +CompressSyslogs=Compression and backup of debug log files (generated by module Log for debug) SyslogFileNumberOfSaves=Log backups ConfigureCleaningCronjobToSetFrequencyOfSaves=Configure cleaning scheduled job to set log backup frequency ##### Donations ##### diff --git a/htdocs/langs/mk_MK/banks.lang b/htdocs/langs/mk_MK/banks.lang index be8f75d172b54..1d42581c34437 100644 --- a/htdocs/langs/mk_MK/banks.lang +++ b/htdocs/langs/mk_MK/banks.lang @@ -1,12 +1,13 @@ # Dolibarr language file - Source file is en_US - banks Bank=Bank -MenuBankCash=Bank/Cash +MenuBankCash=Bank | Cash MenuVariousPayment=Miscellaneous payments MenuNewVariousPayment=New Miscellaneous payment BankName=Bank name FinancialAccount=Account BankAccount=Bank account BankAccounts=Bank accounts +BankAccountsAndGateways=Bank accounts | Gateways ShowAccount=Show Account AccountRef=Financial account ref AccountLabel=Financial account label @@ -131,7 +132,7 @@ PaymentDateUpdateSucceeded=Payment date updated successfully PaymentDateUpdateFailed=Payment date could not be updated Transactions=Transactions BankTransactionLine=Bank entry -AllAccounts=All bank/cash accounts +AllAccounts=All bank and cash accounts BackToAccount=Back to account ShowAllAccounts=Show for all accounts FutureTransaction=Transaction in futur. No way to conciliate. @@ -159,5 +160,6 @@ VariousPayment=Miscellaneous payments VariousPayments=Miscellaneous payments ShowVariousPayment=Show miscellaneous payments AddVariousPayment=Add miscellaneous payments +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. Thanks to return it signed (scan of the signed document) or sent it by mail to diff --git a/htdocs/langs/mk_MK/bills.lang b/htdocs/langs/mk_MK/bills.lang index 2f029928beb64..f76ff018f9d77 100644 --- a/htdocs/langs/mk_MK/bills.lang +++ b/htdocs/langs/mk_MK/bills.lang @@ -110,8 +110,8 @@ SendRemindByMail=Send reminder by EMail DoPayment=Enter payment DoPaymentBack=Enter refund ConvertToReduc=Mark as credit available -ConvertExcessReceivedToReduc=Convert excess received into future discount -ConvertExcessPaidToReduc=Convert excess paid into future discount +ConvertExcessReceivedToReduc=Convert excess received into available credit +ConvertExcessPaidToReduc=Convert excess paid into available discount EnterPaymentReceivedFromCustomer=Enter payment received from customer EnterPaymentDueToCustomer=Make payment due to customer DisabledBecauseRemainderToPayIsZero=Disabled because remaining unpaid is zero @@ -282,6 +282,7 @@ RelativeDiscount=Relative discount GlobalDiscount=Global discount CreditNote=Credit note CreditNotes=Credit notes +CreditNotesOrExcessReceived=Credit notes or excess received Deposit=Down payment Deposits=Down payments DiscountFromCreditNote=Discount from credit note %s @@ -393,6 +394,7 @@ PaymentConditionShort14DENDMONTH=14 days of month-end PaymentCondition14DENDMONTH=Within 14 days following the end of the month FixAmount=Fix amount VarAmount=Variable amount (%% tot.) +VarAmountOneLine=Variable amount (%% tot.) - 1 line with label '%s' # PaymentType PaymentTypeVIR=Bank transfer PaymentTypeShortVIR=Bank transfer diff --git a/htdocs/langs/mk_MK/compta.lang b/htdocs/langs/mk_MK/compta.lang index d2cfb71490033..c0f5920ea92ff 100644 --- a/htdocs/langs/mk_MK/compta.lang +++ b/htdocs/langs/mk_MK/compta.lang @@ -19,7 +19,8 @@ Income=Income Outcome=Expense MenuReportInOut=Income / Expense ReportInOut=Balance of income and expenses -ReportTurnover=Turnover +ReportTurnover=Turnover invoiced +ReportTurnoverCollected=Turnover collected PaymentsNotLinkedToInvoice=Payments not linked to any invoice, so not linked to any third party PaymentsNotLinkedToUser=Payments not linked to any user Profit=Profit @@ -77,7 +78,7 @@ MenuNewSocialContribution=New social/fiscal tax NewSocialContribution=New social/fiscal tax AddSocialContribution=Add social/fiscal tax ContributionsToPay=Social/fiscal taxes to pay -AccountancyTreasuryArea=Accountancy/Treasury area +AccountancyTreasuryArea=Billing and payment area NewPayment=New payment Payments=Payments PaymentCustomerInvoice=Customer invoice payment @@ -105,6 +106,7 @@ VATPayment=Sales tax payment VATPayments=Sales tax payments VATRefund=Sales tax refund NewVATPayment=New sales tax payment +NewLocalTaxPayment=New tax %s payment Refund=Refund SocialContributionsPayments=Social/fiscal taxes payments ShowVatPayment=Show VAT payment @@ -116,8 +118,9 @@ CustomerAccountancyCodeShort=Cust. account. code SupplierAccountancyCodeShort=Sup. account. code AccountNumber=Account number NewAccountingAccount=New account -SalesTurnover=Sales turnover -SalesTurnoverMinimum=Minimum sales turnover +Turnover=Turnover invoiced +TurnoverCollected=Turnover collected +SalesTurnoverMinimum=Minimum turnover ByExpenseIncome=By expenses & incomes ByThirdParties=By third parties ByUserAuthorOfInvoice=By invoice author @@ -137,8 +140,8 @@ 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=Mode %sClaims-Debts%s said Commitment accounting. -CalcModeEngagement=Mode %sIncomes-Expenses%s said cash accounting +CalcModeDebt=Analysis of known recorded invoices 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 CalcModeLT1Debt=Mode %sRE on customer invoices%s @@ -151,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 report %sIncomes-Expenses%s said cash accounting for a calculation on actual payments made -SeeReportInDueDebtMode=See report %sClaims-Debts%s said commitment accounting for a calculation on issued invoices -SeeReportInBookkeepingMode=See report %sBookeeping%s for a calculation on bookkeeping table analysis +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 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 validation date of invoices and VAT and on the due date for expenses. 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. @@ -218,8 +221,8 @@ 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 supplier, choose appropriate method to apply same calculation rule and get same result expected by your supplier. -TurnoverPerProductInCommitmentAccountingNotRelevant=The Turnover report per product, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). -TurnoverPerSaleTaxRateInCommitmentAccountingNotRelevant=The Turnover report per sale tax rate, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). +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. CalculationMode=Calculation mode AccountancyJournal=Accounting code journal ACCOUNTING_VAT_SOLD_ACCOUNT=Accounting account by default for VAT on sales (used if not defined on VAT dictionary setup) @@ -251,5 +254,6 @@ VATDue=Sale tax claimed ClaimedForThisPeriod=Claimed for the period PaidDuringThisPeriod=Paid during this period ByVatRate=By sale tax rate -TurnoverbyVatrate=Turnover by sale tax rate +TurnoverbyVatrate=Turnover invoiced by sale tax rate +TurnoverCollectedbyVatrate=Turnover collected by sale tax rate PurchasebyVatrate=Purchase by sale tax rate diff --git a/htdocs/langs/mk_MK/install.lang b/htdocs/langs/mk_MK/install.lang index 587d4f83da6c6..fb521c0c08565 100644 --- a/htdocs/langs/mk_MK/install.lang +++ b/htdocs/langs/mk_MK/install.lang @@ -204,3 +204,7 @@ MigrationResetBlockedLog=Reset module BlockedLog for v7 algorithm ShowNotAvailableOptions=Show not available options HideNotAvailableOptions=Hide not available options ErrorFoundDuringMigration=Error were reported during migration process so next step is not available. To ignore errors, you can click here, but application or some features may not work correctly until fixed. +YouTryInstallDisabledByDirLock=The application try to sefl upgrade, but install/upgrade pages have been disabled for security reason (directory renamed with .lock suffix).
+YouTryInstallDisabledByFileLock=The application try to sefl upgrade, but install/upgrade pages pages have been disabled for security reason (by lock file install.lock into dolibarr documents directory).
+ClickHereToGoToApp=Click here to go to your application +ClickOnLinkOrRemoveManualy=Click on following link and if you always reach this page, you must remove the file install.lock into documents directory manually diff --git a/htdocs/langs/mk_MK/main.lang b/htdocs/langs/mk_MK/main.lang index 34be39dd13f0a..f4e70a13aa4ce 100644 --- a/htdocs/langs/mk_MK/main.lang +++ b/htdocs/langs/mk_MK/main.lang @@ -507,6 +507,7 @@ NoneF=None NoneOrSeveral=None or several Late=Late LateDesc=Delay to define if a record is late or not depends on your setup. Ask your admin to change delay from menu Home - Setup - Alerts. +NoItemLate=No late item Photo=Picture Photos=Pictures AddPhoto=Add picture @@ -945,3 +946,5 @@ KeyboardShortcut=Keyboard shortcut AssignedTo=Assigned to Deletedraft=Delete draft ConfirmMassDraftDeletion=Draft Bulk delete confirmation +FileSharedViaALink=File shared via a link + diff --git a/htdocs/langs/mk_MK/modulebuilder.lang b/htdocs/langs/mk_MK/modulebuilder.lang index a3fee23cb53b5..9d6661eda41d6 100644 --- a/htdocs/langs/mk_MK/modulebuilder.lang +++ b/htdocs/langs/mk_MK/modulebuilder.lang @@ -74,6 +74,7 @@ NoWidget=No widget GoToApiExplorer=Go to API explorer ListOfMenusEntries=List of menu entries ListOfPermissionsDefined=List of defined permissions +SeeExamples=See examples here EnabledDesc=Condition to have this field active (Examples: 1 or $conf->global->MYMODULE_MYOPTION) VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only. Using a negative value means field is not shown by default on list but can be selected for viewing) IsAMeasureDesc=Can the value of field be cumulated to get a total into list ? (Examples: 1 or 0) @@ -95,3 +96,6 @@ DropTableIfEmpty=(Delete table if empty) TableDoesNotExists=The table %s does not exists TableDropped=Table %s deleted InitStructureFromExistingTable=Build the structure array string of an existing table +UseAboutPage=Disallow the about page +UseDocFolder=Disallow the documentation folder +UseSpecificReadme=Use a specific ReadMe diff --git a/htdocs/langs/mk_MK/other.lang b/htdocs/langs/mk_MK/other.lang index 13907ca380e17..8ef8cc30090b4 100644 --- a/htdocs/langs/mk_MK/other.lang +++ b/htdocs/langs/mk_MK/other.lang @@ -80,8 +80,8 @@ LinkedObject=Linked object NbOfActiveNotifications=Number of notifications (nb of recipient emails) PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe two lines are separated by a carriage return.\n\n__USER_SIGNATURE__ PredefinedMailTestHtml=__(Hello)__\nThis is a test mail (the word test must be in bold).
The two lines are separated by a carriage return.

__USER_SIGNATURE__ -PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\nThis is the link to make your online payment if this invoice is not already payed:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\nThis is the link to make your online payment:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendProposal=__(Hello)__\n\nYou will find here the commercial proposal __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendSupplierProposal=__(Hello)__\n\nYou will find here the price request __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendOrder=__(Hello)__\n\nYou will find here the order __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ @@ -91,6 +91,7 @@ PredefinedMailContentSendShipping=__(Hello)__\n\nYou will find here the shipping PredefinedMailContentSendFichInter=__(Hello)__\n\nYou will find here the intervention __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentThirdparty=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentUser=__(Hello)__\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 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) @@ -218,7 +219,7 @@ 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 +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 diff --git a/htdocs/langs/mk_MK/paypal.lang b/htdocs/langs/mk_MK/paypal.lang index 600245dc658a1..68c5b0aefa1b8 100644 --- a/htdocs/langs/mk_MK/paypal.lang +++ b/htdocs/langs/mk_MK/paypal.lang @@ -14,7 +14,6 @@ PaypalModeOnlyPaypal=PayPal only ONLINE_PAYMENT_CSS_URL=Optionnal URL of CSS style sheet on online payment page ThisIsTransactionId=This is id of transaction: %s PAYPAL_ADD_PAYMENT_URL=Add the url of Paypal payment when you send a document by mail -PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.

%s

YouAreCurrentlyInSandboxMode=You are currently in the %s "sandbox" mode NewOnlinePaymentReceived=New online payment received NewOnlinePaymentFailed=New online payment tried but failed diff --git a/htdocs/langs/mk_MK/products.lang b/htdocs/langs/mk_MK/products.lang index 72e717367fc20..06558c90d81fc 100644 --- a/htdocs/langs/mk_MK/products.lang +++ b/htdocs/langs/mk_MK/products.lang @@ -251,8 +251,8 @@ PriceNumeric=Number DefaultPrice=Default price ComposedProductIncDecStock=Increase/Decrease stock on parent change ComposedProduct=Sub-product -MinSupplierPrice=Minimum supplier price -MinCustomerPrice=Minimum customer price +MinSupplierPrice=Minimum buying price +MinCustomerPrice=Minimum selling price DynamicPriceConfiguration=Dynamic price configuration DynamicPriceDesc=On product card, with this module enabled, you should be able to set mathematic functions to calculate Customer or Supplier prices. Such function can use all mathematic operators, some constants and variables. You can set here the variables you want to be able to use and if the variable need an automatic update, the external URL to use to ask Dolibarr to update automaticaly the value. AddVariable=Add Variable diff --git a/htdocs/langs/mk_MK/propal.lang b/htdocs/langs/mk_MK/propal.lang index 04941e4c650f3..8cf3a68167ae6 100644 --- a/htdocs/langs/mk_MK/propal.lang +++ b/htdocs/langs/mk_MK/propal.lang @@ -75,6 +75,7 @@ AvailabilityTypeAV_1M=1 month TypeContact_propal_internal_SALESREPFOLL=Representative following-up proposal TypeContact_propal_external_BILLING=Customer invoice contact TypeContact_propal_external_CUSTOMER=Customer contact following-up proposal +TypeContact_propal_external_SHIPPING=Customer contact for delivery # Document models DocModelAzurDescription=A complete proposal model (logo...) DefaultModelPropalCreate=Default model creation diff --git a/htdocs/langs/mk_MK/sendings.lang b/htdocs/langs/mk_MK/sendings.lang index 5091bfe950dcd..3b3850e44edab 100644 --- a/htdocs/langs/mk_MK/sendings.lang +++ b/htdocs/langs/mk_MK/sendings.lang @@ -52,8 +52,8 @@ ActionsOnShipping=Events on shipment LinkToTrackYourPackage=Link to track your package ShipmentCreationIsDoneFromOrder=For the moment, creation of a new shipment is done from the order card. ShipmentLine=Shipment line -ProductQtyInCustomersOrdersRunning=Product quantity into open customers orders -ProductQtyInSuppliersOrdersRunning=Product quantity into open suppliers orders +ProductQtyInCustomersOrdersRunning=Product quantity into open customer orders +ProductQtyInSuppliersOrdersRunning=Product quantity into open purchase orders ProductQtyInShipmentAlreadySent=Product quantity from open customer order already sent ProductQtyInSuppliersShipmentAlreadyRecevied=Product quantity from open supplier order already received NoProductToShipFoundIntoStock=No product to ship found into warehouse %s. Correct stock or go back to choose another warehouse. diff --git a/htdocs/langs/mk_MK/stocks.lang b/htdocs/langs/mk_MK/stocks.lang index aaa7e21fc0d7c..8178a8918b71a 100644 --- a/htdocs/langs/mk_MK/stocks.lang +++ b/htdocs/langs/mk_MK/stocks.lang @@ -67,7 +67,7 @@ DeStockOnValidateOrder=Decrease real stocks on customers orders validation DeStockOnShipment=Decrease real stocks on shipping validation DeStockOnShipmentOnClosing=Decrease real stocks on shipping classification closed ReStockOnBill=Increase real stocks on suppliers invoices/credit notes validation -ReStockOnValidateOrder=Increase real stocks on suppliers orders approbation +ReStockOnValidateOrder=Increase real stocks on purchase orders approbation ReStockOnDispatchOrder=Increase real stocks on manual dispatching into warehouses, after supplier order receipt of goods 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 @@ -203,4 +203,4 @@ RegulateStock=Regulate Stock ListInventory=List StockSupportServices=Stock management support services StockSupportServicesDesc=By default, you can stock only product with type "product". If on, and if module service is on, you can also stock a product with type "service" -ReceiveProducts=Receive products +ReceiveProducts=Receive items diff --git a/htdocs/langs/mk_MK/users.lang b/htdocs/langs/mk_MK/users.lang index 8aa5d3749fcdb..26f22923a9a08 100644 --- a/htdocs/langs/mk_MK/users.lang +++ b/htdocs/langs/mk_MK/users.lang @@ -48,7 +48,7 @@ PasswordChangeRequest=Request to change password for %s PasswordChangeRequestSent=Request to change password for %s sent to %s. ConfirmPasswordReset=Confirm password reset MenuUsersAndGroups=Users & Groups -LastGroupsCreated=Latest %s created groups +LastGroupsCreated=Latest %s groups created LastUsersCreated=Latest %s users created ShowGroup=Show group ShowUser=Show user diff --git a/htdocs/langs/mn_MN/accountancy.lang b/htdocs/langs/mn_MN/accountancy.lang index daa159280969a..04bbaa447e791 100644 --- a/htdocs/langs/mn_MN/accountancy.lang +++ b/htdocs/langs/mn_MN/accountancy.lang @@ -55,6 +55,7 @@ AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from m AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s AccountancyAreaDescVat=STEP %s: Define accounting accounts for each VAT Rates. For this, use the menu entry %s. +AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. AccountancyAreaDescExpenseReport=STEP %s: Define default accounting accounts for each type of expense report. For this, use the menu entry %s. AccountancyAreaDescSal=STEP %s: Define default accounting accounts for payment of salaries. For this, use the menu entry %s. AccountancyAreaDescContrib=STEP %s: Define default accounting accounts for special expences (miscellaneous taxes). For this, use the menu entry %s. @@ -131,6 +132,7 @@ ACCOUNTING_LENGTH_GACCOUNT=Length of the general accounting accounts (If you set 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 zero at the end of an accounting account. Needed by some countries (like switzerland). If keep to off (default), you can set the 2 following parameters to ask application to add virtual zero. BANK_DISABLE_DIRECT_INPUT=Disable direct recording of transaction in bank account +ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Enable draft export on journal ACCOUNTING_SELL_JOURNAL=Sell journal ACCOUNTING_PURCHASE_JOURNAL=Purchase journal diff --git a/htdocs/langs/mn_MN/admin.lang b/htdocs/langs/mn_MN/admin.lang index 28eb076c540e9..d7042e784dcb6 100644 --- a/htdocs/langs/mn_MN/admin.lang +++ b/htdocs/langs/mn_MN/admin.lang @@ -454,7 +454,7 @@ ModuleCompanyCodeDigitaria=Accounting code depends on third party code. The code Use3StepsApproval=By default, Purchase Orders need to be created and approved by 2 different users (one step/user to create and one step/user to approve. Note that if user has both permission to create and approve, one step/user will be enough). You can ask with this option to introduce a third step/user approval, if amount is higher than a dedicated value (so 3 steps will be necessary: 1=validation, 2=first approval and 3=second approval if amount is enough).
Set this to empty if one approval (2 steps) is enough, set it to a very low value (0.1) if a second approval (3 steps) is always required. UseDoubleApproval=Use a 3 steps approval when amount (without tax) is higher than... WarningPHPMail=WARNING: It is often better to setup outgoing emails to use the email server of your provider instead of the default setup. Some email providers (like Yahoo) does not allow you to send an email from another server than their own server. Your current setup use 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 a server of them, so few of your sent Emails may not be accepted (be carefull also to your email provider sending quota).
If your Email provider (like Yahoo) has this restriction, you must change Email setup to choose the other method "SMTP server" and enter the SMTP server and credentials provided by your Email provider (ask your EMail provider to get SMTP credentials for your account). -WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of your ERP CRM application: %s. +WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of the mail user agent (MUA) for your ERP CRM application: %s. ClickToShowDescription=Click to show description DependsOn=This module need the module(s) RequiredBy=This module is required by module(s) @@ -497,7 +497,7 @@ Module25Desc=Customer order management Module30Name=Invoices Module30Desc=Invoice and credit note management for customers. Invoice management for suppliers Module40Name=Suppliers -Module40Desc=Supplier management and buying (orders and invoices) +Module40Desc=Suppliers and purchase management (purchase orders and billing) Module42Name=Debug Logs Module42Desc=Logging facilities (file, syslog, ...). Such logs are for technical/debug purposes. Module49Name=Editors @@ -605,7 +605,7 @@ Module4000Desc=Human resources management (management of department, employee co Module5000Name=Multi-company Module5000Desc=Allows you to manage multiple companies Module6000Name=Workflow -Module6000Desc=Workflow management +Module6000Desc=Workflow management (automatic creation of object and/or automatic status change) Module10000Name=Websites Module10000Desc=Create public websites with a WYSIWG editor. Just setup your web server (Apache, Nginx, ...) to point to the dedicated Dolibarr directory to have it online on the Internet with your own domain name. Module20000Name=Leave Requests management @@ -891,7 +891,7 @@ DictionaryCivility=Personal and professional titles DictionaryActions=Types of agenda events DictionarySocialContributions=Social or fiscal taxes types DictionaryVAT=VAT Rates or Sales Tax Rates -DictionaryRevenueStamp=Amount of revenue stamps +DictionaryRevenueStamp=Amount of tax stamps DictionaryPaymentConditions=Payment terms DictionaryPaymentModes=Payment modes DictionaryTypeContact=Contact/Address types @@ -919,7 +919,7 @@ SetupSaved=Setup saved SetupNotSaved=Setup not saved BackToModuleList=Back to modules list BackToDictionaryList=Back to dictionaries list -TypeOfRevenueStamp=Type of revenue stamp +TypeOfRevenueStamp=Type of tax stamp VATManagement=VAT Management VATIsUsedDesc=By default when creating prospects, invoices, orders etc the VAT rate follows the active standard rule:
If the seller is not subjected to VAT, then VAT defaults to 0. End of rule.
If the (selling country= buying country), then the VAT by default equals the VAT of the product in the selling country. End of rule.
If seller and buyer are both in the European Community and goods are transport products (car, ship, plane), the default VAT is 0 ( The VAT should be paid by the buyer to the customoffice of his country and not to the seller). End of rule.
If seller and buyer are both in the European Community and the buyer is not a company, then the VAT by defaults to the VAT of the product sold. End of rule.
If seller and buyer are both in the European Community and the buyer is a company, then the VAT is 0 by default . End of rule.
In any othe case the proposed default is VAT=0. End of rule. VATIsNotUsedDesc=By default the proposed VAT is 0 which can be used for cases like associations, individuals ou small companies. @@ -1027,7 +1027,7 @@ Delays_MAIN_DELAY_ACTIONS_TODO=Delay tolerance (in days) before alert on planned Delays_MAIN_DELAY_PROJECT_TO_CLOSE=Delay tolerance (in days) before alert on project not closed in time Delays_MAIN_DELAY_TASKS_TODO=Delay tolerance (in days) before alert on planned tasks (project tasks) not completed yet Delays_MAIN_DELAY_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on orders not processed yet -Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on suppliers orders not processed yet +Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on purchase orders not processed yet Delays_MAIN_DELAY_PROPALS_TO_CLOSE=Delay tolerance (in days) before alert on proposals to close Delays_MAIN_DELAY_PROPALS_TO_BILL=Delay tolerance (in days) before alert on proposals not billed Delays_MAIN_DELAY_NOT_ACTIVATED_SERVICES=Tolerance delay (in days) before alert on services to activate @@ -1458,7 +1458,7 @@ SyslogFilename=File name and path YouCanUseDOL_DATA_ROOT=You can use DOL_DATA_ROOT/dolibarr.log for a log file in Dolibarr "documents" directory. You can set a different path to store this file. ErrorUnknownSyslogConstant=Constant %s is not a known Syslog constant OnlyWindowsLOG_USER=Windows only supports LOG_USER -CompressSyslogs=Syslog files compression and backup +CompressSyslogs=Compression and backup of debug log files (generated by module Log for debug) SyslogFileNumberOfSaves=Log backups ConfigureCleaningCronjobToSetFrequencyOfSaves=Configure cleaning scheduled job to set log backup frequency ##### Donations ##### diff --git a/htdocs/langs/mn_MN/banks.lang b/htdocs/langs/mn_MN/banks.lang index be8f75d172b54..1d42581c34437 100644 --- a/htdocs/langs/mn_MN/banks.lang +++ b/htdocs/langs/mn_MN/banks.lang @@ -1,12 +1,13 @@ # Dolibarr language file - Source file is en_US - banks Bank=Bank -MenuBankCash=Bank/Cash +MenuBankCash=Bank | Cash MenuVariousPayment=Miscellaneous payments MenuNewVariousPayment=New Miscellaneous payment BankName=Bank name FinancialAccount=Account BankAccount=Bank account BankAccounts=Bank accounts +BankAccountsAndGateways=Bank accounts | Gateways ShowAccount=Show Account AccountRef=Financial account ref AccountLabel=Financial account label @@ -131,7 +132,7 @@ PaymentDateUpdateSucceeded=Payment date updated successfully PaymentDateUpdateFailed=Payment date could not be updated Transactions=Transactions BankTransactionLine=Bank entry -AllAccounts=All bank/cash accounts +AllAccounts=All bank and cash accounts BackToAccount=Back to account ShowAllAccounts=Show for all accounts FutureTransaction=Transaction in futur. No way to conciliate. @@ -159,5 +160,6 @@ VariousPayment=Miscellaneous payments VariousPayments=Miscellaneous payments ShowVariousPayment=Show miscellaneous payments AddVariousPayment=Add miscellaneous payments +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. Thanks to return it signed (scan of the signed document) or sent it by mail to diff --git a/htdocs/langs/mn_MN/bills.lang b/htdocs/langs/mn_MN/bills.lang index 2f029928beb64..f76ff018f9d77 100644 --- a/htdocs/langs/mn_MN/bills.lang +++ b/htdocs/langs/mn_MN/bills.lang @@ -110,8 +110,8 @@ SendRemindByMail=Send reminder by EMail DoPayment=Enter payment DoPaymentBack=Enter refund ConvertToReduc=Mark as credit available -ConvertExcessReceivedToReduc=Convert excess received into future discount -ConvertExcessPaidToReduc=Convert excess paid into future discount +ConvertExcessReceivedToReduc=Convert excess received into available credit +ConvertExcessPaidToReduc=Convert excess paid into available discount EnterPaymentReceivedFromCustomer=Enter payment received from customer EnterPaymentDueToCustomer=Make payment due to customer DisabledBecauseRemainderToPayIsZero=Disabled because remaining unpaid is zero @@ -282,6 +282,7 @@ RelativeDiscount=Relative discount GlobalDiscount=Global discount CreditNote=Credit note CreditNotes=Credit notes +CreditNotesOrExcessReceived=Credit notes or excess received Deposit=Down payment Deposits=Down payments DiscountFromCreditNote=Discount from credit note %s @@ -393,6 +394,7 @@ PaymentConditionShort14DENDMONTH=14 days of month-end PaymentCondition14DENDMONTH=Within 14 days following the end of the month FixAmount=Fix amount VarAmount=Variable amount (%% tot.) +VarAmountOneLine=Variable amount (%% tot.) - 1 line with label '%s' # PaymentType PaymentTypeVIR=Bank transfer PaymentTypeShortVIR=Bank transfer diff --git a/htdocs/langs/mn_MN/compta.lang b/htdocs/langs/mn_MN/compta.lang index d2cfb71490033..c0f5920ea92ff 100644 --- a/htdocs/langs/mn_MN/compta.lang +++ b/htdocs/langs/mn_MN/compta.lang @@ -19,7 +19,8 @@ Income=Income Outcome=Expense MenuReportInOut=Income / Expense ReportInOut=Balance of income and expenses -ReportTurnover=Turnover +ReportTurnover=Turnover invoiced +ReportTurnoverCollected=Turnover collected PaymentsNotLinkedToInvoice=Payments not linked to any invoice, so not linked to any third party PaymentsNotLinkedToUser=Payments not linked to any user Profit=Profit @@ -77,7 +78,7 @@ MenuNewSocialContribution=New social/fiscal tax NewSocialContribution=New social/fiscal tax AddSocialContribution=Add social/fiscal tax ContributionsToPay=Social/fiscal taxes to pay -AccountancyTreasuryArea=Accountancy/Treasury area +AccountancyTreasuryArea=Billing and payment area NewPayment=New payment Payments=Payments PaymentCustomerInvoice=Customer invoice payment @@ -105,6 +106,7 @@ VATPayment=Sales tax payment VATPayments=Sales tax payments VATRefund=Sales tax refund NewVATPayment=New sales tax payment +NewLocalTaxPayment=New tax %s payment Refund=Refund SocialContributionsPayments=Social/fiscal taxes payments ShowVatPayment=Show VAT payment @@ -116,8 +118,9 @@ CustomerAccountancyCodeShort=Cust. account. code SupplierAccountancyCodeShort=Sup. account. code AccountNumber=Account number NewAccountingAccount=New account -SalesTurnover=Sales turnover -SalesTurnoverMinimum=Minimum sales turnover +Turnover=Turnover invoiced +TurnoverCollected=Turnover collected +SalesTurnoverMinimum=Minimum turnover ByExpenseIncome=By expenses & incomes ByThirdParties=By third parties ByUserAuthorOfInvoice=By invoice author @@ -137,8 +140,8 @@ 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=Mode %sClaims-Debts%s said Commitment accounting. -CalcModeEngagement=Mode %sIncomes-Expenses%s said cash accounting +CalcModeDebt=Analysis of known recorded invoices 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 CalcModeLT1Debt=Mode %sRE on customer invoices%s @@ -151,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 report %sIncomes-Expenses%s said cash accounting for a calculation on actual payments made -SeeReportInDueDebtMode=See report %sClaims-Debts%s said commitment accounting for a calculation on issued invoices -SeeReportInBookkeepingMode=See report %sBookeeping%s for a calculation on bookkeeping table analysis +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 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 validation date of invoices and VAT and on the due date for expenses. 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. @@ -218,8 +221,8 @@ 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 supplier, choose appropriate method to apply same calculation rule and get same result expected by your supplier. -TurnoverPerProductInCommitmentAccountingNotRelevant=The Turnover report per product, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). -TurnoverPerSaleTaxRateInCommitmentAccountingNotRelevant=The Turnover report per sale tax rate, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). +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. CalculationMode=Calculation mode AccountancyJournal=Accounting code journal ACCOUNTING_VAT_SOLD_ACCOUNT=Accounting account by default for VAT on sales (used if not defined on VAT dictionary setup) @@ -251,5 +254,6 @@ VATDue=Sale tax claimed ClaimedForThisPeriod=Claimed for the period PaidDuringThisPeriod=Paid during this period ByVatRate=By sale tax rate -TurnoverbyVatrate=Turnover by sale tax rate +TurnoverbyVatrate=Turnover invoiced by sale tax rate +TurnoverCollectedbyVatrate=Turnover collected by sale tax rate PurchasebyVatrate=Purchase by sale tax rate diff --git a/htdocs/langs/mn_MN/install.lang b/htdocs/langs/mn_MN/install.lang index 587d4f83da6c6..fb521c0c08565 100644 --- a/htdocs/langs/mn_MN/install.lang +++ b/htdocs/langs/mn_MN/install.lang @@ -204,3 +204,7 @@ MigrationResetBlockedLog=Reset module BlockedLog for v7 algorithm ShowNotAvailableOptions=Show not available options HideNotAvailableOptions=Hide not available options ErrorFoundDuringMigration=Error were reported during migration process so next step is not available. To ignore errors, you can click here, but application or some features may not work correctly until fixed. +YouTryInstallDisabledByDirLock=The application try to sefl upgrade, but install/upgrade pages have been disabled for security reason (directory renamed with .lock suffix).
+YouTryInstallDisabledByFileLock=The application try to sefl upgrade, but install/upgrade pages pages have been disabled for security reason (by lock file install.lock into dolibarr documents directory).
+ClickHereToGoToApp=Click here to go to your application +ClickOnLinkOrRemoveManualy=Click on following link and if you always reach this page, you must remove the file install.lock into documents directory manually diff --git a/htdocs/langs/mn_MN/main.lang b/htdocs/langs/mn_MN/main.lang index d49881763a1b7..ea2e4bee29cbf 100644 --- a/htdocs/langs/mn_MN/main.lang +++ b/htdocs/langs/mn_MN/main.lang @@ -507,6 +507,7 @@ NoneF=None NoneOrSeveral=None or several Late=Late LateDesc=Delay to define if a record is late or not depends on your setup. Ask your admin to change delay from menu Home - Setup - Alerts. +NoItemLate=No late item Photo=Picture Photos=Pictures AddPhoto=Add picture @@ -945,3 +946,5 @@ KeyboardShortcut=Keyboard shortcut AssignedTo=Assigned to Deletedraft=Delete draft ConfirmMassDraftDeletion=Draft Bulk delete confirmation +FileSharedViaALink=File shared via a link + diff --git a/htdocs/langs/mn_MN/modulebuilder.lang b/htdocs/langs/mn_MN/modulebuilder.lang index a3fee23cb53b5..9d6661eda41d6 100644 --- a/htdocs/langs/mn_MN/modulebuilder.lang +++ b/htdocs/langs/mn_MN/modulebuilder.lang @@ -74,6 +74,7 @@ NoWidget=No widget GoToApiExplorer=Go to API explorer ListOfMenusEntries=List of menu entries ListOfPermissionsDefined=List of defined permissions +SeeExamples=See examples here EnabledDesc=Condition to have this field active (Examples: 1 or $conf->global->MYMODULE_MYOPTION) VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only. Using a negative value means field is not shown by default on list but can be selected for viewing) IsAMeasureDesc=Can the value of field be cumulated to get a total into list ? (Examples: 1 or 0) @@ -95,3 +96,6 @@ DropTableIfEmpty=(Delete table if empty) TableDoesNotExists=The table %s does not exists TableDropped=Table %s deleted InitStructureFromExistingTable=Build the structure array string of an existing table +UseAboutPage=Disallow the about page +UseDocFolder=Disallow the documentation folder +UseSpecificReadme=Use a specific ReadMe diff --git a/htdocs/langs/mn_MN/other.lang b/htdocs/langs/mn_MN/other.lang index 13907ca380e17..8ef8cc30090b4 100644 --- a/htdocs/langs/mn_MN/other.lang +++ b/htdocs/langs/mn_MN/other.lang @@ -80,8 +80,8 @@ LinkedObject=Linked object NbOfActiveNotifications=Number of notifications (nb of recipient emails) PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe two lines are separated by a carriage return.\n\n__USER_SIGNATURE__ PredefinedMailTestHtml=__(Hello)__\nThis is a test mail (the word test must be in bold).
The two lines are separated by a carriage return.

__USER_SIGNATURE__ -PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\nThis is the link to make your online payment if this invoice is not already payed:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\nThis is the link to make your online payment:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendProposal=__(Hello)__\n\nYou will find here the commercial proposal __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendSupplierProposal=__(Hello)__\n\nYou will find here the price request __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendOrder=__(Hello)__\n\nYou will find here the order __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ @@ -91,6 +91,7 @@ PredefinedMailContentSendShipping=__(Hello)__\n\nYou will find here the shipping PredefinedMailContentSendFichInter=__(Hello)__\n\nYou will find here the intervention __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentThirdparty=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentUser=__(Hello)__\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 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) @@ -218,7 +219,7 @@ 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 +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 diff --git a/htdocs/langs/mn_MN/paypal.lang b/htdocs/langs/mn_MN/paypal.lang index 600245dc658a1..68c5b0aefa1b8 100644 --- a/htdocs/langs/mn_MN/paypal.lang +++ b/htdocs/langs/mn_MN/paypal.lang @@ -14,7 +14,6 @@ PaypalModeOnlyPaypal=PayPal only ONLINE_PAYMENT_CSS_URL=Optionnal URL of CSS style sheet on online payment page ThisIsTransactionId=This is id of transaction: %s PAYPAL_ADD_PAYMENT_URL=Add the url of Paypal payment when you send a document by mail -PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.

%s

YouAreCurrentlyInSandboxMode=You are currently in the %s "sandbox" mode NewOnlinePaymentReceived=New online payment received NewOnlinePaymentFailed=New online payment tried but failed diff --git a/htdocs/langs/mn_MN/products.lang b/htdocs/langs/mn_MN/products.lang index 72e717367fc20..06558c90d81fc 100644 --- a/htdocs/langs/mn_MN/products.lang +++ b/htdocs/langs/mn_MN/products.lang @@ -251,8 +251,8 @@ PriceNumeric=Number DefaultPrice=Default price ComposedProductIncDecStock=Increase/Decrease stock on parent change ComposedProduct=Sub-product -MinSupplierPrice=Minimum supplier price -MinCustomerPrice=Minimum customer price +MinSupplierPrice=Minimum buying price +MinCustomerPrice=Minimum selling price DynamicPriceConfiguration=Dynamic price configuration DynamicPriceDesc=On product card, with this module enabled, you should be able to set mathematic functions to calculate Customer or Supplier prices. Such function can use all mathematic operators, some constants and variables. You can set here the variables you want to be able to use and if the variable need an automatic update, the external URL to use to ask Dolibarr to update automaticaly the value. AddVariable=Add Variable diff --git a/htdocs/langs/mn_MN/propal.lang b/htdocs/langs/mn_MN/propal.lang index 04941e4c650f3..8cf3a68167ae6 100644 --- a/htdocs/langs/mn_MN/propal.lang +++ b/htdocs/langs/mn_MN/propal.lang @@ -75,6 +75,7 @@ AvailabilityTypeAV_1M=1 month TypeContact_propal_internal_SALESREPFOLL=Representative following-up proposal TypeContact_propal_external_BILLING=Customer invoice contact TypeContact_propal_external_CUSTOMER=Customer contact following-up proposal +TypeContact_propal_external_SHIPPING=Customer contact for delivery # Document models DocModelAzurDescription=A complete proposal model (logo...) DefaultModelPropalCreate=Default model creation diff --git a/htdocs/langs/mn_MN/sendings.lang b/htdocs/langs/mn_MN/sendings.lang index 5091bfe950dcd..3b3850e44edab 100644 --- a/htdocs/langs/mn_MN/sendings.lang +++ b/htdocs/langs/mn_MN/sendings.lang @@ -52,8 +52,8 @@ ActionsOnShipping=Events on shipment LinkToTrackYourPackage=Link to track your package ShipmentCreationIsDoneFromOrder=For the moment, creation of a new shipment is done from the order card. ShipmentLine=Shipment line -ProductQtyInCustomersOrdersRunning=Product quantity into open customers orders -ProductQtyInSuppliersOrdersRunning=Product quantity into open suppliers orders +ProductQtyInCustomersOrdersRunning=Product quantity into open customer orders +ProductQtyInSuppliersOrdersRunning=Product quantity into open purchase orders ProductQtyInShipmentAlreadySent=Product quantity from open customer order already sent ProductQtyInSuppliersShipmentAlreadyRecevied=Product quantity from open supplier order already received NoProductToShipFoundIntoStock=No product to ship found into warehouse %s. Correct stock or go back to choose another warehouse. diff --git a/htdocs/langs/mn_MN/stocks.lang b/htdocs/langs/mn_MN/stocks.lang index aaa7e21fc0d7c..8178a8918b71a 100644 --- a/htdocs/langs/mn_MN/stocks.lang +++ b/htdocs/langs/mn_MN/stocks.lang @@ -67,7 +67,7 @@ DeStockOnValidateOrder=Decrease real stocks on customers orders validation DeStockOnShipment=Decrease real stocks on shipping validation DeStockOnShipmentOnClosing=Decrease real stocks on shipping classification closed ReStockOnBill=Increase real stocks on suppliers invoices/credit notes validation -ReStockOnValidateOrder=Increase real stocks on suppliers orders approbation +ReStockOnValidateOrder=Increase real stocks on purchase orders approbation ReStockOnDispatchOrder=Increase real stocks on manual dispatching into warehouses, after supplier order receipt of goods 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 @@ -203,4 +203,4 @@ RegulateStock=Regulate Stock ListInventory=List StockSupportServices=Stock management support services StockSupportServicesDesc=By default, you can stock only product with type "product". If on, and if module service is on, you can also stock a product with type "service" -ReceiveProducts=Receive products +ReceiveProducts=Receive items diff --git a/htdocs/langs/mn_MN/users.lang b/htdocs/langs/mn_MN/users.lang index 8aa5d3749fcdb..26f22923a9a08 100644 --- a/htdocs/langs/mn_MN/users.lang +++ b/htdocs/langs/mn_MN/users.lang @@ -48,7 +48,7 @@ PasswordChangeRequest=Request to change password for %s PasswordChangeRequestSent=Request to change password for %s sent to %s. ConfirmPasswordReset=Confirm password reset MenuUsersAndGroups=Users & Groups -LastGroupsCreated=Latest %s created groups +LastGroupsCreated=Latest %s groups created LastUsersCreated=Latest %s users created ShowGroup=Show group ShowUser=Show user diff --git a/htdocs/langs/nb_NO/accountancy.lang b/htdocs/langs/nb_NO/accountancy.lang index 5766eda66998e..3d5bc3815c837 100644 --- a/htdocs/langs/nb_NO/accountancy.lang +++ b/htdocs/langs/nb_NO/accountancy.lang @@ -40,11 +40,11 @@ AccountWithNonZeroValues=Kontoer med ingen nullverdier ListOfAccounts=Liste over kontoer MainAccountForCustomersNotDefined=Hoved regnskapskonto for kunder som ikke er definert i oppsettet -MainAccountForSuppliersNotDefined=Main accounting account for vendors not defined in setup +MainAccountForSuppliersNotDefined=Hovedregnskapskonto for leverandører som ikke er definert i oppsettet MainAccountForUsersNotDefined=Hoved regnskapskonto for brukere som ikke er definert i oppsettet MainAccountForVatPaymentNotDefined=Hoved regnskapskonto for MVA-betaling ikke definert i oppsettet -AccountancyArea=Accounting area +AccountancyArea=Regnskapsområde AccountancyAreaDescIntro=Bruk av regnskapsmodulen er gjort i flere skritt: AccountancyAreaDescActionOnce=Følgende tiltak blir vanligvis utført en gang, eller en gang i året ... AccountancyAreaDescActionOnceBis=De neste skrittene bør gjøres for å spare tid i fremtiden ved å foreslå deg riktig standardregnskapskonto når du foretar journalføringen (skriv inn post i journaler og hovedbok) @@ -55,6 +55,7 @@ AccountancyAreaDescChartModel=TRINN %s: Lag en kontomodell fra menyen %s AccountancyAreaDescChart=TRINN %s: Opprett eller kontroller innhold i din kontoplan fra meny %s AccountancyAreaDescVat=TRINN %s: Definer regnskapskonto for hver MVA-sats. Bruk menyoppføringen %s. +AccountancyAreaDescDefault=TRINN %s: Definer standard regnskapskontoer. For dette, bruk menyoppføringen %s. AccountancyAreaDescExpenseReport=TRINN %s: Definer standard regnskapskontoer for hver type kostnadsrapport. Bruk menyoppføringen %s. AccountancyAreaDescSal=TRINN %s: Definer standard regnskapskonto for betaling av lønn. Bruk menyoppføring %s. AccountancyAreaDescContrib=TRINN %s: Definer standard regnskapskonto for spesialutgifter (diverse avgifter). Bruk menyoppføringen %s. @@ -90,7 +91,7 @@ MenuProductsAccounts=Varekontoer ProductsBinding=Varekontoer Ventilation=Binding til kontoer CustomersVentilation=Binding av kundefakturaer -SuppliersVentilation=Vendor invoice binding +SuppliersVentilation=Leverandørfaktura-bindinger ExpenseReportsVentilation=Utgiftsrapport-binding CreateMvts=Opprett ny transaksjon UpdateMvts=Endre en transaksjon @@ -131,13 +132,14 @@ ACCOUNTING_LENGTH_GACCOUNT=Lengden på de generelle regnskapskontoene (Hvis du s ACCOUNTING_LENGTH_AACCOUNT=Lengden på tredjeparts regnskapskontoer (Hvis du angir verdien til 6 her, vil kontoen '401' vises som '401000' på skjermen) ACCOUNTING_MANAGE_ZERO=Tillat å administrere forskjellig antall nuller på slutten av en regnskapskonto. Nødvendig for enkelte land (som Sveits). Hvis du holder den av (standard), kan du angi de 2 følgende parametrene for å be om å legge til virtuell null. BANK_DISABLE_DIRECT_INPUT=Deaktiver direkteregistrering av transaksjoner på bankkonto +ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Aktiver eksportutkast i journal ACCOUNTING_SELL_JOURNAL=Salgsjournal ACCOUNTING_PURCHASE_JOURNAL=Innkjøpsjournal ACCOUNTING_MISCELLANEOUS_JOURNAL=Diverseprotokoll ACCOUNTING_EXPENSEREPORT_JOURNAL=Utgiftsjournal ACCOUNTING_SOCIAL_JOURNAL=Sosialjournal -ACCOUNTING_HAS_NEW_JOURNAL=Has new Journal +ACCOUNTING_HAS_NEW_JOURNAL=Har ny journal ACCOUNTING_ACCOUNT_TRANSFER_CASH=Regnskapskonto for overførsel ACCOUNTING_ACCOUNT_SUSPENSE=Regnskapskonto for vent @@ -187,12 +189,12 @@ ListeMvts=Liste over bevegelser ErrorDebitCredit=Debet og kredit kan ikke ha en verdi samtidig AddCompteFromBK=Legg til regnskapskontoer til gruppen ReportThirdParty=List tredjepartskonto -DescThirdPartyReport=Consult here the list of the third party customers and vendors and their accounting accounts +DescThirdPartyReport=Liste over tredjeparts kunder og leverandører og deres regnskapsregnskap ListAccounts=Liste over regnskapskontoer UnknownAccountForThirdparty=Ukjent tredjepartskonto. Vi vil bruke %s UnknownAccountForThirdpartyBlocking=Ukjent tredjepartskonto. Blokkeringsfeil UnknownAccountForThirdpartyAndWaitingAccountNotDefinedBlocking=Ukjent tredjepartskonto og ventekonto ikke definert. Blokkeringsfeil -PaymentsNotLinkedToProduct=Payment not linked to any product / service +PaymentsNotLinkedToProduct=Betaling ikke knyttet til noen vare/tjeneste Pcgtype=Kontogruppe Pcgsubtype=Konto-undergruppe @@ -207,8 +209,8 @@ DescVentilDoneCustomer=Liste over kunde-fakturalinjer og deres vare-regnskapskon DescVentilTodoCustomer=Bind fakturalinjer som ikke allerede er bundet, til en vare-regnskapskonto ChangeAccount=Endre regnskapskonto for valgte vare-/tjenestelinjer til følgende konto: Vide=- -DescVentilSupplier=Consult here the list of vendor invoice lines bound or not yet bound to a product accounting account -DescVentilDoneSupplier=Consult here the list of the lines of invoices vendors and their accounting account +DescVentilSupplier=Liste over leverandør-fakturalinjer som er bundet eller ikke ennå bundet til en vareregnskapskonto +DescVentilDoneSupplier=Liste over leverandør-fakturalinjer av og deres regnskapskonto DescVentilTodoExpenseReport=Bind utgiftsrapport-linjer til en gebyr-regnskapskonto DescVentilExpenseReport=Liste over utgiftsrapport-linjer bundet (eller ikke) til en gebyr-regnskapskonto 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". @@ -218,7 +220,7 @@ ValidateHistory=Bind automatisk AutomaticBindingDone=Automatisk binding utført ErrorAccountancyCodeIsAlreadyUse=Feil, du kan ikke slette denne regnskapskontoen fordi den er i bruk -MvtNotCorrectlyBalanced=Movement not correctly balanced. Debit = %s | Credit = %s +MvtNotCorrectlyBalanced=Bevegelse er ikke riktig balansert. Debet = %s | Kreditt = %s FicheVentilation=Binding-kort GeneralLedgerIsWritten=Transaksjoner blir skrevet inn i hovedboken GeneralLedgerSomeRecordWasNotRecorded=Noen av transaksjonene kunne ikke journalføres. Hvis det ikke er noen annen feilmelding, er dette trolig fordi de allerede var journalført. @@ -237,7 +239,7 @@ AccountingJournal=Regnskapsjournal NewAccountingJournal=Ny regnskapsjourna ShowAccoutingJournal=Vis regnskapsjournal Nature=Natur -AccountingJournalType1=Miscellaneous operations +AccountingJournalType1=Diverse operasjoner AccountingJournalType2=Salg AccountingJournalType3=Innkjøp AccountingJournalType4=Bank @@ -297,8 +299,8 @@ ToBind=Linjer som skal bindes UseMenuToSetBindindManualy=Autodeteksjon ikke mulig, bruk menyen %s for å gjøre bindingen manuelt ## Import -ImportAccountingEntries=Accounting entries +ImportAccountingEntries=Regnskapsposter WarningReportNotReliable=Advarsel, denne rapporten er ikke basert på hovedboken, så den inneholder ikke transaksjoner endret manuelt i hovedboken. Hvis journaliseringen din er oppdatert, er bokføringsvisningen mer nøyaktig. -ExpenseReportJournal=Expense Report Journal -InventoryJournal=Inventory Journal +ExpenseReportJournal=Utgiftsrapport-journal +InventoryJournal=Inventar-journal diff --git a/htdocs/langs/nb_NO/admin.lang b/htdocs/langs/nb_NO/admin.lang index 3403cc511467c..ce81665069de8 100644 --- a/htdocs/langs/nb_NO/admin.lang +++ b/htdocs/langs/nb_NO/admin.lang @@ -269,11 +269,11 @@ MAIN_MAIL_SMTP_SERVER=SMTP-server (Standard i php.ini: %s) MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=SMTP-port (Settes ikke i PHP på Unix/Linux) MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP-server (Settes ikke i PHP på Unix/Linux) MAIN_MAIL_EMAIL_FROM=Avsender-e-post for automatiske e-poster (Som standard i php.ini: %s) -MAIN_MAIL_ERRORS_TO=Eemail used for error returns emails (fields 'Errors-To' in emails sent) +MAIN_MAIL_ERRORS_TO=Epost brukt til returnerte epostmeldinger (felt 'Feil-til' i e-postmeldinger sendt) MAIN_MAIL_AUTOCOPY_TO= Send systematisk en skjult karbon-kopi av alle sendte e-post til MAIN_DISABLE_ALL_MAILS=Deaktiver alle e-postmeldinger (for testformål eller demoer) MAIN_MAIL_FORCE_SENDTO=Send alle e-post til (i stedet for ekte mottakere, til testformål) -MAIN_MAIL_ENABLED_USER_DEST_SELECT=Add employees users with email into allowed destinaries list +MAIN_MAIL_ENABLED_USER_DEST_SELECT=Legg til ansatte brukere med epost i tillatt mottaker-liste MAIN_MAIL_SENDMODE=Metode for å sende e-post MAIN_MAIL_SMTPS_ID=SMTP-ID hvis godkjenning kreves MAIN_MAIL_SMTPS_PW=SMTP-passord hvis godkjenning kreves @@ -292,7 +292,7 @@ ModuleSetup=Modulinnstillinger ModulesSetup=Moduler/Applikasjonsoppsett ModuleFamilyBase=System ModuleFamilyCrm=Kunderelasjonshåndtering (CRM) -ModuleFamilySrm=Vendor Relation Management (VRM) +ModuleFamilySrm=Administrasjon av leverandørforhold ModuleFamilyProducts=Products Management/Varehåndtering (PM) ModuleFamilyHr=Human Resource Management (HRM) ModuleFamilyProjects=Prosjekter/Samarbeid @@ -374,8 +374,8 @@ NoSmsEngine=Ingen SMS avsender tilgjengelig. SMS håndterer er ikke installert m PDF=PDF PDFDesc=Du kan angi globale alternativer relatert til PDF-generering PDFAddressForging=Regler for å lage adressebokser -HideAnyVATInformationOnPDF=Hide all information related to Sales tax / VAT on generated PDF -PDFRulesForSalesTax=Rules for Sales Tax / VAT +HideAnyVATInformationOnPDF=Skjul all informasjon relatert til Salgsskatt/MVA på generert PDF +PDFRulesForSalesTax=Regler for salgsskatt/mva PDFLocaltax=Regler for %s HideLocalTaxOnPDF=Skjul %s rente i pdf kolonne HideDescOnPDF=Skjul varebeskrivelse på generert PDF @@ -447,14 +447,14 @@ DisplayCompanyInfo=Vis firmaadresse DisplayCompanyManagers=Vis ledernavn DisplayCompanyInfoAndManagers=Vis firmaadresser og ledernavn EnableAndSetupModuleCron=Hvis du ønsker at gjentakende fakturaer skal genereres automatisk, må modulen *%s* være aktivert og riktig konfigurert. Ellers må generering av fakturaer gjøres manuelt fra denne malen med knapp *Lag*. Merk at selv om du har aktivert automatisk generering, kan du likevel trygt starte manuell generasjon. Generering av duplikater for samme periode er ikke mulig. -ModuleCompanyCodeCustomerAquarium=%s followed by third party customer code for a customer accounting code -ModuleCompanyCodeSupplierAquarium=%s followed by third party supplier code for a supplier accounting code +ModuleCompanyCodeCustomerAquarium=%s etterfulgt av tredjeparts kundekode for en kunderegnskapskode +ModuleCompanyCodeSupplierAquarium=%s etterfulgt av tredjepart leverandørkode for en leverandør-regnskapskode ModuleCompanyCodePanicum=Returner en tom regnskapskode. ModuleCompanyCodeDigitaria=Regnskapskode avhenger av tredjepartskode. Koden består av tegnet "C" i den første stillingen etterfulgt av de første 5 tegnene til tredjepartskoden. 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: It is often better to setup outgoing emails to use the email server of your provider instead of the default setup. Some email providers (like Yahoo) does not allow you to send an email from another server than their own server. Your current setup use 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 a server of them, so few of your sent Emails may not be accepted (be carefull also to your email provider sending quota).
If your Email provider (like Yahoo) has this restriction, you must change Email setup to choose the other method "SMTP server" and enter the SMTP server and credentials provided by your Email provider (ask your EMail provider to get SMTP credentials for your account). -WarningPHPMail2=Hvis din e-post-SMTP-leverandør må begrense e-postklienten til noen IP-adresser (svært sjelden), er dette IP-adressen til ERP CRM-programmet: %s . +WarningPHPMail=ADVARSEL: Det er ofte bedre å sette utgående eposter til å bruke epostserveren til leverandøren din i stedet for standardoppsettet. Noen epostleverandører (som Yahoo) tillater ikke at du sender en epost fra en annen server enn deres egen server. Ditt nåværende oppsett bruker serveren i programmet til å sende epost og ikke serveren til epostleverandøren din, så noen mottakere (den som er kompatibel med den restriktive DMARC-protokollen), vil spørre epostleverandøren din om de kan godta eposten din og noen epostleverandører (som Yahoo) kan svare "nei" fordi serveren ikke er en deres servere, så få av dine sendte e-poster kan ikke aksepteres (vær også oppmerksom på epostleverandørens sendekvote).
Hvis din epostleverandør (som Yahoo) har denne begrensningen, må du endre epostoppsett til å velge den andre metoden "SMTP-server" og angi SMTP-serveren og legitimasjonene som tilbys av epostleverandøren din (spør epostleverandøren din for å få SMTP-legitimasjon for kontoen din). +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 . ClickToShowDescription=Klikk for å vise beskrivelse DependsOn=Denne modulen trenger modulen(ene) RequiredBy=Denne modulen er påkrevd av modul(ene) @@ -473,10 +473,10 @@ WatermarkOnDraftExpenseReports=Vannmerke på utgiftsrapport-maler AttachMainDocByDefault=Sett dette til 1 hvis du vil legge ved hoveddokumentet til e-post som standard (hvis aktuelt) FilesAttachedToEmail=Legg ved fil SendEmailsReminders=Send agendapåminnelser via e-post -davDescription=Add a component to be a DAV server -DAVSetup=Setup of module DAV -DAV_ALLOW_PUBLIC_DIR=Enable the public directory (WebDav directory with no login required) -DAV_ALLOW_PUBLIC_DIRTooltip=The WebDav public directory is a WebDAV directory everybody can access to (in read and write mode), with no need to have/use an existing login/password account. +davDescription=Legg til en komponent for å være en DAV-server +DAVSetup=Oppsett av DAV-modulen +DAV_ALLOW_PUBLIC_DIR=Aktiver den offentlige katalogen (WebDav-katalog uten innlogging kreves) +DAV_ALLOW_PUBLIC_DIRTooltip=WebDavs offentlige katalog er en WebDAV-katalog som alle kan få tilgang til (i lese- og skrivemodus), uten å måtte ha/bruke en eksisterende påloggings-/passordkonto. # Modules Module0Name=Brukere & grupper Module0Desc=Håndtering av Brukere/Ansatte og Grupper @@ -485,7 +485,7 @@ Module1Desc=Behandling av bedrifter og kontaktpersoner Module2Name=Handel Module2Desc=Behandling av handelsfunksjoner Module10Name=Regnskap -Module10Desc=Simple accounting reports (journals, turnover) based onto database content. Does not use any ledger table. +Module10Desc=Enkle regnskapsrapporter (tidsskrifter, omsetning) basert på databaseinnhold. Bruker ikke en hovedbok. Module20Name=Tilbud Module20Desc=Behandling av tilbud Module22Name=E-postutsendelser @@ -497,7 +497,7 @@ Module25Desc=Behandling av kundeordre Module30Name=Fakturaer Module30Desc=Behandling av fakturaer og kreditnotaer for kunder. Fakturabehandling for leverandører Module40Name=Leverandører -Module40Desc=Behandling av innkjøp og leverandører (ordre og fakturaer) +Module40Desc=Leverandører og kjøpshåndtering (innkjøpsordre og fakturering) Module42Name=Feilsøkingslogger Module42Desc=Loggfunksjoner (fil, syslog, ...). Slike logger er for tekniske/feilsøkingsformål. Module49Name=Redigeringsprogram @@ -552,8 +552,8 @@ Module400Name=Prosjekter/Muligheter Module400Desc=Håndtering av prosjekter, muligheter og/eller oppgaver. Du kan også tildele et element (faktura, rekkefølge, forslag, intervensjon, ...) til et prosjekt og få en tverrgående visning fra prosjektvisningen. Module410Name=Webkalender Module410Desc=Integrasjon med webkalender -Module500Name=Taxes and Special expenses -Module500Desc=Management of other expenses (sale taxes, social or fiscal taxes, dividends, ...) +Module500Name=Skatter og spesialutgifter +Module500Desc=Håndtering av andre utgifter (salgsskatt, sosiale eller skattemessige skatter, utbytte, ...) Module510Name=Betaling av lønn til ansatte Module510Desc=Legg inn og følg betalingen av ansattes lønn Module520Name=Lån @@ -567,14 +567,14 @@ Module700Name=Donasjoner Module700Desc=Behandling av donasjoner Module770Name=Utgiftsrapporter Module770Desc=Håndtering av utgiftsrapporter (reise, diett, mm) -Module1120Name=Vendor commercial proposal -Module1120Desc=Request vendor commercial proposal and prices +Module1120Name=Leverandørtilbud +Module1120Desc=Be om leverandørtilbud og priser Module1200Name=Mantis Module1200Desc=Mantisintegrasjon Module1520Name=Dokumentgenerering Module1520Desc=Masse-epost dokumentgenerering Module1780Name=Merker/kategorier -Module1780Desc=Create tags/category (products, customers, vendors, contacts or members) +Module1780Desc=Opprett etikett/kategori (varer, kunder, leverandører, kontakter eller medlemmer) Module2000Name=WYSIWYG Editor Module2000Desc=Tillater å endre tekstområder med en avansert editor (Basert på CKEditor) Module2200Name=Dynamiske priser @@ -582,7 +582,7 @@ Module2200Desc=Aktiver mulighet for matematiske utrykk for å beregne priser Module2300Name=Planlagte jobber Module2300Desc=Planlagt jobbadministrasjon (alias cron- eller chronotabell) Module2400Name=Hendelser/Agenda -Module2400Desc=Follow done and upcoming events. Let application logs automatic events for tracking purposes or record manual events or rendez-vous. This is the main important module for a good Customer or Supplier Relationship Management. +Module2400Desc=Følg ferdige og kommende hendelser. La applikasjonen logge hendelser automatisk for sporing eller registrer hendelser eller møter manuelt. Dette er den viktigste viktige modulen for en god kunde- eller leverandørforholdsstyring. Module2500Name=DMS / ECM Module2500Desc=Dokumenthåndteringssystem / Elektronisk innholdshåndtering. Automatisk organisering av dine genererte eller lagrede dokumenter. Del dem når du trenger det. Module2600Name=API/Web tjenseter(SOAP server) @@ -605,7 +605,7 @@ Module4000Desc=HRM (håndtering av avdeling, arbeidskontrakter og personell) Module5000Name=Multi-selskap Module5000Desc=Lar deg administrere flere selskaper Module6000Name=Arbeidsflyt -Module6000Desc=Behandling av arbeidsflyt +Module6000Desc=Arbeidsflytbehandling (automatisk opprettelse av objekt og/eller automatisk statusendring) Module10000Name=Websider Module10000Desc=Opprett offentlige nettsteder med en WYSIWG-editor. Bare sett opp webserveren din (Apache, Nginx, ...) for å peke mot den dedikerte Dolibarr-katalogen for å få den online på Internett med ditt eget domenenavn. Module20000Name=Administrasjon av ferieforespørsler @@ -619,7 +619,7 @@ Module50100Desc=Salgssted-modul (POS). Module50200Name=Paypal Module50200Desc=Modul for å tilby en online betalingsside som godtar betaling ved hjelp av PayPal (kredittkort eller PayPal-kreditt). Dette kan brukes til å la kundene utføre gratis betalinger eller for betaling på et bestemt Dolibarr-objekt (faktura, bestilling, ...) Module50400Name=Regnskap (avansert) -Module50400Desc=Accounting management (double entries, support general and auxiliary ledgers). Export the ledger in several other accounting software format. +Module50400Desc=Regnskapsadministrasjon (dobbeltoppføringer, generell støtte og ekstra regnskapsbøker). Eksporter hovedboken til flere formater. 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 @@ -844,11 +844,11 @@ Permission1251=Kjør masseimport av eksterne data til database (datalast) Permission1321=Eksportere kundefakturaer, attributter og betalinger Permission1322=Gjenåpne en betalt regning Permission1421=Eksport kundeordre og attributter -Permission20001=Read leave requests (your leaves and the one of your subordinates) -Permission20002=Create/modify your leave requests (yours leaves and the one of your subordinates) +Permission20001=Les ferieforespørsler (dine ferier og underordnedes) +Permission20002=Opprett / modifiser dine ferieforespørsler (dine ferier og dine underordnedes) Permission20003=Slett ferieforespørsler -Permission20004=Read all leave requests (even of user not subordinates) -Permission20005=Create/modify leave requests for everybody (even of user not subordinates) +Permission20004=Les alle permisjonsforespørsler (selv om bruker ikke er underordnet) +Permission20005=Opprett/endre permisjonsforespørsler for alle (selv om bruker ikke er underordnet) Permission20006=Administrer ferieforespørsler (oppsett og oppdatering av balanse) Permission23001=Les planlagt oppgave Permission23002=Opprett/endre planlagt oppgave @@ -891,7 +891,7 @@ DictionaryCivility=Personlige og profesjonelle titler DictionaryActions=Typer agendahendelser DictionarySocialContributions=Skatte- og avgiftstyper DictionaryVAT=MVA satser -DictionaryRevenueStamp=Amount of revenue stamps - ikke i Norge +DictionaryRevenueStamp=Beløp for skattestempel DictionaryPaymentConditions=Betalingsbetingelser DictionaryPaymentModes=Betalingsmåter DictionaryTypeContact=Kontakt/adressetyper @@ -919,7 +919,7 @@ SetupSaved=Innstillinger lagret SetupNotSaved=Oppsettet er ikke lagret BackToModuleList=Tilbake til moduloversikt BackToDictionaryList=Tilbake til ordliste -TypeOfRevenueStamp=Type inntektsstempel +TypeOfRevenueStamp=Type skattestempel VATManagement=MVA-håndtering VATIsUsedDesc=Som standard når du oppretter muligheter, fakturaer, bestillinger osv, følger MVA-satsen aktivt standard regel:
Dersom selgeren ikke utsettes for MVA, settes MVA til 0. Slutt på regelen
Hvis (selgerland = kjøperland), settes merverdiavgift som standard lik MVA for produktet i selgerandet. Slutt på regelen.
Hvis både selger og kjøper er i EU og varene er transportprodukter (bil, båt, fly), er standard MVA 0 (MVA skal betales til tollen i sitt land og ikke til selger). Slutt på regelen.
Hvis både selgeren og kjøperen er i EU og kjøper er ikke et selskap, settes MVA til MVA på produktet som selges. Slutt på regelen.
Hvis både selgeren og kjøperen er i EU og kjøper er et selskap, settes MVA til 0 som standard. Slutt på regelen.
I alle andre tilfeller er standard MVA=0. Slutt på regelen. VATIsNotUsedDesc=Som standard er den foreslåtte MVA 0 som kan brukes for tilfeller som foreninger, enkeltpersoner og små selskaper. @@ -1027,7 +1027,7 @@ Delays_MAIN_DELAY_ACTIONS_TODO=Forsinkelsestoleranse (i dager) før varsel om pl Delays_MAIN_DELAY_PROJECT_TO_CLOSE=Forsinkelsestoleranse (i dager) før varsel om prosjekter som ikke er lukket i tide Delays_MAIN_DELAY_TASKS_TODO=Forsinkelsestoleranse (i dager) før varsel om planlagte oppgaver (prosjektoppgaver) som ikke er fullført Delays_MAIN_DELAY_ORDERS_TO_PROCESS=Forsinkelsestoleranse (i dager) før varsel om ordre som ikke er fullført -Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Forsinkelsestoleranse (i dager) før varsel om leverandørordre som ikke er fullført +Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Forsinketoleranse (i dager) før varsel om at innkjøpsordre ikke er behandlet ennå Delays_MAIN_DELAY_PROPALS_TO_CLOSE=Forsinkelsestoleranse (i dager) før varsel om tilbud som ikke er lukket Delays_MAIN_DELAY_PROPALS_TO_BILL=Forsinkelsestoleranse (i dager) før varsel om tilbud som ikke er fakturert Delays_MAIN_DELAY_NOT_ACTIVATED_SERVICES=Forsinkelsestoleranse (i dager) før varsel om tjenester som ikke er aktivert @@ -1039,9 +1039,9 @@ Delays_MAIN_DELAY_MEMBERS=Forsinkelsestoleranse (i dager) før varsel om forsink Delays_MAIN_DELAY_CHEQUES_TO_DEPOSIT=Forsinkelsestoleranse (i dager) før varsel om sjekker som må settes inn i bank Delays_MAIN_DELAY_EXPENSEREPORTS=Tillatt forsinkelse (i dager) før varsel om at utgiftsrapport skal godkjennes SetupDescription1=Oppsettområdet er for førstegangsparametre før du begynner å bruke Dolibarr. -SetupDescription2=The two mandatory setup steps are the following steps (the two first entries in the left setup menu): -SetupDescription3=Settings in menu %s -> %s. This step is required because it defines data used on Dolibarr screens to customize the default behavior of the software (for country-related features for example). -SetupDescription4=Settings in menu %s -> %s. This step is required because Dolibarr ERP/CRM is a collection of several modules/applications, all more or less independent. New features are added to menus for every module you activate. +SetupDescription2=De to obligatoriske oppsettstrinnene er følgende (de to første oppføringene i den venstre oppsettmenyen): +SetupDescription3=Innstillinger i menyen %s -> %s . Dette trinnet er nødvendig fordi det definerer data som brukes på Dolibarr-sider for å tilpasse standardoppførelsen til programvaren (for landrelaterte funksjoner for eksempel). +SetupDescription4=Innstillinger i menyen %s -> %s . Dette trinnet er nødvendig fordi Dolibarr ERP / CRM er en samling av flere moduler / applikasjoner, alle mer eller mindre uavhengige. Nye funksjoner legges til menyer for hver modul du aktiverer. SetupDescription5=Administrere andre menyoppføringers valgfrie parametre. LogEvents=Hendelser relatert til sikkerhet Audit=Revisjon @@ -1060,9 +1060,9 @@ LogEventDesc=Her kan du slå på loggen for sikkerhetshendelser i Dolibarr. Admi 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 bare tilgjengelig for administratorer. Ingen av tillatelsene i Dolibarr kan senke denne grensen. -CompanyFundationDesc=Edit on this page all known information of the company or foundation you need to manage (For this, click on "%s" or "%s" button at bottom of page) -AccountantDesc=Edit on this page all known information about your accountant/bookkeeper -AccountantFileNumber=File number +CompanyFundationDesc=På denne siden redigeres alle kjente opplysninger fra firmaet du administrerer (For dette, klikk på "%s" eller "%s" knappen nederst på siden) +AccountantDesc=På denne siden redigeres alle kjente opplysninger om din regnskapsfører/bokholder +AccountantFileNumber=Filnummer DisplayDesc=Her kan du velge innstillinger som styrer Dolibarrs utseende og virkemåte AvailableModules=Tilgjengelige apper/moduler ToActivateModule=Gå til innstillinger for å aktivere moduler. @@ -1195,11 +1195,11 @@ UserMailRequired=E-postadresse kreves for å opprette en ny bruker HRMSetup=Oppsett av HRM-modul ##### Company setup ##### CompanySetup=Firmamodul -CompanyCodeChecker=Module for third parties code generation and checking (customer or vendor) -AccountCodeManager=Module for accounting code generation (customer or vendor) +CompanyCodeChecker=Modul for tredjeparts kodegenerering og -kontroll (kunde eller leverandør) +AccountCodeManager=Modul for generering av regnskapskoder (kunde eller leverandør) NotificationsDesc=Funksjonen E-postvarslinger lar deg automatisk sende stille e-poster for noen Dolibarrhendelser. Mål for meldinger kan defineres: NotificationsDescUser=* pr. bruker, en bruker om gangen -NotificationsDescContact=* per third parties contacts (customers or vendors), one contact at time. +NotificationsDescContact=* Per tredjeparts kontakter (kunder eller leverandører), en kontakt til tiden. NotificationsDescGlobal=* eller ved å sette global mål-e-post i modulen Oppsett ModelModules=Dokumentmaler DocumentModelOdt=Generer dokumenter fra OpenDocument-maler (.ODT eller .ODS fra OpenOffice, KOffice, TextEdit, mm) @@ -1211,8 +1211,8 @@ MustBeMandatory=Obligatorisk å opprette tredjeparter? MustBeInvoiceMandatory=Obligatorisk å validere fakturaer? TechnicalServicesProvided=Tekniske tjenester som tilbys #####DAV ##### -WebDAVSetupDesc=This is the links 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 need an existing login account/password to access to. -WebDavServer=Root URL of %s server : %s +WebDAVSetupDesc=Dette er koblingene for å få tilgang til WebDAV-katalogen. Den inneholder en "offentlig" mappe, åpen for enhver bruker som kjenner nettadressen (hvis tilgang til offentlig mappe er tillatt), og en "privat" mappe som trenger en eksisterende påloggningskonto/passord for å få tilgang. +WebDavServer=Rot-URL til %s server: %s ##### Webcal setup ##### WebCalUrlForVCalExport=En eksportlenke til %s formatet er tilgjengelig på følgende lenke: %s ##### Invoices ##### @@ -1239,15 +1239,15 @@ FreeLegalTextOnProposal=Fritekst på tilbud WatermarkOnDraftProposal=Vannmerke på tilbudskladder (ingen hvis tom) BANK_ASK_PAYMENT_BANK_DURING_PROPOSAL=Be om bankkonto for tilbudet ##### SupplierProposal ##### -SupplierProposalSetup=Price requests vendors module setup -SupplierProposalNumberingModules=Price requests vendors numbering models -SupplierProposalPDFModules=Price requests vendors documents models -FreeLegalTextOnSupplierProposal=Free text on price requests vendors -WatermarkOnDraftSupplierProposal=Watermark on draft price requests vendors (none if empty) +SupplierProposalSetup=Oppsett av modul for leverandør-prisforespørsler +SupplierProposalNumberingModules=Leverandør-prisforespørsler nummereringsmodeller +SupplierProposalPDFModules=Leverandør-prisforespørsler dokumentmodeller +FreeLegalTextOnSupplierProposal=Fritekst på leverandør-prisforespørsler +WatermarkOnDraftSupplierProposal=Vannmerke på kladd til leverandør-prisforespørsler (ingen hvis tom) BANK_ASK_PAYMENT_BANK_DURING_SUPPLIER_PROPOSAL=Spør om bankkonto på prisforespørsel WAREHOUSE_ASK_WAREHOUSE_DURING_ORDER=Spør om Lagerkilde for ordre ##### Suppliers Orders ##### -BANK_ASK_PAYMENT_BANK_DURING_SUPPLIER_ORDER=Ask for bank account destination of purchase order +BANK_ASK_PAYMENT_BANK_DURING_SUPPLIER_ORDER=Be om bankkonto destinasjon for innkjøpsordre ##### Orders ##### OrdersSetup=Innstillinger for ordre OrdersNumberingModules=Nummereringsmodul for ordre @@ -1458,9 +1458,9 @@ 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=Windows støtter bare LOG_USER -CompressSyslogs=Syslog files compression and backup -SyslogFileNumberOfSaves=Log backups -ConfigureCleaningCronjobToSetFrequencyOfSaves=Configure cleaning scheduled job to set log backup frequency +CompressSyslogs=Komprimering og sikkerhetskopiering av feilsøkingsloggfiler (generert av modulen Log for debug) +SyslogFileNumberOfSaves=Logg sikkerhetskopier +ConfigureCleaningCronjobToSetFrequencyOfSaves=Konfigurer planlagt jobb for å angi logg backupfrekvens ##### Donations ##### DonationsSetup=Oppsett av Donasjonsmodulen DonationsReceiptModel=Mal for donasjonskvittering @@ -1525,7 +1525,7 @@ OSCommerceTestOk=Tilkobling til server '%s' for database '%s' med bruker '%s' va OSCommerceTestKo1=Tilkobling til server '%s' var vellykket, men databasen '%s' kunne ikke nåes. OSCommerceTestKo2=Tilkobling til server '%s' med bruker '%s' feilet. ##### Stock ##### -StockSetup=Stock module setup +StockSetup=Oppsett av lagermodul IfYouUsePointOfSaleCheckModule=Hvis du bruker en Point-of-Sale-modul (standard POS-modul eller en annen ekstern modul), kan dette oppsettet bli ignorert av din Point-Of-Sale modul. De fleste POS-moduler er designet for øyeblikkelig å lage faktura og redusere lager som standard, uansett hva som settes her. Så husk å sjekke hvordan POS-modulen er satt opp. ##### Menu ##### MenuDeleted=Menyen er slettet @@ -1561,8 +1561,8 @@ OptionVATDefault=Standard basis OptionVATDebitOption=Periodisering OptionVatDefaultDesc=Mva skal beregnes:
- ved levering av varer
- ved levering av tjenester OptionVatDebitOptionDesc=MVA skal beregnes: :
- ved levering av varer
- ved fakturering av tjenester -OptionPaymentForProductAndServices=Cash basis for products and services -OptionPaymentForProductAndServicesDesc=VAT is due:
- on payment for goods
- on payments for services +OptionPaymentForProductAndServices=Kontantgrunnlag for varer og tjenester +OptionPaymentForProductAndServicesDesc=MVA forfaller:
- ved betaling for varer
- på betalinger for tjenester SummaryOfVatExigibilityUsedByDefault=Tidspunkt for MVA-innbetaling som standard i henhold til valgt alternativ: OnDelivery=Ved levering OnPayment=Vedbetaling @@ -1637,8 +1637,8 @@ ChequeReceiptsNumberingModule=Nummereringsmodul for sjekk-kvitteringer MultiCompanySetup=Oppsett av multi-selskap-modulen ##### Suppliers ##### SuppliersSetup=Oppsett av leverandørmodulen -SuppliersCommandModel=Complete template of prchase order (logo...) -SuppliersInvoiceModel=Complete template of vendor invoice (logo...) +SuppliersCommandModel=Komplett mal for innkjøpsordre (logo ...) +SuppliersInvoiceModel=Komplett mal for leverandørfaktura (logo ...) SuppliersInvoiceNumberingModel=Nummereringsmodel for leverandørfakturaer IfSetToYesDontForgetPermission=Hvis ja, ikke glem å gi tillatelser til grupper eller brukere tillatt for 2. godkjenning ##### GeoIPMaxmind ##### @@ -1675,7 +1675,7 @@ NoAmbiCaracAutoGeneration=Ikke bruk tvetydige tegn ("1","l","i","|","0","O") for SalariesSetup=Oppsett av lønnsmodulen SortOrder=Sorteringsrekkefølge Format=Format -TypePaymentDesc=0:Customer payment type, 1:Vendor payment type, 2:Both customers and vendors payment type +TypePaymentDesc=0: Kunde betalingstype, 1: Leverandør betalingstype, 2: Både kunde- og leverandør-betalingstype IncludePath=Inkluder bane (definert i variael %s) ExpenseReportsSetup=Oppsett av utgiftsrapport-modulen TemplatePDFExpenseReports=Dokumentmaler for å generere utgiftsrapporter @@ -1697,7 +1697,7 @@ InstallModuleFromWebHasBeenDisabledByFile=Administrator har deaktivert mulighete ConfFileMustContainCustom=Ved installering eller bygging av en ekstern modul fra programmet må modulfilene lagres i katalogen %s. Hvis du vil ha denne katalogen behandlet av Dolibarr, må du sette opp conf/conf.php for å legge til 2 direktivlinjer:
$dolibarr_main_url_root_alt = '/custom';
$dolibarr_main_document_root_alt = '%s/custom'; HighlightLinesOnMouseHover=Fremhev tabellinjer når musen flyttes over HighlightLinesColor=Uthev fargen på linjen når musen føres over (holdes tom for ingen uthevning) -TextTitleColor=Text color of Page title +TextTitleColor=Tekstfarge på sidetittel LinkColor=Farge på lenker PressF5AfterChangingThis=Trykk CTRL+F5 på tastaturet eller tøm nettlesercache når du har endret denne verdien for å få den til å fungere effektivt NotSupportedByAllThemes=Vil virke med kjernetemaer, vil kanskje ikke virke med eksterne temaer @@ -1706,7 +1706,7 @@ TopMenuBackgroundColor=Bakgrunnsfarge for toppmeny TopMenuDisableImages=Skjul bilder i toppmeny LeftMenuBackgroundColor=Bakgrunnsfarge for venstre meny BackgroundTableTitleColor=Bakgrunnsfarge for tittellinje i tabellen -BackgroundTableTitleTextColor=Text color for Table title line +BackgroundTableTitleTextColor=Tekstfarge for tabellens tittellinje BackgroundTableLineOddColor=Bakgrunnsfarge for oddetalls-tabellinjer BackgroundTableLineEvenColor=Bakgrunnsfarge for partalls-tabellinjer MinimumNoticePeriod=Frist for beskjed (Feriesøknaden må sendes inn før denne fristen) @@ -1734,14 +1734,14 @@ MailToSendOrder=Kundeordre MailToSendInvoice=Kundefakturaer MailToSendShipment=Leveringer MailToSendIntervention=Intervensjoner -MailToSendSupplierRequestForQuotation=Quotation request -MailToSendSupplierOrder=Purchase orders -MailToSendSupplierInvoice=Vendor invoices +MailToSendSupplierRequestForQuotation=Prisforespørsel +MailToSendSupplierOrder=Innkjøpsordrer +MailToSendSupplierInvoice=Leverandørfakturaer MailToSendContract=Kontrakter MailToThirdparty=Tredjeparter MailToMember=Medlemmer MailToUser=Brukere -MailToProject=Projects page +MailToProject=Prosjektside ByDefaultInList=Vis som standard for liste YouUseLastStableVersion=Du bruker siste stabile versjon TitleExampleForMajorRelease=Eksempel på melding du kan bruke for å annonsere større oppdateringer (du kan bruke denne på dine websider) @@ -1790,11 +1790,11 @@ MAIN_PDF_MARGIN_TOP=Toppmarg på PDF MAIN_PDF_MARGIN_BOTTOM=Bunnmarg på PDF SetToYesIfGroupIsComputationOfOtherGroups=Sett til ja hvis denne gruppen er en beregning av andre grupper EnterCalculationRuleIfPreviousFieldIsYes=Oppgi beregningsregel hvis tidligere felt ble satt til Ja (for eksempel 'CODEGRP1 + CODEGRP2') -SeveralLangugeVariatFound=Several language variants found -COMPANY_AQUARIUM_REMOVE_SPECIAL=Remove special characters -COMPANY_AQUARIUM_CLEAN_REGEX=Regex filter to clean value (COMPANY_AQUARIUM_CLEAN_REGEX) -GDPRContact=GDPR contact -GDPRContactDesc=If you store data about European companies/citizen, you can store here the contact who is responsible for the General Data Protection Regulation +SeveralLangugeVariatFound=Flere språkvarianter funnet +COMPANY_AQUARIUM_REMOVE_SPECIAL=Fjern spesialtegn +COMPANY_AQUARIUM_CLEAN_REGEX=Regex filter til ren verdi (COMPANY_AQUARIUM_CLEAN_REGEX) +GDPRContact=GDPR-kontakt +GDPRContactDesc=Hvis du lagrer data om europeiske firmaer/borgere, kan du lagre den kontakten som er ansvarlig for GDPR - General Data Protection Regulation ##### Resource #### ResourceSetup=Oppsett av Ressursmodulen UseSearchToSelectResource=Bruk et søkeskjema for å velge en ressurs (i stedet for en nedtrekksliste). diff --git a/htdocs/langs/nb_NO/banks.lang b/htdocs/langs/nb_NO/banks.lang index f61067500e80b..1593e9d4c6844 100644 --- a/htdocs/langs/nb_NO/banks.lang +++ b/htdocs/langs/nb_NO/banks.lang @@ -1,6 +1,6 @@ # Dolibarr language file - Source file is en_US - banks Bank=Bank -MenuBankCash=Bank/Kasse +MenuBankCash=Bank | Kontanter MenuVariousPayment=Diverse utbetalinger MenuNewVariousPayment=Ny Diverse betalinger BankName=Banknavn @@ -132,7 +132,7 @@ PaymentDateUpdateSucceeded=Betalingsdato oppdatert PaymentDateUpdateFailed=Klarte ikke å oppdatere betalingsdatoen Transactions=Transaksjoner BankTransactionLine=Bankoppføring -AllAccounts=Alle bank/kontant-kontoer +AllAccounts=Alle bank- og kontantkontoer BackToAccount=Tilbake til kontoen ShowAllAccounts=Vis for alle kontoer FutureTransaction=Fremtidig transaksjon. Ingen måte å avstemme. @@ -160,5 +160,6 @@ VariousPayment=Diverse utbetalinger VariousPayments=Diverse utbetalinger ShowVariousPayment=Vis diverse betalinger AddVariousPayment=Legg til Diverse betalinger +SEPAMandate=SEPA mandat YourSEPAMandate=Ditt SEPA-mandat FindYourSEPAMandate=Dette er ditt SEPA-mandat for å autorisere vårt firma til å gjøre debitering til din bank. Send det i retur signert (skanning av det signerte dokumentet og send det via post) til diff --git a/htdocs/langs/nb_NO/bills.lang b/htdocs/langs/nb_NO/bills.lang index 9c9b198d11786..f77e08a189b7a 100644 --- a/htdocs/langs/nb_NO/bills.lang +++ b/htdocs/langs/nb_NO/bills.lang @@ -109,9 +109,9 @@ CancelBill=Kanseller en faktura SendRemindByMail=E-postpåminnelse DoPayment=Legg inn betaling DoPaymentBack=Legg inn tilbakebetaling -ConvertToReduc=Mark as credit available -ConvertExcessReceivedToReduc=Konverterer for mye innbetalt til fremtidig rabatt -ConvertExcessPaidToReduc=Konverter overbetaling til fremtidig rabatt +ConvertToReduc=Merk som kreditt tilgjengelig +ConvertExcessReceivedToReduc=Konverter overskudd mottatt til tilgjengelig kreditt +ConvertExcessPaidToReduc=Konverter overskudd betalt til tilgjengelig rabatt EnterPaymentReceivedFromCustomer=Legg inn betaling mottatt fra kunde EnterPaymentDueToCustomer=Lag purring til kunde DisabledBecauseRemainderToPayIsZero=Slått av fordi restbeløpet er null @@ -120,7 +120,7 @@ BillStatus=Fakturastatus StatusOfGeneratedInvoices=Status for genererte fakturaer BillStatusDraft=Kladd (må valideres) BillStatusPaid=Betalt -BillStatusPaidBackOrConverted=Credit note refund or marked as credit available +BillStatusPaidBackOrConverted=Kreditnota eller merket som kreditt tilgjengelig BillStatusConverted=Betalt (klar til forbruk i endelig faktura) BillStatusCanceled=Tapsført BillStatusValidated=Validert (må betales) @@ -282,12 +282,13 @@ RelativeDiscount=Relativ rabatt GlobalDiscount=Global rabatt CreditNote=Kreditnota CreditNotes=Kreditnotaer +CreditNotesOrExcessReceived=Kreditt notaer eller overskudd mottatt Deposit=Nedbetaling Deposits=Nedbetalinger DiscountFromCreditNote=Rabatt fra kreditnota %s DiscountFromDeposit=Nedbetalinger fra faktura %s -DiscountFromExcessReceived=Payments in excess of invoice %s -DiscountFromExcessPaid=Payments in excess of invoice %s +DiscountFromExcessReceived=For mye innbetalt på faktura %s +DiscountFromExcessPaid=For mye innbetalt på faktura %s AbsoluteDiscountUse=Denne typen kreditt kan brukes på faktura før den godkjennes CreditNoteDepositUse=Fakturaen m valideres for å kunne bruke denne typen kredit NewGlobalDiscount=Ny absolutt rabatt @@ -296,10 +297,10 @@ DiscountType=Rabatttype NoteReason=Notat/Årsak ReasonDiscount=Årsak DiscountOfferedBy=Innrømmet av -DiscountStillRemaining=Discounts or credits available -DiscountAlreadyCounted=Discounts or credits already consumed +DiscountStillRemaining=Rabatter eller kreditter tilgjengelig +DiscountAlreadyCounted=Rabatter eller kreditter som allerede er brukt CustomerDiscounts=Kunderabatter -SupplierDiscounts=Vendors discounts +SupplierDiscounts=Leverandørrabatter BillAddress=Fakturaadresse HelpEscompte=Denne rabatten er gitt fordi kunden betalte før forfall. HelpAbandonBadCustomer=Dette beløpet er tapsført (dårlig kunde) og betraktes som tap. @@ -339,12 +340,12 @@ PaymentOnDifferentThirdBills=Tillat betaling av fakturaer for ulike tredjeparter PaymentNote=Betalingsnotat ListOfPreviousSituationInvoices=Liste over tidligere delfakturaer ListOfNextSituationInvoices=Liste over kommende delfakturaer -ListOfSituationInvoices=List of situation invoices -CurrentSituationTotal=Total current situation -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 +ListOfSituationInvoices=Liste over delfakturaer +CurrentSituationTotal=Totalt nåværende delfakturering +DisabledBecauseNotEnouthCreditNote=For å fjerne en delfaktura fra syklusen, må fakturaens kreditnota dekke denne fakturaen totalt +RemoveSituationFromCycle=Fjern denne fakturaen fra syklus +ConfirmRemoveSituationFromCycle=Fjern denne fakturaen %s fra syklus? +ConfirmOuting=Bekreft uthenting FrequencyPer_d=Hver %s dag FrequencyPer_m=Hver %s måned FrequencyPer_y=Hver %s år @@ -354,10 +355,10 @@ NextDateToExecution=Dato for neste fakturagenerering NextDateToExecutionShort=Dato neste generering DateLastGeneration=Dato for siste generering DateLastGenerationShort=Dato siste generering -MaxPeriodNumber=Max number of invoice generation -NbOfGenerationDone=Number of invoice generation already done -NbOfGenerationDoneShort=Number of generation done -MaxGenerationReached=Maximum number of generations reached +MaxPeriodNumber=Maks antall fakturagenereringer +NbOfGenerationDone=Antall fakturagenereringer allerede gjort +NbOfGenerationDoneShort=Antall genereringer gjort +MaxGenerationReached=Maks antall genereringer nådd InvoiceAutoValidate=Valider fakturaer automatisk GeneratedFromRecurringInvoice=Generert fra gjentagende-fakturamal %s DateIsNotEnough=Dato ikke nådd enda @@ -393,6 +394,7 @@ PaymentConditionShort14DENDMONTH=14 dager etter månedens slutt PaymentCondition14DENDMONTH=Innen 14 dager etter slutten av måneden FixAmount=Fast beløp VarAmount=Variabelt beløp +VarAmountOneLine=Variabel mengde (%% tot.) - 1 linje med etikett '%s' # PaymentType PaymentTypeVIR=Bankoverførsel PaymentTypeShortVIR=Bankoverførsel @@ -511,9 +513,9 @@ SituationAmount=Delfaktura-beløp (eks. MVA) SituationDeduction=Situasjonsfradrag ModifyAllLines=Endre alle linjer CreateNextSituationInvoice=Opprett neste situasjon -ErrorFindNextSituationInvoice=Error unable to find next situation cycle ref -ErrorOutingSituationInvoiceOnUpdate=Unable to outing this situation invoice. -ErrorOutingSituationInvoiceCreditNote=Unable to outing linked credit note. +ErrorFindNextSituationInvoice=Feil. Kunne ikke finne neste delsyklus ref +ErrorOutingSituationInvoiceOnUpdate=Kan ikke hente ut denne delfakturaen. +ErrorOutingSituationInvoiceCreditNote=Kan ikke hente ut koblet kreditnota. NotLastInCycle=Denne fakturaen er ikke den siste i serien og må ikke endres. DisabledBecauseNotLastInCycle=Neste delfaktura er allerede opprettet DisabledBecauseFinal=Dette er siste delfaktura @@ -543,4 +545,4 @@ AutoFillDateFrom=Angi startdato for tjenestelinje med faktura dato AutoFillDateFromShort=Angi startdato AutoFillDateTo=Angi sluttdato for tjenestelinje med neste faktura dato AutoFillDateToShort=Angi sluttdato -MaxNumberOfGenerationReached=Max number of gen. reached +MaxNumberOfGenerationReached=Maks ant. genereringer nådd diff --git a/htdocs/langs/nb_NO/categories.lang b/htdocs/langs/nb_NO/categories.lang index 9518cfc23792f..d4bed40e9dbc8 100644 --- a/htdocs/langs/nb_NO/categories.lang +++ b/htdocs/langs/nb_NO/categories.lang @@ -85,4 +85,4 @@ CategorieRecursivHelp=Hvis aktivert, vil varen også knyttes til overordnet kate AddProductServiceIntoCategory=Legg til følgende vare/tjeneste ShowCategory=Vis merke/kategori ByDefaultInList=Som standard i liste -ChooseCategory=Choose category +ChooseCategory=Velg kategori diff --git a/htdocs/langs/nb_NO/compta.lang b/htdocs/langs/nb_NO/compta.lang index 2e6d9ab96700b..69ebbb98b79b0 100644 --- a/htdocs/langs/nb_NO/compta.lang +++ b/htdocs/langs/nb_NO/compta.lang @@ -19,7 +19,8 @@ Income=Inntekt Outcome=Utgift MenuReportInOut=Inntekt/Utgifter ReportInOut=Inntekts- og utgiftsbalanse -ReportTurnover=Omsetning +ReportTurnover=Omsetning fakturert +ReportTurnoverCollected=Omsetning mottatt PaymentsNotLinkedToInvoice=Betalinger ikke knyttet til noen faktura, er heller ikke knyttet til noen tredjepart PaymentsNotLinkedToUser=Betalinger ikke knyttet til noen bruker Profit=Profit @@ -31,10 +32,10 @@ Credit=Kreditt Piece=Regnskapsdokument AmountHTVATRealReceived=Netto samlet AmountHTVATRealPaid=Netto betalt -VATToPay=Tax sales +VATToPay=Skattbart salg VATReceived=Skatt mottatt VATToCollect=Skattkjøp -VATSummary=Tax monthly +VATSummary=Skatt månedlig VATBalance=Skattebalanse VATPaid=Skatt betalt LT1Summary=Skatt 2 oppsummering @@ -77,16 +78,16 @@ MenuNewSocialContribution=Ny skatt/avgift NewSocialContribution=Ny skatt/avgift AddSocialContribution=Legg til sosiale utgifter eller skatter ContributionsToPay=Skatter og avgifter som skal betales -AccountancyTreasuryArea=Regnskap/kapital-område +AccountancyTreasuryArea=Fakturerings- og betalingsområde NewPayment=Ny betaling Payments=Betalinger PaymentCustomerInvoice=Kundefaktura-betaling -PaymentSupplierInvoice=Vendor invoice payment +PaymentSupplierInvoice=Leverandørfaktura-betaling PaymentSocialContribution=Skatter- og avgiftsbetaling PaymentVat=MVA betaling ListPayment=Liste over betalinger ListOfCustomerPayments=Liste over kundebetalinger -ListOfSupplierPayments=List of vendor payments +ListOfSupplierPayments=Liste over leverandørbetalinger DateStartPeriod=Startdato DateEndPeriod=Sluttdato newLT1Payment=Ny MVA 2 betaling @@ -101,23 +102,25 @@ LT1PaymentES=RE Betaling LT1PaymentsES=RE Betalinger LT2PaymentES=IRPF Betaling LT2PaymentsES=IRPF Betalinger -VATPayment=MVA.betaling -VATPayments=MVA.betalinger -VATRefund=Mva-betaling -NewVATPayment=New sales tax payment +VATPayment=MVA-betaling +VATPayments=MVA-betalinger +VATRefund=MVA-refundering +NewVATPayment=Ny MVA-betaling +NewLocalTaxPayment=Ny MVA %s betaling 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 CustomerAccountancyCode=Kunde-regnskapskode -SupplierAccountancyCode=Vendor accounting code +SupplierAccountancyCode=Leverandørens regnskapskode CustomerAccountancyCodeShort=Kundens regnskapskode SupplierAccountancyCodeShort=Leverandørens regnskapskode AccountNumber=Kontonummer NewAccountingAccount=Ny konto -SalesTurnover=Salgsomsetning -SalesTurnoverMinimum=Minimums salgsomsetning +Turnover=Omsetning fakturert +TurnoverCollected=Omsetning mottatt +SalesTurnoverMinimum=Minimum omsetning ByExpenseIncome=Etter utgifter & inntekter ByThirdParties=Etter tredjepart ByUserAuthorOfInvoice=Etter faktura-oppretter @@ -137,8 +140,8 @@ 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=Modus %sKredit-Debet%s sagt Commitment regnskap. -CalcModeEngagement=Modus %sInntekt-Utgifter%s sagt kassaregnskap +CalcModeDebt=Analyse av kjente registrerte fakturaer 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 CalcModeLT1Debt=Modus %sRE på kundefakturaer%s @@ -151,44 +154,44 @@ 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 rapporten %sInntekter-Utgifter%s sier kontanter utgjør en beregning for faktiske utbetalinger -SeeReportInDueDebtMode=Se rapporten %sKredit-Debet%s sa forpliktelse utgjør en beregning på utstedte fakturaer -SeeReportInBookkeepingMode=Se rapport %sBokføring%s for en beregning på analyse av bokføringstabell +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 RulesAmountWithTaxIncluded=- Viste beløp er inkludert alle avgifter RulesResultDue=- Inkluderer utestående fakturaer, utgifter, MVA og donasjoner, enten de er betalt eller ikke. Inkluderer også utbetalt lønn.
- Basert på valideringsdato for fakturaer og MVA og på forfallsdato for utgifter. For lønn definert med Lønn-modulen, benyttes utbetalingstidspunktet. RulesResultInOut=- Inkluderer betalinger gjort mot fakturaer, utgifter, MVA og lønn.
Basert på betalingsdato. Donasjonsdato for donasjoner RulesCADue=- Inkluderer kundens forfalte fakturaer, enten de er betalt eller ikke.
Basert på valideringsdatoen til disse fakturaene.
RulesCAIn=- Inkluderer alle betalinger av fakturaer mottatt fra klienter.
- Er basert på betalingsdatoen for disse fakturaene
-RulesCATotalSaleJournal=It includes all credit lines from the Sale journal. +RulesCATotalSaleJournal=Den inkluderer alle kredittlinjer fra salgsjournalen. RulesAmountOnInOutBookkeepingRecord=Inkluderer poster i hovedboken med regnskapskontoer som har gruppen "UTGIFTER" eller "INNTEKT" RulesResultBookkeepingPredefined=Inkluderer poster i hovedboken med regnskapskontoer som har gruppen "UTGIFTER" eller "INNTEKT" RulesResultBookkeepingPersonalized=Viser poster i hovedboken med regnskapskontoer gruppert etter tilpassede grupper SeePageForSetup=Se meny %s for oppsett DepositsAreNotIncluded=- Nedbetalingsfakturaer er ikke inkludert DepositsAreIncluded=- Nedbetalingsfakturaer er inkludert -LT1ReportByCustomers=Report tax 2 by third party -LT2ReportByCustomers=Report tax 3 by third party +LT1ReportByCustomers=Rapporter MVA-2 etter tredjepart +LT2ReportByCustomers=Rapporter MVA-3 etter tredjepart LT1ReportByCustomersES=Rapport etter tredjepart RE LT2ReportByCustomersES=Rapport over tredjepart IRPF -VATReport=Sale tax report -VATReportByPeriods=Sale tax report by period -VATReportByRates=Sale tax report by rates -VATReportByThirdParties=Sale tax report by third parties -VATReportByCustomers=Sale tax report by customer +VATReport=MVA-rapport +VATReportByPeriods=MVA-rapport etter periode +VATReportByRates=MVA-rapport etter sats +VATReportByThirdParties=MVA-rapport etter tredjepart +VATReportByCustomers=MVA-rapport etter kunde VATReportByCustomersInInputOutputMode=Rapport over innhentet og betalt MVA etter kunde -VATReportByQuartersInInputOutputMode=Report by Sale tax rate of the tax collected and paid -LT1ReportByQuarters=Report tax 2 by rate -LT2ReportByQuarters=Report tax 3 by rate +VATReportByQuartersInInputOutputMode=Rapport etter MVA-sats av MVA innkrevd og betalt +LT1ReportByQuarters=Rapporter MVA-2 etter sats +LT2ReportByQuarters=Rapporter MVA-3 etter sats LT1ReportByQuartersES=Rapport etter RE sats LT2ReportByQuartersES=Rapport etter IRPF sats SeeVATReportInInputOutputMode=Se rapport %sInkl MVA%s for en standard utregning SeeVATReportInDueDebtMode=Se rapport %sMVA%s for en beregning med en opsjon på flyten RulesVATInServices=- For tjenester, omfatter rapporten MVA regnskap på grunnlag av betalingstidspunktet. -RulesVATInProducts=- For material assets, the report includes the VAT received or issued on the basis of the date of payment. +RulesVATInProducts=- For materielle aktiva inkluderer rapporten MVA mottatt eller utstedt på grunnlag av betalingsdag. RulesVATDueServices=- For tjenester, omfatter forfalte MVA fakturaer , betalt eller ikke, basert på fakturadato. -RulesVATDueProducts=- For material assets, the report includes the VAT invoices, based on the invoice date. +RulesVATDueProducts=- For materielle aktiva inkluderer rapporten fakturaer, basert på fakturadato. OptionVatInfoModuleComptabilite=Merk: For materielle verdier, bør man bruke leveringsdato å være mer rettferdig. -ThisIsAnEstimatedValue=This is a preview, based on business events and not from the final ledger table, so final results may differ from this preview values +ThisIsAnEstimatedValue=Dette er en forhåndsvisning, basert på forretningshendelser og ikke fra den endelige hovedbokstabellen, så de endelige resultatene kan avvike fra denne forhåndsvisningsverdien PercentOfInvoice=%%/Faktura NotUsedForGoods=Ikke brukt på varer ProposalStats=Tilbudsstatistikk @@ -210,7 +213,7 @@ Pcg_version=Kontomodeller Pcg_type=Kontoplan type Pcg_subtype=Kontoplan undertype InvoiceLinesToDispatch=Fakturalinjer for utsendelse -ByProductsAndServices=By product and service +ByProductsAndServices=Etter varer og tjenester RefExt=Ekstern referanse ToCreateAPredefinedInvoice=For å lage en fakturamal, lag først en standardfaktura uten å validere den, klikk på "%s".| LinkedOrder=Lenke til ordre @@ -218,16 +221,16 @@ Mode1=Metode 1 Mode2=Metode 2 CalculationRuleDesc=For å beregne total MVA, er det to metoder:
Metode 1 er avrunding på hver linje, og deretter summere dem.
Metode 2 er å summere alle på hver linje, og deretter avrunde resultatet.
Endelig resultat kan variere noen få kroner. Standardmodusen er modusen %s. CalculationRuleDescSupplier=Velg utregningsmetode som gir leverandør forventet resultat -TurnoverPerProductInCommitmentAccountingNotRelevant=The Turnover report per product, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). -TurnoverPerSaleTaxRateInCommitmentAccountingNotRelevant=The Turnover report per sale tax rate, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). +TurnoverPerProductInCommitmentAccountingNotRelevant=Rapporten om omsetning samlet per produkt er ikke tilgjengelig. Denne rapporten er kun tilgjengelig for omsetning fakturert. +TurnoverPerSaleTaxRateInCommitmentAccountingNotRelevant=Rapporten om omsetning samlet per MVA-sats er ikke tilgjengelig. Denne rapporten er kun tilgjengelig for omsetning fakturert. CalculationMode=Kalkuleringsmodus AccountancyJournal=Regnskapskode journal -ACCOUNTING_VAT_SOLD_ACCOUNT=Accounting account by default for VAT on sales (used if not defined on VAT dictionary setup) -ACCOUNTING_VAT_BUY_ACCOUNT=Accounting account by default for VAT on purchases (used if not defined on VAT dictionary setup) +ACCOUNTING_VAT_SOLD_ACCOUNT=Regnskapskonto som standard for MVA ved salg (brukt hvis ikke definert i MVA-ordbokoppsett) +ACCOUNTING_VAT_BUY_ACCOUNT=Regnskapskonto som standard for MVA ved kjøp (brukt hvis ikke definert i MVA-ordbokoppsett) ACCOUNTING_VAT_PAY_ACCOUNT=Standard regnskapskonto for MVA.betaling ACCOUNTING_ACCOUNT_CUSTOMER=Regnskapskonto brukt til kunde-tredjepart ACCOUNTING_ACCOUNT_CUSTOMER_Desc=Den dedikerte regnskapskontoen som er definert på tredjepartskort, vil kun bli brukt til subledger. Denne vil bli brukt til hovedboken og som standardverdi av Subledger-regnskap hvis dedikert kundekonto på tredjepart ikke er definert. -ACCOUNTING_ACCOUNT_SUPPLIER=Accounting account used for vendor third parties +ACCOUNTING_ACCOUNT_SUPPLIER=Regnskapskonto brukt til leverandør-tredjepart ACCOUNTING_ACCOUNT_SUPPLIER_Desc=Den dedikerte regnskapskonto som er definert på tredjepartskort, vil kun bli brukt til subledger. Denne vil bli brukt til hovedboken og som standardverdi for Subledger-regnskap hvis dedikert leverandørkonto på tredjepart ikke er definert. CloneTax=Klon skatt/avgift ConfirmCloneTax=Bekreft kloning av skatt/avgiftsbetaling @@ -245,11 +248,12 @@ ErrorBankAccountNotFound=Feil: Bankkonto ikke funnet FiscalPeriod=Regnskapsperiode ListSocialContributionAssociatedProject=Liste over sosiale bidrag knyttet til prosjektet DeleteFromCat=Fjern fra regnskapsgruppe -AccountingAffectation=Accounting assignement -LastDayTaxIsRelatedTo=Last day of period the tax is related to -VATDue=Sale tax claimed -ClaimedForThisPeriod=Claimed for the period -PaidDuringThisPeriod=Paid during this period -ByVatRate=By sale tax rate -TurnoverbyVatrate=Turnover by sale tax rate -PurchasebyVatrate=Purchase by sale tax rate +AccountingAffectation=Regnskapsoppgave +LastDayTaxIsRelatedTo=Siste dag i perioden MVA er knyttet til +VATDue=MVA innkrevd +ClaimedForThisPeriod=Innkrevd for perioden +PaidDuringThisPeriod=Betalt i denne perioden +ByVatRate=Etter MVA-sats +TurnoverbyVatrate=Omsetning fakturert etter MVA-sats +TurnoverCollectedbyVatrate=Omsetning etter MVA-sats +PurchasebyVatrate=Innkjøp etter MVA-sats diff --git a/htdocs/langs/nb_NO/install.lang b/htdocs/langs/nb_NO/install.lang index ca77ddb7b843b..892400692cb64 100644 --- a/htdocs/langs/nb_NO/install.lang +++ b/htdocs/langs/nb_NO/install.lang @@ -6,7 +6,7 @@ ConfFileDoesNotExistsAndCouldNotBeCreated=Konfigurasjonsfil %s eksisterer ConfFileCouldBeCreated=Konfigurasjonsfil %s kunne lages. ConfFileIsNotWritable=Konfigurasjonsfil %s er ikke skrivbar. Sjekk tillatelser. For første gangs installasjon, må webserveren få innvilget å kunne skrive til denne filen under konfigureringen ("chmod 666" for eksempel på et Unix-OS). ConfFileIsWritable=Konfigurasjonsfil %s er skrivbar. -ConfFileMustBeAFileNotADir=Configuration file %s must be a file, not a directory. +ConfFileMustBeAFileNotADir=Konfigurasjonsfil %s må være en fil, ikke en katalog. ConfFileReload=Last inn all informasjon fra konfigurasjonsfilen igjen. PHPSupportSessions=Denne PHP støtter sesjoner. PHPSupportPOSTGETOk=Dette PHP støtter variablene POST og GET. @@ -92,8 +92,8 @@ FailedToCreateAdminLogin=Klarte ikke å opprette Dolibarr administratorkonto WarningRemoveInstallDir=Advarsel, av sikkerhetshensyn, når installasjonen eller oppgraderingen er fullført, bør du fjerne mappen "install" eller endre navnet til install.lock for å unngå skadelig bruk. FunctionNotAvailableInThisPHP=Ikke tilgjengelig på denne PHP ChoosedMigrateScript=Velg migrasjonscript -DataMigration=Database migration (data) -DatabaseMigration=Database migration (structure + some data) +DataMigration=Database migrasjon (data) +DatabaseMigration=Database migrasjon (struktur + noen data) ProcessMigrateScript=Scriptbehandling ChooseYourSetupMode=Velg din oppsettmodus og klikk på "Start" ... FreshInstall=Ny installasjon @@ -147,7 +147,7 @@ NothingToDo=Ingenting å gjøre # upgrade MigrationFixData=Reparasjon av ødelagte data MigrationOrder=Datamigrering for kundeordre -MigrationSupplierOrder=Data migration for vendor's orders +MigrationSupplierOrder=Dataoverføring for leverandørordre MigrationProposal=Datamigrering for tilbud MigrationInvoice=Datamigrering for kundefakturaer MigrationContract=Datamigrering for kontrakter @@ -204,3 +204,7 @@ MigrationResetBlockedLog=Tilbakestill modul BlockedLog for v7 algoritme ShowNotAvailableOptions=Vis utilgjengelige opsjoner HideNotAvailableOptions=Gjem utilgjengelige opsjoner ErrorFoundDuringMigration=Feil ble rapportert under migrasjonsprosessen, så neste steg er ikke tilgjengelig. For å overse feil, kan du klikke her, men applikasjoner eller noen funksjoner kanskje ikke fungerer som de skal før de er fikset. +YouTryInstallDisabledByDirLock=Programmet prøver å selv-oppgradere, men installasjons-/oppgraderingssidene er deaktivert av sikkerhetsårsaker (katalog omdøpt med .lock-suffiks).
+YouTryInstallDisabledByFileLock=Programmet prøver å selv-oppgradere, men installasjons-/oppgraderingssider er blitt deaktivert av sikkerhetsårsaker (ved å låse filen install.lock i dolibarr-dokumenter katalogen).
+ClickHereToGoToApp=Klikk her for å gå til din applikasjon +ClickOnLinkOrRemoveManualy=Klikk på følgende lenke, og hvis du alltid når denne siden, må du fjerne filen install.lock i dokumentkatalogen manuelt diff --git a/htdocs/langs/nb_NO/main.lang b/htdocs/langs/nb_NO/main.lang index 1deb9576c13cb..1bf0bb77cbc9f 100644 --- a/htdocs/langs/nb_NO/main.lang +++ b/htdocs/langs/nb_NO/main.lang @@ -64,14 +64,14 @@ ErrorNoVATRateDefinedForSellerCountry=Feil: Det er ikke definert noen MVA-satser ErrorNoSocialContributionForSellerCountry=Feil! Ingen skatter og avgifter definert for landet '%s' ErrorFailedToSaveFile=Feil: Klarte ikke å lagre filen. ErrorCannotAddThisParentWarehouse=Du prøver å legge til en forelder-lager som allerede er et barn av nåværende -MaxNbOfRecordPerPage=Max number of record per page +MaxNbOfRecordPerPage=Maks antall poster per side NotAuthorized=Du er ikke autorisert for å gjøre dette. SetDate=Still dato SelectDate=Velg en dato SeeAlso=Se også %s SeeHere=Se her ClickHere=Klikk her -Here=Here +Here=Her Apply=Legg til BackgroundColorByDefault=Standard bakgrunnsfarge FileRenamed=Filen har fått nytt navn @@ -92,7 +92,7 @@ DolibarrInHttpAuthenticationSoPasswordUseless=Dolibarrs godkjenningsmodus er sat Administrator=Administrator Undefined=Udefinert PasswordForgotten=Glemt passordet? -NoAccount=No account? +NoAccount=Ingen konto? SeeAbove=Se ovenfor HomeArea=Hjemmeområde LastConnexion=Siste forbindelse @@ -403,7 +403,7 @@ DefaultTaxRate=Standard avgiftssats Average=Gjennomsnitt Sum=Sum Delta=Delta -RemainToPay=Remain to pay +RemainToPay=Gjenstår å betale Module=Modul/Applikasjon Modules=Moduler/Applikasjoner Option=Opsjon @@ -416,7 +416,7 @@ Favorite=Favoritt ShortInfo=Info. Ref=Ref. ExternalRef=Ekstern ref. -RefSupplier=Ref. vendor +RefSupplier=Ref. leverandør RefPayment=Ref. betaling CommercialProposalsShort=Tilbud Comment=Kommentar @@ -495,7 +495,7 @@ Received=Mottatt Paid=Betalt Topic=Subjekt ByCompanies=Etter tredjeparter -ByUsers=By user +ByUsers=Av bruker Links=Lenker Link=Lenke Rejects=Avvisninger @@ -507,6 +507,7 @@ NoneF=Ingen NoneOrSeveral=Ingen eller flere Late=Forsinket LateDesc=Forsinkelse for å bestemme om en post er forsinket eller ikke bestemmes i oppsettet. Kontakt Admin for å endre dette i Hjem - Oppsett - Varslinger. +NoItemLate=Ingen forsinket enhet Photo=Bilde Photos=Bilder AddPhoto=Legg til bilde @@ -621,9 +622,9 @@ BuildDoc=Lag Doc Entity=Miljø Entities=Enheter CustomerPreview=Forhåndsvisning kunder -SupplierPreview=Vendor preview +SupplierPreview=Leverandør forhåndsvisning ShowCustomerPreview=Vis kundeforhåndsvisning -ShowSupplierPreview=Show vendor preview +ShowSupplierPreview=Vis leverandør forhåndsvisning RefCustomer=Kundereferanse Currency=Valuta InfoAdmin=Informasjon for administratorer @@ -868,7 +869,7 @@ FileNotShared=Filen er ikke delt eksternt Project=Prosjekt Projects=Prosjekter Rights=Rettigheter -LineNb=Line no. +LineNb=Linje nr. IncotermLabel=Incotermer # Week day Monday=Mandag @@ -917,11 +918,11 @@ SearchIntoProductsOrServices=Varer eller tjenester SearchIntoProjects=Prosjekter SearchIntoTasks=Oppgaver SearchIntoCustomerInvoices=Kundefakturaer -SearchIntoSupplierInvoices=Vendor invoices +SearchIntoSupplierInvoices=Leverandørfakturaer SearchIntoCustomerOrders=Kundeordre -SearchIntoSupplierOrders=Purchase orders +SearchIntoSupplierOrders=Innkjøpsordrer SearchIntoCustomerProposals=Kundetilbud -SearchIntoSupplierProposals=Vendor proposals +SearchIntoSupplierProposals=Leverandørtilbud SearchIntoInterventions=Intervensjoner SearchIntoContracts=Kontrakter SearchIntoCustomerShipments=Kundeforsendelser @@ -943,5 +944,7 @@ Remote=Ekstern LocalAndRemote=Lokal og ekstern KeyboardShortcut=Tastatursnarvei AssignedTo=Tildelt -Deletedraft=Delete draft -ConfirmMassDraftDeletion=Draft Bulk delete confirmation +Deletedraft=Slett utkast +ConfirmMassDraftDeletion=Bekreft massesletting av utkast +FileSharedViaALink=Fil delt via en lenke + diff --git a/htdocs/langs/nb_NO/margins.lang b/htdocs/langs/nb_NO/margins.lang index 4181ed2f4fe1d..151666ddea549 100644 --- a/htdocs/langs/nb_NO/margins.lang +++ b/htdocs/langs/nb_NO/margins.lang @@ -28,10 +28,10 @@ UseDiscountAsService=Som tjeneste UseDiscountOnTotal=Subtota MARGIN_METHODE_FOR_DISCOUNT_DETAILS=Defineres om en global rabatt skal gjelde for et vare, en tjeneste, eller bare som en subtotal for margin-kalkulasjon MARGIN_TYPE=Foreslått innkjøps-/kostpris for utregning av margin -MargeType1=Margin on Best vendor price +MargeType1=Margin på beste leverandørpris MargeType2=Margin på gjennomsnittspris (Weighted Average Price - WAP) MargeType3=Marginer på kostpris -MarginTypeDesc=* Margin on best buying price = Selling price - Best vendor price defined on product card
* Margin on Weighted Average Price (WAP) = Selling price - Product Weighted Average Price (WAP) or best supplier price if WAP not yet defined
* Margin on Cost price = Selling price - Cost price defined on product card or WAP if cost price not defined, or best supplier price if WAP not yet defined +MarginTypeDesc=* Margin på beste innkjøpspris = Salgspris - Beste leverandørpris på varekort - * Margin på vektet gjennomsnittlig pris (WAP) = Salgspris - WAP eller beste leverandørpris dersom WAP ennå ikke er definert
* Margin på kostpris = Salgspris - Kostpris på varekort eller WAP hvis kostpris ikke er definert, eller beste leverandørpris dersom WAP ennå ikke er definert CostPrice=Kostpris UnitCharges=Enhets-avgifter Charges=Avgifter @@ -41,4 +41,4 @@ rateMustBeNumeric=Sats må ha en numerisk verdi markRateShouldBeLesserThan100=Dekningsbidrag skal være lavere enn 100 ShowMarginInfos=Vis info om marginer CheckMargins=Margindetaljer -MarginPerSaleRepresentativeWarning=The report of margin per user use the link between third parties and sale representatives to calculate the margin of each sale representative. Because some thirdparties may not have any ddiated sale representative and some thirdparties may be linked to several, some amounts may not be included into this report (if there is no sale representative) and some may appear on different lines (for each sale representative). +MarginPerSaleRepresentativeWarning=Rapporten for margin per bruker, bruker koblingen mellom tredjeparter og salgsrepresentanter for å beregne marginen til hver salgsrepresentant. Fordi noen tredjeparter kanskje ikke har noen dedikert salgsrepresentant og noen tredjeparter kan være knyttet til flere, kan noen beløp bli utelatt i denne rapporten (hvis det ikke er salgsrepresentant), og noen kan vises på forskjellige linjer (for hver salgsrepresentant). diff --git a/htdocs/langs/nb_NO/members.lang b/htdocs/langs/nb_NO/members.lang index 58b70d8c314f5..4c956bcd0d540 100644 --- a/htdocs/langs/nb_NO/members.lang +++ b/htdocs/langs/nb_NO/members.lang @@ -107,32 +107,32 @@ SubscriptionNotRecorded=Abonnement ikke registrert AddSubscription=Opprett abonnement ShowSubscription=Vis abonnement # Label of email templates -SendingAnEMailToMember=Sending information email to member -SendingEmailOnAutoSubscription=Sending email on auto registration -SendingEmailOnMemberValidation=Sending email on new member validation -SendingEmailOnNewSubscription=Sending email on new subscription -SendingReminderForExpiredSubscription=Sending reminder for expired subscriptions -SendingEmailOnCancelation=Sending email on cancelation +SendingAnEMailToMember=Sende informasjons-epost til medlem +SendingEmailOnAutoSubscription=Sende epost ved automatisk registrering +SendingEmailOnMemberValidation=Sende epost ved validering av nytt medlem +SendingEmailOnNewSubscription=Sende epost ved nytt abonnement +SendingReminderForExpiredSubscription=Sende påminnelse om utløpte abonnementer +SendingEmailOnCancelation=Sende epost ved avbestilling # Topic of email templates -YourMembershipRequestWasReceived=Your membership was received. -YourMembershipWasValidated=Your membership was validated -YourSubscriptionWasRecorded=Your new subscription was recorded -SubscriptionReminderEmail=Subscription reminder -YourMembershipWasCanceled=Your membership was canceled +YourMembershipRequestWasReceived=Ditt medlemskap ble mottatt. +YourMembershipWasValidated=Ditt medlemskap ble godkjent +YourSubscriptionWasRecorded=Ditt nye abonnement ble registrert +SubscriptionReminderEmail=Abonnementpåminnelse +YourMembershipWasCanceled=Ditt medlemskap ble kansellert CardContent=Innhold på medlemskortet ditt # 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 thet your subscription is about to expire. We hope you can make a renewal of it.

-ThisIsContentOfYourCard=This is a remind of the information we get about you. Feel free to contact us if something looks wrong.

+ThisIsContentOfYourMembershipRequestWasReceived=Din forespørsel om medlemskap ble mottatt.

+ThisIsContentOfYourMembershipWasValidated=Ditt medlemskap ble validert med følgende opplysninger:

+ThisIsContentOfYourSubscriptionWasRecorded=Det nye abonnementet ditt ble registrert.

+ThisIsContentOfSubscriptionReminderEmail=Abonnementet ditt er i ferd med å utløpe. Vi håper du vil fornye det.

+ThisIsContentOfYourCard=Dette er en påminnelse om informasjonen vi får om deg. Ta gjerne kontakt med oss ​​hvis noe ser feil ut.

DescADHERENT_AUTOREGISTER_NOTIF_MAIL_SUBJECT=Emnet i e-post som mottas i tilfelle auto-inskripsjon av en gjest DescADHERENT_AUTOREGISTER_NOTIF_MAIL=E-post som mottas i tilfelle av auto-inskripsjon av en gjest -DescADHERENT_EMAIL_TEMPLATE_AUTOREGISTER=Template Email to use to send email to a member on member autosubscription -DescADHERENT_EMAIL_TEMPLATE_MEMBER_VALIDATION=Template EMail to use to send email to a member on member validation -DescADHERENT_EMAIL_TEMPLATE_SUBSCRIPTION=Template Email to use to send email to a member on new subscription recording -DescADHERENT_EMAIL_TEMPLATE_REMIND_EXPIRATION=Template Email to use to send email remind when subscription is about to expire -DescADHERENT_EMAIL_TEMPLATE_CANCELATION=Template Email to use to send email to a member on member cancelation +DescADHERENT_EMAIL_TEMPLATE_AUTOREGISTER=Epost-mal for å sende epost til et medlem på medlemmets auto-abonnement +DescADHERENT_EMAIL_TEMPLATE_MEMBER_VALIDATION=Epost-mal til bruk for å sende epost til medlem ved medlemsvalidering +DescADHERENT_EMAIL_TEMPLATE_SUBSCRIPTION=Epost-mal for å sende epost til et medlem om nytt abonnement +DescADHERENT_EMAIL_TEMPLATE_REMIND_EXPIRATION=Epost-mal for å sende påminnelse når abonnementet er i ferd med å utløpe +DescADHERENT_EMAIL_TEMPLATE_CANCELATION=Epost-mal for å sende epost til et medlem ved kansellering av abonnement DescADHERENT_MAIL_FROM=E-postadresse for automatisk e-post DescADHERENT_ETIQUETTE_TYPE=Side for etikettformat DescADHERENT_ETIQUETTE_TEXT=Tekst trykt på medlemsadresse ark @@ -191,8 +191,8 @@ NoVatOnSubscription=Ingen MVA for abonnementer MEMBER_PAYONLINE_SENDEMAIL=E-post til bruk for e-postvarsel når Dolibarr mottar en bekreftelse på en validert betaling for et abonnement (Eksempel: paymentdone@example.com) ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=Vare brukt for abonnementslinje i faktura: %s NameOrCompany=Navn eller firma -SubscriptionRecorded=Subscription recorded -NoEmailSentToMember=No email sent to member +SubscriptionRecorded=Abonnement registrert +NoEmailSentToMember=Ingen epost sendt til medlem EmailSentToMember=E-post sendt til medlem på %s SendReminderForExpiredSubscriptionTitle=Send påminnelse via e-post for utløpt abonnement -SendReminderForExpiredSubscription=Send reminder by email to members when subscription is about to expire (parameter is number of days before end of subscription to send the remind) +SendReminderForExpiredSubscription=Send påminnelse via epost til medlemmer når abonnementet holder på å utløpe (parameter er antall dager før slutt på abonnementet for å sende påminnelsen) diff --git a/htdocs/langs/nb_NO/modulebuilder.lang b/htdocs/langs/nb_NO/modulebuilder.lang index 718b3a098e967..c805dce65c118 100644 --- a/htdocs/langs/nb_NO/modulebuilder.lang +++ b/htdocs/langs/nb_NO/modulebuilder.lang @@ -74,6 +74,7 @@ NoWidget=Ingen widget GoToApiExplorer=Gå til API-utforsker ListOfMenusEntries=Liste over menyoppføringer ListOfPermissionsDefined=Liste over definerte tillatelser +SeeExamples=Se eksempler her EnabledDesc=Betingelse for å ha dette feltet aktivt (Eksempler: 1 eller $conf->global->MYMODULE_MYOPTION) VisibleDesc=Er feltet synlig? (Eksempler: 0=Aldri synlig, 1=Synlig på liste og opprett/oppdater/vis skjemaer, 2=Bare synlig på listen, 3=Synlig på opprett/oppdater/vis kun skjema. Bruk av negativ verdi betyr at feltet ikke vises som standard på listen, men kan velges for visning) IsAMeasureDesc=Kan verdien av feltet bli kumulert for å få en total i listen? (Eksempler: 1 eller 0) @@ -95,3 +96,6 @@ DropTableIfEmpty=(Slett tabell hvis tom) TableDoesNotExists=Tabellen %s finnes ikke TableDropped=Tabell %s slettet InitStructureFromExistingTable=Bygg struktur-matrisestrengen fra en eksisterende tabell +UseAboutPage=Ikke tillat "om" siden +UseDocFolder=Ikke tillat dokumentasjonsmappen +UseSpecificReadme=Bruk en bestemt Les-meg diff --git a/htdocs/langs/nb_NO/orders.lang b/htdocs/langs/nb_NO/orders.lang index 56d25cbf90ab9..52401b8a65267 100644 --- a/htdocs/langs/nb_NO/orders.lang +++ b/htdocs/langs/nb_NO/orders.lang @@ -1,6 +1,6 @@ # Dolibarr language file - Source file is en_US - orders OrdersArea=Område for kundeordre -SuppliersOrdersArea=Purchase orders area +SuppliersOrdersArea=Innkjøpsordreområde OrderCard=Ordrekort OrderId=Ordre-ID Order=Ordre @@ -13,9 +13,9 @@ OrderToProcess=Ordre til behandling NewOrder=Ny ordre ToOrder=Lag ordre MakeOrder=Opprett ordre -SupplierOrder=Purchase order -SuppliersOrders=Purchase orders -SuppliersOrdersRunning=Current purchase orders +SupplierOrder=Innkjøpsordre +SuppliersOrders=Innkjøpsordre +SuppliersOrdersRunning=Nåværende innkjøpsordre CustomerOrder=Kundeordre CustomersOrders=Kundeordre CustomersOrdersRunning=Gjeldende kundeordre @@ -24,7 +24,7 @@ OrdersDeliveredToBill=Fakturerbare leverte kundeordre OrdersToBill=Kundeordre levert OrdersInProcess=Kundeordre til behandling OrdersToProcess=Kundeordre til behandling -SuppliersOrdersToProcess=Purchase orders to process +SuppliersOrdersToProcess=Innkjøpsordre å behandle StatusOrderCanceledShort=Kansellert StatusOrderDraftShort=Kladd StatusOrderValidatedShort=Validert @@ -75,15 +75,15 @@ ShowOrder=Vis ordre OrdersOpened=Ordre å behandle NoDraftOrders=Ingen ordreutkast NoOrder=Ingen ordre -NoSupplierOrder=No purchase order +NoSupplierOrder=Ingen innkjøpsordre LastOrders=Siste %s kundeordre LastCustomerOrders=Siste %s kundeordre -LastSupplierOrders=Latest %s purchase orders +LastSupplierOrders=Siste %s innkjøpsordre LastModifiedOrders=Siste %s endrede ordre AllOrders=Alle ordre NbOfOrders=Antall ordre OrdersStatistics=Ordrestatistikk -OrdersStatisticsSuppliers=Purchase order statistics +OrdersStatisticsSuppliers=Innkjøpsordrestatistikk NumberOfOrdersByMonth=Antall ordre pr måned AmountOfOrdersByMonthHT=Sum bestillinger etter måned (eks. MVA) ListOfOrders=Ordreliste @@ -97,12 +97,12 @@ ConfirmMakeOrder=Er du sikker på at du vil bekrefte at du opprettet denne ordre GenerateBill=Opprett faktura ClassifyShipped=Klassifiser levert DraftOrders=Ordrekladder -DraftSuppliersOrders=Draft purchase orders +DraftSuppliersOrders=Innkjøpsordre-kladder OnProcessOrders=Ordre i behandling RefOrder=Ref. ordre RefCustomerOrder=Kundens ordrereferanse -RefOrderSupplier=Ref. order for vendor -RefOrderSupplierShort=Ref. order vendor +RefOrderSupplier=Ordreref. leverandør +RefOrderSupplierShort=Ordreref. leverandør SendOrderByMail=Send ordre med post ActionsOnOrder=Handlinger ifm. ordre NoArticleOfTypeProduct=Der er ingen varer av typen 'vare' på ordren, så det er ingen varer å sende @@ -115,9 +115,9 @@ ConfirmCloneOrder=Er du sikker på at du vil klone denne ordren %s? DispatchSupplierOrder=Motta leverandørordre %s FirstApprovalAlreadyDone=Første godkjenning allerede utført SecondApprovalAlreadyDone=Andre gangs godkjenning allerede utført -SupplierOrderReceivedInDolibarr=Purchase Order %s received %s -SupplierOrderSubmitedInDolibarr=Purchase Order %s submited -SupplierOrderClassifiedBilled=Purchase Order %s set billed +SupplierOrderReceivedInDolibarr=Innkjøpsordre %s mottatt %s +SupplierOrderSubmitedInDolibarr=Innkjøpsordre %s sendt +SupplierOrderClassifiedBilled=Innkjøpsordre %s satt til fakturert OtherOrders=Andre ordre ##### Types de contacts ##### TypeContact_commande_internal_SALESREPFOLL=Representant for oppfølging av kundeordre @@ -125,11 +125,11 @@ TypeContact_commande_internal_SHIPPING=Representant for oppfølging av levering TypeContact_commande_external_BILLING=Kundens fakturakontakt TypeContact_commande_external_SHIPPING=Kundens leveransekontakt TypeContact_commande_external_CUSTOMER=Kundens ordreoppfølger -TypeContact_order_supplier_internal_SALESREPFOLL=Representative following-up purchase order +TypeContact_order_supplier_internal_SALESREPFOLL=Representant som følger opp innkjøpsordre TypeContact_order_supplier_internal_SHIPPING=Representant for oppfølging av levering -TypeContact_order_supplier_external_BILLING=Vendor invoice contact -TypeContact_order_supplier_external_SHIPPING=Vendor shipping contact -TypeContact_order_supplier_external_CUSTOMER=Vendor contact following-up order +TypeContact_order_supplier_external_BILLING=Leverandør fakturakontakt +TypeContact_order_supplier_external_SHIPPING=Leverandørkontakt forsendelser +TypeContact_order_supplier_external_CUSTOMER=Leverandørkontakt ordreoppfølging Error_COMMANDE_SUPPLIER_ADDON_NotDefined=Konstant COMMANDE_SUPPLIER_ADDON er ikke definert Error_COMMANDE_ADDON_NotDefined=Konstant COMMANDE_ADDON er ikke definert Error_OrderNotChecked=Ingen ordre til fakturering er valgt diff --git a/htdocs/langs/nb_NO/other.lang b/htdocs/langs/nb_NO/other.lang index 9bbc407d1b295..845c757bd0a95 100644 --- a/htdocs/langs/nb_NO/other.lang +++ b/htdocs/langs/nb_NO/other.lang @@ -80,9 +80,9 @@ LinkedObject=Lenkede objekter NbOfActiveNotifications=Antall notifikasjoner (antall e-postmottakere) PredefinedMailTest=__(Hei)__\nDette er en testmelding sendt til __EMAIL__.\nDe to linjene er skilt fra hverandre med et linjeskift.\n\n__USER_SIGNATURE__ PredefinedMailTestHtml=__(Hei)__\nDette er en test e-post (ordtesten må være i fet skrift). De to linjene skilles med et linjeskift.

__USER_SIGNATURE__ -PredefinedMailContentSendInvoice=__(Hei)__\n\nHer finner du faktura __REF__\n\nDette er koblingen for å kunne betale online hvis fakturaen ikke allerede er betalt:\n__ONLINE_PAYMENT_URL__\n\n__(Vennlig hilsen)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendInvoiceReminder=__(Hei)__\n\nVi kan ikke se at faktura __REF__ er betalt. Vedlagt kopi av faktura.\n\nDette er koblingen for å foreta online betaling:\n__ONLINE_PAYMENT_URL__\n\n__(Vennlig hilsen)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendProposal=__(Hello)__\n\nYou will find here the commercial proposal __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoice=__(Hei)__\n\nVedlagt følger faktura __REF__\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Med vennlig hilsen)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoiceReminder=__(Hei)__\n\nVi kan ikke se at fakturaen __REF__ er betalt. Vedlagt følger fakturaen igjen, som en påminnelse.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Med vennlig hilsen)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendProposal=__(Hei)__\n\nVedlagt tilbud __REF__\n\n\n__(Vennlig hilsen)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendSupplierProposal=__(Hei)__\n\nVedlagt tilbud som avtalt __REF__\n\n\n__(Vennlig hilsen)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendOrder=__(Hei)__\n\nVedlagt ordre __REF__\n\n\n__(Vennlig hilsen)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendSupplierOrder=__(Hei)__\n\nVedlagt vår bestilling __REF__\n\n\n__(Vennlig hilsen)__\n\n__USER_SIGNATURE__ @@ -91,6 +91,7 @@ PredefinedMailContentSendShipping=__(Hei)__\n\nVedlagt finner du forsendelsesinf PredefinedMailContentSendFichInter=__(Hei)__\n\nVedlagt intervensjon __REF__\n\n\n__(Vennlig hilsen)__\n\n__USER_SIGNATURE__ PredefinedMailContentThirdparty=__(Hei)__\n\n\n__(Vennlig hilsen)__\n\n__USER_SIGNATURE__ PredefinedMailContentUser=__(Hei)__\n\n\n__(Vennlig hilsen)__\n\n__USER_SIGNATURE__ +PredefinedMailContentLink=Du kan klikke på linken under for å utføre betalingen din, hvis det ikke allerede er gjort.\n\n%s\n\n DemoDesc=Dolibarr er en kompakt ERP/CRM med støtte for flere forretningsmoduler. En demo som viser alle moduler gir ingen mening da dette scenariet aldri skjer (flere hundre tilgjengelig). Derforer flere demoprofiler er tilgjengelig. ChooseYourDemoProfil=Velg en demoprofil som passer best til dine krav ChooseYourDemoProfilMore=... eller bygg din egen profil
(manuell utvelgelse av moduler) @@ -218,7 +219,7 @@ FileIsTooBig=Filene er for store PleaseBePatient=Vent et øyeblikk eller to... NewPassword=Nytt passord ResetPassword=Tilbakestill passord -RequestToResetPasswordReceived=A request to change your password has been received +RequestToResetPasswordReceived=En forespørsel om å endre passordet ditt er mottatt. NewKeyIs=Dette er din nye innloggingsnøkkel NewKeyWillBe=Ny nøkkel for innlogging er ClickHereToGoTo=Klikk her for å gå til %s @@ -233,7 +234,7 @@ PermissionsDelete=Tillatelser fjernet YourPasswordMustHaveAtLeastXChars=Passordet ditt må ha minst %s tegn YourPasswordHasBeenReset=Ditt passord er tilbakestilt ApplicantIpAddress=IP-adresse til søkeren -SMSSentTo=SMS sent to %s +SMSSentTo=SMS sendt til %s ##### Export ##### ExportsArea=Eksportområde @@ -248,4 +249,4 @@ WEBSITE_PAGEURL=Side-URL WEBSITE_TITLE=Tittel WEBSITE_DESCRIPTION=Beskrivelse WEBSITE_KEYWORDS=Nøkkelord -LinesToImport=Lines to import +LinesToImport=Linjer å importere diff --git a/htdocs/langs/nb_NO/paypal.lang b/htdocs/langs/nb_NO/paypal.lang index 96d8ffa765aec..f5747f57dd35e 100644 --- a/htdocs/langs/nb_NO/paypal.lang +++ b/htdocs/langs/nb_NO/paypal.lang @@ -14,7 +14,6 @@ PaypalModeOnlyPaypal=Kun PayPal ONLINE_PAYMENT_CSS_URL=Valgfri URL til CSS-stilark på online betalingsside ThisIsTransactionId=Transaksjons-ID: %s PAYPAL_ADD_PAYMENT_URL=Legg til url av Paypal-betaling når du sender et dokument i posten -PredefinedMailContentLink=Du kan klikke på linken under for å utføre betalingen din hvis den ikke allerede er gjort.

%s

YouAreCurrentlyInSandboxMode=Du er for øyeblikket i %s "sandbox" -modus NewOnlinePaymentReceived=Ny online betaling mottatt NewOnlinePaymentFailed=Ny online betaling forsøkt, men mislyktes diff --git a/htdocs/langs/nb_NO/products.lang b/htdocs/langs/nb_NO/products.lang index b1c10339fb3f2..3617c4a5633bd 100644 --- a/htdocs/langs/nb_NO/products.lang +++ b/htdocs/langs/nb_NO/products.lang @@ -70,7 +70,7 @@ SoldAmount=Mengde solgt PurchasedAmount=Mengde kjøpt NewPrice=Ny pris MinPrice=Minste utsalgspris -EditSellingPriceLabel=Edit selling price label +EditSellingPriceLabel=Rediger salgsprisetikett CantBeLessThanMinPrice=Salgsprisen kan ikke være lavere enn minste tillatte for denne varen (%s uten avgifter) ContractStatusClosed=Lukket ErrorProductAlreadyExists=En vare med varenummere %s eksisterer allerede. @@ -156,7 +156,7 @@ BuyingPrices=Innkjøpspris CustomerPrices=Kundepriser SuppliersPrices=Leverandørpriser SuppliersPricesOfProductsOrServices=Leverandørpriser (varer og tjenester) -CustomCode=Customs / Commodity / HS code +CustomCode=Toll / vare / HS-kode CountryOrigin=Opprinnelsesland Nature=Natur ShortLabel=Kort etikett @@ -251,8 +251,8 @@ PriceNumeric=Nummer DefaultPrice=Standardpris ComposedProductIncDecStock=Øk/minsk beholdning ved overordnet endring ComposedProduct=Sub-vare -MinSupplierPrice=Minste leverandørpris -MinCustomerPrice=Laveste kundepris +MinSupplierPrice=Laveste innkjøpspris +MinCustomerPrice=Minste salgspris DynamicPriceConfiguration=Dynamisk pris-konfigurering DynamicPriceDesc=På varekortet, med denne modulen aktivert, kan du sette matematiske funksjoner for å beregne kunde- eller leverandørpriser. En slik funksjon kan bruke alle matematiske operatører, noen konstanter og variabler. Du kan angi variablene du vil kunne bruke, og hvis variabelen trenger en automatisk oppdatering, må du sette den eksterne nettadressen som brukes til å spørre Dolibarr for å oppdatere verdien automatisk. AddVariable=Legg til variabel diff --git a/htdocs/langs/nb_NO/propal.lang b/htdocs/langs/nb_NO/propal.lang index 638e99647b71c..229e172e4c69d 100644 --- a/htdocs/langs/nb_NO/propal.lang +++ b/htdocs/langs/nb_NO/propal.lang @@ -75,6 +75,7 @@ AvailabilityTypeAV_1M=En måned TypeContact_propal_internal_SALESREPFOLL=Representant for oppfølging av tilbud TypeContact_propal_external_BILLING=Kundens fakturakontakt TypeContact_propal_external_CUSTOMER=Kundens tilbudsoppfølger +TypeContact_propal_external_SHIPPING=Kundekontakt for levering # Document models DocModelAzurDescription=En fullstendig tilbudsmodell (logo...) DefaultModelPropalCreate=Standard modellbygging diff --git a/htdocs/langs/nb_NO/sendings.lang b/htdocs/langs/nb_NO/sendings.lang index e77fa0f68a35f..60bd7e188b5d3 100644 --- a/htdocs/langs/nb_NO/sendings.lang +++ b/htdocs/langs/nb_NO/sendings.lang @@ -52,8 +52,8 @@ ActionsOnShipping=Hendelser for forsendelse LinkToTrackYourPackage=Lenke for å spore pakken ShipmentCreationIsDoneFromOrder=For øyeblikket er opprettelsen av en ny forsendelse gjort fra ordrekortet. ShipmentLine=Forsendelseslinje -ProductQtyInCustomersOrdersRunning=Varekvantum i åpne kundeordre -ProductQtyInSuppliersOrdersRunning=Varekvantum i åpne leverandørordre +ProductQtyInCustomersOrdersRunning=Varekvantum i åpne kundeordrer +ProductQtyInSuppliersOrdersRunning=Varekvantum i åpne innkjøpsordrer ProductQtyInShipmentAlreadySent=Varekvantitet fra åpen kundeordre som allerede er sendt ProductQtyInSuppliersShipmentAlreadyRecevied=Varekvantitet fra åpen leverandørordre som allerede er mottatt NoProductToShipFoundIntoStock=Ingen varer for utsendelse funnet på lager %s. Korriger varebeholdning eller gå tilbake for å velge et annet lager. diff --git a/htdocs/langs/nb_NO/stocks.lang b/htdocs/langs/nb_NO/stocks.lang index f118cc003c77e..1abc68227aea6 100644 --- a/htdocs/langs/nb_NO/stocks.lang +++ b/htdocs/langs/nb_NO/stocks.lang @@ -8,9 +8,9 @@ WarehouseEdit=Endre lager MenuNewWarehouse=Nytt lager WarehouseSource=Kildelager WarehouseSourceNotDefined=Ingen lager definert -AddWarehouse=Create warehouse +AddWarehouse=Opprett lager AddOne=Legg til -DefaultWarehouse=Default warehouse +DefaultWarehouse=Standard lager WarehouseTarget=Mållager ValidateSending=Slett levering CancelSending=Avbryt levering @@ -24,7 +24,7 @@ Movements=Bevegelser ErrorWarehouseRefRequired=Du må angi et navn på lageret ListOfWarehouses=Oversikt over lagre ListOfStockMovements=Oversikt over bevegelser -ListOfInventories=List of inventories +ListOfInventories=Liste over varebeholdninger MovementId=Bevegelses-ID StockMovementForId=Bevegelse ID %d ListMouvementStockProject=Liste over varebevegelser tilknyttet prosjekt @@ -67,7 +67,7 @@ DeStockOnValidateOrder=Reduser virkelig beholdning ut fra ordre DeStockOnShipment=Minsk fysisk lager ved validering av forsendelse DeStockOnShipmentOnClosing=Reduser reell varebeholdning når levering klassifiseres som lukket ReStockOnBill=Øk virkelig beholdning ut fra faktura/kreditnota -ReStockOnValidateOrder=Øk virkelig beholdning ut fra ordre +ReStockOnValidateOrder=Øk reellt lager ved godkjennelse av innkjøpsordre ReStockOnDispatchOrder=Øk reell varebeholdning ved manuell forsendelse til lager, etter mottak av leverandørordre OrderStatusNotReadyToDispatch=Ordre har enda ikke, eller ikke lenger, status som tillater utsendelse av varer StockDiffPhysicTeoric=Forklaring for forskjell mellom fysisk og virtuelt lager @@ -203,4 +203,4 @@ RegulateStock=Reguler lager ListInventory=Liste StockSupportServices=Lageradministrasjon støtter tjenester StockSupportServicesDesc=Som standard kan du bare lagerføre "vare". Hvis på, og hvis modultjenesten er på, kan du også lagerføre "tjeneste" -ReceiveProducts=Receive products +ReceiveProducts=Motta varer diff --git a/htdocs/langs/nb_NO/stripe.lang b/htdocs/langs/nb_NO/stripe.lang index 61b8834ac5e20..a152e7f51b2e7 100644 --- a/htdocs/langs/nb_NO/stripe.lang +++ b/htdocs/langs/nb_NO/stripe.lang @@ -23,8 +23,6 @@ ToOfferALinkForOnlinePaymentOnFreeAmount=URL for å tilby et %s brukergrensesnit ToOfferALinkForOnlinePaymentOnMemberSubscription=URL for å tilby et %s brukergrensesnitt for online betaling av medlemsabonnement YouCanAddTagOnUrl=Du kan også legge til URL-parameter &tag=verdier til noen av disse URLene (kreves kun ved betaling av fribeløp) for å legge til dine egne merknader til betalingen kommentar. SetupStripeToHavePaymentCreatedAutomatically=Sett opp Stripe med url %s for å få betaling opprettet automatisk når den er validert av Stripe. -YourPaymentHasBeenRecorded=Denne siden bekrefter at din betaling er registrert. Takk. -YourPaymentHasNotBeenRecorded=Din betaling ble ikke registrert og transaksjonen har blitt kansellert. AccountParameter=Kontoparametre UsageParameter=Parametre for bruk InformationToFindParameters=Hjelp til å finne din %s kontoinformasjon @@ -35,31 +33,31 @@ NewStripePaymentReceived=Ny Stripe betaling mottatt NewStripePaymentFailed=Ny Stripe betaling prøvd men mislyktes STRIPE_TEST_SECRET_KEY=Hemmelig testnøkkel STRIPE_TEST_PUBLISHABLE_KEY=Publiserbar testnøkkel -STRIPE_TEST_WEBHOOK_KEY=Webhook test key +STRIPE_TEST_WEBHOOK_KEY=Webhook testnøkkel STRIPE_LIVE_SECRET_KEY=Hemmelig live-nøkkel STRIPE_LIVE_PUBLISHABLE_KEY=Publiserbar live-nøkkel -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 ?) +STRIPE_LIVE_WEBHOOK_KEY=Webhook-nøkkel +ONLINE_PAYMENT_WAREHOUSE=Lager som skal brukes for lagernedskrivning når nettbasert betaling er utført
(TODO Når alternativet for å redusere lagerbeholdningen gjøres på en faktura handling, og online betaling genererer fakturaen?) StripeLiveEnabled=Stripe live aktivert (ellers test/sandbox modus) StripeImportPayment=Importer Stripe-betalinger ExampleOfTestCreditCard=Eksempel på kredittkort for test: %s (gyldig), %s (feil CVC), %s (utløpt), %s (belastning mislykkes) 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 +OAUTH_STRIPE_TEST_ID=Stripe Connect Client ID (ca. _...) +OAUTH_STRIPE_LIVE_ID=Stripe Connect Client ID (ca. _...) +BankAccountForBankTransfer=Bankkonto for utbetaling av midler +StripeAccount=Stripe-konto +StripeChargeList=Liste over Stripe-kostnader +StripeTransactionList=Liste over stripe-transaksjoner +StripeCustomerId=Stripe kunde-id +StripePaymentModes=Stripe betalingsmåter +LocalID=Lokal ID StripeID=Stripe ID -NameOnCard=Name on card -CardNumber=Card Number -ExpiryDate=Expiry Date +NameOnCard=Navn på kort +CardNumber=Kortnummer +ExpiryDate=Utløpsdato 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 +DeleteACard=Slett kort +ConfirmDeleteCard=Er du sikker på at du vil slette dette Kreditt- eller debetkortet? +CreateCustomerOnStripe=Opprett kunde på Stripe +CreateCardOnStripe=Lag kort på Stripe +ShowInStripe=Vis i Stripe diff --git a/htdocs/langs/nb_NO/supplier_proposal.lang b/htdocs/langs/nb_NO/supplier_proposal.lang index 925f96566bb27..58d36ae36b0a0 100644 --- a/htdocs/langs/nb_NO/supplier_proposal.lang +++ b/htdocs/langs/nb_NO/supplier_proposal.lang @@ -1,22 +1,22 @@ # Dolibarr language file - Source file is en_US - supplier_proposal -SupplierProposal=Vendor commercial proposals -supplier_proposalDESC=Manage price requests to vendors +SupplierProposal=Leverandørtilbud +supplier_proposalDESC=Administrer prisforespørsler til leverandører SupplierProposalNew=Ny prisforspørsel CommRequest=Prisforespørsel CommRequests=Prisforespørsel SearchRequest=Finn en forspørsel DraftRequests=Forespørsel-kladder -SupplierProposalsDraft=Draft vendor proposals +SupplierProposalsDraft=Leverandørtilbud-kladder LastModifiedRequests=Siste %s endrede prisforespørsler RequestsOpened=Åpne prisforespørsler -SupplierProposalArea=Vendor proposals area -SupplierProposalShort=Vendor proposal -SupplierProposals=Vendor proposals -SupplierProposalsShort=Vendor proposals +SupplierProposalArea=Leverandørtilbud-område +SupplierProposalShort=Leverandørtilbud +SupplierProposals=Leverandørtilbud +SupplierProposalsShort=Leverandørtilbud NewAskPrice=Ny prisforspørsel ShowSupplierProposal=Vis prisforespørsel AddSupplierProposal=Opprett en prisforespørsel -SupplierProposalRefFourn=Vendor ref +SupplierProposalRefFourn=Leverandør ref SupplierProposalDate=Leveringsdato SupplierProposalRefFournNotice=Før du lukker til "Akseptert", husk å notere leverandørreferanse ConfirmValidateAsk=Er du sikker på at du vil validere prisforespørsel %s? @@ -47,9 +47,9 @@ CommercialAsk=Prisforespørsel DefaultModelSupplierProposalCreate=Standardmodell for opprettelse DefaultModelSupplierProposalToBill=Standardmal når prisforespørsel lukkes (akkseptert) DefaultModelSupplierProposalClosed=Default template when closing a price request (avvist) -ListOfSupplierProposals=List of vendor proposal requests -ListSupplierProposalsAssociatedProject=List of vendor proposals associated with project -SupplierProposalsToClose=Vendor proposals to close -SupplierProposalsToProcess=Vendor proposals to process +ListOfSupplierProposals=Liste over tilbudsforespørsler til leverandører +ListSupplierProposalsAssociatedProject=Liste over leverandørtilbud knyttet til prosjekt +SupplierProposalsToClose=Leverandørtilbud å lukke +SupplierProposalsToProcess=Leverandørtilbud til behandling LastSupplierProposals=Siste %s prisforespørsler AllPriceRequests=Alle forespørsler diff --git a/htdocs/langs/nb_NO/suppliers.lang b/htdocs/langs/nb_NO/suppliers.lang index 4ad099b6ea595..e9d6fa251aba8 100644 --- a/htdocs/langs/nb_NO/suppliers.lang +++ b/htdocs/langs/nb_NO/suppliers.lang @@ -1,11 +1,11 @@ # Dolibarr language file - Source file is en_US - suppliers -Suppliers=Vendors -SuppliersInvoice=Vendor invoice -ShowSupplierInvoice=Show Vendor Invoice -NewSupplier=New vendor +Suppliers=Leverandører +SuppliersInvoice=Leverandørfaktura +ShowSupplierInvoice=Vis leverandørfaktura +NewSupplier=Ny leverandør History=Historikk -ListOfSuppliers=List of vendors -ShowSupplier=Show vendor +ListOfSuppliers=Liste over leverandører +ShowSupplier=Vis leverandør OrderDate=Bestillingsdato BuyingPriceMin=Beste innkjøpspris BuyingPriceMinShort=Beste innkjøpspris @@ -14,34 +14,34 @@ TotalSellingPriceMinShort=Total over sub-varers utsalgsspriser SomeSubProductHaveNoPrices=Noen sub-varer har ingen pris definert AddSupplierPrice=Legg til innkjøpspris ChangeSupplierPrice=Endre innkjøpspris -SupplierPrices=Vendor prices +SupplierPrices=Leverandørpriser ReferenceSupplierIsAlreadyAssociatedWithAProduct=Denne leverandørreferansen er allerede tilknyttet en referanse: %s -NoRecordedSuppliers=No vendor recorded -SupplierPayment=Vendor payment -SuppliersArea=Vendor area -RefSupplierShort=Ref. vendor +NoRecordedSuppliers=Ingen leverandør registrert +SupplierPayment=Leverandørbetaling +SuppliersArea=Leverandørområde +RefSupplierShort=Ref. leverandør Availability=Tilgjengelighet -ExportDataset_fournisseur_1=Vendor invoices list and invoice lines -ExportDataset_fournisseur_2=Vendor invoices and payments -ExportDataset_fournisseur_3=Purchase orders and order lines +ExportDataset_fournisseur_1=Leverandørfaktura-liste og faktura linjer +ExportDataset_fournisseur_2=Leverandørfakturaer og betalinger +ExportDataset_fournisseur_3=Innkjøpsordrer og ordrelinjer ApproveThisOrder=Godkjenn denne innkjøpsordren ConfirmApproveThisOrder=Er du sikker på at du vil godkjenne ordre %s? DenyingThisOrder=Avvis denne ordren ConfirmDenyingThisOrder=Er du sikker på at du vil avvise ordre %s? ConfirmCancelThisOrder=Er du sikker på at du vil kansellere ordre %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 +AddSupplierOrder=Opprett innkjøpsordre +AddSupplierInvoice=Opprett leverandørfaktura +ListOfSupplierProductForSupplier=Liste over produkter og priser for leverandør %s +SentToSuppliers=Sendt til leverandører +ListOfSupplierOrders=Liste over innkjøpsordrer +MenuOrdersSupplierToBill=Innkjøpsordre til faktura NbDaysToDelivery=Leveringsforsinkelse i dager DescNbDaysToDelivery=Største leveringsforsinkelse av varer fra denne ordren -SupplierReputation=Vendor reputation +SupplierReputation=Leverandørens rykte DoNotOrderThisProductToThisSupplier=Ikke bestill NotTheGoodQualitySupplier=Feil kvalitet ReputationForThisProduct=Rykte BuyerName=Kjøpernavn AllProductServicePrices=Alle vare-/tjenestepriser AllProductReferencesOfSupplier=Alle vare-/tjenestereferanser til leverandør -BuyingPriceNumShort=Vendor prices +BuyingPriceNumShort=Leverandørpriser diff --git a/htdocs/langs/nb_NO/users.lang b/htdocs/langs/nb_NO/users.lang index 50f09f7bb1840..b43c8f1a7b0ae 100644 --- a/htdocs/langs/nb_NO/users.lang +++ b/htdocs/langs/nb_NO/users.lang @@ -48,7 +48,7 @@ PasswordChangeRequest=Be om å endre passord for %s PasswordChangeRequestSent=Anmodning om å endre passordet for %s er sendt til %s. ConfirmPasswordReset=Bekreft tilbakestilling av passord MenuUsersAndGroups=Brukere og grupper -LastGroupsCreated=Siste %s opprettede grupper +LastGroupsCreated=Siste %s grupper opprettet LastUsersCreated=Siste %s opprettede brukere ShowGroup=Vis gruppe ShowUser=Vis bruker diff --git a/htdocs/langs/nb_NO/workflow.lang b/htdocs/langs/nb_NO/workflow.lang index e5078a718049e..f171459979db3 100644 --- a/htdocs/langs/nb_NO/workflow.lang +++ b/htdocs/langs/nb_NO/workflow.lang @@ -14,7 +14,7 @@ descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Klassifiser koblede kilde-kund descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Klassifiser koblede kilde-kundeordre som fakturert(t) når faktura er satt til betalt (og hvis fakturabeløpet er det samme som totalbeløpet av koblede ordrer) descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Klassifiser koblet kilde-kundeordre til sendt når en forsendelse er validert (og hvis kvantitet som sendes av alle forsendelser, er det samme som i bestillingen som skal oppdateres) # Autoclassify supplier order -descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Classify linked source vendor proposal(s) to billed when vendor invoice is validated (and if amount of the invoice is same than total amount of linked proposals) -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Classify linked source purchase order(s) to billed when vendor invoice is validated (and if amount of the invoice is same than total amount of linked orders) +descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Klassifiser tilsluttede kildeleverandørtilbud som fakturert når leverandørfaktura er validert (og hvis fakturabeløp er det samme som totalbeløp på koblede tilbud) +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Klassifiser kildekjøpsordre (kjøpsordre) som fakturert når leverandørfakturaen er validert (og hvis fakturabeløp er det samme som totalbeløp på koblede ordre) AutomaticCreation=Automatisk opprettelse AutomaticClassification=Automatisk klassifisering diff --git a/htdocs/langs/nl_BE/admin.lang b/htdocs/langs/nl_BE/admin.lang index 6c77a91363370..e4ea06291c487 100644 --- a/htdocs/langs/nl_BE/admin.lang +++ b/htdocs/langs/nl_BE/admin.lang @@ -43,6 +43,7 @@ LibraryToBuildPDF=Bibliotheek om PDF bestanden te genereren. Module1780Name=Labels/Categorien Permission1004=Bekijk voorraadmutaties Permission1005=Creëren / wijzigen voorraadmutaties +ViewProductDescInThirdpartyLanguageAbility=Visualization of products descriptions in the third party language SalariesSetup=Setup van module salarissen MailToSendProposal=Klant voorstellen MailToSendOrder=Klant bestellingen diff --git a/htdocs/langs/nl_BE/banks.lang b/htdocs/langs/nl_BE/banks.lang index 76e0c7e5b6b4a..c3b731e7f1d67 100644 --- a/htdocs/langs/nl_BE/banks.lang +++ b/htdocs/langs/nl_BE/banks.lang @@ -1,4 +1,5 @@ # Dolibarr language file - Source file is en_US - banks BankChecksToReceipt=Te innen cheques +BankMovements=Mutaties RejectCheckDate=Datum de cheque was teruggekeerd CheckRejectedAndInvoicesReopened=Teruggekeerde cheque en factuur heropend diff --git a/htdocs/langs/nl_BE/compta.lang b/htdocs/langs/nl_BE/compta.lang index 3397ac039ad25..8c0dc92167c72 100644 --- a/htdocs/langs/nl_BE/compta.lang +++ b/htdocs/langs/nl_BE/compta.lang @@ -8,7 +8,6 @@ MenuSocialContributions=Sociale bijdragen/belastingen MenuNewSocialContribution=Nwe soc. bijdr./bel. NewSocialContribution=Nwe soc. bijdr./bel. ContributionsToPay=Te betalen sociale bijdragen/belastingen -AccountancyTreasuryArea=Overzicht kas/boekhouding PaymentSocialContribution=Sociale bijdrage/belasting betaling newLT1Payment=Nieuwe BTW 2 betaling newLT2Payment=Nieuwe BTW 3 betaling diff --git a/htdocs/langs/nl_BE/sendings.lang b/htdocs/langs/nl_BE/sendings.lang index f6f409a58669d..eda1298723cce 100644 --- a/htdocs/langs/nl_BE/sendings.lang +++ b/htdocs/langs/nl_BE/sendings.lang @@ -11,8 +11,6 @@ DateDeliveryPlanned=Verwachte leveringsdatum RefDeliveryReceipt=Referentie ontvangstbevestiging StatusReceipt=Status ontvangstbevestiging ActionsOnShipping=Events i.v.m. verzending -ProductQtyInCustomersOrdersRunning=Hoeveelheid producten in geopende klant bestellingen -ProductQtyInSuppliersOrdersRunning=Hoeveelheid producten in geopende leveranciersbestellingen ProductQtyInSuppliersShipmentAlreadyRecevied=Ontvangen hoeveelheid producten uit geopende leveranciersbestelling NoProductToShipFoundIntoStock=Geen product om te verzenden gevonden in magazijn %s. Werk stock bij of ga terug en kies een ander magazijn. WeightVolShort=Gewicht/Volume diff --git a/htdocs/langs/nl_BE/users.lang b/htdocs/langs/nl_BE/users.lang index 7ac8f3206b11f..64e2abd4a8464 100644 --- a/htdocs/langs/nl_BE/users.lang +++ b/htdocs/langs/nl_BE/users.lang @@ -5,7 +5,6 @@ ConfirmDeleteGroup=Weet u zeker dat u groep %s wilt verwijderen? ConfirmEnableUser=Weet u zeker dat u gebruiker %s wilt activeren? ConfirmReinitPassword=Weet u zeker dat u voor gebruiker %s een nieuw wachtwoord wilt genereren? ConfirmSendNewPassword=Weet u zeker dat u een nieuw wachtwoord wilt genereren en verzenden voor gebruiker %s? -LastGroupsCreated=Laatste %s gemaakte groepen LastUsersCreated=Laatste %s gemaakte gebruikers CreateDolibarrThirdParty=Maak Derden ConfirmCreateContact=Weet u zeker dat u een Dolibarr account wilt maken voor deze contactpersoon? diff --git a/htdocs/langs/nl_NL/accountancy.lang b/htdocs/langs/nl_NL/accountancy.lang index 1f6442f712a9d..c603eeadb92ee 100644 --- a/htdocs/langs/nl_NL/accountancy.lang +++ b/htdocs/langs/nl_NL/accountancy.lang @@ -55,6 +55,7 @@ AccountancyAreaDescChartModel=STAP %s: Maak rekeningschema aan vanuit menu %s AccountancyAreaDescChart=STAP %s: Aanmaken of controleren van het rekeningschema menu %s AccountancyAreaDescVat=STAP %s: Vastleggen grootboekrekeningen voor BTW registratie. Gebruik hiervoor menukeuze %s. +AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. AccountancyAreaDescExpenseReport=STAP %s: Vastleggen grootboekrekeningen voor elke soort kostenoverzicht. Gebruik hiervoor menukeuze %s. AccountancyAreaDescSal=STAP %s: Vastleggen grootboekrekeningen voor salarisbetalingen. Gebruik hiervoor menukeuze %s. AccountancyAreaDescContrib=STAP %s: Vastleggen grootboekrekeningen bij overige kosten (diverse belastingen). Gebruik hiervoor menukeuze %s; @@ -127,10 +128,11 @@ ACCOUNTING_LIST_SORT_VENTILATION_DONE=Begin the sorting of the page "Binding don 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_GACCOUNT=Lengte grootboekrekeningnummer (indien lengte op 6 is gezet, zal rekeningnummer 706 op het scherm worden weergegeven als 706000) 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=Sta toe om het aantal nullen aan het einde van een account te beheren. Dit is nodig in sommige landen (zoals Zwitserland). Bij optie uit (standaard), kunt u de volgende 2 parameters instellen om te vragen of de applicatie virtuele nul toevoegt. BANK_DISABLE_DIRECT_INPUT=Rechtstreeks boeken van transactie in bankboek uitzetten +ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Enable draft export on journal ACCOUNTING_SELL_JOURNAL=Verkoopboek ACCOUNTING_PURCHASE_JOURNAL=Inkoopboek diff --git a/htdocs/langs/nl_NL/admin.lang b/htdocs/langs/nl_NL/admin.lang index ffcb3b76c1d49..bbc98d46a1b95 100644 --- a/htdocs/langs/nl_NL/admin.lang +++ b/htdocs/langs/nl_NL/admin.lang @@ -321,9 +321,9 @@ YouCanSubmitFile=Voor deze stap kunt u een .zip bestand of module pakket hier ve CurrentVersion=Huidige versie van Dolibarr CallUpdatePage=Ga naar de pagina die de databasestructuur en gegevens bijwerkt: %s. LastStableVersion=Laatste stabiele versie -LastActivationDate=Latest activation date -LastActivationAuthor=Latest activation author -LastActivationIP=Latest activation IP +LastActivationDate=Laatste activeringsdatum +LastActivationAuthor=Laatste activeringsauteur +LastActivationIP=Laatste activerings-IP UpdateServerOffline=Updateserver offline WithCounter=Manage a counter 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).
@@ -454,7 +454,7 @@ ModuleCompanyCodeDigitaria=Accounting code depends on third party code. The code Use3StepsApproval=By default, Purchase Orders need to be created and approved by 2 different users (one step/user to create and one step/user to approve. Note that if user has both permission to create and approve, one step/user will be enough). You can ask with this option to introduce a third step/user approval, if amount is higher than a dedicated value (so 3 steps will be necessary: 1=validation, 2=first approval and 3=second approval if amount is enough).
Set this to empty if one approval (2 steps) is enough, set it to a very low value (0.1) if a second approval (3 steps) is always required. UseDoubleApproval=Use a 3 steps approval when amount (without tax) is higher than... WarningPHPMail=WARNING: It is often better to setup outgoing emails to use the email server of your provider instead of the default setup. Some email providers (like Yahoo) does not allow you to send an email from another server than their own server. Your current setup use 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 a server of them, so few of your sent Emails may not be accepted (be carefull also to your email provider sending quota).
If your Email provider (like Yahoo) has this restriction, you must change Email setup to choose the other method "SMTP server" and enter the SMTP server and credentials provided by your Email provider (ask your EMail provider to get SMTP credentials for your account). -WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of your ERP CRM application: %s. +WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of the mail user agent (MUA) for your ERP CRM application: %s. ClickToShowDescription=Klik voor omschrijving DependsOn=Deze module heeft de volgende module(s) nodig RequiredBy=Deze module is vereist bij module(s) @@ -497,7 +497,7 @@ Module25Desc=Beheer van de bestellingen door klanten Module30Name=Facturen Module30Desc=Factuur- en creditnotabeheer voor klanten. Factuurbeheer voor leveranciers Module40Name=Leveranciers -Module40Desc=Leveranciersbeheer (inkoopopdrachten en -facturen) +Module40Desc=Suppliers and purchase management (purchase orders and billing) Module42Name=Debug logs Module42Desc=Mogelijkheden voor een log (file,syslog, ...). Deze log-files zijn voor technische/debug ondersteuning. Module49Name=Editors @@ -605,7 +605,7 @@ Module4000Desc=Human resources management (management of department, employee co Module5000Name=Multi-bedrijf Module5000Desc=Hiermee kunt meerdere bedrijven beheren in Dolibarr Module6000Name=Workflow -Module6000Desc=Workflow beheer +Module6000Desc=Workflow management (automatic creation of object and/or automatic status change) Module10000Name=Websites Module10000Desc=Create public websites with a WYSIWG editor. Just setup your web server (Apache, Nginx, ...) to point to the dedicated Dolibarr directory to have it online on the Internet with your own domain name. Module20000Name=Beheer van verlofverzoeken @@ -891,7 +891,7 @@ DictionaryCivility=Personal and professional titles DictionaryActions=Agenda evenementen DictionarySocialContributions=Sociale/fiscale belastingtypen DictionaryVAT=BTW-tarieven of Verkoop Tax tarieven -DictionaryRevenueStamp=Bedrag van de fiscale zegels +DictionaryRevenueStamp=Amount of tax stamps DictionaryPaymentConditions=Betalingsvoorwaarden DictionaryPaymentModes=Betaalwijzen DictionaryTypeContact=Contact / Adres soorten @@ -919,7 +919,7 @@ SetupSaved=Instellingen opgeslagen SetupNotSaved=Installatie niet opgeslagen BackToModuleList=Terug naar moduleoverzicht BackToDictionaryList=Terug naar de woordenboeken lijst -TypeOfRevenueStamp=Type of revenue stamp +TypeOfRevenueStamp=Type of tax stamp VATManagement=BTW-beheer VATIsUsedDesc=Het standaard BTW-tarief bij het aanmaken van prospecten, facturen, orders etc volgt de actieve standaard regel:
Als de verkoper onderworpen is aan BTW, dan wordt BTW standaard op 0 gezet. Einde van de regel.
Als het 'land van de verkoper' = 'het land van de koper' dan wordt de BTW standaard ingesteld op de BTW van het product in het verkopende land. Einde van de regel.
Als verkoper en koper zich in de Europese Gemeenschap bevinden en het betreft een nieuw vervoersmiddel (auto, boot, vliegtuig), dan wordt de BTW standaard ingesteld op 0 (De BTW moet worden betaald door koper in het grenskantoor van zijn land en niet door de verkoper). Einde van de regel.
Als verkoper en koper zich in de Europese Unie bevinden en de koper is een persoon of bedrijf zonder BTW-registratienummer = BTW-standaard van het verkochte product. Einde van de regel.
Als verkoper en koper zich in de Europese Gemeenschap bevinden en de koper geen bedrijf is, dan wordt de BTW standaard ingesteld op de BTW van het verkochte product. Einde van de regel

In alle andere gevallen wordt de BTW standaard ingesteld op 0. Einde van de regel.
VATIsNotUsedDesc=Standaard is de voorgestelde BTW 0. Dit kan gebruikt worden in situaties zoals verenigingen, particulieren of kleine bedrijven. @@ -1027,7 +1027,7 @@ Delays_MAIN_DELAY_ACTIONS_TODO=Getolereerde vertraging (in dagen) voor geplande Delays_MAIN_DELAY_PROJECT_TO_CLOSE=Vertragingstolerantie (in dagen) vóór melding bij project niet tijdig afgesloten Delays_MAIN_DELAY_TASKS_TODO=Getolereerde vertraging (in dagen) voor geplande taken (project-taken) nog niet voltooid Delays_MAIN_DELAY_ORDERS_TO_PROCESS=Getolereerde vertraging (in dagen) voor een kennisgeving, op nog niet uitgevoerde orders. -Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Vertragingstolerantie (in dagen) voor kennisgeving van nog niet verwerkte leveranciersopdrachten. +Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on purchase orders not processed yet Delays_MAIN_DELAY_PROPALS_TO_CLOSE=Getolereerde vertraging (in dagen) voor een kennisgeving, op af te sluiten offertes word getoond Delays_MAIN_DELAY_PROPALS_TO_BILL=Getolereerde vertraging (in dagen) voor een kennisgeving, op niet-gefactureerde offertes word getoond Delays_MAIN_DELAY_NOT_ACTIVATED_SERVICES=Getolereerde vertraging (in dagen) voor een kennisgeving, op te activeren diensten word getoond @@ -1458,7 +1458,7 @@ 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=Windows only supports LOG_USER -CompressSyslogs=Syslog files compression and backup +CompressSyslogs=Compression and backup of debug log files (generated by module Log for debug) SyslogFileNumberOfSaves=Log backups ConfigureCleaningCronjobToSetFrequencyOfSaves=Configure cleaning scheduled job to set log backup frequency ##### Donations ##### diff --git a/htdocs/langs/nl_NL/banks.lang b/htdocs/langs/nl_NL/banks.lang index 5d0dc4f19eed2..1b0ba8e8be4d6 100644 --- a/htdocs/langs/nl_NL/banks.lang +++ b/htdocs/langs/nl_NL/banks.lang @@ -1,6 +1,6 @@ # Dolibarr language file - Source file is en_US - banks Bank=Bank -MenuBankCash=Bank / Kas +MenuBankCash=Bank | Kas MenuVariousPayment=Diverse betalingen MenuNewVariousPayment=Nieuwe diverse betaling BankName=Banknaam @@ -132,7 +132,7 @@ PaymentDateUpdateSucceeded=Betaaldatum succesvol bijgewerkt PaymentDateUpdateFailed=Betaaldatum kon niet worden bijgewerkt Transactions=Transacties BankTransactionLine=Bankmutatie -AllAccounts=Alle bank-/ kasrekeningen +AllAccounts=All bank and cash accounts BackToAccount=Terug naar rekening ShowAllAccounts=Toon alle rekeningen FutureTransaction=Overboeking in de toekomst. Geen manier mogelijk om af te stemmen @@ -160,5 +160,6 @@ VariousPayment=Diverse betalingen VariousPayments=Diverse betalingen ShowVariousPayment=Toon diverse betalingen AddVariousPayment=Voeg verschillende betalingen toe +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. Thanks to return it signed (scan of the signed document) or sent it by mail to diff --git a/htdocs/langs/nl_NL/bills.lang b/htdocs/langs/nl_NL/bills.lang index 9689eb013a83d..f87c18385d940 100644 --- a/htdocs/langs/nl_NL/bills.lang +++ b/htdocs/langs/nl_NL/bills.lang @@ -110,8 +110,8 @@ SendRemindByMail=E-mail een herinnering DoPayment=Geef betaling in DoPaymentBack=Geef terugstorting in ConvertToReduc=Markeren als tegoed beschikbaar -ConvertExcessReceivedToReduc=Convert excess received into future discount -ConvertExcessPaidToReduc=Convert excess paid into future discount +ConvertExcessReceivedToReduc=Convert excess received into available credit +ConvertExcessPaidToReduc=Convert excess paid into available discount EnterPaymentReceivedFromCustomer=Voer een ontvangen betaling van afnemer in EnterPaymentDueToCustomer=Voer een betaling te doen aan afnemer in DisabledBecauseRemainderToPayIsZero=Uitgeschakeld omdat restant te betalen gelijk is aan nul @@ -282,6 +282,7 @@ RelativeDiscount=Relatiekorting GlobalDiscount=Vaste korting CreditNote=Creditnota CreditNotes=Creditnota's +CreditNotesOrExcessReceived=Credit notes or excess received Deposit=Deposito / Borgsom Deposits=Deposito's DiscountFromCreditNote=Korting van creditnota %s @@ -393,6 +394,7 @@ PaymentConditionShort14DENDMONTH=Einde maand over 14 dagen PaymentCondition14DENDMONTH=Binnen 14 dagen na het einde van de maand FixAmount=Vast bedrag VarAmount=Variabel bedrag (%% tot.) +VarAmountOneLine=Variable amount (%% tot.) - 1 line with label '%s' # PaymentType PaymentTypeVIR=Bankoverboeking PaymentTypeShortVIR=Bankoverboeking diff --git a/htdocs/langs/nl_NL/companies.lang b/htdocs/langs/nl_NL/companies.lang index 6a7705618f8e5..f2c3db9a184af 100644 --- a/htdocs/langs/nl_NL/companies.lang +++ b/htdocs/langs/nl_NL/companies.lang @@ -259,7 +259,7 @@ ProfId2DZ=Art. ProfId3DZ=NIF ProfId4DZ=NIS VATIntra=BTW-nummer -VATIntraShort=BTW nr. +VATIntraShort=BTW nr VATIntraSyntaxIsValid=Syntax is geldig VATReturn=VAT return ProspectCustomer=Prospect / afnemer diff --git a/htdocs/langs/nl_NL/compta.lang b/htdocs/langs/nl_NL/compta.lang index 355187a9b72fc..5f8ccfea2513b 100644 --- a/htdocs/langs/nl_NL/compta.lang +++ b/htdocs/langs/nl_NL/compta.lang @@ -19,7 +19,8 @@ Income=Inkomsten Outcome=Kosten MenuReportInOut=Opbrengsten / kosten ReportInOut=Saldo van baten en lasten -ReportTurnover=Omzet +ReportTurnover=Turnover invoiced +ReportTurnoverCollected=Turnover collected PaymentsNotLinkedToInvoice=Betalingen niet gekoppeld aan een factuur, dus niet gekoppeld aan een derde partij PaymentsNotLinkedToUser=Betalingen niet gekoppeld aan een gebruiker Profit=Winst @@ -77,7 +78,7 @@ MenuNewSocialContribution=Nw soc./fiscale h/b. NewSocialContribution=Nw soc./fiscale h/b. AddSocialContribution=Add social/fiscal tax ContributionsToPay=Sociale- en fiscale lasten om te betalen -AccountancyTreasuryArea=Treasury- (schatkist) / boekhoudingsoverzicht +AccountancyTreasuryArea=Billing and payment area NewPayment=Nieuwe betaling Payments=Betalingen PaymentCustomerInvoice=Afnemersfactuur betaling @@ -105,6 +106,7 @@ VATPayment=Betaling verkoop-belasting VATPayments=Betalingen verkoop-belasting VATRefund=BTW Terugbetaling NewVATPayment=Nieuwe betaling BTW +NewLocalTaxPayment=New tax %s payment Refund=Terugbetaling SocialContributionsPayments=Betaling Sociale/fiscale lasten ShowVatPayment=Toon BTW-betaling @@ -116,8 +118,9 @@ CustomerAccountancyCodeShort=Klant account. code SupplierAccountancyCodeShort=Lev. account. code AccountNumber=Rekeningnummer NewAccountingAccount=Nieuwe rekening -SalesTurnover=Omzet -SalesTurnoverMinimum=Minimale omzet +Turnover=Turnover invoiced +TurnoverCollected=Turnover collected +SalesTurnoverMinimum=Minimum turnover ByExpenseIncome=By expenses & incomes ByThirdParties=Door derde partijen ByUserAuthorOfInvoice=Op factuurauteur @@ -137,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=Mode %sClaims-Schulden%s zei verbintenis boekhouding. -CalcModeEngagement=Mode %sIncomes-kosten%s zei kas boekhouding +CalcModeDebt=Analysis of known recorded invoices 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=Analyse van boekingen in het grootboek CalcModeLT1= Modus %s RE op klant- leveranciers facturen %s CalcModeLT1Debt=Mode %sRE on customer invoices%s @@ -151,9 +154,9 @@ AnnualSummaryInputOutputMode=Balans van inkomsten en uitgaven, jaarlijks overzic 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=Zie de rapportage %sInkomsten-Uitgaven%s volgens kasboek voor een berekening pp de daadwerkelijke gedane betalingen -SeeReportInDueDebtMode=Zie de rapportage %sClaims-Schulden%s volgens verplichte boekhouding voor een berekening van uitgegeven facturen -SeeReportInBookkeepingMode=See report %sBookeeping%s for a calculation on bookkeeping table analysis +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 RulesAmountWithTaxIncluded=- Bedragen zijn inclusief alle belastingen RulesResultDue=- It includes outstanding invoices, expenses, VAT, donations whether they are paid or not. Is also includes paid salaries.
- It is based on the validation date of invoices and VAT and on the due date for expenses. 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. @@ -218,8 +221,8 @@ Mode1=Methode 1 Mode2=Methode 2 CalculationRuleDesc=Om de totale BTW te berekenen, zij er twee methoden:
Methode 1 wordt afronding btw op elke lijn, dan bij elkaar op tellen.
Methode 2 is het optellen van alle btw op elke lijn, dan afronding resultaat.
Uiteindelijke resultaat kan een paar cent verschillen. Standaard modus is de modus %s. CalculationRuleDescSupplier=According to supplier, choose appropriate method to apply same calculation rule and get same result expected by your supplier. -TurnoverPerProductInCommitmentAccountingNotRelevant=The Turnover report per product, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). -TurnoverPerSaleTaxRateInCommitmentAccountingNotRelevant=The Turnover report per sale tax rate, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). +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. CalculationMode=Berekeningswijze AccountancyJournal=Accounting code journal ACCOUNTING_VAT_SOLD_ACCOUNT=Accounting account by default for VAT on sales (used if not defined on VAT dictionary setup) @@ -251,5 +254,6 @@ VATDue=Sale tax claimed ClaimedForThisPeriod=Claimed for the period PaidDuringThisPeriod=Paid during this period ByVatRate=By sale tax rate -TurnoverbyVatrate=Turnover by sale tax rate +TurnoverbyVatrate=Turnover invoiced by sale tax rate +TurnoverCollectedbyVatrate=Turnover collected by sale tax rate PurchasebyVatrate=Purchase by sale tax rate diff --git a/htdocs/langs/nl_NL/cron.lang b/htdocs/langs/nl_NL/cron.lang index 059e7cf2e3d28..91f5545d08ac4 100644 --- a/htdocs/langs/nl_NL/cron.lang +++ b/htdocs/langs/nl_NL/cron.lang @@ -6,7 +6,7 @@ Permission23102 = Maak/wijzig geplande taak Permission23103 = Verwijder geplande taak Permission23104 = Voer geplande taak uit # Admin -CronSetup= Beheer taakplanning +CronSetup=Beheer taakplanning 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 @@ -34,7 +34,7 @@ CronDtStart=Niet voor CronDtEnd=Niet na CronDtNextLaunch=Volgende uitvoering CronDtLastLaunch=Startdatum van de laatste uitvoering -CronDtLastResult=End date of latest execution +CronDtLastResult=Einddatum van de laatste uitvoering CronFrequency=Frequentie CronClass=Class CronMethod=Wijze diff --git a/htdocs/langs/nl_NL/install.lang b/htdocs/langs/nl_NL/install.lang index e8ab173aedcb1..224665d907ece 100644 --- a/htdocs/langs/nl_NL/install.lang +++ b/htdocs/langs/nl_NL/install.lang @@ -204,3 +204,7 @@ MigrationResetBlockedLog=Reset BlockedLog module voor v7 algoritme ShowNotAvailableOptions=Toon niet beschikbare opties HideNotAvailableOptions=Verberg niet beschikbare opties ErrorFoundDuringMigration=Er is een fout gemeld tijdens het migratieproces, dus de volgende stap is niet beschikbaar. Om fouten te negeren kunt u hier klikken, maar sommige functies van de applicatie werken mogelijk pas goed als deze zijn opgelost. +YouTryInstallDisabledByDirLock=The application try to sefl upgrade, but install/upgrade pages have been disabled for security reason (directory renamed with .lock suffix).
+YouTryInstallDisabledByFileLock=The application try to sefl upgrade, but install/upgrade pages pages have been disabled for security reason (by lock file install.lock into dolibarr documents directory).
+ClickHereToGoToApp=Click here to go to your application +ClickOnLinkOrRemoveManualy=Click on following link and if you always reach this page, you must remove the file install.lock into documents directory manually diff --git a/htdocs/langs/nl_NL/main.lang b/htdocs/langs/nl_NL/main.lang index dab7ec711fa2e..28639d67dadf2 100644 --- a/htdocs/langs/nl_NL/main.lang +++ b/htdocs/langs/nl_NL/main.lang @@ -429,7 +429,7 @@ ActionRunningNotStarted=Niet gestart ActionRunningShort=Reeds bezig ActionDoneShort=Uitgevoerd ActionUncomplete=Onvolledig -LatestLinkedEvents=Latest %s linked events +LatestLinkedEvents=Laatste %s gekoppelde evenementen CompanyFoundation=Bedrijf/Organisatie Accountant=Accountant ContactsForCompany=Bedrijfscontacten @@ -507,6 +507,7 @@ NoneF=Geen NoneOrSeveral=None or several Late=Vertraagd LateDesc=Delay to define if a record is late or not depends on your setup. Ask your admin to change delay from menu Home - Setup - Alerts. +NoItemLate=No late item Photo=Afbeelding Photos=Afbeeldingen AddPhoto=Afbeelding toevoegen @@ -945,3 +946,5 @@ KeyboardShortcut=Keyboard shortcut AssignedTo=Geaffecteerden Deletedraft=Delete draft ConfirmMassDraftDeletion=Draft Bulk delete confirmation +FileSharedViaALink=File shared via a link + diff --git a/htdocs/langs/nl_NL/members.lang b/htdocs/langs/nl_NL/members.lang index e4c06a9aee5d0..4e7e3a4237508 100644 --- a/htdocs/langs/nl_NL/members.lang +++ b/htdocs/langs/nl_NL/members.lang @@ -97,7 +97,7 @@ ForceMemberType=Force the member type ExportDataset_member_1=Leden en abonnementen ImportDataset_member_1=Leden LastMembersModified=Laatste %s gewijzigde leden -LastSubscriptionsModified=Latest %s modified subscriptions +LastSubscriptionsModified=Laatste %s aangepaste abonnementen String=String Text=Tekst Int=Numeriek @@ -169,7 +169,7 @@ MembersByStateDesc=Dit scherm tonen statistieken over de leden door de staat / p MembersByTownDesc=Dit scherm tonen statistieken over de leden per gemeente. MembersStatisticsDesc=Kies de statistieken die u wilt lezen ... MenuMembersStats=Statistiek -LastMemberDate=Latest member date +LastMemberDate=Laatste liddatum LatestSubscriptionDate=Laatste abonnementsdatum Nature=Natuur Public=Informatie zijn openbaar (no = prive) @@ -192,7 +192,7 @@ MEMBER_PAYONLINE_SENDEMAIL=Email to use for email warning when Dolibarr receive ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=Product gebruikt voor abbonement regel in factuur: %s NameOrCompany=Naam of Bedrijf SubscriptionRecorded=Subscription recorded -NoEmailSentToMember=No email sent to member +NoEmailSentToMember=Geen e-mail verzonden naar lid EmailSentToMember=Email sent to member at %s SendReminderForExpiredSubscriptionTitle=Send reminder by email for expired subscription SendReminderForExpiredSubscription=Send reminder by email to members when subscription is about to expire (parameter is number of days before end of subscription to send the remind) diff --git a/htdocs/langs/nl_NL/modulebuilder.lang b/htdocs/langs/nl_NL/modulebuilder.lang index abfe45f336e92..1885869bef94e 100644 --- a/htdocs/langs/nl_NL/modulebuilder.lang +++ b/htdocs/langs/nl_NL/modulebuilder.lang @@ -74,6 +74,7 @@ NoWidget=No widget GoToApiExplorer=Go to API explorer ListOfMenusEntries=List of menu entries ListOfPermissionsDefined=List of defined permissions +SeeExamples=See examples here EnabledDesc=Condition to have this field active (Examples: 1 or $conf->global->MYMODULE_MYOPTION) VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only. Using a negative value means field is not shown by default on list but can be selected for viewing) IsAMeasureDesc=Can the value of field be cumulated to get a total into list ? (Examples: 1 or 0) @@ -95,3 +96,6 @@ DropTableIfEmpty=(Delete table if empty) TableDoesNotExists=Tabel %s bestaat niet TableDropped=Table %s deleted InitStructureFromExistingTable=Build the structure array string of an existing table +UseAboutPage=Disallow the about page +UseDocFolder=Disallow the documentation folder +UseSpecificReadme=Use a specific ReadMe diff --git a/htdocs/langs/nl_NL/orders.lang b/htdocs/langs/nl_NL/orders.lang index 865a01fc07973..0572d137ffeaa 100644 --- a/htdocs/langs/nl_NL/orders.lang +++ b/htdocs/langs/nl_NL/orders.lang @@ -1,6 +1,6 @@ # Dolibarr language file - Source file is en_US - orders OrdersArea=Klantenorders overzicht -SuppliersOrdersArea=Purchase orders area +SuppliersOrdersArea=Inkooporders gebied OrderCard=Opdrachtenkaart OrderId=Ordernr Order=Order @@ -78,7 +78,7 @@ NoOrder=Geen order NoSupplierOrder=No purchase order LastOrders=Laatste %s klantbestellingen LastCustomerOrders=Laatste %s klantbestellingen -LastSupplierOrders=Latest %s purchase orders +LastSupplierOrders=Laatste %s leverancier bestellingen LastModifiedOrders=Laatste %s aangepaste orders AllOrders=Alle opdrachten NbOfOrders=Aantal opdrachten diff --git a/htdocs/langs/nl_NL/other.lang b/htdocs/langs/nl_NL/other.lang index 2e75c081f9432..4b5fab799acee 100644 --- a/htdocs/langs/nl_NL/other.lang +++ b/htdocs/langs/nl_NL/other.lang @@ -80,8 +80,8 @@ LinkedObject=Gekoppeld object NbOfActiveNotifications=Number of notifications (nb of recipient emails) PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe two lines are separated by a carriage return.\n\n__USER_SIGNATURE__ PredefinedMailTestHtml=__(Hello)__\nThis is a test mail (the word test must be in bold).
The two lines are separated by a carriage return.

__USER_SIGNATURE__ -PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\nThis is the link to make your online payment if this invoice is not already payed:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\nThis is the link to make your online payment:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendProposal=__(Hello)__\n\nYou will find here the commercial proposal __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendSupplierProposal=__(Hello)__\n\nYou will find here the price request __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendOrder=__(Geachte)__\n\nU ontvangt hierbij order __REF__\n\n\n__(Hoogachtend)__\n\n__USER_SIGNATURE__ @@ -91,6 +91,7 @@ PredefinedMailContentSendShipping=__(Hello)__\n\nYou will find here the shipping PredefinedMailContentSendFichInter=__(Hello)__\n\nYou will find here the intervention __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentThirdparty=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentUser=__(Hello)__\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 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) @@ -218,7 +219,7 @@ FileIsTooBig=Bestanden is te groot PleaseBePatient=Even geduld a.u.b. NewPassword=New password ResetPassword=Reset password -RequestToResetPasswordReceived=A request to change your password has been received +RequestToResetPasswordReceived=A request to change your password has been received. NewKeyIs=Dit is uw nieuwe sleutel om in te loggen NewKeyWillBe=Uw nieuwe sleutel in te loggen zal zijn ClickHereToGoTo=Klik hier om naar %s diff --git a/htdocs/langs/nl_NL/paypal.lang b/htdocs/langs/nl_NL/paypal.lang index 7eeb3e3abec5b..7708cce0dbcc6 100644 --- a/htdocs/langs/nl_NL/paypal.lang +++ b/htdocs/langs/nl_NL/paypal.lang @@ -1,7 +1,7 @@ # Dolibarr language file - Source file is en_US - paypal PaypalSetup=PayPal module setup PaypalDesc=Deze module biedt om betaling op laten PayPal door de klanten. Dit kan gebruikt worden voor een gratis betaling of voor een betaling op een bepaald Dolibarr object (factuur, bestelling, ...) -PaypalOrCBDoPayment=Pay with Paypal (Credit Card or Paypal) +PaypalOrCBDoPayment=Betaal met Paypal (creditcard of Paypal) PaypalDoPayment=Betalen met Paypal PAYPAL_API_SANDBOX=Mode test / zandbak PAYPAL_API_USER=API gebruikersnaam @@ -14,7 +14,6 @@ PaypalModeOnlyPaypal=PayPal only ONLINE_PAYMENT_CSS_URL=Optionnal URL of CSS style sheet on online payment page ThisIsTransactionId=Dit is id van de transactie: %s PAYPAL_ADD_PAYMENT_URL=Voeg de url van Paypal betaling wanneer u een document verzendt via e-mail -PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.

%s

YouAreCurrentlyInSandboxMode=You are currently in the %s "sandbox" mode NewOnlinePaymentReceived=New online payment received NewOnlinePaymentFailed=New online payment tried but failed diff --git a/htdocs/langs/nl_NL/printing.lang b/htdocs/langs/nl_NL/printing.lang index 9ce3c2beaf45b..f62c1a6a01e0f 100644 --- a/htdocs/langs/nl_NL/printing.lang +++ b/htdocs/langs/nl_NL/printing.lang @@ -1,7 +1,7 @@ # Dolibarr language file - Source file is en_US - printing Module64000Name=Direct afdrukken Module64000Desc=Direct afdruksysteem inschakelen -PrintingSetup=Setup of Direct Printing System +PrintingSetup=Installatie van Direct Printing System PrintingDesc=This module adds a Print button to send documents directly to a printer (without opening document into an application) with various module. MenuDirectPrinting=Directe print opdrachten DirectPrint=Direct afdrukken diff --git a/htdocs/langs/nl_NL/products.lang b/htdocs/langs/nl_NL/products.lang index 721a9a88815ce..28f0fed7ac122 100644 --- a/htdocs/langs/nl_NL/products.lang +++ b/htdocs/langs/nl_NL/products.lang @@ -3,7 +3,7 @@ ProductRef=Productreferentie ProductLabel=Naam ProductLabelTranslated=Vertaald product label ProductDescriptionTranslated=Vertaalde product beschrijving -ProductNoteTranslated=Translated product note +ProductNoteTranslated=Vertaalde product aantekening ProductServiceCard=Producten / Dienstendetailkaart TMenuProducts=Producten TMenuServices=Diensten @@ -189,7 +189,7 @@ unitD=Dag unitKG=Kilogram unitG=Gram unitM=Meter -unitLM=Linear meter +unitLM=Lineaire meter unitM2=Vierkantenmeter unitM3=Kubieke meter unitL=Liter @@ -251,8 +251,8 @@ PriceNumeric=Nummer DefaultPrice=Standaard prijs ComposedProductIncDecStock=Verhogen/verlagen voorraad bij de ouder verandering ComposedProduct=Sub-product -MinSupplierPrice=Minimum leverancier prijs -MinCustomerPrice=Minimum verkoopprijs bij klant +MinSupplierPrice=Minimum aankoopprijs +MinCustomerPrice=Minimum selling price DynamicPriceConfiguration=Dynamische prijs configuratie DynamicPriceDesc=On product card, with this module enabled, you should be able to set mathematic functions to calculate Customer or Supplier prices. Such function can use all mathematic operators, some constants and variables. You can set here the variables you want to be able to use and if the variable need an automatic update, the external URL to use to ask Dolibarr to update automaticaly the value. AddVariable=Variabele toevoegen diff --git a/htdocs/langs/nl_NL/projects.lang b/htdocs/langs/nl_NL/projects.lang index dfc1bf1ccd9e1..d6259b07337a8 100644 --- a/htdocs/langs/nl_NL/projects.lang +++ b/htdocs/langs/nl_NL/projects.lang @@ -2,7 +2,7 @@ RefProject=Ref. project ProjectRef=Project ref. ProjectId=Project Id -ProjectLabel=Project label +ProjectLabel=Projectlabel ProjectsArea=Project omgeving ProjectStatus=Project status SharedProject=Iedereen @@ -217,8 +217,8 @@ OppStatusWON=Won OppStatusLOST=Verloren Budget=Budget AllowToLinkFromOtherCompany=Allow to link project from other company

Supported values :
- Keep empty: Can link any project of the company (default)
- "all" : Can link any projects, even project of other companies
- A list of thirdparty id separated with commas : Can link all projects of these thirdparty defined (Example : 123,4795,53)
-LatestProjects=Latest %s projects -LatestModifiedProjects=Latest %s modified projects +LatestProjects=Laatste %s projecten +LatestModifiedProjects=Laatste %s aangepaste projecten OtherFilteredTasks=Other filtered tasks NoAssignedTasks=No assigned tasks (assign project/tasks the current user from the top select box to enter time on it) # Comments trans diff --git a/htdocs/langs/nl_NL/propal.lang b/htdocs/langs/nl_NL/propal.lang index fa7ef74194fef..2cba7222128f1 100644 --- a/htdocs/langs/nl_NL/propal.lang +++ b/htdocs/langs/nl_NL/propal.lang @@ -75,6 +75,7 @@ AvailabilityTypeAV_1M=1 maand TypeContact_propal_internal_SALESREPFOLL=Vertegenwoordiger die de follow-up van de offerte doet TypeContact_propal_external_BILLING=Afnemersfactuurcontactpersoon TypeContact_propal_external_CUSTOMER=Afnemerscontactpersoon follow-up voorstel +TypeContact_propal_external_SHIPPING=Customer contact for delivery # Document models DocModelAzurDescription=Een compleet offertemodel (logo, etc) DefaultModelPropalCreate=Standaard model aanmaken diff --git a/htdocs/langs/nl_NL/sendings.lang b/htdocs/langs/nl_NL/sendings.lang index 096564d7d5a97..b0bf8416a45ac 100644 --- a/htdocs/langs/nl_NL/sendings.lang +++ b/htdocs/langs/nl_NL/sendings.lang @@ -52,8 +52,8 @@ ActionsOnShipping=Acions op verzendkosten LinkToTrackYourPackage=Link naar uw pakket ShipmentCreationIsDoneFromOrder=Op dit moment, is oprichting van een nieuwe zending gedaan van de volgorde kaart. ShipmentLine=Verzendingslijn -ProductQtyInCustomersOrdersRunning=Product quantity into open customers orders -ProductQtyInSuppliersOrdersRunning=Productaantallen in openstaande bestellingen bij leveranciers +ProductQtyInCustomersOrdersRunning=Product quantity into open customer orders +ProductQtyInSuppliersOrdersRunning=Product quantity into open purchase orders ProductQtyInShipmentAlreadySent=Product quantity from open customer order already sent ProductQtyInSuppliersShipmentAlreadyRecevied=Product quantity from open supplier order already received NoProductToShipFoundIntoStock=No product to ship found into warehouse %s. Correct stock or go back to choose another warehouse. diff --git a/htdocs/langs/nl_NL/stocks.lang b/htdocs/langs/nl_NL/stocks.lang index 5db7431f1da6f..dadefa29a7e9a 100644 --- a/htdocs/langs/nl_NL/stocks.lang +++ b/htdocs/langs/nl_NL/stocks.lang @@ -2,7 +2,7 @@ WarehouseCard=Magazijndetailkaart Warehouse=Magazijn Warehouses=Magazijnen -ParentWarehouse=Parent warehouse +ParentWarehouse=Hoofdmagazijn NewWarehouse=Nieuw magazijn / Vooraadoverzicht WarehouseEdit=Magazijn wijzigen MenuNewWarehouse=Nieuw magazijn @@ -67,7 +67,7 @@ DeStockOnValidateOrder=Verlaag de echte voorraad na het valideren van opdrachten DeStockOnShipment=Decrease real stocks on shipping validation DeStockOnShipmentOnClosing=Decrease real stocks on shipping classification closed ReStockOnBill=Verhoog de echte voorraad na het valideren van leveranciersfacturen / creditnota's -ReStockOnValidateOrder=Verhoog de echte voorraad na het valideren van leveranciersopdrachten +ReStockOnValidateOrder=Increase real stocks on purchase orders approbation ReStockOnDispatchOrder=Increase real stocks on manual dispatching into warehouses, after supplier order receipt of goods OrderStatusNotReadyToDispatch=Opdracht heeft nog geen, of niet langer, een status die het verzenden van producten naar een magazijn toestaat. StockDiffPhysicTeoric=Explanation for difference between physical and virtual stock @@ -189,18 +189,18 @@ TheoricalValue=Theorique qty LastPA=Last BP CurrentPA=Curent BP RealQty=Real Qty -RealValue=Real Value +RealValue=Werkelijke waarde RegulatedQty=Regulated Qty AddInventoryProduct=Add product to inventory AddProduct=Toevoegen ApplyPMP=Apply PMP FlushInventory=Voorraad op 'nul' zetten -ConfirmFlushInventory=Do you confirm this action ? -InventoryFlushed=Inventory flushed -ExitEditMode=Exit edition +ConfirmFlushInventory=Wilt u deze actie bevestigen? +InventoryFlushed=Inventarisatie opgeschoond +ExitEditMode=Exit editie inventoryDeleteLine=Verwijderen regel RegulateStock=Regulate Stock ListInventory=Lijstoverzicht StockSupportServices=Stock management support services StockSupportServicesDesc=By default, you can stock only product with type "product". If on, and if module service is on, you can also stock a product with type "service" -ReceiveProducts=Receive products +ReceiveProducts=Receive items diff --git a/htdocs/langs/nl_NL/stripe.lang b/htdocs/langs/nl_NL/stripe.lang index 731afdd3c1cf0..7a54b571d6aff 100644 --- a/htdocs/langs/nl_NL/stripe.lang +++ b/htdocs/langs/nl_NL/stripe.lang @@ -1,7 +1,7 @@ # Dolibarr language file - Source file is en_US - stripe StripeSetup=Stripe-module instellen StripeDesc=Module to offer an online payment page accepting payments with Credit/Debit card via Stripe. This can be used to allow your customers to make free payments or for a payment on a particular Dolibarr object (invoice, order, ...) -StripeOrCBDoPayment=Pay with credit card or Stripe +StripeOrCBDoPayment=Betaal met creditcard of Stripe FollowingUrlAreAvailableToMakePayments=De volgende URL's zijn beschikbaar om een pagina te bieden aan afnemers voor het doen van een betaling van Dolibarr objecten PaymentForm=Betalingsformulier WelcomeOnPaymentPage=Welkom bij onze online betalingsdienst @@ -23,8 +23,6 @@ ToOfferALinkForOnlinePaymentOnFreeAmount=URL om een %s online betalingsgebruiker ToOfferALinkForOnlinePaymentOnMemberSubscription=URL om een %s online betalingsgebruikersinterface aan te bieden voor een ledenabonnement YouCanAddTagOnUrl=U kunt ook een URL (GET) parameter &tag=waarde toevoegen aan elk van deze URL's (enkel nodig voor een donatie) om deze van uw eigen betalingscommentaar te voorzien SetupStripeToHavePaymentCreatedAutomatically=Setup your Stripe with url %s to have payment created automatically when validated by Stripe. -YourPaymentHasBeenRecorded=Deze pagina bevestigd dat uw betaling succesvol in geregistreerd. Dank u. -YourPaymentHasNotBeenRecorded=Uw betaling is niet geregistreerd en de transactie is geannuleerd. Dank u. AccountParameter=Accountwaarden UsageParameter=Met gebruik van de waarden InformationToFindParameters=Hulp om uw %s accountinformatie te vinden diff --git a/htdocs/langs/nl_NL/supplier_proposal.lang b/htdocs/langs/nl_NL/supplier_proposal.lang index 6d2c52382ddb6..3448a517b5ccb 100644 --- a/htdocs/langs/nl_NL/supplier_proposal.lang +++ b/htdocs/langs/nl_NL/supplier_proposal.lang @@ -1,13 +1,13 @@ # Dolibarr language file - Source file is en_US - supplier_proposal SupplierProposal=Vendor commercial proposals -supplier_proposalDESC=Manage price requests to vendors +supplier_proposalDESC=Beheer prijsaanvragen aan verkopers SupplierProposalNew=Opvragen prijs -CommRequest=Price request +CommRequest=Prijs aanvraag CommRequests=Prijs aanvragen -SearchRequest=Find a request -DraftRequests=Draft requests +SearchRequest=Vind een verzoek +DraftRequests=Conceptverzoeken SupplierProposalsDraft=Draft vendor proposals -LastModifiedRequests=Latest %s modified price requests +LastModifiedRequests=Laatste %s gewijzigde prijsaanvragen RequestsOpened=Open price requests SupplierProposalArea=Vendor proposals area SupplierProposalShort=Vendor proposal @@ -43,7 +43,7 @@ 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 +CommercialAsk=Prijs aanvraag DefaultModelSupplierProposalCreate=Standaard model aanmaken DefaultModelSupplierProposalToBill=Default template when closing a price request (accepted) DefaultModelSupplierProposalClosed=Default template when closing a price request (refused) @@ -51,5 +51,5 @@ 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 +LastSupplierProposals=Laatste %s prijsaanvragen AllPriceRequests=All requests diff --git a/htdocs/langs/nl_NL/suppliers.lang b/htdocs/langs/nl_NL/suppliers.lang index 5da2c11d4f118..b3f03f1679121 100644 --- a/htdocs/langs/nl_NL/suppliers.lang +++ b/htdocs/langs/nl_NL/suppliers.lang @@ -5,7 +5,7 @@ ShowSupplierInvoice=Toon factuur van leverancier NewSupplier=Nieuwe leverancier History=Geschiedenis ListOfSuppliers=Leverancierslijst -ShowSupplier=Show vendor +ShowSupplier=Toon verkoper OrderDate=Besteldatum BuyingPriceMin=Voorkeur inkoopprijs BuyingPriceMinShort=Voorkeur inkoopprijs diff --git a/htdocs/langs/nl_NL/users.lang b/htdocs/langs/nl_NL/users.lang index 717544858d215..e18e9e0d7581b 100644 --- a/htdocs/langs/nl_NL/users.lang +++ b/htdocs/langs/nl_NL/users.lang @@ -48,7 +48,7 @@ PasswordChangeRequest=Wachtwoord aanpassing verzoek voor %s PasswordChangeRequestSent=Verzoek om wachtwoord te wijzigen van %s verstuurt naar %s. ConfirmPasswordReset=Bevestig wachtwoord reset MenuUsersAndGroups=Gebruikers & groepen -LastGroupsCreated=Laatste %s gecreëerde groepen +LastGroupsCreated=Laatste %s groepen aangemaakt LastUsersCreated=Laatste %s gecreëerde gebruikers ShowGroup=Toon groep ShowUser=Toon gebruiker @@ -93,7 +93,7 @@ NameToCreate=Naam van derden maken YourRole=Uw rollen YourQuotaOfUsersIsReached=Uw quotum van actieve gebruikers is bereikt! NbOfUsers=Nb van gebruikers -NbOfPermissions=Nb of permissions +NbOfPermissions=Aantal rechten DontDowngradeSuperAdmin=Alleen een superadmin kan downgrade een superadmin HierarchicalResponsible=Opzichter HierarchicView=Hiërarchisch schema diff --git a/htdocs/langs/nl_NL/website.lang b/htdocs/langs/nl_NL/website.lang index 5dc5d14bce539..bcfb2ff85799e 100644 --- a/htdocs/langs/nl_NL/website.lang +++ b/htdocs/langs/nl_NL/website.lang @@ -3,10 +3,11 @@ Shortname=Code WebsiteSetupDesc=Create here as much entry as number of different websites you need. Then go into menu Websites to edit them. DeleteWebsite=Website verwijderen ConfirmDeleteWebsite=Are you sure you want to delete this web site. All its pages and content will also be removed. -WEBSITE_TYPE_CONTAINER=Type of page/container +WEBSITE_TYPE_CONTAINER=Soort pagina / 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) @@ -82,3 +83,4 @@ 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:// diff --git a/htdocs/langs/nl_NL/withdrawals.lang b/htdocs/langs/nl_NL/withdrawals.lang index 5911ac32044a6..0da6817bada65 100644 --- a/htdocs/langs/nl_NL/withdrawals.lang +++ b/htdocs/langs/nl_NL/withdrawals.lang @@ -110,5 +110,5 @@ InfoTransSubject=Verzenden betalingsopdracht order %s naar bank InfoTransMessage=Incasso-opdracht %s is verzonden naar bank door %s%s.

InfoTransData=Bedrag: %s
Wijze: %s
Datum: %s 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 +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 diff --git a/htdocs/langs/pl_PL/accountancy.lang b/htdocs/langs/pl_PL/accountancy.lang index 9160b4e3a988c..4d777e760715f 100644 --- a/htdocs/langs/pl_PL/accountancy.lang +++ b/htdocs/langs/pl_PL/accountancy.lang @@ -55,6 +55,7 @@ AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from m AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s AccountancyAreaDescVat=Krok %s: Zdefiniuj konta księgowe dla każdej stawki VAT. W tym celu użyj pozycji menu %s. +AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. AccountancyAreaDescExpenseReport=STEP %s: Define default accounting accounts for each type of expense report. For this, use the menu entry %s. AccountancyAreaDescSal=Krok %s: Zdefiniuj domyślne konta księgowe dla płatności i wynagrodzeń. W tym celu użyj pozycji menu %s. AccountancyAreaDescContrib=Krok %s: Zdefiniuj domyślne konta księgowe dla kosztów specjalnych (różne podatki, ZUS). W tym celu użyj pozycji menu %s. @@ -131,6 +132,7 @@ ACCOUNTING_LENGTH_GACCOUNT=Długość głównych kont księgowych (jeżeli ustaw 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 zero at the end of an accounting account. Needed by some countries (like switzerland). If keep to off (default), you can set the 2 following parameters to ask application to add virtual zero. BANK_DISABLE_DIRECT_INPUT=Wyłącz bezpośrednią rejestrację transakcji na koncie bankowym +ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Enable draft export on journal ACCOUNTING_SELL_JOURNAL=Dziennik sprzedaży ACCOUNTING_PURCHASE_JOURNAL=Dziennik zakupów diff --git a/htdocs/langs/pl_PL/admin.lang b/htdocs/langs/pl_PL/admin.lang index a0ce9620bc76b..3150854cbac08 100644 --- a/htdocs/langs/pl_PL/admin.lang +++ b/htdocs/langs/pl_PL/admin.lang @@ -195,20 +195,20 @@ BoxesDesc=Widgety są komponentami pokazującymi pewne informacje, które możes OnlyActiveElementsAreShown=Tylko elementy z aktywnych modułów są widoczne. ModulesDesc=Moduły Dolibarr definiują, która aplikacja / funkcja jest włączona w oprogramowaniu. Niektóre aplikacje / moduły wymagają uprawnień, które musisz przyznać użytkownikom po ich aktywacji. Kliknij przycisk ON/OFF, aby włączyć moduł/aplikację. ModulesMarketPlaceDesc=Możesz znaleźć więcej modułów do pobrania na zewnętrznych stronach internetowych... -ModulesDeployDesc=If permissions on your file system allows it, you can use this tool to deploy an external module. The module wil then be visible on the tab %s. +ModulesDeployDesc=Jeżeli uprawnienia do twojego systemu plików pozwolą, możesz użyć tego narzędzia do wdrożenia zewnętrznego modułu. Moduł wówczas będzie widoczny w zakładce %s. ModulesMarketPlaces=Znajdź dodatkowe aplikacje / moduły ModulesDevelopYourModule=Stwórz własną aplikację/moduły ModulesDevelopDesc=Możesz opracować lub znaleźć partnera, który opracuje dla Ciebie twój spersonalizowany moduł DOLISTOREdescriptionLong=Instead of switching on www.dolistore.com web site to find an external module, you can use this embedded tool that will make the seach on the external market place for you (may be slow, need an internet access)... NewModule=Nowy -FreeModule=Free +FreeModule=Darmowe CompatibleUpTo=Kompatybilne z wersją %s NotCompatible=ten moduł nie jest kompatybilny z twoją wersją 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 Updated=Updated Nouveauté=Nowość -AchatTelechargement=Buy / Download +AchatTelechargement=Kup / Pobierz GoModuleSetupArea=Aby udostępnić/zainstalowac nowy moduł, przejdź do ustawień Modułu %s. DoliStoreDesc=DoliStore, oficjalny kanał dystrybucji zewnętrznych modułów Dolibarr ERP / CRM DoliPartnersDesc=Lista firm dostarczających niestandardowe moduły lub funkcje (Uwaga: każdy doświadczony w programowaniu PHP może udostępnić niestandardowy opracowanie dla projektu open source) @@ -454,7 +454,7 @@ ModuleCompanyCodeDigitaria=Accounting code depends on third party code. The code Use3StepsApproval=By default, Purchase Orders need to be created and approved by 2 different users (one step/user to create and one step/user to approve. Note that if user has both permission to create and approve, one step/user will be enough). You can ask with this option to introduce a third step/user approval, if amount is higher than a dedicated value (so 3 steps will be necessary: 1=validation, 2=first approval and 3=second approval if amount is enough).
Set this to empty if one approval (2 steps) is enough, set it to a very low value (0.1) if a second approval (3 steps) is always required. UseDoubleApproval=Use a 3 steps approval when amount (without tax) is higher than... WarningPHPMail=WARNING: It is often better to setup outgoing emails to use the email server of your provider instead of the default setup. Some email providers (like Yahoo) does not allow you to send an email from another server than their own server. Your current setup use 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 a server of them, so few of your sent Emails may not be accepted (be carefull also to your email provider sending quota).
If your Email provider (like Yahoo) has this restriction, you must change Email setup to choose the other method "SMTP server" and enter the SMTP server and credentials provided by your Email provider (ask your EMail provider to get SMTP credentials for your account). -WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of your ERP CRM application: %s. +WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of the mail user agent (MUA) for your ERP CRM application: %s. ClickToShowDescription=Kliknij aby zobaczyć opis DependsOn=This module need the module(s) RequiredBy=Ten moduł wymagany jest przez moduł(y) @@ -497,7 +497,7 @@ Module25Desc=Zarządzanie zamówieniami klienta Module30Name=Faktury Module30Desc=Zarządzanie fakturami oraz notami kredytowymi klientów. Zarządzanie fakturami dostawców Module40Name=Dostawcy -Module40Desc=Zarządzanie dostawcami oraz zakupami (zamówienia i faktury) +Module40Desc=Suppliers and purchase management (purchase orders and billing) Module42Name=Debug Logs Module42Desc=Logging facilities (file, syslog, ...). Such logs are for technical/debug purposes. Module49Name=Edytory @@ -605,7 +605,7 @@ Module4000Desc=Zarządzanie zasobami ludzkimi (zarządzanie departamentami, umow Module5000Name=Multi-company Module5000Desc=Pozwala na zarządzanie wieloma firmami Module6000Name=Workflow -Module6000Desc=Zarządzania przepływem pracy +Module6000Desc=Workflow management (automatic creation of object and/or automatic status change) Module10000Name=Strony internetowe Module10000Desc=Create public websites with a WYSIWG editor. Just setup your web server (Apache, Nginx, ...) to point to the dedicated Dolibarr directory to have it online on the Internet with your own domain name. Module20000Name=Zarządzanie "Pozostaw Żądanie" @@ -891,7 +891,7 @@ DictionaryCivility=Personal and professional titles DictionaryActions=Typy zdarzeń w agendzie DictionarySocialContributions=Typy opłat ZUS i podatków DictionaryVAT=Stawki VAT lub stawki podatku od sprzedaży -DictionaryRevenueStamp=Ilość znaczków opłaty skarbowej +DictionaryRevenueStamp=Amount of tax stamps DictionaryPaymentConditions=Warunki płatności DictionaryPaymentModes=Tryby płatności DictionaryTypeContact=Typy kontaktu/adresu @@ -919,7 +919,7 @@ SetupSaved=Konfiguracja zapisana SetupNotSaved=Ustawienia nie zapisane BackToModuleList=Powrót do listy modułów BackToDictionaryList=Powrót do listy słowników -TypeOfRevenueStamp=Type of revenue stamp +TypeOfRevenueStamp=Type of tax stamp VATManagement=Zarządzanie VAT VATIsUsedDesc=Domyślnie kiedy tworzysz perspektywy, faktury, zamówienia itd. stawka VAT pobiera z aktywnej reguły standardowej:
Jeżeli sprzedawca nie jest płatnikiem VAT, wówczas stawka VAT domyślnie jest równa 0. Koniec reguły.
Jeżeli kraj sprzedaży jest taki sam jak kraj zakupu, wówczas stawka VAT jest równa stawce VAT na produkt w kraju sprzedaży. Koniec reguły.
Jeżeli sprzedawca i kupujący należą do Unii Europejskiej i dobra są środkami transportu (samochody, statki, samoloty...), domyślna stawka VAT wynosi 0% (VAT powinien być zapłacony przez kupującego w jego kraju w odpowiednim urzędzie skarbowym). Koniec reguły.
Jeżeli sprzedawca i kupujący należą do Unii Europejskiej i kupujący jest osobą prywatną, wówczas stawka VAT jest równa stawce obowiązującej w kraju sprzedaży.Koniec reguły.
Jeżeli sprzedawca i kupujący należą do Unii Europejskiej i kupujący jest firmą, wówczas stawka VAT jest równa 0%. Koniec reguły.
W każdym innym przypadku domyślna stawka VAT jest równa 0%. Koniec reguły. VATIsNotUsedDesc=Domyślnie proponowany VAT wynosi 0. Może być wykorzystany w przypadku takich stowarzyszeń, osób fizycznych lub małych firm. @@ -1027,7 +1027,7 @@ Delays_MAIN_DELAY_ACTIONS_TODO=Dopuszczalne opóźnienie (w dniach) przed alarme Delays_MAIN_DELAY_PROJECT_TO_CLOSE=Delay tolerance (in days) before alert on project not closed in time Delays_MAIN_DELAY_TASKS_TODO=Delay tolerance (in days) before alert on planned tasks (project tasks) not completed yet Delays_MAIN_DELAY_ORDERS_TO_PROCESS=Dopuszczalne opóźnienie (w dniach) przed alarmem o nieprzetworzonych zamówieniach -Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Dopuszczalne opóźnienie (w dniach) przed alarmem o nieprzetworzonych zamówieniach dostawców +Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on purchase orders not processed yet Delays_MAIN_DELAY_PROPALS_TO_CLOSE=Opóźnienie tolerancji (w dniach) przed wpisu w sprawie propozycji, aby zamknąć Delays_MAIN_DELAY_PROPALS_TO_BILL=Opóźnienie tolerancji (w dniach) przed wpisu na temat propozycji nie rozliczone Delays_MAIN_DELAY_NOT_ACTIVATED_SERVICES=Tolerancja opóźnienia (liczba dni) przed wpisu na usługi, aby uaktywnić @@ -1458,7 +1458,7 @@ SyslogFilename=Nazwa pliku i ścieżka YouCanUseDOL_DATA_ROOT=Możesz użyć DOL_DATA_ROOT / dolibarr.log do pliku w Dolibarr "dokumenty" katalogu. Można ustawić inną ścieżkę do przechowywania tego pliku. ErrorUnknownSyslogConstant=Stała %s nie jest znany syslog stałej OnlyWindowsLOG_USER=System Windows obsługuje tylko LOG_USER -CompressSyslogs=Syslog files compression and backup +CompressSyslogs=Compression and backup of debug log files (generated by module Log for debug) SyslogFileNumberOfSaves=Log backups ConfigureCleaningCronjobToSetFrequencyOfSaves=Configure cleaning scheduled job to set log backup frequency ##### Donations ##### diff --git a/htdocs/langs/pl_PL/banks.lang b/htdocs/langs/pl_PL/banks.lang index ae818cf96af8e..2360520a92dce 100644 --- a/htdocs/langs/pl_PL/banks.lang +++ b/htdocs/langs/pl_PL/banks.lang @@ -1,12 +1,13 @@ # Dolibarr language file - Source file is en_US - banks Bank=Bank -MenuBankCash=Bank / Finanse +MenuBankCash=Bank | Cash MenuVariousPayment=Różne płatności MenuNewVariousPayment=New Miscellaneous payment BankName=Nazwa banku FinancialAccount=Konto BankAccount=Konto bankowe BankAccounts=Konta bankowe +BankAccountsAndGateways=Konta bankowe / Bramki ShowAccount=Pokaż konto AccountRef=Numer referencyjny rachunku bankowego AccountLabel=Etykieta rachunku finansowego @@ -64,14 +65,14 @@ Account=Konto BankTransactionByCategories=Wpisy bankowe według kategorii BankTransactionForCategory=Wpisy bankowe dla kategorii %s RemoveFromRubrique=Usuń powiązanie z kategorią -RemoveFromRubriqueConfirm=Jesteś pewien, że chcesz usunąć połączenie pomiędzy wpisem a categorią? -ListBankTransactions=Połączenie wpisów bankowych +RemoveFromRubriqueConfirm=Jesteś pewien, że chcesz usunąć połączenie pomiędzy wpisem a kategorią? +ListBankTransactions=Lista wpisów bankowych IdTransaction=Identyfikator transakcji BankTransactions=Wpisy bankowe BankTransaction=Wpis bankowy ListTransactions=Lista wpisów ListTransactionsByCategory=Lista wpisów/kategorii -TransactionsToConciliate=Transakcje do zaksięgowania +TransactionsToConciliate=Wpisy do zaksięgowania Conciliable=Może być rekoncyliowane Conciliate=Uzgodnienie sald Conciliation=Rekoncyliacja @@ -92,7 +93,7 @@ AddBankRecordLong=Dodaj wpis ręcznie Conciliated=Reconciled ConciliatedBy=Rekoncyliowany przez DateConciliating=Data rekoncyliacji -BankLineConciliated=Transakcje zaksięgowane +BankLineConciliated=Wpisy zaksięgowane Reconciled=Reconciled NotReconciled=Not reconciled CustomerInvoicePayment=Płatności klienta @@ -103,7 +104,7 @@ SocialContributionPayment=Płatność za ZUS/podatek BankTransfer=Przelew bankowy BankTransfers=Przelewy bankowe MenuBankInternalTransfer=Przelew wewnętrzny -TransferDesc=Transfer from one account to another one, Dolibarr will write two record (a debit in source account and a credit in target account. The same amount (except sign), label and date will be used for this transaction) +TransferDesc=Transfer środków z jednego konta na drugie. Dolibarr zapisze dwa rekordy (Debet na koncie źródłowym i zaliczkę na koncie docelowym. Ta sama kwota (oprócz znaku), etykieta i data będą użyte dla tej transakcji) TransferFrom=Od TransferTo=Do TransferFromToDone=Transfer z %s do %s %s %s został zapisany. @@ -117,8 +118,8 @@ BankChecksToReceipt=Checks awaiting deposit ShowCheckReceipt=Pokaż sprawdzić otrzymania wpłaty NumberOfCheques=Nr czeku DeleteTransaction=Usuń wpis -ConfirmDeleteTransaction=Are you sure you want to delete this entry? -ThisWillAlsoDeleteBankRecord=This will also delete generated bank entry +ConfirmDeleteTransaction=Czy jesteś pewien, że chcesz usunąć te wpis? +ThisWillAlsoDeleteBankRecord=To usunie wygenerowany wpis bankowy BankMovements=Ruchy PlannedTransactions=Zaplanowane wpisy Graph=Grafika @@ -131,7 +132,7 @@ PaymentDateUpdateSucceeded=Data płatności została zaktualizowana pomyślnie PaymentDateUpdateFailed=Data płatności nie mogła zostać zaktualizowana Transactions=Transakcje BankTransactionLine=Wpis bankowy -AllAccounts=Wszystkie bank / Rachunki +AllAccounts=All bank and cash accounts BackToAccount=Powrót do konta ShowAllAccounts=Pokaż wszystkie konta FutureTransaction=Transakcja w przyszłości. Nie da się pogodzić. @@ -147,17 +148,18 @@ NoBANRecord=Brak rekordu BAN DeleteARib=Usuń rekord BAN ConfirmDeleteRib=Czy na pewno chcesz usunąć ten rejestr BAN? RejectCheck=Czek zwrócony -ConfirmRejectCheck=Are you sure you want to mark this check as rejected? +ConfirmRejectCheck=Czy jesteś pewien, ze chcesz oznaczyć ten czek jako odrzucony? RejectCheckDate=Data wrócił kontrola CheckRejected=Czek zwrócony CheckRejectedAndInvoicesReopened=Czek zwrócony i faktura ponownie otwarta -BankAccountModelModule=Document templates for bank accounts +BankAccountModelModule=Szablony dokumentu dla kont bankowych DocumentModelSepaMandate=Template of SEPA mandate. Usefull for european countries in EEC only. DocumentModelBan=Template to print a page with BAN information. NewVariousPayment=Nowe różne płatności VariousPayment=Różne płatności VariousPayments=Różne płatności ShowVariousPayment=Pokaż różne płatności -AddVariousPayment=Add miscellaneous payments +AddVariousPayment=Dodaj inne płatności +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. Thanks to return it signed (scan of the signed document) or sent it by mail to diff --git a/htdocs/langs/pl_PL/bills.lang b/htdocs/langs/pl_PL/bills.lang index d32b3694bda67..2751019239856 100644 --- a/htdocs/langs/pl_PL/bills.lang +++ b/htdocs/langs/pl_PL/bills.lang @@ -11,9 +11,9 @@ BillsSuppliersUnpaidForCompany=Niezapłacone faktury dostawcy dla %s BillsLate=Opóźnienia w płatnościach BillsStatistics=Statystyki faktur klientów BillsStatisticsSuppliers=Statystyki faktur dostawców -DisabledBecauseDispatchedInBookkeeping=Disabled because invoice was dispatched into bookkeeping +DisabledBecauseDispatchedInBookkeeping=Wyłączone, ponieważ faktura została wysłana do księgowości DisabledBecauseNotLastInvoice=Disabled because invoice is not erasable. Some invoices were recorded after this one and it will create holes in the counter. -DisabledBecauseNotErasable=Disabled because cannot be erased +DisabledBecauseNotErasable=Wyłączone, ponieważ nie można go usunąć InvoiceStandard=Standardowa faktura InvoiceStandardAsk=Standardowa faktura InvoiceStandardDesc=Tego rodzaju faktura jest powszechną fakturą. @@ -110,14 +110,14 @@ SendRemindByMail=Wyślij przypomnienie / ponaglenie mailem DoPayment=Wprowadź płatność DoPaymentBack=Wprowadź zwrot ConvertToReduc=Mark as credit available -ConvertExcessReceivedToReduc=Convert excess received into future discount -ConvertExcessPaidToReduc=Convert excess paid into future discount +ConvertExcessReceivedToReduc=Convert excess received into available credit +ConvertExcessPaidToReduc=Convert excess paid into available discount EnterPaymentReceivedFromCustomer=Wprowadź płatność otrzymaną od klienta EnterPaymentDueToCustomer=Dokonaj płatności dla klienta DisabledBecauseRemainderToPayIsZero=Nieaktywne, ponieważ upływająca nieopłacona kwota wynosi zero PriceBase=Cena podstawowa BillStatus=Status faktury -StatusOfGeneratedInvoices=Status of generated invoices +StatusOfGeneratedInvoices=Status generowanych faktur BillStatusDraft=Projekt (musi zostać zatwierdzone) BillStatusPaid=Płatność BillStatusPaidBackOrConverted=Credit note refund or marked as credit available @@ -160,7 +160,7 @@ FoundXQualifiedRecurringInvoiceTemplate=Found %s recurring template invoice(s) q NotARecurringInvoiceTemplate=Not a recurring template invoice NewBill=Nowa faktura LastBills=Ostatnie %s faktur -LatestTemplateInvoices=Latest %s template invoices +LatestTemplateInvoices=Ostatnie %sszablonów faktur LatestCustomerTemplateInvoices=Latest %s customer template invoices LatestSupplierTemplateInvoices=Latest %s supplier template invoices LastCustomersBills=Ostatnie %s faktur klienta @@ -282,6 +282,7 @@ RelativeDiscount=Powiązana zniżka GlobalDiscount=Globalne zniżki CreditNote=Nota kredytowa CreditNotes=Noty kredytowe +CreditNotesOrExcessReceived=Credit notes or excess received Deposit=Zaliczka Deposits=Zaliczki DiscountFromCreditNote=Rabat od kredytu pamiętać %s @@ -393,6 +394,7 @@ PaymentConditionShort14DENDMONTH=14 days of month-end PaymentCondition14DENDMONTH=Within 14 days following the end of the month FixAmount=Kwota Fix VarAmount=Zmienna ilość (%% tot.) +VarAmountOneLine=Variable amount (%% tot.) - 1 line with label '%s' # PaymentType PaymentTypeVIR=Przelew bankowy PaymentTypeShortVIR=Przelew bankowy diff --git a/htdocs/langs/pl_PL/compta.lang b/htdocs/langs/pl_PL/compta.lang index 4dec92233f50d..50d6e6c2f136a 100644 --- a/htdocs/langs/pl_PL/compta.lang +++ b/htdocs/langs/pl_PL/compta.lang @@ -13,18 +13,19 @@ LTReportBuildWithOptionDefinedInModule=Kwoty podane tutaj są obliczane na podst Param=Konfiguracja RemainingAmountPayment=Płatność pozostałej kwoty: Account=Konto -Accountparent=Parent account -Accountsparent=Parent accounts +Accountparent=Nadrzędne konto +Accountsparent=Nadrzędne konta Income=Przychody Outcome=Rozchody MenuReportInOut=Przychody/Koszty -ReportInOut=Balance of income and expenses -ReportTurnover=Obrót +ReportInOut=Bilans przychodów i kosztów +ReportTurnover=Turnover invoiced +ReportTurnoverCollected=Turnover collected PaymentsNotLinkedToInvoice=Płatność nie dowiązana do żadnej faktury, więc nie dowiązana do żadnego kontrahenta PaymentsNotLinkedToUser=Płatnośc nie dowiązana do żadnego użytkownika Profit=Zysk AccountingResult=Wynik księgowy -BalanceBefore=Balance (before) +BalanceBefore=Bilans (przed) Balance=Saldo Debit=Rozchody Credit=Kredyt @@ -77,7 +78,7 @@ MenuNewSocialContribution=Nowa opłata ZUS/podatek NewSocialContribution=Nowa opłata ZUS/podatek AddSocialContribution=Dodaj podatek fiskalny/ZUS ContributionsToPay=Opłata ZUS/podatek do zapłacenia -AccountancyTreasuryArea=Obszar księgowości +AccountancyTreasuryArea=Billing and payment area NewPayment=Nowa płatność Payments=Płatności PaymentCustomerInvoice=Klient płatności faktury @@ -105,6 +106,7 @@ VATPayment=Sales tax payment VATPayments=Sales tax payments VATRefund=Sales tax refund NewVATPayment=New sales tax payment +NewLocalTaxPayment=New tax %s payment Refund=Zwrot SocialContributionsPayments=Płatności za ZUS/podatki ShowVatPayment=Pokaż płatności za podatek VAT @@ -116,8 +118,9 @@ CustomerAccountancyCodeShort=Kod księg. klienta SupplierAccountancyCodeShort=Kod rach. dost. AccountNumber=Numer konta NewAccountingAccount=Nowe konto -SalesTurnover=Obrót -SalesTurnoverMinimum=Minimalne obroty sprzedaży +Turnover=Turnover invoiced +TurnoverCollected=Turnover collected +SalesTurnoverMinimum=Minimum turnover ByExpenseIncome=By expenses & incomes ByThirdParties=Przez kontrahentów ByUserAuthorOfInvoice=Na autora faktury @@ -137,8 +140,8 @@ 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=Tryb% sClaims-Długi% s powiedział rachunkowości zobowiązania. -CalcModeEngagement=Tryb% sIncomes-Wydatki% s powiedział kasowej +CalcModeDebt=Analysis of known recorded invoices 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 CalcModeLT1Debt=Tryb% SRE faktur klienta% s @@ -151,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=Voir le rapport %sRecettes-Dpenses %s comptabilit dit pour un Caisse de calcul sur les paiements effectivement raliss -SeeReportInDueDebtMode=Voir le rapport %sCrances-dettes %s comptabilit dit d'engagement pour un calcul sur les factures mises -SeeReportInBookkeepingMode=See report %sBookeeping%s for a calculation on bookkeeping table analysis +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 RulesAmountWithTaxIncluded=- Kwoty podane są łącznie z podatkami RulesResultDue=- Obejmuje zaległe faktury, koszty, podatek VAT, darowizny niezaleznie czy zostały one zapłacone. Obejmuje również wypłacane pensje.
- Podstawą jest data zatwierdzania faktur i VAT oraz terminów płatności za wydatki. Dla wynagrodzeń określonych w module wynagrodzeń brana jest pod uwagę data wypłaty wynagrodzeń. 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. @@ -218,8 +221,8 @@ Mode1=Metoda 1 Mode2=Metoda 2 CalculationRuleDesc=Aby obliczyć całkowity podatek VAT, można wykorzystać jedną z dwóch metod:
Metoda 1 polega na zaokrągleniu VAT dla każdej pozycji, a następnie ich zsumowaniu.
Metoda 2 polega na zsumowaniu wszystkich VAT z każdej pozycji, a następnie zaokrągleniu wyniku.
Efekt końcowy może różnić się o kilka groszy. Domyślnym trybem jest tryb %s. CalculationRuleDescSupplier=W zależności od dostawcy, wybierz odpowiednią metodę, aby dodać podobną zasadę i otrzymać podobny wynik oczekiwany przez dostawcę. -TurnoverPerProductInCommitmentAccountingNotRelevant=The Turnover report per product, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). -TurnoverPerSaleTaxRateInCommitmentAccountingNotRelevant=The Turnover report per sale tax rate, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). +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. CalculationMode=Tryb Obliczanie AccountancyJournal=Accounting code journal ACCOUNTING_VAT_SOLD_ACCOUNT=Accounting account by default for VAT on sales (used if not defined on VAT dictionary setup) @@ -251,5 +254,6 @@ VATDue=Sale tax claimed ClaimedForThisPeriod=Claimed for the period PaidDuringThisPeriod=Paid during this period ByVatRate=By sale tax rate -TurnoverbyVatrate=Turnover by sale tax rate +TurnoverbyVatrate=Turnover invoiced by sale tax rate +TurnoverCollectedbyVatrate=Turnover collected by sale tax rate PurchasebyVatrate=Purchase by sale tax rate diff --git a/htdocs/langs/pl_PL/install.lang b/htdocs/langs/pl_PL/install.lang index 75885569df49d..4f623677feea7 100644 --- a/htdocs/langs/pl_PL/install.lang +++ b/htdocs/langs/pl_PL/install.lang @@ -204,3 +204,7 @@ MigrationResetBlockedLog=Zresetuj moduł BlockedLog dla algorytmu v7 ShowNotAvailableOptions=Pokaż niedostępne opcje. HideNotAvailableOptions=Ukryj niedostępne opcje. ErrorFoundDuringMigration=Wystąpiły błędy podczas procesu migracji więc następny krok jest nie dostępny. Żeby zignorować błędy, możesz kliknąć tutaj, ale aplikacja bądź jakieś jej funkcje mogą działać niepoprawnie do póki nie zostaną naprawione. +YouTryInstallDisabledByDirLock=The application try to sefl upgrade, but install/upgrade pages have been disabled for security reason (directory renamed with .lock suffix).
+YouTryInstallDisabledByFileLock=The application try to sefl upgrade, but install/upgrade pages pages have been disabled for security reason (by lock file install.lock into dolibarr documents directory).
+ClickHereToGoToApp=Click here to go to your application +ClickOnLinkOrRemoveManualy=Click on following link and if you always reach this page, you must remove the file install.lock into documents directory manually diff --git a/htdocs/langs/pl_PL/main.lang b/htdocs/langs/pl_PL/main.lang index 50ebf01edc6ef..68817aaf6703a 100644 --- a/htdocs/langs/pl_PL/main.lang +++ b/htdocs/langs/pl_PL/main.lang @@ -507,6 +507,7 @@ NoneF=Żaden NoneOrSeveral=Brak lub kilka Late=Późno LateDesc=Opóźnienie w celu określenia, czy rekord jest opóźniony, czy nie zależy od konfiguracji. Poproś swojego administratora o zmianę opóźnienia z menu Strona główna - Konfiguracja - Alerty. +NoItemLate=No late item Photo=Obraz Photos=Obrazy AddPhoto=Dodaj obraz @@ -945,3 +946,5 @@ KeyboardShortcut=Skróty klawiaturowe AssignedTo=Przypisany do Deletedraft=Usuń szkic ConfirmMassDraftDeletion=Draft Bulk delete confirmation +FileSharedViaALink=File shared via a link + diff --git a/htdocs/langs/pl_PL/modulebuilder.lang b/htdocs/langs/pl_PL/modulebuilder.lang index 23c69169c3064..df1d3a8b910e9 100644 --- a/htdocs/langs/pl_PL/modulebuilder.lang +++ b/htdocs/langs/pl_PL/modulebuilder.lang @@ -74,6 +74,7 @@ NoWidget=No widget GoToApiExplorer=Go to API explorer ListOfMenusEntries=List of menu entries ListOfPermissionsDefined=List of defined permissions +SeeExamples=See examples here EnabledDesc=Condition to have this field active (Examples: 1 or $conf->global->MYMODULE_MYOPTION) VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only. Using a negative value means field is not shown by default on list but can be selected for viewing) IsAMeasureDesc=Can the value of field be cumulated to get a total into list ? (Examples: 1 or 0) @@ -95,3 +96,6 @@ DropTableIfEmpty=(Delete table if empty) TableDoesNotExists=The table %s does not exists TableDropped=Table %s deleted InitStructureFromExistingTable=Build the structure array string of an existing table +UseAboutPage=Disallow the about page +UseDocFolder=Disallow the documentation folder +UseSpecificReadme=Use a specific ReadMe diff --git a/htdocs/langs/pl_PL/other.lang b/htdocs/langs/pl_PL/other.lang index 1dc66a37a8aa0..0865c2532daf6 100644 --- a/htdocs/langs/pl_PL/other.lang +++ b/htdocs/langs/pl_PL/other.lang @@ -80,8 +80,8 @@ LinkedObject=Związany obiektu NbOfActiveNotifications=Liczba zgłoszeń (nb e-maili odbiorców) PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe two lines are separated by a carriage return.\n\n__USER_SIGNATURE__ PredefinedMailTestHtml=__(Hello)__\nThis is a test mail (the word test must be in bold).
The two lines are separated by a carriage return.

__USER_SIGNATURE__ -PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\nThis is the link to make your online payment if this invoice is not already payed:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\nThis is the link to make your online payment:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendProposal=__(Hello)__\n\nYou will find here the commercial proposal __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendSupplierProposal=__(Hello)__\n\nYou will find here the price request __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendOrder=__(Hello)__\n\nYou will find here the order __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ @@ -91,6 +91,7 @@ PredefinedMailContentSendShipping=__(Hello)__\n\nYou will find here the shipping PredefinedMailContentSendFichInter=__(Hello)__\n\nYou will find here the intervention __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentThirdparty=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentUser=__(Hello)__\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 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) @@ -218,7 +219,7 @@ FileIsTooBig=Plik jest za duży PleaseBePatient=Proszę o cierpliwość... NewPassword=New password ResetPassword=Resetuj hasło -RequestToResetPasswordReceived=A request to change your password has been received +RequestToResetPasswordReceived=A request to change your password has been received. NewKeyIs=To są twoje nowe klucze do logowania NewKeyWillBe=Twój nowy klucz, aby zalogować się do programu będzie ClickHereToGoTo=Kliknij tutaj, aby przejść do %s diff --git a/htdocs/langs/pl_PL/paypal.lang b/htdocs/langs/pl_PL/paypal.lang index 09b66e628a191..f5da3b56bc526 100644 --- a/htdocs/langs/pl_PL/paypal.lang +++ b/htdocs/langs/pl_PL/paypal.lang @@ -14,7 +14,6 @@ PaypalModeOnlyPaypal=Tylko PayPal ONLINE_PAYMENT_CSS_URL=Opcjonalny link do arkusza stylów CSS dla strony płatności online ThisIsTransactionId=Jest to id transakcji: %s PAYPAL_ADD_PAYMENT_URL=Dodaj link do płatności PayPal podczas wysyłania dokumentów za pośrednictwem email -PredefinedMailContentLink=Możesz kliknąć na poniższy link, aby dokonać swojej płatności, jeżeli jeszcze tego nie zrobiłeś.

%s

YouAreCurrentlyInSandboxMode=Aktualnie korzystasz z trybu "sandbox" %s NewOnlinePaymentReceived=Otrzymano nową płatność online NewOnlinePaymentFailed=New online payment tried but failed diff --git a/htdocs/langs/pl_PL/products.lang b/htdocs/langs/pl_PL/products.lang index 43413f8744582..e4acc9b2dbbae 100644 --- a/htdocs/langs/pl_PL/products.lang +++ b/htdocs/langs/pl_PL/products.lang @@ -251,8 +251,8 @@ PriceNumeric=Liczba DefaultPrice=Domyśla cena ComposedProductIncDecStock=Wzrost / spadek akcji na zmiany dominującej ComposedProduct=Pod-Produkt -MinSupplierPrice=Minimalna cena dostawcy -MinCustomerPrice=Cena minimalna klienta +MinSupplierPrice=Minimalna cena zakupu +MinCustomerPrice=Minimum selling price DynamicPriceConfiguration=Konfiguracja dynamicznych cen DynamicPriceDesc=On product card, with this module enabled, you should be able to set mathematic functions to calculate Customer or Supplier prices. Such function can use all mathematic operators, some constants and variables. You can set here the variables you want to be able to use and if the variable need an automatic update, the external URL to use to ask Dolibarr to update automaticaly the value. AddVariable=Add Variable diff --git a/htdocs/langs/pl_PL/propal.lang b/htdocs/langs/pl_PL/propal.lang index 6c1c31f559ae6..55294b936891a 100644 --- a/htdocs/langs/pl_PL/propal.lang +++ b/htdocs/langs/pl_PL/propal.lang @@ -75,6 +75,7 @@ AvailabilityTypeAV_1M=1 miesiąc TypeContact_propal_internal_SALESREPFOLL=Przedstawiciela w ślad za wniosek TypeContact_propal_external_BILLING=Kontakt do klienta w sprawie faktury TypeContact_propal_external_CUSTOMER=kontakt klienta w ślad za wniosek +TypeContact_propal_external_SHIPPING=Customer contact for delivery # Document models DocModelAzurDescription=Kompletny wniosek modelu (logo. ..) DefaultModelPropalCreate=Domyślny model kreacji. diff --git a/htdocs/langs/pl_PL/sendings.lang b/htdocs/langs/pl_PL/sendings.lang index dec6c697e9869..96ec533f1f4e5 100644 --- a/htdocs/langs/pl_PL/sendings.lang +++ b/htdocs/langs/pl_PL/sendings.lang @@ -52,8 +52,8 @@ ActionsOnShipping=Zdarzenia na wysyłce LinkToTrackYourPackage=Link do strony śledzenia twojej paczki ShipmentCreationIsDoneFromOrder=Na ta chwilę, tworzenie nowej wysyłki jest możliwe z karty zamówienia. ShipmentLine=Linia Przesyłka -ProductQtyInCustomersOrdersRunning=Product quantity into open customers orders -ProductQtyInSuppliersOrdersRunning=Product quantity into open suppliers orders +ProductQtyInCustomersOrdersRunning=Product quantity into open customer orders +ProductQtyInSuppliersOrdersRunning=Product quantity into open purchase orders ProductQtyInShipmentAlreadySent=Product quantity from open customer order already sent ProductQtyInSuppliersShipmentAlreadyRecevied=Product quantity from open supplier order already received NoProductToShipFoundIntoStock=Nie znaleziono produktu do wysyłki w magazynie %s. Popraw zapasy lub cofnij się i wybierz inny magazyn diff --git a/htdocs/langs/pl_PL/stocks.lang b/htdocs/langs/pl_PL/stocks.lang index 1d731afe30d3b..dc62e3fce852f 100644 --- a/htdocs/langs/pl_PL/stocks.lang +++ b/htdocs/langs/pl_PL/stocks.lang @@ -67,7 +67,7 @@ DeStockOnValidateOrder=Zmniejsz realne zapasy magazynu po potwierdzeniu zamówie DeStockOnShipment=Zmniejsz realne zapasy magazynu po potwierdzeniu wysyłki DeStockOnShipmentOnClosing=Zmniejsz realny zapas przy sklasyfikowaniu wysyłki jako ukończonej ReStockOnBill=Zwiększ realne zapasy magazynu po potwierdzeniu faktur / not kredytowych -ReStockOnValidateOrder=Zwiększ realne zapasy magazynu po potwierdzeniu zamówień dostawców +ReStockOnValidateOrder=Increase real stocks on purchase orders approbation ReStockOnDispatchOrder=Increase real stocks on manual dispatching into warehouses, after supplier order receipt of goods OrderStatusNotReadyToDispatch=Zamówienie nie jest jeszcze lub nie więcej status, który umożliwia wysyłanie produktów w magazynach czas. StockDiffPhysicTeoric=Wyjaśnienia dla różnicy pomiędzy fizycznym i wirtualnych zapasem @@ -203,4 +203,4 @@ RegulateStock=Regulate Stock ListInventory=Lista StockSupportServices=Stock management support services StockSupportServicesDesc=By default, you can stock only product with type "product". If on, and if module service is on, you can also stock a product with type "service" -ReceiveProducts=Receive products +ReceiveProducts=Receive items diff --git a/htdocs/langs/pl_PL/users.lang b/htdocs/langs/pl_PL/users.lang index 9e6d92625c191..8e59d55c5e5be 100644 --- a/htdocs/langs/pl_PL/users.lang +++ b/htdocs/langs/pl_PL/users.lang @@ -48,7 +48,7 @@ PasswordChangeRequest=Zgłoszenie zmiany hasła dla %s PasswordChangeRequestSent=Wniosek o zmianę hasła dla %s wysłany do %s. ConfirmPasswordReset=Potwierdź zresetowanie hasła MenuUsersAndGroups=Użytkownicy i grupy -LastGroupsCreated=Ostatnie %s utworzonych grup +LastGroupsCreated=Latest %s groups created LastUsersCreated=Ostatnie %s utworzonych użytkowników ShowGroup=Pokaż grupę ShowUser=Pokaż użytkownika diff --git a/htdocs/langs/pt_BR/admin.lang b/htdocs/langs/pt_BR/admin.lang index 73902b335816f..393dc1328a10a 100644 --- a/htdocs/langs/pt_BR/admin.lang +++ b/htdocs/langs/pt_BR/admin.lang @@ -402,7 +402,6 @@ Module23Desc=Monitoramento de Consumo de Energia Module25Name=Pedidos de Clientes Module25Desc=Gestor de Pedidos de Clientes Module30Desc=Gestor de Faturas e Notas de Créditos para Clientes. Gestor de faturas para Fornecedores -Module40Desc=Gestor de Fornecedores e Compra (Pedidos e Faturas) Module42Name=Notas de depuração Module42Desc=Recursos de registro (arquivo, syslog, ...). Tais registros são para propósitos técnicos/debug. Module49Desc=Gestor de Editores @@ -481,7 +480,6 @@ Module4000Desc=Gerenciamento de recursos humanos (gerenciamento do departamento, Module5000Name=Multi-Empresas Module5000Desc=Permite gerenciar várias empresas Module6000Name=Fluxo de Trabalho -Module6000Desc=Gestor de Fluxo de Trabalho Module10000Desc=Crie sites públicos com um editor WYSIWYG. Basta configurar seu servidor web (Apache, Nginx, ...) para apontar para o diretório dedicado ao Dolibarr para tê-lo online na Internet com seu próprio nome de domínio. Module20000Name=Gerenciamento de folgas e férias Module20000Desc=Autorizar e acompanhar solicitações de licença de funcionários @@ -744,7 +742,6 @@ DictionaryRegion=Regiões DictionaryActions=Tipos de eventos na agenda DictionarySocialContributions=Tipos de encargos sociais e fiscais DictionaryVAT=Taxas de VAT ou imposto sobre vendas de moeda -DictionaryRevenueStamp=Quantidade de selos fiscais DictionaryPaymentModes=Modos de pagamento DictionaryTypeContact=Tipos Contato / Endereço DictionaryEcotaxe=Ecotaxa (REEE) @@ -765,7 +762,6 @@ DictionaryOpportunityStatus=Status oportunidade para projeto / lead SetupSaved=Configurações Salvas SetupNotSaved=Configuração não salva BackToDictionaryList=Voltar para a lista de dicionários -TypeOfRevenueStamp=Tipo de selo de receita VATManagement=Gestor de ICMS VATIsUsedDesc=Como padrão, quando da criação de orçamentos, faturas, pedidos, etc. a taxa do ICMS acompanha a regra padrão ativa:
se o vendedor não estiver sujeito ao ICMS, então o padrão do ICMS é 0. Fim da regra.
Se o (país da venda= país da compra), então o ICMS por padrão é igual ao ICMS do produto no país da venda. Fim da regra.
Se o vendedor e o comprador estão na Comunidade Europeia e os produtos são meios de transporte (carro, navio, avião), o VAT padrão é 0 (O VAT deverá ser pago pelo comprador à receita federal do seu país e não ao vendedor). Fim da regra.
Se o vendedor e o comprador estão na Comunidade Europeia e o comprador não é uma pessoa jurídica, então o VAT por padrão é o VAT do produto vendido. Fim da regra.
Se o vendedor e o comprador estão na Comunidade Europeia e o comprador é uma pessoa jurídica, então o VAT é 0 por padrão . Fim da regra.
Em qualquer outro caso o padrão proposto é ICMS=0. Fim da regra. VATIsNotUsedDesc=Por padrão o ICMS sugerido é 0, o que pode ser usado em casos tipo associações, pessoas ou pequenas empresas. @@ -841,7 +837,6 @@ Delays_MAIN_DELAY_ACTIONS_TODO=Prazo de tolerância (em dias) antes do alerta so Delays_MAIN_DELAY_PROJECT_TO_CLOSE=Prazo de tolerância (em dias) antes do alerta sobre projetos não concluídos a tempo Delays_MAIN_DELAY_TASKS_TODO=Prazo de tolerância (em dias) antes do alerta sobre as tarefas planejadas (tarefas de projeto) ainda não concluídas Delays_MAIN_DELAY_ORDERS_TO_PROCESS=Prazo de tolerância (em dias) antes do alerta sobre pedidos ainda não processados -Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Prazo de tolerância (em dias) antes do alerta sobre pedidos a fornecedores ainda não processados Delays_MAIN_DELAY_PROPALS_TO_CLOSE=Prazo de tolerância (em dias) antes do aviso nos orçamentos que não foram fechados Delays_MAIN_DELAY_PROPALS_TO_BILL=Prazo de tolerância (em dias) antes do aviso nos orçamentos não faturadas Delays_MAIN_DELAY_NOT_ACTIVATED_SERVICES=Prazo de tolerância (em dias) antes do aviso nos serviços para ativar diff --git a/htdocs/langs/pt_BR/banks.lang b/htdocs/langs/pt_BR/banks.lang index ff300df0cb6ad..8ac26437ded4e 100644 --- a/htdocs/langs/pt_BR/banks.lang +++ b/htdocs/langs/pt_BR/banks.lang @@ -1,5 +1,4 @@ # Dolibarr language file - Source file is en_US - banks -MenuBankCash=Banco/Caixa BankAccounts=Contas bancárias ShowAccount=Mostrar conta AccountRef=Ref. da conta financeira @@ -105,7 +104,6 @@ PaymentDateUpdateSucceeded=Data de pagamento atualizada com sucesso PaymentDateUpdateFailed=Data de pagamento não foi possível ser atualizada Transactions=Transações BankTransactionLine=Entrada no bancária -AllAccounts=Todas contas bancária/caixa BackToAccount=Voltar para conta ShowAllAccounts=Mostrar todas as contas FutureTransaction=Transação futura. Não pode ser conciliada. diff --git a/htdocs/langs/pt_BR/bills.lang b/htdocs/langs/pt_BR/bills.lang index 8f83350f623fe..bee5a02eaadf5 100644 --- a/htdocs/langs/pt_BR/bills.lang +++ b/htdocs/langs/pt_BR/bills.lang @@ -41,7 +41,6 @@ InvoiceCustomer=Fatura de cliente CustomerInvoice=Fatura de cliente CustomersInvoices=Faturas de clientes SupplierInvoice=Fatura de fornecedor -SuppliersInvoices=Faturas de fornecedores SupplierBill=Fatura de fornecedor SupplierBills=Faturas de fornecedores PaymentBack=Reembolso de pagamento @@ -85,7 +84,6 @@ SearchASupplierInvoice=Procurar fatura de fornecedor SendRemindByMail=Enviar Lembrete por e-mail DoPayment=Digite o pagamento DoPaymentBack=Insira o reembolso -ConvertExcessReceivedToReduc=Converta o excesso recebido em desconto futuro EnterPaymentReceivedFromCustomer=Entrar pagamento recebido de cliente EnterPaymentDueToCustomer=Realizar pagamento devido para cliente DisabledBecauseRemainderToPayIsZero=Desabilitado porque o restante a pagar é zero @@ -196,7 +194,6 @@ RefBill=Ref. de fatura ToBill=Faturar SendBillByMail=Enviar a fatura por e-mail SendReminderBillByMail=Enviar o restante por e-mail -RelatedCommercialProposals=Orçamentos relacionados RelatedRecurringCustomerInvoices=Faturas recorrentes relacionadas ao cliente MenuToValid=Validar DateMaxPayment=Pagamento devido em diff --git a/htdocs/langs/pt_BR/compta.lang b/htdocs/langs/pt_BR/compta.lang index f5aefa010efcb..ac9ed1e681b85 100644 --- a/htdocs/langs/pt_BR/compta.lang +++ b/htdocs/langs/pt_BR/compta.lang @@ -15,7 +15,6 @@ Accountparent=Conta principal Accountsparent=Conta principal Income=Rendimentos MenuReportInOut=Rendimentos/Despesas -ReportTurnover=Faturamento PaymentsNotLinkedToInvoice=pagamentos vinculados a Nenhuma fatura, por o que nenhum Fornecedor PaymentsNotLinkedToUser=pagamentos não vinculados a um usuário Profit=Lucro @@ -90,8 +89,6 @@ CustomerAccountancyCode=Código contábil do cliente CustomerAccountancyCodeShort=Cod. cont. cli. SupplierAccountancyCodeShort=Cod. cont. forn. AccountNumber=Número da conta -SalesTurnover=Faturamento de vendas -SalesTurnoverMinimum=Volume de negócios mínimo de vendas ByExpenseIncome=Por despesas & receitas ByThirdParties=Por Fornecedor CheckReceipt=Depósito de cheque @@ -109,8 +106,6 @@ ConfirmDeleteSocialContribution=Quer mesmo excluir este pagamento de contribuiç ExportDataset_tax_1=Encargos fiscais e sociais e pagamentos CalcModeVATDebt=Modo% S VAT compromisso da contabilidade% s. CalcModeVATEngagement=Modo% SVAT sobre os rendimentos e as despesas% s. -CalcModeDebt=Modo % s declarações de dívidas% s diz Compromisso da contabilidade . -CalcModeEngagement=Modo % s rendimentos e as despesas% s contabilidade do caixa > CalcModeBookkeeping=Análise de dados periodizados na tabela Razão da Contabilidade CalcModeLT1=Modo %sRE nas faturas dos clientes - faturas dos fornecedores%s CalcModeLT1Debt=Modo %sRE nas faturas dos clientes%s @@ -123,7 +118,6 @@ AnnualSummaryInputOutputMode=Balanço de receitas e despesas, resumo anual AnnualByCompanies=Saldo de receitas e despesas, por grupos de conta predefinidos AnnualByCompaniesDueDebtMode=Saldo de receitas e despesas, detalhe por grupos predefinidos, modo %sClaims-Debts%s disse Contabilidade de Compromisso . AnnualByCompaniesInputOutputMode=Saldo de receitas e despesas, detalhe por grupos predefinidos, modo %sIncomes-Expenses%s chamada fluxo de caixa . -SeeReportInBookkeepingMode=Consulte o relatório %sBookeeping%s para um cálculo em análise da tabela de contabilidade RulesAmountWithTaxIncluded=- Valores apresentados estão com todos os impostos incluídos RulesResultDue=- Isto inclui as faturas vencidas, despesas, ICMS (VAT), doações, pagas ou não. Isto também inclui os salários pagos.
- Isto isto baseado na data de validação das faturas e ICMS (VAT) e nas datas devidas para as despesas. Para os salários definidos com o módulo Salário, é usado o valor da data do pagamento. RulesResultInOut=- Isto inclui os pagamentos reais feitos nas faturas, despesas, ICMS (VAT) e salários.
- Isto é baseado nas datas de pagamento das faturas, despesas, ICMS (VAT) e salários. A data de doação para a doação. diff --git a/htdocs/langs/pt_BR/ecm.lang b/htdocs/langs/pt_BR/ecm.lang index 9c25161a213f5..f1c0c8b5d4404 100644 --- a/htdocs/langs/pt_BR/ecm.lang +++ b/htdocs/langs/pt_BR/ecm.lang @@ -33,4 +33,3 @@ DirNotSynchronizedSyncFirst=Este diretório parece ser criado ou modificado fora ReSyncListOfDir=Sincronizar lista de diretórios HashOfFileContent=Hash do conteúdo do arquivo FileNotYetIndexedInDatabase=Arquivo ainda não indexado no banco de dados (tente voltar a carregá-lo) -FileSharedViaALink=Arquivo compartilhado via um link diff --git a/htdocs/langs/pt_BR/paypal.lang b/htdocs/langs/pt_BR/paypal.lang index e7c70788b1b2a..59af70c7c2e8a 100644 --- a/htdocs/langs/pt_BR/paypal.lang +++ b/htdocs/langs/pt_BR/paypal.lang @@ -11,9 +11,9 @@ PAYPAL_SSLVERSION=Versão do SSL do cURL PAYPAL_API_INTEGRAL_OR_PAYPALONLY=Oferecer pagamento "integral" (Cartao de credito + Paypal) ou somente "Paypal" PaypalModeIntegral=Integralmente PaypalModeOnlyPaypal=PayPal apenas +ONLINE_PAYMENT_CSS_URL=URL opcional de CSS na página de pagamento ThisIsTransactionId=Eis o id da transação: %s PAYPAL_ADD_PAYMENT_URL=Adicionar URL do pagamento Paypal quando se envia o documento por e-mail -PredefinedMailContentLink=Clique no link seguro abaixo para fazer o pagamento (PayPal) se nao esta ainda effetuado.⏎\n⏎\n%s⏎\n⏎\n YouAreCurrentlyInSandboxMode=No momento você está no %s modo "caixa de areia" NewOnlinePaymentFailed=Foi tentado novo pagamento online, mas sem hêxito ONLINE_PAYMENT_SENDEMAIL=Endereço e-mail para aviso apos o pagamento (positivo ou nao) @@ -26,3 +26,4 @@ DetailedErrorMessage=Mensagem de erro detalhada ShortErrorMessage=Mensagem curta de erro ErrorCode=Código do erro ErrorSeverityCode=Erro grave de código +PaypalLiveEnabled=Paypal live ativado (caso contrário, teste/modo caixa de areia) diff --git a/htdocs/langs/pt_BR/products.lang b/htdocs/langs/pt_BR/products.lang index d20684b990ab6..24db0fb3403b0 100644 --- a/htdocs/langs/pt_BR/products.lang +++ b/htdocs/langs/pt_BR/products.lang @@ -144,8 +144,7 @@ PriceMode=Modo de Preço DefaultPrice=Preço padrão ComposedProductIncDecStock=Aumento/diminuição do estoque, armazém, atual ComposedProduct=Sub-produto -MinSupplierPrice=Preço mínimo fornecedor -MinCustomerPrice=Preço de cliente mínimo +MinSupplierPrice=Preco de compra minimo DynamicPriceConfiguration=Configuração de preço dinâmico AddVariable=Adicionar Variável AddUpdater=Adicionar atualizador diff --git a/htdocs/langs/pt_BR/propal.lang b/htdocs/langs/pt_BR/propal.lang index db402e157d584..c32b52034d654 100644 --- a/htdocs/langs/pt_BR/propal.lang +++ b/htdocs/langs/pt_BR/propal.lang @@ -1,15 +1,24 @@ # Dolibarr language file - Source file is en_US - propal ProposalShort=Proposta +ProposalsDraft=Orçamentos Rascunho ProposalsOpened=Propostas comerciais abertas ProposalCard=Cartao de proposta +NewProp=Novo Orçamento +NewPropal=Novo Orçamento +DeleteProp=Eliminar Orçamento ValidateProp=Confirmar Orçamento AddProp=Criar proposta ConfirmDeleteProp=Tem certeza que quer apagar esta proposta comercial? ConfirmValidateProp=Tem certeza que quer validar esta proposta comercial sob o nome %s? LastPropals=Últimas %s propostas LastModifiedProposals=Últimas %s propostas modificadas +AllPropals=Todos Os Orçamentos +SearchAProposal=Procurar um Orçamento NoProposal=Sem propostas +ProposalsStatistics=Estatísticas de Orçamentos AmountOfProposalsByMonthHT=Valor por Mês (sem ICMS) +NbOfProposals=Número Orçamentos +ShowPropal=Ver Orçamento PropalsOpened=Aberto PropalStatusDraft=Rascunho (a Confirmar) PropalStatusValidated=Validado (a proposta esta em aberto) @@ -19,13 +28,17 @@ PropalStatusClosedShort=Encerrado PropalStatusNotSignedShort=Sem Assinar PropalsToClose=Orçamentos a Fechar PropalsToBill=Orçamentos Assinados a Faturar +ListOfProposals=Lista de Orçamentos ActionsOnPropal=Ações sobre o Orçamento +RefProposal=Ref. Orçamento +SendPropalByMail=Enviar Orçamento por E-mail DatePropal=Data da Proposta ValidityDuration=Validade da proposta CloseAs=Configurar status para SetAcceptedRefused=Configurar aceito/recusado AddToDraftProposals=Adicionar a projeto de proposta NoDraftProposals=Não há projetos de propostas +CopyPropalFrom=Criar orçamento por Cópia de um existente CreateEmptyPropal=Criar orçamento a partir da Lista de produtos predefinidos DefaultProposalDurationValidity=Prazo de validez por default (em dias) UseCustomerContactAsPropalRecipientIfExist=Utilizar endereço contato de seguimento de cliente definido em vez do endereço do Fornecedor como destinatário dos Orçamentos @@ -42,6 +55,7 @@ AvailabilityTypeAV_1M=1 mes TypeContact_propal_internal_SALESREPFOLL=Representante seguindo a proposta TypeContact_propal_external_BILLING=Contato da fatura cliente TypeContact_propal_external_CUSTOMER=Contato cliente seguindo a proposta +DocModelAzurDescription=Modelo de orçamento completo (logo...) DefaultModelPropalCreate=Criaçao modelo padrao DefaultModelPropalToBill=Modelo padrao no fechamento da proposta comercial ( a se faturar) DefaultModelPropalClosed=Modelo padrao no fechamento da proposta comercial (nao faturada) diff --git a/htdocs/langs/pt_BR/sendings.lang b/htdocs/langs/pt_BR/sendings.lang index 64c08d5cd39f7..620d39d528bcb 100644 --- a/htdocs/langs/pt_BR/sendings.lang +++ b/htdocs/langs/pt_BR/sendings.lang @@ -1,5 +1,6 @@ # Dolibarr language file - Source file is en_US - sendings RefSending=Ref. Envio +Sending=Envio AllSendings=Todos os embarques ShowSending=Mostrar envios Receivings=Recibos de entrega @@ -9,6 +10,7 @@ SendingCard=Cartão de embarque QtyReceived=Quant. Recibida KeepToShip=Permaneça para enviar SendingsAndReceivingForSameOrder=Envios e recibos para esse pedido +SendingsToValidate=Envios a Confirmar 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/stocks.lang b/htdocs/langs/pt_BR/stocks.lang index a18e1cc1e6888..136d269477961 100644 --- a/htdocs/langs/pt_BR/stocks.lang +++ b/htdocs/langs/pt_BR/stocks.lang @@ -39,7 +39,6 @@ DeStockOnValidateOrder=Decrementar os estoques físicos sobre os pedidos DeStockOnShipment=Diminuir o estoque real na validação do envio DeStockOnShipmentOnClosing=Baixa real no estoque ao classificar o embarque como fechado ReStockOnBill=Incrementar os estoques físicos sobre as faturas/recibos -ReStockOnValidateOrder=Incrementar os estoques físicos sobre os pedidos OrderStatusNotReadyToDispatch=Não tem ordem ainda não ou nato tem um status que permite envio de produtos em para armazenamento. NoPredefinedProductToDispatch=Não há produtos pré-definidos para este objeto. Portanto, não envio em estoque é necessária. DispatchVerb=Despachar diff --git a/htdocs/langs/pt_BR/users.lang b/htdocs/langs/pt_BR/users.lang index a13ec59c2d393..36a506f9d86e8 100644 --- a/htdocs/langs/pt_BR/users.lang +++ b/htdocs/langs/pt_BR/users.lang @@ -43,7 +43,6 @@ PasswordChangeRequest=Pedido para alterar a senha para %s PasswordChangeRequestSent=Solicitação para alterar a senha para %s enviada a %s. ConfirmPasswordReset=Confirmar restauração da senha MenuUsersAndGroups=Usuários e Grupos -LastGroupsCreated=Últimos %s grupos criados LastUsersCreated=Últimos %s usuários criados ShowGroup=Visualizar grupo ShowUser=Visualizar usuário diff --git a/htdocs/langs/pt_PT/accountancy.lang b/htdocs/langs/pt_PT/accountancy.lang index 4405d82d28781..9d552969aa084 100644 --- a/htdocs/langs/pt_PT/accountancy.lang +++ b/htdocs/langs/pt_PT/accountancy.lang @@ -55,6 +55,7 @@ AccountancyAreaDescChartModel=PASSO %s: Crie um modelo de gráfico de conta no m AccountancyAreaDescChart=PASSO %s: Criar or verificar conteúdo do seu gráfico de conta no menu %s AccountancyAreaDescVat=PASSO %s: Defina a conta contabilística para cada taxa de IVA. Para tal pode usar a entrada %s do menu. +AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. AccountancyAreaDescExpenseReport=PASSO %s: Defina a conta contabilística para o relatório de despesa. Para tal pode usar a entrada do menu %s. AccountancyAreaDescSal=PASSO %s: Defina a conta contabilística para o pagamento de salários. Para tal pode usar a entrada do menu %s. AccountancyAreaDescContrib=PASSO %s: Defina a conta contabilística para despesas especiais (outros impostos). Para tal pode usar a entrada do menu %s. @@ -131,6 +132,7 @@ ACCOUNTING_LENGTH_GACCOUNT=Tamanho das contas contabilísticas gerais (se defini ACCOUNTING_LENGTH_AACCOUNT=Tamanho das contas contabilísticas de terceiros (se definir o valor deste campo a 6, então a conta '401' irá ser mostrada como '401000') ACCOUNTING_MANAGE_ZERO=Permitir a gestão do número de zeros no fim da designação da conta contabilística. Isto é necessário em alguns países (como a Suíça). Se desativada (por defeito), você poderá definir os 2 seguintes parâmetros de forma a que a aplicação adicione zeros virtualmente. BANK_DISABLE_DIRECT_INPUT=Desactivar a gravação direta de transação na conta bancária +ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Enable draft export on journal ACCOUNTING_SELL_JOURNAL=Diário de vendas ACCOUNTING_PURCHASE_JOURNAL=Diário de compras @@ -179,7 +181,7 @@ ThirdpartyAccountNotDefined=Conta para terceiros não definido ProductAccountNotDefined=Conta para o produto não definido FeeAccountNotDefined=Conta para o honorário não definida BankAccountNotDefined=Conta de banco não definida -CustomerInvoicePayment=Pagamento de fatura de cliente +CustomerInvoicePayment=Pagamento de fatura a cliente ThirdPartyAccount=Third party account NewAccountingMvt=Nova transação NumMvts=Número da transação diff --git a/htdocs/langs/pt_PT/admin.lang b/htdocs/langs/pt_PT/admin.lang index f2be6450c9d3f..0bd9d6a397018 100644 --- a/htdocs/langs/pt_PT/admin.lang +++ b/htdocs/langs/pt_PT/admin.lang @@ -269,11 +269,11 @@ MAIN_MAIL_SMTP_SERVER=Servidor SMTP/SMTPS (Por predefinição no php.ini: %s< MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=Porta do servidor SMTP (Não definido em PHP em sistemas de tipo Unix) MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=Servidor SMTP/SMTPS (Não definido em PHP em sistemas de tipo Unix) MAIN_MAIL_EMAIL_FROM=Email do emissor para envios email automáticos (Por defeito em php.ini: %s) -MAIN_MAIL_ERRORS_TO=Eemail used for error returns emails (fields 'Errors-To' in emails sent) +MAIN_MAIL_ERRORS_TO=Remetente de email usado para emails enviados que retornaram erro MAIN_MAIL_AUTOCOPY_TO= Enviar sistematicamente uma cópia carbono de todos os emails enviados para MAIN_DISABLE_ALL_MAILS=Desativar globalmente todo o envio de emails (para fins de teste ou demonstrações) MAIN_MAIL_FORCE_SENDTO=Enviar todos os e-mails para (em vez de enviar para destinatários reais, para fins de teste) -MAIN_MAIL_ENABLED_USER_DEST_SELECT=Add employees users with email into allowed destinaries list +MAIN_MAIL_ENABLED_USER_DEST_SELECT=Adicionar funcionários utilizadores com e-mail à lista de destinatários permitidos MAIN_MAIL_SENDMODE=Método de envio de emails MAIN_MAIL_SMTPS_ID=ID SMTP, se necessário a autenticação MAIN_MAIL_SMTPS_PW=Palavra-passe de SMTP, se necessário a autenticação @@ -292,7 +292,7 @@ ModuleSetup=Configuração do módulo ModulesSetup=Módulos/Aplicação - Configuração ModuleFamilyBase=Sistema ModuleFamilyCrm=Gestão do Relacionamento com o Cliente (CRM) -ModuleFamilySrm=Vendor Relation Management (VRM) +ModuleFamilySrm=Gestão de Relações com Fornecedores (GRF) ModuleFamilyProducts=Gestão de Productos (PM) ModuleFamilyHr=Gestão de Recursos Humanos (HR) ModuleFamilyProjects=Projetos/Trabalho cooperativo @@ -374,8 +374,8 @@ NoSmsEngine=Nenhum mecanismo de envio de SMS disponível. Mecanismos de SMS, nã PDF=PDF PDFDesc=Você pode definir cada uma das opções globais relacionadas com a criação de PDF PDFAddressForging=Regras para criar caixas de endereço -HideAnyVATInformationOnPDF=Hide all information related to Sales tax / VAT on generated PDF -PDFRulesForSalesTax=Rules for Sales Tax / VAT +HideAnyVATInformationOnPDF=Ocultar todas as informações relacionadas com Imposto sobre Vendas / IVA em PDFs gerados +PDFRulesForSalesTax=Regras para Imposto sobre Vendas / IVA PDFLocaltax=Regras para %s HideLocalTaxOnPDF=Ocultar taxa %s na coluna de impostos do PDF HideDescOnPDF=Ocultar a descrição dos produtos no PDF gerado @@ -454,7 +454,7 @@ ModuleCompanyCodeDigitaria=O código de contabilidade depende do código de terc Use3StepsApproval=Por padrão, as ordens de compra precisam ser criadas e aprovadas por 2 usuários diferentes (um passo / usuário para criar e um passo / usuário para aprovar. Note que, se o usuário tiver permissão para criar e aprovar, um passo / usuário será suficiente) . Você pode solicitar esta opção para introduzir uma terceira etapa / aprovação do usuário, se o valor for superior a um valor dedicado (então serão necessárias 3 etapas: 1 = validação, 2 = primeira aprovação e 3 = segunda aprovação se a quantidade for suficiente). 1
Defina isto como vazio se uma aprovação (2 etapas) for suficiente, ajuste-o para um valor muito baixo (0,1) se uma segunda aprovação (3 etapas) for sempre necessária. UseDoubleApproval=Utilizar uma aprovação de 3 etapas quando o valor (sem impostos) for superior a... WarningPHPMail=WARNING: It is often better to setup outgoing emails to use the email server of your provider instead of the default setup. Some email providers (like Yahoo) does not allow you to send an email from another server than their own server. Your current setup use 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 a server of them, so few of your sent Emails may not be accepted (be carefull also to your email provider sending quota).
If your Email provider (like Yahoo) has this restriction, you must change Email setup to choose the other method "SMTP server" and enter the SMTP server and credentials provided by your Email provider (ask your EMail provider to get SMTP credentials for your account). -WarningPHPMail2=Se o seu serviço de e-mail SMTP restringir o cliente de e-mail a alguns endereços IP (muito raro), utilize o seguinte endereço IP da sua instalação Dolibarr: %s. +WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of the mail user agent (MUA) for your ERP CRM application: %s. ClickToShowDescription=Clique para mostrar a descrição DependsOn=Este módulo depende do(s) módulo(s) RequiredBy=Este módulo é necessário para o(s) módulo(s) @@ -473,10 +473,10 @@ WatermarkOnDraftExpenseReports=Marca d'água nos rascunhos de relatórios de des AttachMainDocByDefault=Defina isto como 1 se desejar anexar o documento principal ao email por defeito (se aplicável) FilesAttachedToEmail=Anexar ficheiro SendEmailsReminders=Envie lembretes da agenda por e-mails -davDescription=Add a component to be a DAV server -DAVSetup=Setup of module DAV -DAV_ALLOW_PUBLIC_DIR=Enable the public directory (WebDav directory with no login required) -DAV_ALLOW_PUBLIC_DIRTooltip=The WebDav public directory is a WebDAV directory everybody can access to (in read and write mode), with no need to have/use an existing login/password account. +davDescription=Adicionar um componente para ser um servidor DAV +DAVSetup=Configuração do módulo DAV +DAV_ALLOW_PUBLIC_DIR=Ativar o diretório público (diretório WebDav sem necessidade de iniciar sessão) +DAV_ALLOW_PUBLIC_DIRTooltip=O diretório público WebDav é um diretório ao qual todos podem aceder (no modo de leitura e escrita), sem necessidade de ter/usar uma conta de login/senha existente. # Modules Module0Name=Utilizadores e grupos Module0Desc=Gestão de Utilizadores / Funcionários e Grupos @@ -487,7 +487,7 @@ Module2Desc=Gestão comercial Module10Name=Contabilidade Module10Desc=Simple accounting reports (journals, turnover) based onto database content. Does not use any ledger table. Module20Name=Orçamentos -Module20Desc=Gestão de orçamentos para clientes +Module20Desc=Gestão de orçamentos Module22Name=Emails em massa Module22Desc=Gestão de emails em massa Module23Name=Energia @@ -497,7 +497,7 @@ Module25Desc=Gestão de encomendas de clientes Module30Name=Faturas Module30Desc=Gestão de faturas e notas de crédito de clientes. Gestão de faturas de fornecedores Module40Name=Fornecedores -Module40Desc=Gestão de fornecedores (encomendas e faturas) +Module40Desc=Suppliers and purchase management (purchase orders and billing) Module42Name=Registos Debug Module42Desc=Funções de registo de eventos (ficheiro, registo do sistema, ...). Tais registos, são para fins técnicos/depuração. Module49Name=Editores @@ -549,10 +549,10 @@ Module320Desc=Adicionar feed RSS às páginas Dolibarr Module330Name=Marcadores Module330Desc=Gestão de marcadores Module400Name=Projetos/Oportunidades/Leads -Module400Desc=Gestão de projetos, oportunidades/leads e/ou tarefas. Você também pode atribuir qualquer elemento (fatura, encomenda, orçamento, intervenção, ...) a um projeto e obter uma visão transversal do projeto. +Module400Desc=Gestão de projetos, oportunidades e/ou tarefas. Também pode atribuir qualquer elemento (fatura, encomenda, orçamento, intervenção, ...) a um projeto e obter uma visão transversal do projeto. Module410Name=Webcalendar Module410Desc=Integração com Webcalendar -Module500Name=Taxes and Special expenses +Module500Name=Impostos e Despesas especiais Module500Desc=Management of other expenses (sale taxes, social or fiscal taxes, dividends, ...) Module510Name=Pagamento dos salários dos empregados Module510Desc=Registe e dê seguimento aos pagamentos dos salários dos seus funcionários @@ -567,8 +567,8 @@ Module700Name=Donativos Module700Desc=Gestão de donativos Module770Name=Relatórios de despesas Module770Desc=Gestão e reivindicação de relatórios de despesas (deslocação, refeição, ...) -Module1120Name=Vendor commercial proposal -Module1120Desc=Request vendor commercial proposal and prices +Module1120Name=Orçamentos de fornecedor +Module1120Desc=Solicitar orçamento e preços do fornecedor Module1200Name=Mantis Module1200Desc=Integração com Mantis Module1520Name=Criação de documentos @@ -605,7 +605,7 @@ Module4000Desc=Gestão de recursos humanos (gestão de departamento e contratos Module5000Name=Multiempresa Module5000Desc=Permite-lhe gerir várias empresas Module6000Name=Fluxo de trabalho -Module6000Desc=Gestão do fluxo de trabalho +Module6000Desc=Workflow management (automatic creation of object and/or automatic status change) Module10000Name=Sites da Web Module10000Desc=Crie sites públicos com um editor WYSIWYG. Basta configurar seu servidor web (Apache, Nginx, ...) para apontar para o diretório Dolibarr dedicado para tê-lo online na Internet com seu próprio nome de domínio. Module20000Name=Gestão de pedidos de licença @@ -639,13 +639,13 @@ Permission14=Validar faturas a clientes Permission15=Enviar faturas a clientes por email Permission16=Emitir pagamentos para faturas a clientes Permission19=Eliminar faturas a clientes -Permission21=Consultar orçamentos a clientes -Permission22=Criar/Modificar orçamentos a clientes -Permission24=Confirmar orçamentos a clientes -Permission25=Enviar orçamentos a clientes -Permission26=Fechar orçamentos para clientes -Permission27=Eliminar orçamentos a clientes -Permission28=Exportar orçamentos a clientes +Permission21=Consultar orçamentos +Permission22=Criar/Modificar orçamentos +Permission24=Validar orçamentos +Permission25=Enviar orçamentos +Permission26=Fechar orçamentos +Permission27=Eliminar orçamentos +Permission28=Exportar orçamentos Permission31=Consultar produtos Permission32=Criar/Modificar produtos Permission34=Eliminar produtos @@ -755,7 +755,7 @@ PermissionAdvanced253=Criar/modificar utilizadores internos/externos e permissõ Permission254=Criar/modificar apenas utilizadores externos Permission255=Modificar a palavra-passe de outros utilizadores Permission256=Eliminar ou desativar outros utilizadores -Permission262=Extender o acesso do utilizador a todos os terceiros (e não apenas aos clientes dos quais o utilizador é representante de vendas).
Não é eficaz para utilizadores externos (sempre limitados aos orçamentos, encomendas, faturas, etc. que são deles)
Não é eficaz para projetos (apenas regras em termos de permissões, visibilidade e atribuição de projeto é que importam). +Permission262=Estender o acesso para todos os terceiros (e não apenas aos terceiros que o utilizador é representante de vendas).
Não eficiente para os utilizadores externos (sempre limitados aos orçamentos, encomendas, faturas, contratos, etc., dos mesmos)
Não eficiente para os projetos (apenas regras nas permissões do projeto, visibilidade e atribuição de assuntos). Permission271=Consultar CA Permission272=Consultar faturas Permission273=Emitir fatura @@ -891,7 +891,7 @@ DictionaryCivility=Títulos pessoais e profissionais DictionaryActions=Tipos de eventos da agenda DictionarySocialContributions=Tipos de impostos sociais ou fiscais DictionaryVAT=Taxa de IVA -DictionaryRevenueStamp=Quantidade de sêlos fiscais +DictionaryRevenueStamp=Amount of tax stamps DictionaryPaymentConditions=Condições de pagamento DictionaryPaymentModes=Métodos de pagamento DictionaryTypeContact=Tipos de contacto/endereço @@ -904,7 +904,7 @@ DictionarySendingMethods=Métodos de expedição DictionaryStaff=Empregados DictionaryAvailability=Atraso na entrega DictionaryOrderMethods=Métodos de encomenda -DictionarySource=Origem de orçamentos/encomendas +DictionarySource=Origem dos orçamentos/encomendas DictionaryAccountancyCategory=Grupos personalizados para os relatórios DictionaryAccountancysystem=Modelos para o gráfíco de contas DictionaryAccountancyJournal=Diários contabilisticos @@ -919,7 +919,7 @@ SetupSaved=Configuração guardada SetupNotSaved=A configuração não foi guardada BackToModuleList=Voltar à lista de módulos BackToDictionaryList=Voltar à lista de dicionários -TypeOfRevenueStamp=Tipo de selo fiscal +TypeOfRevenueStamp=Type of tax stamp VATManagement=Gestão de IVA VATIsUsedDesc=Por defeito, quando prospeções; faturas; encomendas; etc. são criadas, a taxa de IVA segue a seguinte regra:
Se o vendedor não estiver sujeito a IVA, então este é igual a 0. Fim da regra.
Se o país de venda for igual ao país de compra, então o valor do IVA passa a ser o aplicado no país de venda. Fim da regra.
Se o vendedor e o comprador fizerem parte da União Europeia e os bens forem produtos de transporte (carro, navio, avião), o IVA é 0 (o IVA deverá ser pago pelo comprador à alfândega do seu país, e não ao vendedor). Fim da regra.
Se o vendedor e o comprador fizerem parte da União Europeia e o comprador não for uma empresa, então o IVA é igual ao IVA aplicado no produto vendido. Fim da regra.
Se o vendedor e o comprador fizerem parte da União Europeia e o comprador for uma empresa, então o IVA é igual a 0. Fim da regra.
Noutros casos o IVA por defeito é igual a 0. Fim da regra. VATIsNotUsedDesc=O tipo de IVA proposto por defeito é 0, este pode ser usado em casos como associações, indivíduos ou pequenas empresas. @@ -1027,9 +1027,9 @@ Delays_MAIN_DELAY_ACTIONS_TODO=Tolerância de atraso (em dias) antes da emissão Delays_MAIN_DELAY_PROJECT_TO_CLOSE=Tolerância de atraso (em dias) antes da emissão de um alerta para projetos não fechados dentro da data limite Delays_MAIN_DELAY_TASKS_TODO=Tolerância de atraso (em dias) antes da emissão de alertas para tarefas planeadas (tarefas de projeto) ainda não concluídas Delays_MAIN_DELAY_ORDERS_TO_PROCESS=Tolerância de atraso (em dias) antes da emissão de um alerta para encomendas de cleintes não processadas -Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Tolerância de atraso (em dias) antes da emissão de um alerta para encomendas a fornecedor não processadas -Delays_MAIN_DELAY_PROPALS_TO_CLOSE=Tolerância (em dias) antes da emissão do alerta para orçamentos a fechar -Delays_MAIN_DELAY_PROPALS_TO_BILL=Tolerância (em dias) antes da emissão do alerta para orçamentos não faturados +Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on purchase orders not processed yet +Delays_MAIN_DELAY_PROPALS_TO_CLOSE=Tolerância de atraso (em dias) antes de alertar nos orçamentos a fechar +Delays_MAIN_DELAY_PROPALS_TO_BILL=Tolerância de atraso (em dias) antes de alertar nos orçamentos não faturados Delays_MAIN_DELAY_NOT_ACTIVATED_SERVICES=Tolerância de atraso (em dias) antes da emissão de um alerta para serviços por ativar Delays_MAIN_DELAY_RUNNING_SERVICES=Tolerância de atraso (em dias) antes da emissão de um alerta para serviços expirados Delays_MAIN_DELAY_SUPPLIER_BILLS_TO_PAY=Tolerância de atraso (em dias) antes da emissão de um alerta para faturas de fornecedores por pagar @@ -1232,22 +1232,22 @@ PaymentsNumberingModule=Modelo de numeração de pagamentos SuppliersPayment=Pagamentos a fornecedores SupplierPaymentSetup=Configuração de pagamentos a fornecedores ##### Proposals ##### -PropalSetup=Configuração do módulo "Orçamentos para clientes" -ProposalsNumberingModules=Modelos de numeração de orçamentos para clientes -ProposalsPDFModules=Modelos de documentos de orçamentos para clientes -FreeLegalTextOnProposal=Texto livre em orçamentos para clientes -WatermarkOnDraftProposal=Marca d'água em rascunhos de orçamentos para clientes (nenhuma não preenchido) -BANK_ASK_PAYMENT_BANK_DURING_PROPOSAL=Pedir conta bancária destinatária do orçamento +PropalSetup=Configuração do módulo de orçamentos +ProposalsNumberingModules=Modelos de numeração do orçamento +ProposalsPDFModules=Modelos de documentos de orçamento +FreeLegalTextOnProposal=Texto livre nos orçamentos +WatermarkOnDraftProposal=Marca de água nos orçamentos rascunhos (nenhuma, se vazio) +BANK_ASK_PAYMENT_BANK_DURING_PROPOSAL=Pedir por conta bancária do destino do orçamento ##### SupplierProposal ##### -SupplierProposalSetup=Price requests vendors module setup -SupplierProposalNumberingModules=Price requests vendors numbering models -SupplierProposalPDFModules=Price requests vendors documents models -FreeLegalTextOnSupplierProposal=Free text on price requests vendors -WatermarkOnDraftSupplierProposal=Watermark on draft price requests vendors (none if empty) +SupplierProposalSetup=Configuração do módulo Orçamentos de Fornecedores +SupplierProposalNumberingModules=Modelos de numeração para orçamentos de fornecedores +SupplierProposalPDFModules=Modelos de documentos para orçamentos de fornecedores +FreeLegalTextOnSupplierProposal=Texto livre em orçamentos de fornecedores +WatermarkOnDraftSupplierProposal=Marca d'água nos documentos rascunho de orçamentos de fornecedores (nenhuma se vazio) BANK_ASK_PAYMENT_BANK_DURING_SUPPLIER_PROPOSAL=Pedir conta bancária destinatária da solicitação de preço WAREHOUSE_ASK_WAREHOUSE_DURING_ORDER=Pedir qual o armazém origem para a encomenda ##### Suppliers Orders ##### -BANK_ASK_PAYMENT_BANK_DURING_SUPPLIER_ORDER=Ask for bank account destination of purchase order +BANK_ASK_PAYMENT_BANK_DURING_SUPPLIER_ORDER=Pedir conta bancária destinatária para encomendas a fornecedores ##### Orders ##### OrdersSetup=Configuração do módulo "Encomendas" OrdersNumberingModules=Modelos de numeração de encomendas @@ -1439,13 +1439,13 @@ ServiceSetup=Configuração do módulo "Serviços" ProductServiceSetup=Configuração do módulo "Produtos e Serviços" NumberOfProductShowInSelect=Nº máximo de produtos apresentados em listas (0=sem limite) ViewProductDescInFormAbility=Visualização das descrições dos produtos nos formulários (de outra forma serão apresentados em popups) -MergePropalProductCard=Ative no separador "Ficheiros anexados" do cartão de produto/serviço a opção para unir o documento PDF do produto/serviço ao documento PDF do orçamento, isto se o produto/serviço se encontrar no orçamento +MergePropalProductCard=Ative no separador "Ficheiros Anexados" do produto/serviço uma opção para unir o documento em PDF ao orçamento em PDF, se o produto/serviço estiver no orçamento ViewProductDescInThirdpartyLanguageAbility=Visualização das descrições de produtos na língua do terceiro UseSearchToSelectProductTooltip=Se você tiver grande número de produtos (> 100 000), você pode aumentar a velocidade, definindo a constante PRODUCT_DONOTSEARCH_ANYWHERE para 1 em Configuração -> Outros. A pesquisa será então limitada ao início da sequência de caracteres. UseSearchToSelectProduct=Aguardar até que seja preenchido parte do campo antes de carregar o conteúdo da lista de produtos (isto pode aumentar o desempenho se você tiver um grande número de produtos, mas é menos conveniente) SetDefaultBarcodeTypeProducts=Tipo de código de barras predefinido para produtos SetDefaultBarcodeTypeThirdParties=Tipo de código de barras predefinido para terceiros -UseUnits=Defina uma unidade de medida para o campo "Quantidade" durante a edição de uma encomenda, orçamento ou fatura +UseUnits=Defina uma unidade de medida para a "Quantidade" durante a edição das linhas de uma encomenda, orçamento ou fatura ProductCodeChecker= Modelo para a produção e verificação de códigos de produto (produto ou serviço) ProductOtherConf= Configuração de produto/serviço IsNotADir=não é um diretório! @@ -1458,7 +1458,7 @@ SyslogFilename=Nome e caminho do ficheiro YouCanUseDOL_DATA_ROOT=Pode utilizar DOL_DATA_ROOT/dolibarr.log para um ficheiro log no diretório de "documentos" do Dolibarr. ErrorUnknownSyslogConstant=A constante %s não é uma constante Syslog conhecida OnlyWindowsLOG_USER=O Windows apenas suporta LOG_USER -CompressSyslogs=Compressão e backup de ficheiros syslog +CompressSyslogs=Compression and backup of debug log files (generated by module Log for debug) SyslogFileNumberOfSaves=Backups de registos ConfigureCleaningCronjobToSetFrequencyOfSaves=Configure o trabalho agendado de limpeza para definir a frequência do registo da cópia de segurança ##### Donations ##### @@ -1515,7 +1515,7 @@ AdvancedEditor=Editor avançado ActivateFCKeditor=Ativar editor avançado para: FCKeditorForCompany=Criação/Edição WYSIWIG da descrição e notas de elementos (exceto produtos/services) FCKeditorForProduct=Criação/Edição WYSIWIG da descrição e notas dos produtos/serviços -FCKeditorForProductDetails=Edição/criação WYSIWIG dos detalhes produtos para todas as entidades (orçamentos, encomendas, faturas, etc.). Aviso: Usar esta opção para este caso é muito pouco recomendado, isto porque pode criar problemas relacionados com caracteres especiais e formatação durante a criação de ficheiros PDF. +FCKeditorForProductDetails=Edição/criação WYSIWIG das linhas dos detalhes dos produtos para todas as entidades (orçamentos, encomendas, faturas, etc.). Aviso: utilizar esta opção para este caso não é muito recomendado, porque esta pode criar problemas com os carateres especiais e a formatação da página quando criar ficheiros em PDF. FCKeditorForMailing= Criação/Edição WYSIWIG para emails em massa (Ferramentas->eMailing) FCKeditorForUserSignature=Criação/Edição WYSIWIG da assinatura do utilizador FCKeditorForMail=Criação/Edição WYSIWIG para todo o correio (exceto Ferramentas->eMailling) @@ -1525,7 +1525,7 @@ OSCommerceTestOk=A conexão ao servidor '%s', à base de dados '%s' através do OSCommerceTestKo1=A conexão ao servidor '%s' foi efetuada com sucesso, no entanto não foi possível comunicar com a base de dados '%s'. OSCommerceTestKo2=A conexão ao servidor '%s' através do utilizador '%s' não foi possível. ##### Stock ##### -StockSetup=Stock module setup +StockSetup=Configuração do módulo Stock IfYouUsePointOfSaleCheckModule=Se você utiliza um módulo de Ponto de Venda (o módulo POS/PDV fornecido por defeito ou outro módulo externo), esta configuração pode ser ignorada pelo seu módulo de Ponto de Venda. A maioria dos módulos de pontos de venda são desenhados para criar imediatamente uma fatura e diminuir o stock por defeito, qualquer que seja a opção aqui. Se você precisar ou não ter uma diminuição de stock ao registar uma venda no seu ponto de venda, verifique também a configuração do seu módulo POS/PDV. ##### Menu ##### MenuDeleted=Menu eliminado diff --git a/htdocs/langs/pt_PT/banks.lang b/htdocs/langs/pt_PT/banks.lang index b511d7cc0e967..3d09203c613e2 100644 --- a/htdocs/langs/pt_PT/banks.lang +++ b/htdocs/langs/pt_PT/banks.lang @@ -1,6 +1,6 @@ # Dolibarr language file - Source file is en_US - banks Bank=Banco -MenuBankCash=Bancos / Caixas +MenuBankCash=Bank | Cash MenuVariousPayment=Pagamentos diversos MenuNewVariousPayment=Novo pagamento diverso BankName=Nome do banco @@ -121,7 +121,7 @@ DeleteTransaction=Eliminar entrada ConfirmDeleteTransaction=Tem a certeza que deseja eliminar esta entrada? ThisWillAlsoDeleteBankRecord=This will also delete generated bank entry BankMovements=Movimentos -PlannedTransactions=Entradas planeadas +PlannedTransactions=Entradas previstas Graph=Gráficos ExportDataset_banque_1=Bank entries and account statement ExportDataset_banque_2=Comprovativo de depósito @@ -132,7 +132,7 @@ PaymentDateUpdateSucceeded=Payment date updated successfully PaymentDateUpdateFailed=Não foi possível modificar a data de pagamento Transactions=Transacção BankTransactionLine=Entrada bancária -AllAccounts=Todas as Contas bancárias/de Caixa +AllAccounts=All bank and cash accounts BackToAccount=Voltar à Conta ShowAllAccounts=Mostrar para todas as Contas FutureTransaction=Transacção futura. Não há forma de conciliar. @@ -160,5 +160,6 @@ VariousPayment=Pagamentos diversos VariousPayments=Pagamentos diversos ShowVariousPayment=Show miscellaneous payments AddVariousPayment=Add miscellaneous payments +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. Thanks to return it signed (scan of the signed document) or sent it by mail to diff --git a/htdocs/langs/pt_PT/bills.lang b/htdocs/langs/pt_PT/bills.lang index 9502b4484b5ad..bfda3ffca81c7 100644 --- a/htdocs/langs/pt_PT/bills.lang +++ b/htdocs/langs/pt_PT/bills.lang @@ -2,7 +2,7 @@ Bill=Fatura Bills=Faturas BillsCustomers=Faturas a clientes -BillsCustomer=Fatura de Cliente +BillsCustomer=Fatura a cliente BillsSuppliers=Faturas de fornecedores BillsCustomersUnpaid=Faturas a receber de clientes BillsCustomersUnpaidForCompany=Faturas a clientes não pagas para %s @@ -50,11 +50,11 @@ Invoice=Fatura PdfInvoiceTitle=Fatura Invoices=Faturas InvoiceLine=Linha da fatura -InvoiceCustomer=Fatura de Cliente -CustomerInvoice=Fatura de Cliente +InvoiceCustomer=Fatura a cliente +CustomerInvoice=Fatura a cliente CustomersInvoices=Faturas a clientes SupplierInvoice=Fatura de Fornecedor -SuppliersInvoices=Faturas de Fornecedores +SuppliersInvoices=Faturas de fornecedores SupplierBill=Fatura de Fornecedor SupplierBills=faturas de fornecedores Payment=Pagamento @@ -103,15 +103,15 @@ CreateCreditNote=Criar nota de crédito AddBill=Criar fatura ou nota de crédito AddToDraftInvoices=Adicionar à fatura rascunho DeleteBill=Eliminar fatura -SearchACustomerInvoice=Procurar por uma fatura de cliente +SearchACustomerInvoice=Procurar por uma fatura a cliente SearchASupplierInvoice=Pesquisar uma fatura de fornecedor CancelBill=Cancelar uma fatura SendRemindByMail=Enviar lembrete por E-mail DoPayment=Inserir pagamento DoPaymentBack=Inserir reembolso ConvertToReduc=Mark as credit available -ConvertExcessReceivedToReduc=Convert excess received into future discount -ConvertExcessPaidToReduc=Convert excess paid into future discount +ConvertExcessReceivedToReduc=Convert excess received into available credit +ConvertExcessPaidToReduc=Convert excess paid into available discount EnterPaymentReceivedFromCustomer=Adicionar pagamento recebido de cliente EnterPaymentDueToCustomer=Realizar pagamento de recibos à cliente DisabledBecauseRemainderToPayIsZero=Disabled because remaining unpaid is zero @@ -237,7 +237,7 @@ ToBill=Por faturar RemainderToBill=Restante a faturar SendBillByMail=Enviar fatura por email SendReminderBillByMail=Enviar um lembrete por E-Mail -RelatedCommercialProposals=Orçamentos para clientes associados +RelatedCommercialProposals=Orçamentos relacionados RelatedRecurringCustomerInvoices=Related recurring customer invoices MenuToValid=A Confirmar DateMaxPayment=Payment due on @@ -282,6 +282,7 @@ RelativeDiscount=Desconto relativo GlobalDiscount=Desconto fixo CreditNote=Deposito CreditNotes=Recibos +CreditNotesOrExcessReceived=Credit notes or excess received Deposit=Adiantamento Deposits=Adiantamentos DiscountFromCreditNote=Desconto resultante do deposito %s @@ -393,6 +394,7 @@ PaymentConditionShort14DENDMONTH=14 days of month-end PaymentCondition14DENDMONTH=Within 14 days following the end of the month FixAmount=Valor fixo VarAmount=Quantidade variável (%% total.) +VarAmountOneLine=Variable amount (%% tot.) - 1 line with label '%s' # PaymentType PaymentTypeVIR=Transferência bancária PaymentTypeShortVIR=Transferência bancária diff --git a/htdocs/langs/pt_PT/companies.lang b/htdocs/langs/pt_PT/companies.lang index 015a6df222b42..9c812c24e546c 100644 --- a/htdocs/langs/pt_PT/companies.lang +++ b/htdocs/langs/pt_PT/companies.lang @@ -77,11 +77,11 @@ Web=Web Poste= Posição DefaultLang=Língua por omissão VATIsUsed=Sujeito a IVA -VATIsUsedWhenSelling=This define if this third party includes a sale tax or not when it makes an invoice to its own customers +VATIsUsedWhenSelling=Isto define se este terceiro inclui um imposto sobre vendas, ou não, quando faz uma fatura para seus próprios clientes VATIsNotUsed=Não sujeito a IVA CopyAddressFromSoc=Preencha a morada com a morada do terceiro -ThirdpartyNotCustomerNotSupplierSoNoRef=Third party neither customer nor vendor, no available refering objects -ThirdpartyIsNeitherCustomerNorClientSoCannotHaveDiscounts=Third party neither customer nor supplier, discounts are not available +ThirdpartyNotCustomerNotSupplierSoNoRef=O terceiro não é cliente nem fornecedor, não contém qualquer objeto de referência +ThirdpartyIsNeitherCustomerNorClientSoCannotHaveDiscounts=O terceiro não é cliente nem fornecedor, descontos não estão disponíveis PaymentBankAccount=Conta bancária de pagamentos OverAllProposals=Orçamentos OverAllOrders=Encomendas @@ -284,8 +284,8 @@ HasCreditNoteFromSupplier=Você tem notas de crédito para %s %s deste fo CompanyHasNoAbsoluteDiscount=Este cliente não tem mas descontos fixos disponiveis CustomerAbsoluteDiscountAllUsers=Descontos absolutos de clientes (concedidos por todos os utilizadores) CustomerAbsoluteDiscountMy=Descontos absolutos de clientes (concedidos por si) -SupplierAbsoluteDiscountAllUsers=Absolute vendor discounts (entered by all users) -SupplierAbsoluteDiscountMy=Absolute vendor discounts (entered by yourself) +SupplierAbsoluteDiscountAllUsers=Descontos absolutos do fornecedor (introduzidos por todos os utilizadores) +SupplierAbsoluteDiscountMy=Descontos absolutos de fornecedores (introduzidos por si) DiscountNone=Nenhuma Supplier=Fornecedor AddContact=Criar contacto @@ -324,12 +324,12 @@ ContactsAllShort=Todos (sem filtro) ContactType=Tipo de Contacto ContactForOrders=Contacto para Pedidos ContactForOrdersOrShipments=Contacto da encomenda ou da expedição -ContactForProposals=Contacto de Orçamentos +ContactForProposals=Contacto do orçamento ContactForContracts=Contacto de Contratos ContactForInvoices=Contacto da Fatura NoContactForAnyOrder=Este contacto não é contacto de nenhum pedido NoContactForAnyOrderOrShipments=Este contacto não é um contacto para qualquer encomenda ou expedição -NoContactForAnyProposal=Este contacto não é contacto de nenhum orçamento +NoContactForAnyProposal=Este contacto não é um contacto para qualquer orçamento NoContactForAnyContract=Este contacto não é contacto de nenhum contrato NoContactForAnyInvoice=Este contacto não é contacto de nenhuma fatura NewContact=Novo Contacto @@ -399,7 +399,7 @@ AddAddress=Adicionar Direcção SupplierCategory=Categoria do fornecedor JuridicalStatus200=Independente DeleteFile=Eliminar ficheiro -ConfirmDeleteFile=Está seguro de querer eliminar este ficheiro? +ConfirmDeleteFile=Tem a certeza que quer eliminar este ficheiro? AllocateCommercial=Atribuído a representante de vendas Organization=Organismo FiscalYearInformation=Informação do Ano Fiscal diff --git a/htdocs/langs/pt_PT/compta.lang b/htdocs/langs/pt_PT/compta.lang index 4513c0e35d2f5..15b70fc39e393 100644 --- a/htdocs/langs/pt_PT/compta.lang +++ b/htdocs/langs/pt_PT/compta.lang @@ -19,7 +19,8 @@ Income=Depósitos Outcome=Despesas MenuReportInOut=Resultado / Exercício ReportInOut=Saldo de receitas e despesas -ReportTurnover=Volume de Negócios +ReportTurnover=Turnover invoiced +ReportTurnoverCollected=Turnover collected PaymentsNotLinkedToInvoice=Pagamentos não vinculados a qualquer fatura, portanto não vinculados a terceiros PaymentsNotLinkedToUser=Pagamentos não vinculados a um utilizador Profit=Beneficio @@ -77,7 +78,7 @@ MenuNewSocialContribution=Novo imposto NewSocialContribution=Novo imposto social/fiscal AddSocialContribution=Add social/fiscal tax ContributionsToPay=Impostos sociais/fiscais por pagar -AccountancyTreasuryArea=Área Contabilidade/Tesouraria +AccountancyTreasuryArea=Billing and payment area NewPayment=Novo pagamento Payments=Pagamentos PaymentCustomerInvoice=Pagamento de fatura do cliente @@ -105,6 +106,7 @@ VATPayment=Pagamento de imposto sobre vendas VATPayments=Pagamentos de impostos sobre vendas VATRefund=Sales tax refund NewVATPayment=New sales tax payment +NewLocalTaxPayment=New tax %s payment Refund=Refund SocialContributionsPayments=Pagamentos de impostos sociais/fiscais ShowVatPayment=Ver Pagamentos IVA @@ -116,8 +118,9 @@ CustomerAccountancyCodeShort=Cust. account. code SupplierAccountancyCodeShort=Sup. account. code AccountNumber=Número de conta NewAccountingAccount=Nova conta -SalesTurnover=Volume de Negócio -SalesTurnoverMinimum=Minimum sales turnover +Turnover=Turnover invoiced +TurnoverCollected=Turnover collected +SalesTurnoverMinimum=Minimum turnover ByExpenseIncome=By expenses & incomes ByThirdParties=Por Terceiro ByUserAuthorOfInvoice=Por autor da fatura @@ -137,8 +140,8 @@ ConfirmDeleteSocialContribution=Tem certeza de que deseja eliminar este pagament ExportDataset_tax_1=Impostos e pagamentos sociais e fiscais CalcModeVATDebt=Mode %sVAT on commitment accounting%s. CalcModeVATEngagement=Mode %sVAT on incomes-expenses%s. -CalcModeDebt=Mode %sClaims-Debts%s said Commitment accounting. -CalcModeEngagement=Mode %sIncomes-Expenses%s said cash accounting +CalcModeDebt=Analysis of known recorded invoices 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 CalcModeLT1Debt=Mode %sRE on customer invoices%s @@ -151,9 +154,9 @@ AnnualSummaryInputOutputMode=Balanço da receita e despesas, resumo anual 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=Ver o Relatório %sdepositos-despesas%s chamado Contabilidade de Caixa para um cálculo sobre as faturas pagas -SeeReportInDueDebtMode=Ver o Relatório %sCréditos-dividas%s chamada Contabilidade de compromisso para um cálculo das faturas Pendentes de pagamento -SeeReportInBookkeepingMode=See report %sBookeeping%s for a calculation on bookkeeping table analysis +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 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 validation date of invoices and VAT and on the due date for expenses. 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. @@ -218,8 +221,8 @@ Mode1=Método 1 Mode2=Método 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 supplier, choose appropriate method to apply same calculation rule and get same result expected by your supplier. -TurnoverPerProductInCommitmentAccountingNotRelevant=The Turnover report per product, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). -TurnoverPerSaleTaxRateInCommitmentAccountingNotRelevant=The Turnover report per sale tax rate, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). +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. CalculationMode=Modo de cálculo AccountancyJournal=Accounting code journal ACCOUNTING_VAT_SOLD_ACCOUNT=Accounting account by default for VAT on sales (used if not defined on VAT dictionary setup) @@ -251,5 +254,6 @@ VATDue=Sale tax claimed ClaimedForThisPeriod=Claimed for the period PaidDuringThisPeriod=Paid during this period ByVatRate=By sale tax rate -TurnoverbyVatrate=Turnover by sale tax rate +TurnoverbyVatrate=Turnover invoiced by sale tax rate +TurnoverCollectedbyVatrate=Turnover collected by sale tax rate PurchasebyVatrate=Purchase by sale tax rate diff --git a/htdocs/langs/pt_PT/install.lang b/htdocs/langs/pt_PT/install.lang index 0ccd537ed352a..3f0bd15b2e6b9 100644 --- a/htdocs/langs/pt_PT/install.lang +++ b/htdocs/langs/pt_PT/install.lang @@ -6,7 +6,7 @@ ConfFileDoesNotExistsAndCouldNotBeCreated=O ficheiro de configuração %s ConfFileCouldBeCreated=Foi criado o ficheiro de configuração %s. ConfFileIsNotWritable=O ficheiro de configuração %s não é gravável. Verifique as permissões. Na primeira instalação, o seu servidor da Web tem de ter permissões de gravação para este ficheiro durante o processo de configuração ("chmod 666", por exemplo num SO, tal como o Unix). ConfFileIsWritable=O ficheiro de configuração %s é gravável. -ConfFileMustBeAFileNotADir=Configuration file %s must be a file, not a directory. +ConfFileMustBeAFileNotADir=O ficheiro de configuração %s deve ser um ficheiro, não um diretório. ConfFileReload=Recarregar toda a informação do ficheiro de configuração. PHPSupportSessions=Este PHP suporta sessões. PHPSupportPOSTGETOk=Este PHP suporta variáveis GET e POST. @@ -148,7 +148,7 @@ NothingToDo=Nada para fazer MigrationFixData=Correção para os dados não normalizados MigrationOrder=Migração de dados para os clientes "ordens MigrationSupplierOrder=Migração de dados para encomendas a fornecedores -MigrationProposal=Data migrering for kommersielle forslag +MigrationProposal=Migração de dados para orçamentos a clientes MigrationInvoice=Migração de dados para as faturas dos clientes MigrationContract=Migração de dados para os contratos MigrationSuccessfullUpdate=Atualização bem sucedida @@ -204,3 +204,7 @@ MigrationResetBlockedLog=Restabelecer o módulo BlockedLog para o algoritmo v7 ShowNotAvailableOptions=Mostrar opções indisponíveis HideNotAvailableOptions=Ocultar opções indisponíveis ErrorFoundDuringMigration=Não pode proceder ao próximo passo porque foram reportados erros durante o processo de migração. Para ignorar os erros, pode clicar aqui, mas a aplicação ou algumas funcionalidades desta poderão não funcionar corretamente. +YouTryInstallDisabledByDirLock=The application try to sefl upgrade, but install/upgrade pages have been disabled for security reason (directory renamed with .lock suffix).
+YouTryInstallDisabledByFileLock=The application try to sefl upgrade, but install/upgrade pages pages have been disabled for security reason (by lock file install.lock into dolibarr documents directory).
+ClickHereToGoToApp=Click here to go to your application +ClickOnLinkOrRemoveManualy=Click on following link and if you always reach this page, you must remove the file install.lock into documents directory manually diff --git a/htdocs/langs/pt_PT/main.lang b/htdocs/langs/pt_PT/main.lang index a06b007b0d255..5158a30111854 100644 --- a/htdocs/langs/pt_PT/main.lang +++ b/htdocs/langs/pt_PT/main.lang @@ -92,7 +92,7 @@ DolibarrInHttpAuthenticationSoPasswordUseless=O modo de autenticação do Doliba Administrator=Administrador Undefined=Não Definido PasswordForgotten=Esqueceu-se da sua palavra-passe? -NoAccount=No account? +NoAccount=Não possui conta? SeeAbove=Ver acima HomeArea=Área Principal LastConnexion=Ultima conexão @@ -507,6 +507,7 @@ NoneF=Nenhuma NoneOrSeveral=Nenhum ou vários Late=Atraso LateDesc=O tempo de atraso predefinido que define se um determinado registo está atrasado ou não depende da configuração do sistema. Peça ao seu administrador do sistema para alterar o tempo de atraso predefinido. +NoItemLate=No late item Photo=Foto Photos=Fotos AddPhoto=Adicionar foto @@ -746,11 +747,11 @@ AttributeCode=Código de atributo URLPhoto=Url da foto / logotipo SetLinkToAnotherThirdParty=Link para um terceiro LinkTo=Associar a -LinkToProposal=Associar a orçamento +LinkToProposal=Associar ao orçamento LinkToOrder=Hiperligação para encomendar LinkToInvoice=Associar a fatura LinkToSupplierOrder=Associar a encomenda ao fornecedor -LinkToSupplierProposal=Associar a orçamento do fornecedor +LinkToSupplierProposal=Associar ao orçamento de fornecedor LinkToSupplierInvoice=Associar a fatura do fornecedor LinkToContract=Associar a contrato LinkToIntervention=Associar a intervenção @@ -921,7 +922,7 @@ SearchIntoSupplierInvoices=Faturas do fornecedor SearchIntoCustomerOrders=Encomendas de clientes SearchIntoSupplierOrders=Ordens de compra SearchIntoCustomerProposals=Orçamentos -SearchIntoSupplierProposals=Propostas de fornecedor +SearchIntoSupplierProposals=Orçamentos de fornecedor SearchIntoInterventions=Intervenções SearchIntoContracts=contractos SearchIntoCustomerShipments=Expedições do cliente @@ -944,4 +945,6 @@ LocalAndRemote=Local e Remoto KeyboardShortcut=Atalho de teclado AssignedTo=Atribuído a Deletedraft=Eliminar rascunho -ConfirmMassDraftDeletion=Draft Bulk delete confirmation +ConfirmMassDraftDeletion=Confirmação da eliminação de rascunhos em massa +FileSharedViaALink=Ficheiro partilhado via link + diff --git a/htdocs/langs/pt_PT/modulebuilder.lang b/htdocs/langs/pt_PT/modulebuilder.lang index bf56194be0e52..990426d59ebe3 100644 --- a/htdocs/langs/pt_PT/modulebuilder.lang +++ b/htdocs/langs/pt_PT/modulebuilder.lang @@ -74,6 +74,7 @@ NoWidget=No widget GoToApiExplorer=Go to API explorer ListOfMenusEntries=List of menu entries ListOfPermissionsDefined=List of defined permissions +SeeExamples=See examples here EnabledDesc=Condition to have this field active (Examples: 1 or $conf->global->MYMODULE_MYOPTION) VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only. Using a negative value means field is not shown by default on list but can be selected for viewing) IsAMeasureDesc=Can the value of field be cumulated to get a total into list ? (Examples: 1 or 0) @@ -95,3 +96,6 @@ DropTableIfEmpty=(Delete table if empty) TableDoesNotExists=The table %s does not exists TableDropped=Table %s deleted InitStructureFromExistingTable=Build the structure array string of an existing table +UseAboutPage=Disallow the about page +UseDocFolder=Disallow the documentation folder +UseSpecificReadme=Use a specific ReadMe diff --git a/htdocs/langs/pt_PT/orders.lang b/htdocs/langs/pt_PT/orders.lang index 0ed93991b172e..9c426da614e8f 100644 --- a/htdocs/langs/pt_PT/orders.lang +++ b/htdocs/langs/pt_PT/orders.lang @@ -24,7 +24,7 @@ OrdersDeliveredToBill=Encomendas de clientes entregues por faturar OrdersToBill=Encomendas de clientes entregues OrdersInProcess=Encomendas de clientes em processo OrdersToProcess=Encomendas de clientes por processar -SuppliersOrdersToProcess=Purchase orders to process +SuppliersOrdersToProcess=Encomendas a fornecedores por processar StatusOrderCanceledShort=Anulado StatusOrderDraftShort=Rascunho StatusOrderValidatedShort=Validado @@ -75,15 +75,15 @@ ShowOrder=Mostrar encomenda OrdersOpened=Encomendas por processar NoDraftOrders=Sem encomendas rascunho NoOrder=Sem encomenda -NoSupplierOrder=No purchase order +NoSupplierOrder=Sem encomenda a fornecedor LastOrders=%s últimas encomendas de clientes LastCustomerOrders=%s últimas encomendas de clientes -LastSupplierOrders=Latest %s purchase orders +LastSupplierOrders=%s últimas encomendas a fornecedores LastModifiedOrders=Últimas %s encomendas de clientes modificadas AllOrders=Todos as encomendas NbOfOrders=Número de encomendas OrdersStatistics=Estatísticas de encomendas -OrdersStatisticsSuppliers=Purchase order statistics +OrdersStatisticsSuppliers=Estatísticas de encomendas a fornecedores NumberOfOrdersByMonth=Número de encomendas por mês AmountOfOrdersByMonthHT=Quantia originada de encomendas, por mês (sem IVA) ListOfOrders=Lista de encomendas @@ -97,12 +97,12 @@ ConfirmMakeOrder=Tem a certeza que deseja confirmar que efetuou esta encomenda a GenerateBill=Gerar fatura ClassifyShipped=Classificar como entregue DraftOrders=Rascunhos de encomendas -DraftSuppliersOrders=Draft purchase orders +DraftSuppliersOrders=Rascunhos de encomendas a fornecedores OnProcessOrders=Encomendas em processo RefOrder=Ref. da encomenda RefCustomerOrder=Ref. da encomenda para o cliente -RefOrderSupplier=Ref. order for vendor -RefOrderSupplierShort=Ref. order vendor +RefOrderSupplier=Ref. de encomenda para o fornecedor +RefOrderSupplierShort=Ref. encomenda a fornecedor SendOrderByMail=Enviar encomenda por email ActionsOnOrder=Acções sobre a encomenda NoArticleOfTypeProduct=Não existe artigos de tipo 'produto' e portanto não há artigos expedidos para esta encomenda @@ -115,9 +115,9 @@ ConfirmCloneOrder=Tem a certeza que pretende clonar a encomenda %s? DispatchSupplierOrder=A receber a encomenda a fornecedor, %s FirstApprovalAlreadyDone=A primeira aprovação já foi efetuada SecondApprovalAlreadyDone=A segunda aprovação já foi efetuada -SupplierOrderReceivedInDolibarr=Purchase Order %s received %s -SupplierOrderSubmitedInDolibarr=Purchase Order %s submited -SupplierOrderClassifiedBilled=Purchase Order %s set billed +SupplierOrderReceivedInDolibarr=A encomenda a fornecedor, %s, foi recebida %s +SupplierOrderSubmitedInDolibarr=A encomenda a fornecedor, %s, foi submetida +SupplierOrderClassifiedBilled=A encomenda a fornecedor, %s, foi faturada OtherOrders=Outros Pedidos ##### Types de contacts ##### TypeContact_commande_internal_SALESREPFOLL=Representante que está a dar seguimento à encomenda do cliente @@ -125,11 +125,11 @@ TypeContact_commande_internal_SHIPPING=Representante transporte seguimento TypeContact_commande_external_BILLING=Contacto da fatura do cliente TypeContact_commande_external_SHIPPING=Contato com o transporte do cliente TypeContact_commande_external_CUSTOMER=Contacto do cliente que está a dar seguimento à encomenda -TypeContact_order_supplier_internal_SALESREPFOLL=Representative following-up purchase order +TypeContact_order_supplier_internal_SALESREPFOLL=Representante que está a dar seguimento à encomenda ao fornecedor TypeContact_order_supplier_internal_SHIPPING=Representante transporte seguimento -TypeContact_order_supplier_external_BILLING=Vendor invoice contact -TypeContact_order_supplier_external_SHIPPING=Vendor shipping contact -TypeContact_order_supplier_external_CUSTOMER=Vendor contact following-up order +TypeContact_order_supplier_external_BILLING=Contacto da fatura do fornecedor +TypeContact_order_supplier_external_SHIPPING=Contacto da expedição do fornecedor +TypeContact_order_supplier_external_CUSTOMER=Contacto do fornecedor que está a dar seguimento à encomenda Error_COMMANDE_SUPPLIER_ADDON_NotDefined=Constante COMMANDE_SUPPLIER_ADDON não definida Error_COMMANDE_ADDON_NotDefined=Constante COMMANDE_ADDON não definida Error_OrderNotChecked=Nenhuma encomenda para faturar selecionada diff --git a/htdocs/langs/pt_PT/other.lang b/htdocs/langs/pt_PT/other.lang index c40a9e124dbc4..8aa53591b5b9b 100644 --- a/htdocs/langs/pt_PT/other.lang +++ b/htdocs/langs/pt_PT/other.lang @@ -51,7 +51,7 @@ Notify_COMPANY_CREATE=Terceiro criado Notify_COMPANY_SENTBYMAIL=Emails enviadas a partir da ficha de terceiros Notify_BILL_VALIDATE=Fatura do cliente validada Notify_BILL_UNVALIDATE=Fatura do cliente não validada -Notify_BILL_PAYED=Fatura de Cliente paga +Notify_BILL_PAYED=Fatura a cliente paga Notify_BILL_CANCEL=Fatura do cliente cancelada Notify_BILL_SENTBYMAIL=Fatura do cliente enviada pelo correio Notify_BILL_SUPPLIER_VALIDATE=Fatura do fornecedor validado @@ -80,9 +80,9 @@ LinkedObject=Objecto adjudicado NbOfActiveNotifications=Número de notificações PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe two lines are separated by a carriage return.\n\n__USER_SIGNATURE__ PredefinedMailTestHtml=__(Hello)__\nThis is a test mail (the word test must be in bold).
The two lines are separated by a carriage return.

__USER_SIGNATURE__ -PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\nThis is the link to make your online payment if this invoice is not already payed:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\nThis is the link to make your online payment:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendProposal=__(Hello)__\n\nYou will find here the commercial proposal __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendProposal=__(Exmos. Srs.,)__\n\nIrá encontrar aqui o orçamento __REF__\n\n\n__(Com os melhores cumprimentos,)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendSupplierProposal=__(Hello)__\n\nYou will find here the price request __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendOrder=__(Hello)__\n\nYou will find here the order __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendSupplierOrder=__(Hello)__\n\nYou will find here our order __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ @@ -91,6 +91,7 @@ PredefinedMailContentSendShipping=__(Hello)__\n\nYou will find here the shipping PredefinedMailContentSendFichInter=__(Hello)__\n\nYou will find here the intervention __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentThirdparty=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentUser=__(Hello)__\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 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) @@ -175,13 +176,13 @@ StatsByNumberOfEntities=Estatísticas em número de entidades referentes (númer NumberOfProposals=Número de orçamentos NumberOfCustomerOrders=Número de encomendas de clientes NumberOfCustomerInvoices=Número de faturas a clientes -NumberOfSupplierProposals=Número de orçamentos de fornecedores +NumberOfSupplierProposals=Número de orçamentos de fornecedor NumberOfSupplierOrders=Número de encomendas a fornecedores NumberOfSupplierInvoices=Número de faturas de fornecedores -NumberOfUnitsProposals=Número de unidades em orçamentos +NumberOfUnitsProposals=Número de unidades nos orçamentos NumberOfUnitsCustomerOrders=Número de unidades em encomendas de clientes NumberOfUnitsCustomerInvoices=Número de unidades em faturas a clientes -NumberOfUnitsSupplierProposals=Número de unidades em orçamentos de fornecedores +NumberOfUnitsSupplierProposals=Número de unidades nos orçamentos de fornecedor NumberOfUnitsSupplierOrders=Número de unidades em encomendas a fornecedores NumberOfUnitsSupplierInvoices=Número de unidades nas faturas de fornecedores EMailTextInterventionAddedContact=Foi atribuída uma nova intervenção, %s, a si. @@ -218,7 +219,7 @@ FileIsTooBig=Arquivos muito grandes PleaseBePatient=Por favor, aguarde... NewPassword=Nova palavra-passe ResetPassword=Repor palavra-passe -RequestToResetPasswordReceived=A request to change your password has been received +RequestToResetPasswordReceived=A request to change your password has been received. NewKeyIs=Estas são as suas novas credenciais para efectuar login NewKeyWillBe=Your new key to login to software will be ClickHereToGoTo=Clique aqui para ir para %s diff --git a/htdocs/langs/pt_PT/paypal.lang b/htdocs/langs/pt_PT/paypal.lang index 70b562519127f..8120a672c4b3d 100644 --- a/htdocs/langs/pt_PT/paypal.lang +++ b/htdocs/langs/pt_PT/paypal.lang @@ -14,7 +14,6 @@ PaypalModeOnlyPaypal=Apenas Paypal ONLINE_PAYMENT_CSS_URL=URL opcional da folha de estilo CSS na página de pagamento online ThisIsTransactionId=Esta é id. da transação: %s PAYPAL_ADD_PAYMENT_URL=Adicionar o url de pagamento Paypal quando enviar um documento por correio eletrónico -PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.

%s

YouAreCurrentlyInSandboxMode=Você está atualmente no modo %s "sandbox" NewOnlinePaymentReceived=Novo pagamento online recebido NewOnlinePaymentFailed=Novo pagamento em linha tentado, mas falhado diff --git a/htdocs/langs/pt_PT/productbatch.lang b/htdocs/langs/pt_PT/productbatch.lang index 5377217d09cbd..e03ea4093e09e 100644 --- a/htdocs/langs/pt_PT/productbatch.lang +++ b/htdocs/langs/pt_PT/productbatch.lang @@ -16,7 +16,7 @@ printEatby=Data de validade: %s printSellby=Data de venda: %s printQty=Qtd.: %d AddDispatchBatchLine=Adicionar uma linha para o apuramento por data de validade -WhenProductBatchModuleOnOptionAreForced=When module Lot/Serial is on, automatic stock decrease is forced to 'Decrease real stocks on shipping validation' and automatic increase mode is forced to 'Increase real stocks on manual dispatching into warehouses' and can't be edited. Other options can be defined as you want. +WhenProductBatchModuleOnOptionAreForced=Quando o módulo Lote/Número de Série estiver ativo, o modo automático de aumento/diminuição de stock é forçado para validação de expedições e despacho manual da receção de produtos e não pode ser editado. Outras opções podem ser definidas como você desejar. ProductDoesNotUseBatchSerial=Este produto não usa lote/número de série ProductLotSetup=Configuração do módulo Lote/Número de Série ShowCurrentStockOfLot=Mostrar o stock atual para o par produto/lote diff --git a/htdocs/langs/pt_PT/products.lang b/htdocs/langs/pt_PT/products.lang index 9e6c07ab31722..394c10e49dc58 100644 --- a/htdocs/langs/pt_PT/products.lang +++ b/htdocs/langs/pt_PT/products.lang @@ -93,7 +93,7 @@ BarCode=Código de barras BarcodeType=Tipo de código de barras SetDefaultBarcodeType=Defina o tipo de código de barras BarcodeValue=Valor do código de barras -NoteNotVisibleOnBill=Nota (Não é visível em faturas, orçamentos, etc.) +NoteNotVisibleOnBill=Nota (não visível nas faturas, orçamentos, ...) ServiceLimitedDuration=Sim o serviço é de Duração limitada : MultiPricesAbility=Vários segmentos de preços por produto/serviço (cada cliente enquadra-se num segmento) MultiPricesNumPrices=Nº de preços @@ -113,14 +113,14 @@ ProductAssociationList=Lista de produtos/serviços que são componentes deste pr ProductParentList=Lista de produtos e serviços com este produto como um componente ErrorAssociationIsFatherOfThis=Um dos produtos seleccionados é pai do produto em curso DeleteProduct=Eliminar um produto/serviço -ConfirmDeleteProduct=Está seguro de querer eliminar este produto/serviço? +ConfirmDeleteProduct=Tem a certeza que quer eliminar este produto/serviço? ProductDeleted=O produto/serviço "%s" foi eliminado da base de dados. ExportDataset_produit_1=Produtos e Serviços ExportDataset_service_1=Serviços ImportDataset_produit_1=Produtos ImportDataset_service_1=Serviços DeleteProductLine=Eliminar linha de produto -ConfirmDeleteProductLine=Está seguro de querer eliminar esta linha de produto? +ConfirmDeleteProductLine=Tem a certeza que quer eliminar esta linha de produto? ProductSpecial=Especial QtyMin=Qtd mínima PriceQtyMin=Preço para esta qt. mín. (s/ o desconto) @@ -251,8 +251,8 @@ PriceNumeric=Número DefaultPrice=Preço Predefinido ComposedProductIncDecStock=Increase/Decrease stock on parent change ComposedProduct=Sub-product -MinSupplierPrice=Minimum supplier price -MinCustomerPrice=Minimum customer price +MinSupplierPrice=Preço de compra mínimo +MinCustomerPrice=Minimum selling price DynamicPriceConfiguration=Dynamic price configuration DynamicPriceDesc=On product card, with this module enabled, you should be able to set mathematic functions to calculate Customer or Supplier prices. Such function can use all mathematic operators, some constants and variables. You can set here the variables you want to be able to use and if the variable need an automatic update, the external URL to use to ask Dolibarr to update automaticaly the value. AddVariable=Add Variable @@ -275,7 +275,7 @@ IncludingProductWithTag=Including product/service with tag DefaultPriceRealPriceMayDependOnCustomer=Default price, real price may depend on customer WarningSelectOneDocument=Please select at least one document DefaultUnitToShow=Unidade -NbOfQtyInProposals=Quantia nos orçamentos +NbOfQtyInProposals=Quantidade nos orçamentos ClinkOnALinkOfColumn=Click on a link of column %s to get a detailed view... ProductsOrServicesTranslations=Products or services translation TranslatedLabel=Translated label diff --git a/htdocs/langs/pt_PT/projects.lang b/htdocs/langs/pt_PT/projects.lang index d5fcb1a7e81bf..6030196741d10 100644 --- a/htdocs/langs/pt_PT/projects.lang +++ b/htdocs/langs/pt_PT/projects.lang @@ -79,7 +79,7 @@ GoToListOfTimeConsumed=Go to list of time consumed GoToListOfTasks=Ir para a lista de tarefas GoToGanttView=Go to Gantt view GanttView=Gantt View -ListProposalsAssociatedProject=Lista de Orçamentos Associados ao Projeto +ListProposalsAssociatedProject=Lista de orçamentos associados com o projeto ListOrdersAssociatedProject=Lista de encomendas de clientes associadas ao projeto ListInvoicesAssociatedProject=Lista de faturas a clientes associadas ao projeto ListPredefinedInvoicesAssociatedProject=Lista de faturas modelo de clientes associadas ao projeto @@ -169,7 +169,7 @@ AddElement=Ligar ao elemento # Documents models DocumentModelBeluga=Project template for linked objects overview DocumentModelBaleine=Project report template for tasks -PlannedWorkload=Carga de trabalho planeada +PlannedWorkload=Carga de trabalho prevista PlannedWorkloadShort=Workload ProjectReferers=Itens relacionados ProjectMustBeValidatedFirst=Primeiro deve validar o projeto @@ -210,7 +210,7 @@ OpportunityPonderatedAmount=Opportunities weighted amount OpportunityPonderatedAmountDesc=Opportunities amount weighted with probability OppStatusPROSP=Prospeção OppStatusQUAL=Qualificação -OppStatusPROPO=Proposta +OppStatusPROPO=Orçamento OppStatusNEGO=Negociação OppStatusPENDING=Pendente OppStatusWON=Ganho diff --git a/htdocs/langs/pt_PT/propal.lang b/htdocs/langs/pt_PT/propal.lang index 5bc8c415222f5..f2837c61104f4 100644 --- a/htdocs/langs/pt_PT/propal.lang +++ b/htdocs/langs/pt_PT/propal.lang @@ -1,30 +1,30 @@ # Dolibarr language file - Source file is en_US - propal -Proposals=Propostas comerciais -Proposal=Proposta comercial +Proposals=Orçamentos +Proposal=Orçamento ProposalShort=Orçamento -ProposalsDraft=Orçamentos Rascunho -ProposalsOpened=Orçamentos a clientes abertos +ProposalsDraft=Orçamentos rascunhos +ProposalsOpened=Orçamentos abertos CommercialProposal=Orçamento PdfCommercialProposalTitle=Orçamento -ProposalCard=Ficha do orçamento -NewProp=Novo Orçamento -NewPropal=Novo Orçamento +ProposalCard=Ficha de orçamento +NewProp=Novo orçamento +NewPropal=Novo orçamento Prospect=Cliente Potencial -DeleteProp=Eliminar Orçamento +DeleteProp=Eliminar orçamento ValidateProp=Validar orçamento AddProp=Criar orçamento ConfirmDeleteProp=Tem a certeza que pretende eliminar este orçamento? -ConfirmValidateProp=Tem certeza de que deseja validar este orçamento com o nome %s? +ConfirmValidateProp=Tem certeza que deseja validar este orçamento com o nome %s? LastPropals=Os últimos %s orçamentos LastModifiedProposals=Últimos %s orçamentos modificados -AllPropals=Todos Os Orçamentos -SearchAProposal=Procurar um Orçamento +AllPropals=Todos os orçamentos +SearchAProposal=Procurar um orçamento NoProposal=Nenhum orçamento -ProposalsStatistics=Estatísticas de Orçamentos +ProposalsStatistics=Estatísticas de orçamentos NumberOfProposalsByMonth=Número por Mês AmountOfProposalsByMonthHT=Montante por Mês (sem IVA) -NbOfProposals=Número Orçamentos -ShowPropal=Ver Orçamento +NbOfProposals=Número de orçamentos +ShowPropal=Mostrar orçamento PropalsDraft=Rascunho PropalsOpened=Aberta PropalStatusDraft=Rascunho (precisa de ser validado) @@ -38,28 +38,28 @@ PropalStatusClosedShort=Fechado PropalStatusSignedShort=Assinado PropalStatusNotSignedShort=Não assinado PropalStatusBilledShort=Faturado -PropalsToClose=Orçamento a Fechar -PropalsToBill=Orçamentos assinados por faturar -ListOfProposals=Lista de Orçamentos -ActionsOnPropal=Acções sobre o Orçamento -RefProposal=Ref. Orçamento -SendPropalByMail=Enviar Orçamento por E-mail +PropalsToClose=Orçamentos a fechar +PropalsToBill=Orçamentos assinados para faturar +ListOfProposals=Lista de orçamentos +ActionsOnPropal=Ações do orçamento +RefProposal=Ref. do orçamento +SendPropalByMail=Enviar orçamento por correio DatePropal=Data do orçamento DateEndPropal=Válido até ValidityDuration=Duração da Validade CloseAs=Definir estado como SetAcceptedRefused=Definir aceite/recusado ErrorPropalNotFound=Orçamento %s Inexistente -AddToDraftProposals=Adicionar ao orçamento em rascunho -NoDraftProposals=Sem orçamentos em rascunho -CopyPropalFrom=Criar orçamento por Cópia de um existente -CreateEmptyPropal=Criar orçamento desde a Lista de produtos predefinidos -DefaultProposalDurationValidity=Prazo de validade por defeito (em días) -UseCustomerContactAsPropalRecipientIfExist=Utilizar morada contacto de seguimiento de cliente definido em vez da morada do Terceiro como destinatario dos Orçamentos +AddToDraftProposals=Adicionar ao orçamento rascunho +NoDraftProposals=Sem orçamentos rascunhos +CopyPropalFrom=Criar orçamento, copiando um orçamento existente +CreateEmptyPropal=Criar orçamentos a partir da lista de produtos/serviços +DefaultProposalDurationValidity=Prazo de validade predefinido do orçamento (em dias) +UseCustomerContactAsPropalRecipientIfExist=Utilizar morada de contacto de cliente, se definido em vez da morada de terceiro como morada de destinatário do orçamento ClonePropal=Clonar orçamento -ConfirmClonePropal=Tem a certeza de que deseja clonar o orçamento %s? -ConfirmReOpenProp=Tem a certeza de que deseja reabrir or orçamento %s? -ProposalsAndProposalsLines=Orçamento e linhas do orçamento +ConfirmClonePropal=Tem a certeza que pretende clonar o orçamento %s? +ConfirmReOpenProp=Tem a certeza que pretende reabrir o orçamento %s? +ProposalsAndProposalsLines=Orçamento e linhas ProposalLine=Linha do orçamento AvailabilityPeriod=Disponibilidade atraso SetAvailability=Definir atraso disponibilidade @@ -75,10 +75,11 @@ AvailabilityTypeAV_1M=1 mês TypeContact_propal_internal_SALESREPFOLL=Representante que dá seguimento ao orçamento TypeContact_propal_external_BILLING=Contacto na fatura do cliente TypeContact_propal_external_CUSTOMER=Contacto do cliente que dá seguimento ao orçamento +TypeContact_propal_external_SHIPPING=Customer contact for delivery # Document models -DocModelAzurDescription=Modelo de orçamento completo (logo...) +DocModelAzurDescription=Um modelo de orçamento completo (logótipo...) DefaultModelPropalCreate=Criação do modelo padrão -DefaultModelPropalToBill=Modelo padrão ao fechar um orçamento (a faturar) -DefaultModelPropalClosed=Modelo padrão ao fechar um orçamento (não faturada) +DefaultModelPropalToBill=Modelo predefinido quando fechar um orçamento (a faturar) +DefaultModelPropalClosed=Modelo predefinido quando fechar um orçamento (não faturado) ProposalCustomerSignature=Aceitação escrita, carimbo da empresa, data e assinatura -ProposalsStatisticsSuppliers=Estatísticas dos orçamentos dos fornecedores +ProposalsStatisticsSuppliers=Estatísticas dos orçamentos de fornecedor diff --git a/htdocs/langs/pt_PT/sendings.lang b/htdocs/langs/pt_PT/sendings.lang index 0341b92f5de49..3966e098b12f4 100644 --- a/htdocs/langs/pt_PT/sendings.lang +++ b/htdocs/langs/pt_PT/sendings.lang @@ -10,7 +10,7 @@ Receivings=Receção de encomendas SendingsArea=Área de Envios ListOfSendings=Lista de Envios SendingMethod=Método de Envio -LastSendings=Latest %s shipments +LastSendings=Últimas %s expedições StatisticsOfSendings=Estatísticas de Envios NbOfSendings=Número de Envios NumberOfShipmentsByMonth=Número de envios por mês @@ -18,12 +18,12 @@ SendingCard=Ficha da expedição NewSending=Novo Envio CreateShipment=Criar Envio QtyShipped=Quant. Enviada -QtyShippedShort=Qty ship. -QtyPreparedOrShipped=Qty prepared or shipped +QtyShippedShort=Quant. exp. +QtyPreparedOrShipped=Quantidade preparada ou expedida QtyToShip=Quant. a Enviar QtyReceived=Quant. Recebida -QtyInOtherShipments=Qty in other shipments -KeepToShip=Remain to ship +QtyInOtherShipments=Quantidade noutras expedições +KeepToShip=Quantidade remanescente a expedir KeepToShipShort=Restante OtherSendingsForSameOrder=Outros Envios deste Pedido SendingsAndReceivingForSameOrder=Envios e receções para esta encomenda @@ -38,26 +38,26 @@ StatusSendingProcessedShort=Processado SendingSheet=Folha de expedição ConfirmDeleteSending=Tem certeza de que deseja eliminar esta expedição? ConfirmValidateSending=Tem a certeza de que deseja validar esta expedição com a referência %s ? -ConfirmCancelSending=Are you sure you want to cancel this shipment? +ConfirmCancelSending=Tem a certeza que deseja cancelar esta expedição? DocumentModelMerou=Mérou modelo A5 WarningNoQtyLeftToSend=Atenção, não existe qualquer produto à espera de ser enviado. -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 +StatsOnShipmentsOnlyValidated=Estatísticas efetuadas sobre expedições validadas. A data usada é a data de validação da expedição (a data de entrega prevista nem sempre é conhecida). +DateDeliveryPlanned=Data prevista de entrega +RefDeliveryReceipt=Ref. do recibo de entrega +StatusReceipt=Estado do recibo de entrega DateReceived=Data da entrega recebida SendShippingByEMail=Efectuar envio por e-mail -SendShippingRef=Submission of shipment %s +SendShippingRef=Submissão da expedição %s ActionsOnShipping=Eventos em embarque LinkToTrackYourPackage=Link para acompanhar o seu pacote ShipmentCreationIsDoneFromOrder=Para já, a criação de uma nova expedição é efectuada a partir da ficha de encomenda. -ShipmentLine=Shipment line -ProductQtyInCustomersOrdersRunning=Product quantity into open customers orders -ProductQtyInSuppliersOrdersRunning=Product quantity into open suppliers orders -ProductQtyInShipmentAlreadySent=Product quantity from open customer order already sent -ProductQtyInSuppliersShipmentAlreadyRecevied=Product quantity from open supplier order already received -NoProductToShipFoundIntoStock=No product to ship found into warehouse %s. Correct stock or go back to choose another warehouse. -WeightVolShort=Weight/Vol. +ShipmentLine=Linha da expedição +ProductQtyInCustomersOrdersRunning=Product quantity into open customer orders +ProductQtyInSuppliersOrdersRunning=Product quantity into open purchase orders +ProductQtyInShipmentAlreadySent=Quantidade do produto de encomenda do cliente aberta, já expedida +ProductQtyInSuppliersShipmentAlreadyRecevied=Quantidade de produtos de encomenda a fornecedor aberta, já recebida +NoProductToShipFoundIntoStock=Nenhum produto por expedir encontrado no armazém %s . Corrija o stock ou volte atrás para escolher outro armazém. +WeightVolShort=Peso/Volume ValidateOrderFirstBeforeShipment=Deve validar a encomenda antes de poder efetuar expedições. # Sending methods @@ -68,5 +68,5 @@ SumOfProductVolumes=Soma dos volumes dos produtos SumOfProductWeights=Soma dos pesos dos produtos # warehouse details -DetailWarehouseNumber= Warehouse details -DetailWarehouseFormat= W:%s (Qty : %d) +DetailWarehouseNumber= Detalhes do armazém +DetailWarehouseFormat= P: %s (Qtd: %d) diff --git a/htdocs/langs/pt_PT/stocks.lang b/htdocs/langs/pt_PT/stocks.lang index 4c20b3caa5feb..d03c7f1022fb4 100644 --- a/htdocs/langs/pt_PT/stocks.lang +++ b/htdocs/langs/pt_PT/stocks.lang @@ -67,7 +67,7 @@ DeStockOnValidateOrder=Diminuir stocks reais ao validar encomendas para clientes DeStockOnShipment=Diminuir stocks reais ao validar a expedição DeStockOnShipmentOnClosing=Decrease real stocks on shipping classification closed ReStockOnBill=Incrementar os stocks físicos ao validar faturas/recibos -ReStockOnValidateOrder=Incrementar os stocks físicos sobre os pedidos +ReStockOnValidateOrder=Increase real stocks on purchase orders approbation ReStockOnDispatchOrder=Increase real stocks on manual dispatching into warehouses, after supplier order receipt of goods OrderStatusNotReadyToDispatch=A encomenda não está pronta para o despacho dos produtos no stock dos armazéns. StockDiffPhysicTeoric=Explanation for difference between physical and virtual stock @@ -203,4 +203,4 @@ RegulateStock=Regulate Stock ListInventory=Lista StockSupportServices=Stock management support services StockSupportServicesDesc=By default, you can stock only product with type "product". If on, and if module service is on, you can also stock a product with type "service" -ReceiveProducts=Receive products +ReceiveProducts=Receive items diff --git a/htdocs/langs/pt_PT/supplier_proposal.lang b/htdocs/langs/pt_PT/supplier_proposal.lang index 91544b07cdac8..84bd14d6cbd5f 100644 --- a/htdocs/langs/pt_PT/supplier_proposal.lang +++ b/htdocs/langs/pt_PT/supplier_proposal.lang @@ -1,18 +1,18 @@ # Dolibarr language file - Source file is en_US - supplier_proposal -SupplierProposal=Propostas comerciais de fornecedor +SupplierProposal=Orçamentos de fornecedor supplier_proposalDESC=Gerir pedidos de preço aos vendedores SupplierProposalNew=Novo pedido de preço CommRequest=Preço solicitado CommRequests=Preços solicitados SearchRequest=Encontrar um pedido DraftRequests=Pedidos rascunho -SupplierProposalsDraft=Draft vendor proposals +SupplierProposalsDraft=Orçamentos de fornecedor rascunhos LastModifiedRequests=Últimos %s orçamentos de fornecedores modificados RequestsOpened=Abrir pedidos de preço -SupplierProposalArea=Área de propostas de fornecedor -SupplierProposalShort=Proposta de fornecedor -SupplierProposals=Propostas de fornecedor -SupplierProposalsShort=Propostas de fornecedor +SupplierProposalArea=Área de orçamentos de fornecedor +SupplierProposalShort=Orçamento de fornecedor +SupplierProposals=Orçamentos de fornecedor +SupplierProposalsShort=Orçamentos de fornecedor NewAskPrice=Novo pedido de preço ShowSupplierProposal=Mostrar pedido de preço AddSupplierProposal=Criar um pedido de preço @@ -32,24 +32,24 @@ SupplierProposalStatusValidatedShort=Validado SupplierProposalStatusClosedShort=Fechado SupplierProposalStatusSignedShort=Aceite SupplierProposalStatusNotSignedShort=Recusado -CopyAskFrom=Create price request by copying existing a request +CopyAskFrom=Criar orçamento de fornecedor copiando um orçamento existente CreateEmptyAsk=Criar pedido em branco CloneAsk=Clonar pedido de preço -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 +ConfirmCloneAsk=Tem certeza que deseja clonar o orçamento do fornecedor, %s? +ConfirmReOpenAsk=Tem certeza que deseja reabrir o orçamento do fornecedor, %s? +SendAskByMail=Enviar orçamento do fornecedor por email +SendAskRef=A enviar o orçamento do fornecedor, %s SupplierProposalCard=Ficha do orçamento do fornecedor ConfirmDeleteAsk=Tem certeza de que deseja eliminar o pedido de preço %s? -ActionsOnSupplierProposal=Events on price request -DocModelAuroreDescription=A complete request model (logo...) +ActionsOnSupplierProposal=Eventos sobre o orçamento do fornecedor +DocModelAuroreDescription=Um modelo completo de orçamento de fornecedor (logo...) CommercialAsk=Pedido de preço DefaultModelSupplierProposalCreate=Criação do modelo padrão -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 +DefaultModelSupplierProposalToBill=Modelo predefinido ao fechar um orçamento de fornecedor (aceite) +DefaultModelSupplierProposalClosed=Modelo predefinido ao fechar um orçamento de fornecedor (recusado) +ListOfSupplierProposals=Lista de pedidos de orçamentos de fornecedor +ListSupplierProposalsAssociatedProject=Lista de orçamentos de fornecedor associados com o projeto +SupplierProposalsToClose=Orçamentos de fornecedor a fechar +SupplierProposalsToProcess=Orçamentos de fornecedor a processar +LastSupplierProposals=Últimos %s orçamentos de fornecedores +AllPriceRequests=Todos os orçamentos de fornecedores diff --git a/htdocs/langs/pt_PT/suppliers.lang b/htdocs/langs/pt_PT/suppliers.lang index e10632750cc7a..f9ceed462c722 100644 --- a/htdocs/langs/pt_PT/suppliers.lang +++ b/htdocs/langs/pt_PT/suppliers.lang @@ -23,7 +23,7 @@ RefSupplierShort=Ref. do fornecedor Availability=Disponibilidade ExportDataset_fournisseur_1=Lista de faturas de fornecedor e linhas de fatura ExportDataset_fournisseur_2=Faturas e pagamentos de fornecedor -ExportDataset_fournisseur_3=Purchase orders and order lines +ExportDataset_fournisseur_3=Encomendas a fornecedores e linhas de encomenda ApproveThisOrder=Aprovar este Pedido ConfirmApproveThisOrder=Tem certeza de que deseja aprovar a encomenda %s ? DenyingThisOrder=Negar esta encomenda @@ -34,7 +34,7 @@ AddSupplierInvoice=Criar fatura de fornecedor ListOfSupplierProductForSupplier=Lista de produtos e preços do fornecedor %s SentToSuppliers=Enviado para os fornecedores ListOfSupplierOrders=Lista de ordens de compra -MenuOrdersSupplierToBill=Purchase orders to invoice +MenuOrdersSupplierToBill=Encomendas a fornecedor por faturar NbDaysToDelivery=Atraso da entrega em dias DescNbDaysToDelivery=O maior atraso na entrega dos produtos desta encomenda SupplierReputation=Reputação do fornecedor diff --git a/htdocs/langs/pt_PT/users.lang b/htdocs/langs/pt_PT/users.lang index a9b476db2d3e7..1b1127bc733d7 100644 --- a/htdocs/langs/pt_PT/users.lang +++ b/htdocs/langs/pt_PT/users.lang @@ -48,7 +48,7 @@ PasswordChangeRequest=Pedido para alterar a palavra-passe a %s PasswordChangeRequestSent=Pedido para alterar a palavra-passe para %s enviada para %s. ConfirmPasswordReset=Confirmar restauração da palavra-passe MenuUsersAndGroups=Utilizadores e Grupos -LastGroupsCreated=Os últimos %s grupos criados +LastGroupsCreated=Latest %s groups created LastUsersCreated=Os últimos %s utilizadores criados ShowGroup=Mostrar Grupo ShowUser=Mostrar Utilizador diff --git a/htdocs/langs/ro_RO/accountancy.lang b/htdocs/langs/ro_RO/accountancy.lang index 52c9ee0f9dcbe..7d98f23d7b703 100644 --- a/htdocs/langs/ro_RO/accountancy.lang +++ b/htdocs/langs/ro_RO/accountancy.lang @@ -36,8 +36,8 @@ AlreadyInGeneralLedger=Already journalized in ledgers NotYetInGeneralLedger=Not yet journalized in ledgers GroupIsEmptyCheckSetup=Group is empty, check setup of the personalized accounting group DetailByAccount=Show detail by account -AccountWithNonZeroValues=Accounts with non zero values -ListOfAccounts=List of accounts +AccountWithNonZeroValues=Conturi contabile fără valoare zero +ListOfAccounts=Listă conturilor contabile MainAccountForCustomersNotDefined=Main accounting account for customers not defined in setup MainAccountForSuppliersNotDefined=Main accounting account for vendors not defined in setup @@ -55,6 +55,7 @@ AccountancyAreaDescChartModel=PASUL %s: Creați un model de plan de cont din men AccountancyAreaDescChart=PASUL %s: Creați sau verificați conținutul planului dvs. de conturi din meniul %s AccountancyAreaDescVat=PASUL %s: Definirea conturilor contabile pentru fiecare TVA. Pentru aceasta, utilizați intrarea din meniu %s. +AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. AccountancyAreaDescExpenseReport=PASUL %s: Definiți conturile contabile implicite pentru fiecare tip de raport de cheltuieli. Pentru aceasta, utilizați intrarea din meniu %s. AccountancyAreaDescSal=PASUL %s: Definirea conturilor contabile implicite pentru plata salariilor. Pentru aceasta, utilizați intrarea din meniu %s. AccountancyAreaDescContrib=PASUL %s: Definiți conturile implicite de contabilitate pentru cheltuieli speciale (taxe diverse). Pentru aceasta, utilizați intrarea din meniu %s. @@ -131,6 +132,7 @@ ACCOUNTING_LENGTH_GACCOUNT=Lungimea conturilor contabile generale (Dacă setați ACCOUNTING_LENGTH_AACCOUNT=Lungimea conturilor contabile ale terțelor părți (dacă ați setat valoarea la 6 aici, contul "401" va apărea ca "401000" pe ecran) ACCOUNTING_MANAGE_ZERO=Permiteți gestionarea unui număr diferit de zero la sfârșitul unui cont contabil. Necesar anumitor țări (cum ar fi Elveția). Dacă se ține inchis (implicit), puteți seta următorii 2 parametri pentru a cere aplicației să adauge zero virutal. BANK_DISABLE_DIRECT_INPUT=Dezactivați înregistrarea directă a tranzacției în contul bancar +ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Enable draft export on journal ACCOUNTING_SELL_JOURNAL=Jurnal vânzări ACCOUNTING_PURCHASE_JOURNAL=Jurnal cumpărări @@ -237,11 +239,11 @@ AccountingJournal=Jurnalul contabil NewAccountingJournal=Jurnal contabil nou ShowAccoutingJournal=Arătați jurnalul contabil Nature=Personalitate juridică -AccountingJournalType1=Miscellaneous operations +AccountingJournalType1=Operațiuni diverse AccountingJournalType2=Vânzări AccountingJournalType3=Achiziţii AccountingJournalType4=Banca -AccountingJournalType5=Expenses report +AccountingJournalType5=Raport Cheltuieli AccountingJournalType8=Inventory AccountingJournalType9=Are nou ErrorAccountingJournalIsAlreadyUse=Acest jurnal este deja folosit diff --git a/htdocs/langs/ro_RO/admin.lang b/htdocs/langs/ro_RO/admin.lang index e3c9b74582c1f..fd9c282f38899 100644 --- a/htdocs/langs/ro_RO/admin.lang +++ b/htdocs/langs/ro_RO/admin.lang @@ -454,7 +454,7 @@ ModuleCompanyCodeDigitaria=Accounting code depends on third party code. The code Use3StepsApproval=By default, Purchase Orders need to be created and approved by 2 different users (one step/user to create and one step/user to approve. Note that if user has both permission to create and approve, one step/user will be enough). You can ask with this option to introduce a third step/user approval, if amount is higher than a dedicated value (so 3 steps will be necessary: 1=validation, 2=first approval and 3=second approval if amount is enough).
Set this to empty if one approval (2 steps) is enough, set it to a very low value (0.1) if a second approval (3 steps) is always required. UseDoubleApproval=Use a 3 steps approval when amount (without tax) is higher than... WarningPHPMail=WARNING: It is often better to setup outgoing emails to use the email server of your provider instead of the default setup. Some email providers (like Yahoo) does not allow you to send an email from another server than their own server. Your current setup use 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 a server of them, so few of your sent Emails may not be accepted (be carefull also to your email provider sending quota).
If your Email provider (like Yahoo) has this restriction, you must change Email setup to choose the other method "SMTP server" and enter the SMTP server and credentials provided by your Email provider (ask your EMail provider to get SMTP credentials for your account). -WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of your ERP CRM application: %s. +WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of the mail user agent (MUA) for your ERP CRM application: %s. ClickToShowDescription=Click to show description DependsOn=This module need the module(s) RequiredBy=This module is required by module(s) @@ -497,7 +497,7 @@ Module25Desc=Managementul Comenzilor Clienţi Module30Name=Facturi Module30Desc=Facturi şi note de credit "de management pentru clienţi. Facturi de gestionare pentru furnizorii Module40Name=Furnizori -Module40Desc=Managementul Furnizorilor şi aprovizionării (comenzi si facturi) +Module40Desc=Suppliers and purchase management (purchase orders and billing) Module42Name=Debug Logs Module42Desc=Facilități de înregistrare (fișier, syslog, ...). Aceste jurnale sunt pentru scopuri tehnice / de depanare. Module49Name=Editori @@ -605,7 +605,7 @@ Module4000Desc=Human resources management (management of department, employee co Module5000Name=Multi-societate Module5000Desc=Vă permite să administraţi mai multe companii Module6000Name=Flux de lucru -Module6000Desc=Managementul fluxului de lucru +Module6000Desc=Workflow management (automatic creation of object and/or automatic status change) Module10000Name=Websites Module10000Desc=Create public websites with a WYSIWG editor. Just setup your web server (Apache, Nginx, ...) to point to the dedicated Dolibarr directory to have it online on the Internet with your own domain name. Module20000Name=Managementul cererilor de concedii @@ -891,7 +891,7 @@ DictionaryCivility=Titlu personal si profesional DictionaryActions=Tipuri evenimente agenda DictionarySocialContributions=Tipuri Taxe sociale sau fiscale DictionaryVAT=Cote TVA sau Cote Taxe Vanzări -DictionaryRevenueStamp=Valoarea timbrelor fiscale +DictionaryRevenueStamp=Amount of tax stamps DictionaryPaymentConditions=Conditiile de plata DictionaryPaymentModes=Moduri plată DictionaryTypeContact=Tipuri Contact/adresă @@ -919,7 +919,7 @@ SetupSaved=Setup salvate SetupNotSaved=Setup not saved BackToModuleList=Inapoi la lista de module BackToDictionaryList=Inapoi la lista de dicţionare -TypeOfRevenueStamp=Type of revenue stamp +TypeOfRevenueStamp=Type of tax stamp VATManagement=TVA-ul de management VATIsUsedDesc=În mod implicit, când se creează perspective, facturi, comenzi etc., rata TVA respectă regula standard activă:
Dacă vânzătorul nu este supus TVA, valoarea TVA este implicit 0. Sfârșitul regulii.
Dacă (țara de vânzare = tara de cumpărare), atunci TVA-ul este implicit egal cu TVA-ul produsului în țara de vânzare. Sfârșitul regulii.
Dacă vânzătorul și cumpărătorul sunt ambele în Comunitatea Europeană, iar bunurile sunt produse de transport (mașină, navă, avion), TVA-ul implicit este 0 (TVA trebuie plătit de cumpărător la vama țării sale și nu la vânzător). Sfârșitul regulii.
Dacă vânzătorul și cumpărătorul sunt ambele în Comunitatea Europeană, iar cumpărătorul nu este o companie, atunci TVA-ul este implicit TVA-ul produsului vândut. Sfârșitul regulii.
Dacă vânzătorul și cumpărătorul sunt ambii în Comunitatea Europeană, iar cumpărătorul este o companie, atunci TVA este 0 în mod prestabilit. Sfârșitul regulii.
În orice alt caz, valoarea implicită propusă este TVA = 0. Sfârșitul regulii. VATIsNotUsedDesc=În mod implicit propuse de TVA este 0, care poate fi utilizat pentru cazuri ca asociaţiile, persoane fizice ou firme mici. @@ -1027,7 +1027,7 @@ Delays_MAIN_DELAY_ACTIONS_TODO=Întârziere acceptată (în zile) înainte de a Delays_MAIN_DELAY_PROJECT_TO_CLOSE=Delay tolerance (in days) before alert on project not closed in time Delays_MAIN_DELAY_TASKS_TODO=Delay tolerance (in days) before alert on planned tasks (project tasks) not completed yet Delays_MAIN_DELAY_ORDERS_TO_PROCESS=Întârziere acceptată (în zile) înainte de a alerta cu privire la comenzile care nu au fost procesate încă -Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Întârziere acceptată (în zile) înainte de a alerta cu privire la comenzile către furnizori care nu au fost procesate încă +Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on purchase orders not processed yet Delays_MAIN_DELAY_PROPALS_TO_CLOSE=Întârziere toleranță (în zile) înainte de alertă cu privire la propunerile de a închide Delays_MAIN_DELAY_PROPALS_TO_BILL=Toleranţă întârziere (în zile) înainte de alertă cu privire la propuneri nu facturat Delays_MAIN_DELAY_NOT_ACTIVATED_SERVICES=Toleranta întârziere (în zile) înainte de alertă cu privire la servicii, pentru a activa @@ -1458,7 +1458,7 @@ SyslogFilename=Nume fişier şi calea YouCanUseDOL_DATA_ROOT=Puteţi folosi DOL_DATA_ROOT / dolibarr.log pentru un fişier de log în Dolibarr "Documente" director. Aveţi posibilitatea să setaţi o altă cale de a păstra acest fişier. ErrorUnknownSyslogConstant=Constant %s nu este un cunoscut syslog constant OnlyWindowsLOG_USER=Windows suportă numai LOG_USER -CompressSyslogs=Syslog files compression and backup +CompressSyslogs=Compression and backup of debug log files (generated by module Log for debug) SyslogFileNumberOfSaves=Log backups ConfigureCleaningCronjobToSetFrequencyOfSaves=Configure cleaning scheduled job to set log backup frequency ##### Donations ##### diff --git a/htdocs/langs/ro_RO/banks.lang b/htdocs/langs/ro_RO/banks.lang index 6a4ea505bc8e3..575df64772f2e 100644 --- a/htdocs/langs/ro_RO/banks.lang +++ b/htdocs/langs/ro_RO/banks.lang @@ -1,12 +1,13 @@ # Dolibarr language file - Source file is en_US - banks Bank=Banca -MenuBankCash=Banca / Casa +MenuBankCash=Bank | Cash MenuVariousPayment=Miscellaneous payments MenuNewVariousPayment=New Miscellaneous payment BankName=Nume bancă FinancialAccount=Cont BankAccount=Cont bancar BankAccounts=Conturi bancare +BankAccountsAndGateways=Bank accounts | Gateways ShowAccount=Arată Cont AccountRef=Contul financiar ref AccountLabel=Contul financiar etichetă @@ -131,7 +132,7 @@ PaymentDateUpdateSucceeded=Data plăţii actualizată cu succes PaymentDateUpdateFailed=Data Plata nu a putut fi actualizată Transactions=Tranzacţii BankTransactionLine=Bank entry -AllAccounts=Toate conturile banca / casa +AllAccounts=All bank and cash accounts BackToAccount=Inapoi la cont ShowAllAccounts=Arată pentru toate conturile FutureTransaction=Tranzacţie viitoare. In nici un caz de decontat. @@ -159,5 +160,6 @@ VariousPayment=Miscellaneous payments VariousPayments=Miscellaneous payments ShowVariousPayment=Show miscellaneous payments AddVariousPayment=Add miscellaneous payments +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. Thanks to return it signed (scan of the signed document) or sent it by mail to diff --git a/htdocs/langs/ro_RO/bills.lang b/htdocs/langs/ro_RO/bills.lang index 623576e91819a..7bfe4417ad084 100644 --- a/htdocs/langs/ro_RO/bills.lang +++ b/htdocs/langs/ro_RO/bills.lang @@ -110,8 +110,8 @@ SendRemindByMail=EMail memento DoPayment=Enter payment DoPaymentBack=Enter refund ConvertToReduc=Mark as credit available -ConvertExcessReceivedToReduc=Convert excess received into future discount -ConvertExcessPaidToReduc=Convert excess paid into future discount +ConvertExcessReceivedToReduc=Convert excess received into available credit +ConvertExcessPaidToReduc=Convert excess paid into available discount EnterPaymentReceivedFromCustomer=Introduceţi o încasare de la client EnterPaymentDueToCustomer=Introduceţi o plată restituire pentru client DisabledBecauseRemainderToPayIsZero=Dezactivată pentru că restul de plată este zero @@ -282,6 +282,7 @@ RelativeDiscount=Discount relativ GlobalDiscount=Discount Global CreditNote=Nota de credit CreditNotes=Note de credit +CreditNotesOrExcessReceived=Credit notes or excess received Deposit=Down payment Deposits=Down payments DiscountFromCreditNote=Reducere de la nota de credit %s @@ -393,6 +394,7 @@ PaymentConditionShort14DENDMONTH=14 days of month-end PaymentCondition14DENDMONTH=Within 14 days following the end of the month FixAmount=Valoare fixă VarAmount=Valoare variabilă (%% tot.) +VarAmountOneLine=Variable amount (%% tot.) - 1 line with label '%s' # PaymentType PaymentTypeVIR=Transfer bancar PaymentTypeShortVIR=Transfer bancar diff --git a/htdocs/langs/ro_RO/compta.lang b/htdocs/langs/ro_RO/compta.lang index 1ce89e514c4c2..4d7e4d415b5e2 100644 --- a/htdocs/langs/ro_RO/compta.lang +++ b/htdocs/langs/ro_RO/compta.lang @@ -19,7 +19,8 @@ Income=Venituri Outcome=Cheltuieli MenuReportInOut=Venituri / Rezultate ReportInOut=Balance of income and expenses -ReportTurnover=Cifra de afaceri +ReportTurnover=Turnover invoiced +ReportTurnoverCollected=Turnover collected PaymentsNotLinkedToInvoice=Plăţile nu sunt legate de orice factură, astfel încât nu au legătură cu o terţă parte PaymentsNotLinkedToUser=Plăţile nu sunt legate de orice utilizator Profit=Profit @@ -77,7 +78,7 @@ MenuNewSocialContribution=Tax social/fiscal nou NewSocialContribution=Taxa sociala/fiscala noua AddSocialContribution=Add social/fiscal tax ContributionsToPay=Taxe sociale / fiscale de plata -AccountancyTreasuryArea=Contabilitate / Trezorerie +AccountancyTreasuryArea=Billing and payment area NewPayment=Plată nouă Payments=Plăţi PaymentCustomerInvoice=Plată factură client @@ -105,6 +106,7 @@ VATPayment=Sales tax payment VATPayments=Sales tax payments VATRefund=Sales tax refund NewVATPayment=New sales tax payment +NewLocalTaxPayment=New tax %s payment Refund=Rambursare SocialContributionsPayments=Plata taxe sociale sau fiscale ShowVatPayment=Arata plata TVA @@ -116,8 +118,9 @@ CustomerAccountancyCodeShort=Cont contabil client SupplierAccountancyCodeShort=Cont contabil furnizor AccountNumber=Numărul de cont NewAccountingAccount=Cont nou -SalesTurnover=Cifra de afaceri Vanzari -SalesTurnoverMinimum=Cifra de afaceri vânzări minimă +Turnover=Turnover invoiced +TurnoverCollected=Turnover collected +SalesTurnoverMinimum=Minimum turnover ByExpenseIncome= După cheltuieli & venituri ByThirdParties=Pe terţi ByUserAuthorOfInvoice=După autorul facturii @@ -137,8 +140,8 @@ 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=Mod %sCreanțe-Datorii%s zisă contabilitatea de angajamente -CalcModeEngagement=Mod %sVenituri- Cheltuieli%s zisă contabilitatea de casă +CalcModeDebt=Analysis of known recorded invoices 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 pe facturi clienţi - facturi furnizori %s CalcModeLT1Debt=Mode %sRE pe facturi clienţi%s @@ -151,9 +154,9 @@ AnnualSummaryInputOutputMode=Balanța de venituri și cheltuieli, rezumat anual 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=Voir le Rapport %sRecettes-Dpenses %s dit comptabilit de Caisse turna un calcul sur les paiements effectivement raliss -SeeReportInDueDebtMode=Voir le Rapport %sCrances-Dettes %s dit comptabilit d'angajament turna un calcul sur les factures mises -SeeReportInBookkeepingMode=See report %sBookeeping%s for a calculation on bookkeeping table analysis +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 RulesAmountWithTaxIncluded=- Valoarea afişată este cu toate taxele incluse RulesResultDue=- Include facturi deschise, cheltuieli, TVA, donații, indiferent dacă sunt plătite sau nu. Include, de asemenea, salariile plătite
- Se ia în calcul data de validare a facturilor pentru TVA și data scadentă pentru cheltuieli. Pentru salarii definite cu modulul Salarii, este utilizată 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 . @@ -218,8 +221,8 @@ Mode1=Metoda 1 Mode2=Metoda 2 CalculationRuleDesc=Pentru a calcula totalul TVA, există două metode:
Metoda 1 este rotunjirea TVA-ului pe fiecare linie, apoi însumarea lor.
Metoda 2 este însumarea tututor TVA rilor de pe fiecare linie, apoi rotunjirea rezultatului.
Rezultatul final poate fi diferit cu câțiva cenți. Modul implicit este %s. CalculationRuleDescSupplier=în funcție de furnizor, alege metoda potrivită pentru a aplica aceeași regulă de calcul și pentru a obține același rezultat ca furnizorul. -TurnoverPerProductInCommitmentAccountingNotRelevant=The Turnover report per product, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). -TurnoverPerSaleTaxRateInCommitmentAccountingNotRelevant=The Turnover report per sale tax rate, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). +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. CalculationMode=Mod calcul AccountancyJournal=Accounting code journal ACCOUNTING_VAT_SOLD_ACCOUNT=Accounting account by default for VAT on sales (used if not defined on VAT dictionary setup) @@ -251,5 +254,6 @@ VATDue=Sale tax claimed ClaimedForThisPeriod=Claimed for the period PaidDuringThisPeriod=Paid during this period ByVatRate=By sale tax rate -TurnoverbyVatrate=Turnover by sale tax rate +TurnoverbyVatrate=Turnover invoiced by sale tax rate +TurnoverCollectedbyVatrate=Turnover collected by sale tax rate PurchasebyVatrate=Purchase by sale tax rate diff --git a/htdocs/langs/ro_RO/install.lang b/htdocs/langs/ro_RO/install.lang index 6b8294e6825ed..b4b9554dde2ef 100644 --- a/htdocs/langs/ro_RO/install.lang +++ b/htdocs/langs/ro_RO/install.lang @@ -204,3 +204,7 @@ MigrationResetBlockedLog=Reset module BlockedLog for v7 algorithm ShowNotAvailableOptions=Afişează opţiunile nedisponibile HideNotAvailableOptions=Acunde opţiunile nedisponibile ErrorFoundDuringMigration=Error were reported during migration process so next step is not available. To ignore errors, you can click here, but application or some features may not work correctly until fixed. +YouTryInstallDisabledByDirLock=The application try to sefl upgrade, but install/upgrade pages have been disabled for security reason (directory renamed with .lock suffix).
+YouTryInstallDisabledByFileLock=The application try to sefl upgrade, but install/upgrade pages pages have been disabled for security reason (by lock file install.lock into dolibarr documents directory).
+ClickHereToGoToApp=Click here to go to your application +ClickOnLinkOrRemoveManualy=Click on following link and if you always reach this page, you must remove the file install.lock into documents directory manually diff --git a/htdocs/langs/ro_RO/main.lang b/htdocs/langs/ro_RO/main.lang index 9e853fa2eba84..686707a81ca85 100644 --- a/htdocs/langs/ro_RO/main.lang +++ b/htdocs/langs/ro_RO/main.lang @@ -507,6 +507,7 @@ NoneF=Niciunul NoneOrSeveral=None or several Late=Întârziat LateDesc=Durata care defineşte dacă o înregistrare este întârziată depinde de configurare. Contactaţi administratorul pentru a schimbă durata din Acasă - Setări - Alerte. +NoItemLate=No late item Photo=Foto Photos=Fotografii AddPhoto=Adauga Foto @@ -945,3 +946,5 @@ KeyboardShortcut=Keyboard shortcut AssignedTo=Atribuit lui Deletedraft=Delete draft ConfirmMassDraftDeletion=Draft Bulk delete confirmation +FileSharedViaALink=File shared via a link + diff --git a/htdocs/langs/ro_RO/modulebuilder.lang b/htdocs/langs/ro_RO/modulebuilder.lang index 3c1f51d4cf72f..f8869b656af57 100644 --- a/htdocs/langs/ro_RO/modulebuilder.lang +++ b/htdocs/langs/ro_RO/modulebuilder.lang @@ -74,6 +74,7 @@ NoWidget=No widget GoToApiExplorer=Go to API explorer ListOfMenusEntries=List of menu entries ListOfPermissionsDefined=List of defined permissions +SeeExamples=See examples here EnabledDesc=Condition to have this field active (Examples: 1 or $conf->global->MYMODULE_MYOPTION) VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only. Using a negative value means field is not shown by default on list but can be selected for viewing) IsAMeasureDesc=Can the value of field be cumulated to get a total into list ? (Examples: 1 or 0) @@ -95,3 +96,6 @@ DropTableIfEmpty=(Delete table if empty) TableDoesNotExists=The table %s does not exists TableDropped=Table %s deleted InitStructureFromExistingTable=Build the structure array string of an existing table +UseAboutPage=Disallow the about page +UseDocFolder=Disallow the documentation folder +UseSpecificReadme=Use a specific ReadMe diff --git a/htdocs/langs/ro_RO/other.lang b/htdocs/langs/ro_RO/other.lang index e51b72b70e5cd..fb3cb243174d0 100644 --- a/htdocs/langs/ro_RO/other.lang +++ b/htdocs/langs/ro_RO/other.lang @@ -80,8 +80,8 @@ LinkedObject=Legate de obiectul NbOfActiveNotifications=Numărul de notificări (Nr de e-mailuri beneficiare) PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe two lines are separated by a carriage return.\n\n__USER_SIGNATURE__ PredefinedMailTestHtml=__(Hello)__\nThis is a test mail (the word test must be in bold).
The two lines are separated by a carriage return.

__USER_SIGNATURE__ -PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\nThis is the link to make your online payment if this invoice is not already payed:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\nThis is the link to make your online payment:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendProposal=__(Hello)__\n\nYou will find here the commercial proposal __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendSupplierProposal=__(Hello)__\n\nYou will find here the price request __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendOrder=__(Hello)__\n\nYou will find here the order __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ @@ -91,6 +91,7 @@ PredefinedMailContentSendShipping=__(Hello)__\n\nYou will find here the shipping PredefinedMailContentSendFichInter=__(Hello)__\n\nYou will find here the intervention __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentThirdparty=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentUser=__(Hello)__\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 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) @@ -218,7 +219,7 @@ FileIsTooBig=Fişiere este prea mare PleaseBePatient=Vă rugăm să aveţi răbdare ... NewPassword=New password ResetPassword=Reset password -RequestToResetPasswordReceived=A request to change your password has been received +RequestToResetPasswordReceived=A request to change your password has been received. NewKeyIs=Aceasta este noua cheie pentru login NewKeyWillBe=Noua dvs. cheie pentru a vă conecta la software-ul va fi ClickHereToGoTo=Click aici pentru a merge la %s diff --git a/htdocs/langs/ro_RO/paypal.lang b/htdocs/langs/ro_RO/paypal.lang index 57ee87a75f149..5399d8d4a2c20 100644 --- a/htdocs/langs/ro_RO/paypal.lang +++ b/htdocs/langs/ro_RO/paypal.lang @@ -14,7 +14,6 @@ PaypalModeOnlyPaypal=Numai PayPal ONLINE_PAYMENT_CSS_URL=Optionnal URL of CSS style sheet on online payment page ThisIsTransactionId=Acesta este ID-ul de tranzacţie: %s PAYPAL_ADD_PAYMENT_URL=Adăugaţi URL-ul de plată Paypal atunci când trimiteţi un document prin e-mail -PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.

%s

YouAreCurrentlyInSandboxMode=You are currently in the %s "sandbox" mode NewOnlinePaymentReceived=New online payment received NewOnlinePaymentFailed=New online payment tried but failed diff --git a/htdocs/langs/ro_RO/products.lang b/htdocs/langs/ro_RO/products.lang index cd27237442fd8..5363ffc8a411c 100644 --- a/htdocs/langs/ro_RO/products.lang +++ b/htdocs/langs/ro_RO/products.lang @@ -251,8 +251,8 @@ PriceNumeric=Număr DefaultPrice=Preț Implicit ComposedProductIncDecStock=Mărește/micșorează stoc pe schimbări sintetice ComposedProduct=Sub-produs -MinSupplierPrice=Preţ minim furnizor -MinCustomerPrice=Minimum customer price +MinSupplierPrice=Preţul minim de achiziţie +MinCustomerPrice=Minimum selling price DynamicPriceConfiguration=Dynamic price configuration DynamicPriceDesc=On product card, with this module enabled, you should be able to set mathematic functions to calculate Customer or Supplier prices. Such function can use all mathematic operators, some constants and variables. You can set here the variables you want to be able to use and if the variable need an automatic update, the external URL to use to ask Dolibarr to update automaticaly the value. AddVariable=Add Variable diff --git a/htdocs/langs/ro_RO/propal.lang b/htdocs/langs/ro_RO/propal.lang index 3bb746a6e2c7f..e2769afb27371 100644 --- a/htdocs/langs/ro_RO/propal.lang +++ b/htdocs/langs/ro_RO/propal.lang @@ -75,6 +75,7 @@ AvailabilityTypeAV_1M=1 lună TypeContact_propal_internal_SALESREPFOLL=Reprezentant urmărire ofertă TypeContact_propal_external_BILLING=Contact client facturare propunere TypeContact_propal_external_CUSTOMER=Contact client urmărire ofertă +TypeContact_propal_external_SHIPPING=Customer contact for delivery # Document models DocModelAzurDescription=Model de ofertă comercială completă (logo. ..) DefaultModelPropalCreate=Crează model implicit diff --git a/htdocs/langs/ro_RO/sendings.lang b/htdocs/langs/ro_RO/sendings.lang index 8751ec312f87d..fe810071d68f3 100644 --- a/htdocs/langs/ro_RO/sendings.lang +++ b/htdocs/langs/ro_RO/sendings.lang @@ -52,8 +52,8 @@ ActionsOnShipping=Evenimente pe livrare LinkToTrackYourPackage=Link pentru a urmări pachetul dvs ShipmentCreationIsDoneFromOrder=Pentru moment, crearea unei noi livrări se face din fişa comenzii. ShipmentLine=Linie de livrare -ProductQtyInCustomersOrdersRunning=Product quantity into open customers orders -ProductQtyInSuppliersOrdersRunning=Product quantity into open suppliers orders +ProductQtyInCustomersOrdersRunning=Product quantity into open customer orders +ProductQtyInSuppliersOrdersRunning=Product quantity into open purchase orders ProductQtyInShipmentAlreadySent=Product quantity from open customer order already sent ProductQtyInSuppliersShipmentAlreadyRecevied=Product quantity from open supplier order already received NoProductToShipFoundIntoStock=No product to ship found into warehouse %s. Correct stock or go back to choose another warehouse. diff --git a/htdocs/langs/ro_RO/stocks.lang b/htdocs/langs/ro_RO/stocks.lang index 286c52edd7c03..ea05209fc8c13 100644 --- a/htdocs/langs/ro_RO/stocks.lang +++ b/htdocs/langs/ro_RO/stocks.lang @@ -67,7 +67,7 @@ DeStockOnValidateOrder=Descreşterea stocului fizic bazată pe validarea comenz DeStockOnShipment=Descreşte stocul fizic bazat pe validarea livrarilor DeStockOnShipmentOnClosing=Decrease real stocks on shipping classification closed ReStockOnBill=Creşterea stocului fizic bazată pe validarea facturilor / note de credit -ReStockOnValidateOrder=Creşterea stocului fizic bazată pe aprobarea comenzilor furnizor +ReStockOnValidateOrder=Increase real stocks on purchase orders approbation ReStockOnDispatchOrder=Increase real stocks on manual dispatching into warehouses, after supplier order receipt of goods OrderStatusNotReadyToDispatch=Comanda nu mai este sau nu mai are un statut care să permită dipecerizarea produselor în depozit StockDiffPhysicTeoric=Explanation for difference between physical and virtual stock @@ -203,4 +203,4 @@ RegulateStock=Regulate Stock ListInventory=Lista StockSupportServices=Stock management support services StockSupportServicesDesc=By default, you can stock only product with type "product". If on, and if module service is on, you can also stock a product with type "service" -ReceiveProducts=Receive products +ReceiveProducts=Receive items diff --git a/htdocs/langs/ro_RO/users.lang b/htdocs/langs/ro_RO/users.lang index 6ad1d1be7341c..30d3528f8bbe7 100644 --- a/htdocs/langs/ro_RO/users.lang +++ b/htdocs/langs/ro_RO/users.lang @@ -48,7 +48,7 @@ PasswordChangeRequest=Request to change password for %s PasswordChangeRequestSent=Cerere pentru a schimba parola pentru %s %s la trimis. ConfirmPasswordReset=Confirm password reset MenuUsersAndGroups=Utilizatorii & Grupuri -LastGroupsCreated=Ultimele %s grupuri create +LastGroupsCreated=Latest %s groups created LastUsersCreated=Ultimii %s utilizatori creaţi ShowGroup=Arata grup ShowUser=Arata utilizator diff --git a/htdocs/langs/ru_RU/accountancy.lang b/htdocs/langs/ru_RU/accountancy.lang index c66a3582349fd..1358d2d110e2c 100644 --- a/htdocs/langs/ru_RU/accountancy.lang +++ b/htdocs/langs/ru_RU/accountancy.lang @@ -18,7 +18,7 @@ DefaultForProduct=Default for product CantSuggest=Can't suggest AccountancySetupDoneFromAccountancyMenu=Most setup of the accountancy is done from the menu %s ConfigAccountingExpert=Конфигурация бухгалтерского модуля -Journalization=Журнализация +Journalization=Журналирование Journaux=Журналы JournalFinancial=Финансовые журналы BackToChartofaccounts=Получаемый график счетов @@ -55,6 +55,7 @@ AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from m AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s AccountancyAreaDescVat=STEP %s: Define accounting accounts for each VAT Rates. For this, use the menu entry %s. +AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. AccountancyAreaDescExpenseReport=STEP %s: Define default accounting accounts for each type of expense report. For this, use the menu entry %s. AccountancyAreaDescSal=STEP %s: Define default accounting accounts for payment of salaries. For this, use the menu entry %s. AccountancyAreaDescContrib=STEP %s: Define default accounting accounts for special expences (miscellaneous taxes). For this, use the menu entry %s. @@ -131,6 +132,7 @@ ACCOUNTING_LENGTH_GACCOUNT=Length of the general accounting accounts (If you set 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 zero at the end of an accounting account. Needed by some countries (like switzerland). If keep to off (default), you can set the 2 following parameters to ask application to add virtual zero. BANK_DISABLE_DIRECT_INPUT=Disable direct recording of transaction in bank account +ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Enable draft export on journal ACCOUNTING_SELL_JOURNAL=Журнал продаж ACCOUNTING_PURCHASE_JOURNAL=Журнал платежей @@ -232,7 +234,7 @@ NotYetAccounted=Not yet accounted in ledger ApplyMassCategories=Apply mass categories AddAccountFromBookKeepingWithNoCategories=Available acccount not yet in a personalized group CategoryDeleted=Category for the accounting account has been removed -AccountingJournals=Accounting journals +AccountingJournals=Бухгалтерские журналы AccountingJournal=Accounting journal NewAccountingJournal=New accounting journal ShowAccoutingJournal=Show accounting journal diff --git a/htdocs/langs/ru_RU/admin.lang b/htdocs/langs/ru_RU/admin.lang index 95ae9fcf55ae8..785272e6df315 100644 --- a/htdocs/langs/ru_RU/admin.lang +++ b/htdocs/langs/ru_RU/admin.lang @@ -1,7 +1,7 @@ # Dolibarr language file - Source file is en_US - admin Foundation=Фонд Version=Версия -Publisher=Publisher +Publisher=Издатель VersionProgram=Версия программы VersionLastInstall=Начальная версия установки VersionLastUpgrade=Последнее обновление версии @@ -9,22 +9,22 @@ VersionExperimental=Экспериментальная VersionDevelopment=Разработка VersionUnknown=Неизвестно VersionRecommanded=Рекомендуемые -FileCheck=Files integrity checker -FileCheckDesc=This tool allows you to check the integrity of files and setup of your application, comparing each files with the official ones. Value of some setup constants may also be checked. You can use this tool to detect if some files were modified by a hacker for example. -FileIntegrityIsStrictlyConformedWithReference=Files integrity is strictly conformed with the reference. -FileIntegrityIsOkButFilesWereAdded=Files integrity check has passed, however some new files were added. -FileIntegritySomeFilesWereRemovedOrModified=Files integrity check has failed. Some files were modified, removed or added. -GlobalChecksum=Global checksum -MakeIntegrityAnalysisFrom=Make integrity analysis of application files from -LocalSignature=Embedded local signature (less reliable) -RemoteSignature=Remote distant signature (more reliable) +FileCheck=Проверка целостности файлов +FileCheckDesc=Этот инструмент позволяет проверять целостность файлов и настройку вашего приложения, сравнивая каждый файл с официальными. Можно также проверить значение некоторых установочных констант. Вы можете использовать этот инструмент, чтобы определить, были ли некоторые файлы изменены хакером, например. +FileIntegrityIsStrictlyConformedWithReference=Целостность файлов строго соответствует ссылке. +FileIntegrityIsOkButFilesWereAdded=Проверка целостности файлов прошла, однако некоторые новые файлы были добавлены. +FileIntegritySomeFilesWereRemovedOrModified=Ошибка проверки целостности файлов. Некоторые файлы были изменены, удалены или добавлены. +GlobalChecksum=Глобальная контрольная сумма +MakeIntegrityAnalysisFrom=Сделайте анализ целостности файлов приложений +LocalSignature=Встроенная локальная подпись (менее надежная) +RemoteSignature=Удаленная дальняя подпись (более надежная) FilesMissing=Отсутсвующие файлы FilesUpdated=Обновлённые файлы -FilesModified=Modified Files -FilesAdded=Added Files -FileCheckDolibarr=Check integrity of application files -AvailableOnlyOnPackagedVersions=The local file for integrity checking is only available when application is installed from an official package -XmlNotFound=Xml Integrity File of application not found +FilesModified=Модифицированные файлы +FilesAdded=Добавленные файлы +FileCheckDolibarr=Проверка целостности файлов приложений +AvailableOnlyOnPackagedVersions=Локальный файл для проверки целостности доступен только в том случае, если приложение установлено из официального пакета +XmlNotFound=Xml Integrity Файл приложения не найден SessionId=ID сессии SessionSaveHandler=Обработчик для сохранения сессий SessionSavePath=Хранение локализации сессий @@ -40,8 +40,8 @@ WebUserGroup=Пользователь / группа Web-сервера NoSessionFound=Ваш PHP, кажется, не позволяет вывести список активных сессий. Возможно, директория, используемаяя для сохранения сессий (%s) защищена (например, правами в ОС или директивой PHP open_basedir). DBStoringCharset=Кодировка базы данных для хранения данных DBSortingCharset=Кодировка базы данных для сортировки данных -ClientCharset=Client charset -ClientSortingCharset=Client collation +ClientCharset=Клиентская кодировка +ClientSortingCharset=Сопоставление клиентов WarningModuleNotActive=Модуль %s должен быть включен WarningOnlyPermissionOfActivatedModules=Здесь приведены только права доступа, связанные с активированными модулями. Вы можете активировать другие модули на странице Главная->Установка->Модули. DolibarrSetup=Установка или обновление Dolibarr @@ -51,13 +51,13 @@ InternalUsers=Внутренние пользователи ExternalUsers=Внешние пользователи GUISetup=Внешний вид SetupArea=Раздел настроек -UploadNewTemplate=Upload new template(s) +UploadNewTemplate=Загрузить новый шаблон (ы) FormToTestFileUploadForm=Форма для проверки загрузки файлов (в зависимости от настройки) IfModuleEnabled=Примечание: "Да" влияет только тогда, когда модуль %s включен RemoveLock=Удалить файл %s, (если он существует), чтобы позволить использование инструментов обновления. RestoreLock=Восстановить файл %s с правами "только чтение", чтобы отключить любое использование инструмента обновления. SecuritySetup=Настройка безопасности -SecurityFilesDesc=Define here options related to security about uploading files. +SecurityFilesDesc=Определите здесь параметры, связанные с безопасностью загрузки файлов. ErrorModuleRequirePHPVersion=Ошибка, этот модуль требует PHP версии %s или выше ErrorModuleRequireDolibarrVersion=Ошибка, этот модуль требует Dolibarr версии %s или выше ErrorDecimalLargerThanAreForbidden=Ошибка, точность выше, чем %s, не поддерживается. @@ -66,13 +66,13 @@ Dictionary=Словари ErrorReservedTypeSystemSystemAuto=Значение 'system' и 'systemauto' для типа зарезервировано. Вы можете использовать значение 'user' для добавления вашей собственной записи ErrorCodeCantContainZero=Код не может содержать значение 0 DisableJavascript=Отключить JavaScript и Ajax (Рекомендуется если пользователи пользуются текстовыми браузерами) -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=Wait you press a key before loading content of thirdparties combo list (This may increase performance if you have a large number of thirdparties, but it is less convenient) -DelaiedFullListToSelectContact=Wait you press a key before loading content of contact combo list (This may increase performance if you have a large number of contact, but it is less convenient) +UseSearchToSelectCompanyTooltip=Кроме того, если у вас есть большое количество третьих лиц (> 100 000), вы можете увеличить скорость, установив постоянную COMPANY_DONOTSEARCH_ANYWHERE на 1 в Setup-> Other. Затем поиск будет ограничен началом строки. +UseSearchToSelectContactTooltip=Кроме того, если у вас есть большое количество третьих лиц (> 100 000), вы можете увеличить скорость, установив постоянную связь CONTACT_DONOTSEARCH_ANYWHERE в 1 в Setup-> Other. Затем поиск будет ограничен началом строки. +DelaiedFullListToSelectCompany=Подождите, пока вы нажмете клавишу перед загрузкой содержимого списка со списком сторонних партнеров (это может повысить производительность, если у вас есть большое количество третьих сторон, но это менее удобно) +DelaiedFullListToSelectContact=Подождите, пока вы нажмете клавишу до загрузки содержимого списка контактов (это может повысить производительность, если у вас большое количество контактов, но это менее удобно) NumberOfKeyToSearch=Кол-во символов для запуска поиска: %s NotAvailableWhenAjaxDisabled=Недоступно при отключенном Ajax -AllowToSelectProjectFromOtherCompany=On document of a third party, can choose a project linked to another third party +AllowToSelectProjectFromOtherCompany=В документе третьей стороны можно выбрать проект, связанный с другой третьей стороной JavascriptDisabled=JavaScript отключен UsePreviewTabs=Использовать вкладки предпросмотра ShowPreview=Предварительный просмотр @@ -80,7 +80,7 @@ PreviewNotAvailable=Предварительный просмотр не дос ThemeCurrentlyActive=Текущая тема CurrentTimeZone=Текущий часовой пояс в настройках PHP MySQLTimeZone=Часовой пояс БД (MySQL) -TZHasNoEffect=Dates are stored and returned by database server as if they were kept as submited string. The timezone has effect only when using 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=Даты сохраняются и возвращаются сервером базы данных, как если бы они хранились в виде строки. Временной зонд имеет эффект только при использовании UNIX_TIMESTAMP (который не должен использоваться Dolibarr, поэтому база данных TZ не должна иметь эффекта, даже если она была изменена после ввода данных). Space=Пробел Table=Таблица Fields=Поля @@ -89,7 +89,7 @@ Mask=Маска NextValue=Следующее значение NextValueForInvoices=Следующее значение (счета-фактуры) NextValueForCreditNotes=Следующее значение (кредитные авизо) -NextValueForDeposit=Next value (down payment) +NextValueForDeposit=Следующее значение (первоначальный взнос) NextValueForReplacements=Следующее значение (замены) MustBeLowerThanPHPLimit=Примечание: ваш PHP ограничивает размер загружаемого файла до %s %s независимо от значения этого параметра NoMaxSizeByPHPLimit=Примечание: в вашей конфигурации PHP установлено no limit @@ -101,7 +101,7 @@ AntiVirusParam= Дополнительные параметры командно AntiVirusParamExample= Пример для ClamWin: --database="C:\\Program Files (x86)\\ClamWin\\lib" ComptaSetup=Установка модуля контрагентов UserSetup=Установка управления пользователями -MultiCurrencySetup=Multi-currency setup +MultiCurrencySetup=Многовалютная настройка MenuLimits=Точность и ограничения MenuIdParent=ID родительского меню DetailMenuIdParent=ID родительского меню (EMPTY для верхнего меню) @@ -126,12 +126,12 @@ PHPTZ=Часовой пояс PHP сервера DaylingSavingTime=Летнее время CurrentHour=Время PHP (на PHP-сервере) CurrentSessionTimeOut=Тайм-аут текущей сессии -YouCanEditPHPTZ=To set a different PHP timezone (not required), you can try to add a file .htaccess with a line like this "SetEnv TZ Europe/Paris" -HoursOnThisPageAreOnServerTZ=Warning, in contrary of other screens, hours on this page are not in your local timezone, but for the timezone of the server. +YouCanEditPHPTZ=Чтобы установить другой часовой пояс PHP (не требуется), вы можете попробовать добавить файл .htaccess с помощью строки «SetEnv TZ Europe/Paris», +HoursOnThisPageAreOnServerTZ=Предупреждение, в отличие от других экранов, часы на этой странице не находятся в вашем локальном часовом поясе, а в часовом поясе сервера. Box=Виджет Boxes=Виджеты MaxNbOfLinesForBoxes=Максимальное количество строк для виджетов -AllWidgetsWereEnabled=All available widgets are enabled +AllWidgetsWereEnabled=Доступны все доступные виджеты PositionByDefault=Порядок по умолчанию Position=Позиция MenusDesc=Менеджеры меню позволяют настраивать обе панели меню (горизонтальную и вертикальную). @@ -146,12 +146,12 @@ Purge=Очистить PurgeAreaDesc=Эта страница позволяет вам удалить все файлы созданные или хранящиеся в Dolibarr (временные файлы или все файлы в папке %s). Использование этой возможности не является обязательным. Она полезна при размещении Dolibarr на серверах не позволяющих удалять файлы созданные веб-сервером. PurgeDeleteLogFile=Удаление файлов журналов, включая %s определенный для модуля Syslog (без риска потери данных) PurgeDeleteTemporaryFiles=Удалить все временные файлы (без риска потери данных) -PurgeDeleteTemporaryFilesShort=Delete temporary files +PurgeDeleteTemporaryFilesShort=Удаление временных файлов PurgeDeleteAllFilesInDocumentsDir=Удалить все файлы в директории %s. Временные файлы, резервные копии базы данных, а также файлы, прикрепленные к элементам (контрагенты, счета-фактуры, ...) и загруженные в модуль электронного документооборота ECM будут удалены. PurgeRunNow=Очистить сейчас PurgeNothingToDelete=Нет директории или файла для удаления. PurgeNDirectoriesDeleted=Удалено %s файлов или каталогов. -PurgeNDirectoriesFailed=Failed to delete %s files or directories. +PurgeNDirectoriesFailed=Не удалось удалить %s файлов или каталогов. PurgeAuditEvents=Очистить все события безопасности ConfirmPurgeAuditEvents=Вы хотите очистить все события связанные с безопасностью? Все журналы безопасности будут удалены, другие данные не будут удалены. GenerateBackup=Создать резервную копию @@ -190,30 +190,30 @@ EncodeBinariesInHexa=Кодировать двоичные данные в ше IgnoreDuplicateRecords= Игнорировать ошибки дублирующихся записей (INSERT IGNORE) AutoDetectLang=Автоопределение (язык браузера) FeatureDisabledInDemo=Функция отключена в демо - -FeatureAvailableOnlyOnStable=Feature only available on official stable versions +FeatureAvailableOnlyOnStable=Функция доступна только в официальных стабильных версиях BoxesDesc=Виджеты компонентов отображают такую же информацию которую вы можете добавить к персонализированным страницам. Вы можете выбрать между показом виджета или не выбирая целевую страницу нажать "Активировать", или выбрать корзину для отключения. OnlyActiveElementsAreShown=Показаны только элементы из включенных модулей ModulesDesc=Модули Dolibar определяют какие возможности будут включены в приложении. Некоторые приложения/модули требуют разрешения которые вы должны предоставить пользователям, после их активации. Нажмите на кнопку on/off для включения или отключения модулей. ModulesMarketPlaceDesc=В интернете вы можете найти больше модулей для загрузки... -ModulesDeployDesc=If permissions on your file system allows it, you can use this tool to deploy an external module. The module wil then be visible on the tab %s. +ModulesDeployDesc=Если разрешения для вашей файловой системы позволяют это, вы можете использовать этот инструмент для развертывания внешнего модуля. Затем модуль будет виден на вкладке%s. ModulesMarketPlaces=Поиск внешних приложений/модулей -ModulesDevelopYourModule=Develop your own app/modules -ModulesDevelopDesc=You can develop or find a partner to develop for you, your personalised module -DOLISTOREdescriptionLong=Instead of switching on www.dolistore.com web site to find an external module, you can use this embedded tool that will make the seach on the external market place for you (may be slow, need an internet access)... +ModulesDevelopYourModule=Разработка собственного приложения/модулей +ModulesDevelopDesc=Вы можете разработать или найти партнера для разработки, ваш персонализированный модуль +DOLISTOREdescriptionLong=Вместо того, чтобы переходить на веб-сайт www.dolistore.com, чтобы найти внешний модуль, вы можете использовать этот встроенный инструмент, который сделает ваше путешествие на внешнем рынке (может быть медленным, нужен доступ в Интернет) ... NewModule=Новый -FreeModule=Free -CompatibleUpTo=Compatible with version %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 -Updated=Updated -Nouveauté=Novelty -AchatTelechargement=Buy / Download -GoModuleSetupArea=To deploy/install a new module, go onto the Module setup area at %s. +FreeModule=Свободно +CompatibleUpTo=Совместимость с версией %s +NotCompatible=Этот модуль не совместим с вашим Dolibarr%s (Min%s - Max%s). +CompatibleAfterUpdate=Этот модуль требует обновления вашего Dolibarr%s (Min%s - Max%s). +SeeInMarkerPlace=См. На рынке +Updated=Обновлено +Nouveauté=Новое +AchatTelechargement=Купить/Скачать +GoModuleSetupArea=Чтобы развернуть/установить новый модуль, перейдите в область настройки модуля с %s. DoliStoreDesc=DoliStore, официальный магазин внешних модулей Dolibarr ERP / CRM -DoliPartnersDesc=List of companies providing custom developed modules or features (Note: anyone experienced in PHP programming can provide custom development for an open source project) +DoliPartnersDesc=Список компаний, предоставляющих индивидуально разработанные модули или функции (Примечание: любой, кто имеет опыт программирования на PHP, может предоставить пользовательскую разработку для проекта с открытым исходным кодом) WebSiteDesc=Ссылки на веб-сайты, чтобы найти больше модулей... -DevelopYourModuleDesc=Some solutions to develop your own module... +DevelopYourModuleDesc=Некоторые решения для разработки собственного модуля ... URL=Ссылка BoxesAvailable=Доступные виджеты BoxesActivated=Включенные виджеты @@ -222,7 +222,7 @@ ActiveOn=Активирован SourceFile=Исходный файл AvailableOnlyIfJavascriptAndAjaxNotDisabled=Доступно, только если JavaScript не отключен Required=Обязательный -UsedOnlyWithTypeOption=Used by some agenda option only +UsedOnlyWithTypeOption=Используется только для некоторых вариантов повестки дня Security=Безопасность Passwords=Пароли DoNotStoreClearPassword=Не хранить пароли в открытом виде в базе данных - хранить зашифрованные значения (Рекомендуем) @@ -235,64 +235,64 @@ Feature=Возможность DolibarrLicense=Лицензия Developpers=Разработчики / авторы OfficialWebSite=Международный официальный веб-сайт Dolibarr -OfficialWebSiteLocal=Local web site (%s) +OfficialWebSiteLocal=Локальный веб-сайт (%s) OfficialWiki=Документация Dolibarr на Wiki OfficialDemo=Демонстрация возможностей Dolibarr в интернете OfficialMarketPlace=Официальный магазин внешних модулей / дополнений OfficialWebHostingService=Рекомендуемые сервисы веб-хостинга (облачный хостинг) ReferencedPreferredPartners=Предпочитаемые партнёры -OtherResources=Other resources +OtherResources=Другие источники ExternalResources=Внешние ресурсы -SocialNetworks=Social Networks +SocialNetworks=Социальные сети ForDocumentationSeeWiki=Для получения документации пользователя или разработчика (документация, часто задаваемые вопросы...),
посетите Dolibarr Wiki:
%s ForAnswersSeeForum=Для любых других вопросов / помощи, вы можете использовать форум Dolibarr:
%s HelpCenterDesc1=Этот раздел может помочь вам получить помощь службы поддержки по Dolibarr. HelpCenterDesc2=Некоторые части этого сервиса доступны только на английском языке. CurrentMenuHandler=Обработчик текущего меню MeasuringUnit=Единица измерения -LeftMargin=Left margin -TopMargin=Top margin -PaperSize=Paper type -Orientation=Orientation -SpaceX=Space X -SpaceY=Space Y -FontSize=Font size -Content=Content -NoticePeriod=Notice period -NewByMonth=New by month +LeftMargin=Левое поле +TopMargin=Верхнее поле +PaperSize=Тип бумаги +Orientation=Ориентация +SpaceX=Пространство X +SpaceY=Пространство Y +FontSize=Размер шрифта +Content=Содержимое +NoticePeriod=Период уведомления +NewByMonth=Новые по месяцам Emails=Электронная почта EMailsSetup=Настройка электронной почты EMailsDesc=Эта страница позволяет вам переписывать PHP параметры для отправки писем. В большинстве случаев в операционных системах Unix/Linux настройки PHP корректны и менять их не нужно. -EmailSenderProfiles=Emails sender profiles +EmailSenderProfiles=Профили отправителей электронной почты MAIN_MAIL_SMTP_PORT=SMTP/SMTPS порт (По умолчанию в php.ini: %s) MAIN_MAIL_SMTP_SERVER=SMTP/SMTPS сервер (по умолчанию в php.ini: %s) MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=SMTP/SMTPS Порт (Не определен в PHP на Unix-подобных системах) MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP/SMTPS сервер (Не определен в PHP на Unix-подобных системах) MAIN_MAIL_EMAIL_FROM=Отправитель писем для автоматических рассылок (В php.ini указан: %s) -MAIN_MAIL_ERRORS_TO=Eemail used for error returns emails (fields 'Errors-To' in emails sent) +MAIN_MAIL_ERRORS_TO=E-mail используется для отправки сообщений об ошибках (поля «Errors-To» в отправленных сообщениях) MAIN_MAIL_AUTOCOPY_TO= Скрыто отправлять копии всех отправляемых писем на MAIN_DISABLE_ALL_MAILS=Отключить отправку всех писем (для тестирования или демонстраций) -MAIN_MAIL_FORCE_SENDTO=Send all emails to (instead of real recipients, for test purposes) -MAIN_MAIL_ENABLED_USER_DEST_SELECT=Add employees users with email into allowed destinaries list +MAIN_MAIL_FORCE_SENDTO=Отправляйте все электронные письма (вместо реальных получателей, для целей тестирования) +MAIN_MAIL_ENABLED_USER_DEST_SELECT=Добавить пользователей сотрудников с электронной почтой в список разрешенных судебных органов MAIN_MAIL_SENDMODE=Метод, используемый для отправки электронной почты MAIN_MAIL_SMTPS_ID=SMTP ID, если требуется проверка подлинности MAIN_MAIL_SMTPS_PW=SMTP пароль, если требуется проверка подлинности MAIN_MAIL_EMAIL_TLS= Использовать TLS (SSL) шифрование -MAIN_MAIL_EMAIL_STARTTLS= Use TLS (STARTTLS) encrypt +MAIN_MAIL_EMAIL_STARTTLS= Использовать шифрование TLS (STARTTLS) MAIN_DISABLE_ALL_SMS=Отключить отправку всех SMS (для тестирования или демонстрации) MAIN_SMS_SENDMODE=Метод, используемый для передачи SMS MAIN_MAIL_SMS_FROM=Номер отправителя для отправки SMS -MAIN_MAIL_DEFAULT_FROMTYPE=Sender email by default for manual sendings (User email or Company email) -UserEmail=User email -CompanyEmail=Company email +MAIN_MAIL_DEFAULT_FROMTYPE=Письмо отправителя по умолчанию для отправки вручную (электронная почта пользователя или электронная почта компании) +UserEmail=Электронная почта пользователя +CompanyEmail=Электронная почта компании FeatureNotAvailableOnLinux=Функция недоступна на Unix подобных систем. Проверьте вашу программу для отправки почты локально. SubmitTranslation=Если перевод на этот язык не завершен или вы нашли ошибки, вы можете исправить их отредактировав файлы в папке langs/%s и отправив внесенные изменения на 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 for developers on github.com/Dolibarr/dolibarr. +SubmitTranslationENUS=Если перевод для этого языка не завершен или вы обнаружите ошибки, вы можете исправить это, отредактировав файлы в каталог langs/%s и отправив измененные файлы на dolibarr.org/forum или для разработчиков на github.com/Dolibarr/dolibarr. ModuleSetup=Настройка модуля ModulesSetup=Настройка Модулей/Приложений ModuleFamilyBase=Система ModuleFamilyCrm=Управление взаимоотношениями с клиентами (CRM) -ModuleFamilySrm=Vendor Relation Management (VRM) +ModuleFamilySrm=Управление взаимоотношениями с поставщиками (VRM) ModuleFamilyProducts=Управление продукцией (PM) ModuleFamilyHr=Управление персоналом (HR) ModuleFamilyProjects=Проекты / Совместная работа @@ -301,31 +301,31 @@ ModuleFamilyTechnic=Много-модульные инструменты ModuleFamilyExperimental=Экспериментальные модули ModuleFamilyFinancial=Финансовые модули (Бухгалтерия / Казначейство) ModuleFamilyECM=Управление электронным содержимым (ECM) -ModuleFamilyPortal=Web sites and other frontal application -ModuleFamilyInterface=Interfaces with external systems +ModuleFamilyPortal=Веб-сайты и другие фронтальные приложения +ModuleFamilyInterface=Интерфейсы с внешними системами MenuHandlers=Обработчики меню MenuAdmin=Редактор меню DoNotUseInProduction=Не используйте в производстве ThisIsProcessToFollow=Это шаги для процесса: -ThisIsAlternativeProcessToFollow=This is an alternative setup to process manually: +ThisIsAlternativeProcessToFollow=Это альтернативная настройка для обработки вручную: StepNb=Шаг %s FindPackageFromWebSite=Поиск пакета, который обеспечивает функции которые вы хотите (например, на официальном веб-сайте %s). DownloadPackageFromWebSite=Загрузка пакета (например, на официальном веб-сайте %s). UnpackPackageInDolibarrRoot=Распаковка файлов пакета на сервере Dolibarr: %s -UnpackPackageInModulesRoot=To deploy/install an external module, unpack the packaged files into the server directory dedicated to modules: %s +UnpackPackageInModulesRoot=Чтобы развернуть/установить внешний модуль, распакуйте упакованные файлы в каталог сервера, предназначенный для модулей: %s SetupIsReadyForUse=Развертывание модуля завершено. Теперь необходимо включить и настроить модуль в вашей программе на странице настройки модуля: %s. NotExistsDirect=Альтернативная корневая директория не задана.
InfDirAlt=Начиная с 3-ей версии, можно определить альтернативный корневой каталог. Это позволяет вам хранить в специальном каталоге, плагины и настраиваемые шаблоны.
Просто создайте каталог в корне Dolibarr (например: custom).
-InfDirExample=
Then declare it in the file conf.php
$dolibarr_main_url_root_alt='/custom'
$dolibarr_main_document_root_alt='/path/of/dolibarr/htdocs/custom'
If these lines are commented with "#", to enable them, just uncomment by removing the "#" character. -YouCanSubmitFile=For this step, you can submit the .zip file of module package here : +InfDirExample=
Затем объявите его в файле conf.php
$dolibarr_main_url_root_alt = '/custom'
$dolibarr_main_document_root_alt ='/path/of/dolibarr/htdocs/custom'
Если эти строки комментируются с помощью ''#", чтобы включить их, просто раскомментируйте, удалив символ "#''. +YouCanSubmitFile=На этом шаге вы можете отправить .zip-файл пакета модулей здесь: CurrentVersion=Текущая версия Dolibarr CallUpdatePage=Перейдите на страницу, где вы сможете обновить структуру базы данных и данные: %s. LastStableVersion=Последняя стабильная версия -LastActivationDate=Latest activation date -LastActivationAuthor=Latest activation author -LastActivationIP=Latest activation IP +LastActivationDate=Последняя дата активации +LastActivationAuthor=Последний активированный автор +LastActivationIP=Последний активированный IP-адрес UpdateServerOffline=Сервер обновления недоступен -WithCounter=Manage a counter +WithCounter=Управление счетчиком GenericMaskCodes=Вы можете ввести любую цифровую маску. В этой маске можно использовать следующие тэги:
{000000} соответствующий номер будет увеличиваться для каждого %s. Введите столько нулей сколько соответствует длине счетчика. Счетчик будет заполнен слева нулями в таком количестве как указано в маске.
{000000+000} как предыдущая, но со смещением на количество справа + знаки начиная с первого %s.
{000000@x} то же что и предыдущее, но счетчик будет обнулен когда наступит месяц Х (x может быть от 1 до 12, or 0 для использования заранее или налоговый год определен в вашей конфигурации, или 99 для обнуления каждый месяц). Если эта опция используется и х равен 2 или более чем последовательность {yy}{mm} или {yyyy}{mm} это тоже необходимо.
{dd} день (от 01 до 31).
{mm} месяц (от 01 до 12).
{yy}, {yyyy} или {y} год указывается 2, 4 или 1 цифрами.
GenericMaskCodes2={cccc} код клиента на n символов
{cccc000} код клиента на n символов с счетчиком, предназначенным для клиента. Этот счетчик, предназначенный для клиента, сбрасывается в то же время, что и глобальный счетчик.
{tttt} Код контрагента для n символов (см. Меню «Главная страница - Настройка - Словарь - Типы контрагентов») , Если вы добавите этот тег, счетчик будет отличаться для каждого типа контрагента.
GenericMaskCodes3=Все остальные символы в маске останутся нетронутыми.
Пробелы не допускается.
@@ -339,11 +339,11 @@ ServerNotAvailableOnIPOrPort=Сервер не доступен по адрес DoTestServerAvailability=Проверка соединения с сервером DoTestSend=Тестовая отправка DoTestSendHTML=Тестовая отправка HTML -ErrorCantUseRazIfNoYearInMask=Error, can't use option @ to reset counter each year if sequence {yy} or {yyyy} is not in mask. +ErrorCantUseRazIfNoYearInMask= Ошибка, не может использовать параметр @ для сброса счетчика каждый год, если последовательность {yy} или {yyyy} не находится в маске. ErrorCantUseRazInStartedYearIfNoYearMonthInMask=Ошибка, не возможно использовать опцию @ если последовательность {yy}{mm} или {yyyy}{mm} не в маске. UMask=UMask параметр для новых файлов в файловых системах Unix / Linux / BSD / Mac. UMaskExplanation=Этот параметр позволяет определить набор прав по умолчанию для файлов, созданных Dolibarr на сервере (при загрузке, например).
Это должно быть восьмеричное значение (например, 0666 означает, читать и записывать сможет каждый).
Этот параметр бесполезен на Windows-сервере. -SeeWikiForAllTeam=Take a look at the wiki page for full list of all actors and their organization +SeeWikiForAllTeam=Взгляните на страницу вики для полного списка всех участников и их организации UseACacheDelay= Задержка для кэширования при экспорте в секундах (0 или пусто для отключения кэширования) DisableLinkToHelpCenter=Скрыть ссылку "нужна помощь или поддержка" на странице авторизации DisableLinkToHelp=Скрыть ссылку интернет-справки "%s" @@ -351,7 +351,7 @@ AddCRIfTooLong=Автоматические переносы отсутству ConfirmPurge=Вы уверены что хотите выполнить эту очистку?
Это действие удалит все ваши файлы с данными без возможности восстановления (ECM файлы, прикрепленные файлы...). MinLength=Минимальная длина LanguageFilesCachedIntoShmopSharedMemory=Файлы .lang, загружены в общую памяти -LanguageFile=Language file +LanguageFile=Языковой файл ExamplesWithCurrentSetup=Примеры с текущими настройками ListOfDirectories=Список каталогов с шаблонами OpenDocument ListOfDirectoriesForModelGenODT=Список каталогов содержащих файлы шаблонов в форматеOpenDocument.

Укажите здесь полный пусть к каталогу.
Каждый каталог с новой строки.
Для добавления каталога GED-модулей, добавьте здесь DOL_DATA_ROOT/ecm/yourdirectoryname.

Файлы в этих каталогах должны заканчиваться символами .odt или .ods. @@ -374,14 +374,14 @@ NoSmsEngine=Нет доступного менеджера SMS-рассылки. PDF=PDF PDFDesc=Вы можете настроить каждую глобальную опции для создания PDF-файлов PDFAddressForging=Правила придумывания почтовых ящиков -HideAnyVATInformationOnPDF=Hide all information related to Sales tax / VAT on generated PDF -PDFRulesForSalesTax=Rules for Sales Tax / VAT -PDFLocaltax=Rules for %s +HideAnyVATInformationOnPDF=Скрыть всю информацию, связанную с налогом с продаж/НДС в сгенерированном PDF-файле +PDFRulesForSalesTax=Правила для налога с продаж/НДС +PDFLocaltax=Правила для %s HideLocalTaxOnPDF=Hide %s rate into pdf column tax sale HideDescOnPDF=Скрывать описания продуктов в создаваемых PDF-файлах HideRefOnPDF=Скрывать артикул товара в создаваемых PDF-файлах HideDetailsOnPDF=Скрывать строки с деталями продукции в создаваемых PDF-файлах -PlaceCustomerAddressToIsoLocation=Use french standard position (La Poste) for customer address position +PlaceCustomerAddressToIsoLocation=Используйте французскую стандартную позицию (La Poste) для позиции адреса клиента Library=Библиотека UrlGenerationParameters=Параметры безопасных URL`ов SecurityTokenIsUnique=Использовать уникальный параметр securekey для каждого URL @@ -394,33 +394,33 @@ PriceBaseTypeToChange=Изменять базовые цены на опреде MassConvert=Запустить массовое преобразование String=Строка TextLong=Длинный текст -HtmlText=Html text +HtmlText=Html текст Int=Целое Float=С плавающей запятой DateAndTime=Дата и время Unique=Уникальный -Boolean=Boolean (one checkbox) +Boolean=Boolean (один флажок) ExtrafieldPhone = Телефон ExtrafieldPrice = Цена ExtrafieldMail = Адрес электронной почты ExtrafieldUrl = Url ExtrafieldSelect = Выбрать из списка ExtrafieldSelectList = Выбрать из таблицы -ExtrafieldSeparator=Separator (not a field) +ExtrafieldSeparator=Разделитель (не поле) ExtrafieldPassword=Пароль -ExtrafieldRadio=Radio buttons (on choice only) -ExtrafieldCheckBox=Checkboxes -ExtrafieldCheckBoxFromList=Checkboxes from table +ExtrafieldRadio=Радио-кнопка (только по выбору) +ExtrafieldCheckBox=Флажок +ExtrafieldCheckBoxFromList=Флажки из таблицы ExtrafieldLink=Ссылка на объект -ComputedFormula=Computed field -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 of formula:
$object->id < 10 ? round($object->id / 2, 2) : ($object->id + 2 * $user->id) * (int) substr($mysoc->zip, 1, 2)

Example to reload object
(($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'

Other example of formula to force load of object and its parent object:
(($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' -ExtrafieldParamHelpPassword=Keep this field empty means value will be stored without encryption (field must be only hidden with star on screen).
Set here value 'auto' to use the default encryption rule to save password into database (then value read will be the hash only, no way to retreive 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

- idfilter 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 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 -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
Examples :
Societe:societe/class/societe.class.php
Contact:contact/class/contact.class.php +ComputedFormula=Вычисленное поле +ComputedFormulaDesc=Вы можете ввести здесь формулу, используя другие свойства объекта или любое PHP-кодирование, чтобы получить динамическое вычисленное значение. Вы можете использовать любые совместимые с PHP формулы, включая «?» оператор условия и следующий глобальный объект: $db, $conf, $langs, $mysoc, $user, $object.
Предупреждение: Доступны только некоторые свойства объекта $. Если вам нужны не загруженные свойства, просто введите себе объект в формулу, как во втором примере.
Использование вычисленного поля означает, что вы не можете вводить себе какое-либо значение из интерфейса. Кроме того, если есть синтаксическая ошибка, формула может ничего не возвращать.

Пример формулы:
$object-> id <10? round ($object-> id/2, 2): ($object-> id + 2 * $user-> id) * (int) substr ($mysoc-> zip, 1, 2)

Пример для перезагрузки объектаe
(( $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'

Другой пример формулы для принудительной загрузки объекта и его родительского объекта:
(($reloadedobj = new Task ($db)) && ($reloadedobj-> fetch ($object-> id)> 0) && ($secondloadedobj = new Project ($db)) && ($secondloadedobj-> fetch ($reloadedobj-> fk_project)> 0))? $secondloadedobj-> ref: «Родительский проект не найден» +ExtrafieldParamHelpPassword=Сохраните это поле пустым, значение будет сохранено без шифрования (поле должно быть скрыто только со звездой на экране) .
Установите здесь значение «авто», чтобы использовать правило шифрования по умолчанию для сохранения пароля в базу данных (тогда значение read будет хешем, нет способа вернуть первоначальное значение) +ExtrafieldParamHelpselect=Список значений должен быть строками с ключом формата, значением (где ключ не может быть «0»)

, например:
1, значение1
2, значение2
code3, значение3
...

Для того, чтобы список был в зависимости от другого списка дополнительных атрибутов:
1 , value1 | options_parent_list_code: parent_key
2, value2 | options_parent_list_code: parent_key

Для того, чтобы список был в зависимости от другого списка:
1, value1 | parent_list_code: parent_key
2, value2| parent_list_code: parent_key +ExtrafieldParamHelpcheckbox=Список значений должен быть строками с ключом формата, значением (где ключ не может быть «0»)

, например:
1, значение1
2, значение2
3, значение3
... +ExtrafieldParamHelpradio=Список значений должен быть строками с ключом формата, значением (где ключ не может быть «0»)

, например:
1, значение1
2, значение2
3, значение3
... +ExtrafieldParamHelpsellist=Список значений поступает из таблицы
Syntax: table_name: label_field: id_field :: filter
Example: c_typent: libelle: id :: filter

- idfilter необходим первичный int key
фильтр может быть простым тестом (например, active = 1), чтобы отображать только активные value
You также можете использовать $ID$ в фильтре witch - текущий идентификатор текущего объекта
To сделать SELECT в использовании фильтра $SEL$
if, если вы хотите отфильтровать на extrafields использовать синтаксис extra.fieldcode = ... (где код поля - это код extrafield)

Для того, чтобы список был в зависимости от другого списка дополнительных атрибутов:
c_typent: libelle: id: options_parent_list_code | parent_column: filter

Для того, чтобы список был в зависимости от другого списка:
c_typent: libelle: id: parent_list_code | parent_column: filter +ExtrafieldParamHelpchkbxlst=Список значений происходит из таблицы
Syntax:table_name: label_field: id_field::filter
Пример: c_typent: libelle: id :: filter

filter может быть простым тестом (например, active = 1), чтобы отображать только активное значение
. Вы также можете использовать $ID$ в фильтре witch является текущим идентификатором текущего объекта
To использовать SELECT в использовании фильтра $SEL$
если вы хотите фильтровать на extrafields использовать синтаксис extra.fieldcode = ... (где полевой код является кодом extrafield)

Чтобы список был в зависимости от другой дополнительный список атрибутов:
c_typent: libelle: id: options_parent_list_codeparent_column:filter

Для того, чтобы список был в зависимости от другого списка:
c_typent:libelle:id: parent_list_code |parent_column: filter +ExtrafieldParamHelplink=Параметры должны быть ObjectName: Classpath
Syntax: ObjectName: Classpath
Examples:
Societe: societe/class/societe.class.php
Contact: contact/class/contact.class.php LibraryToBuildPDF=Библиотека используемая для создания PDF-файлов LocalTaxDesc=Некоторые страны взымают по 2 или 3 налога за каждую позицию в счете. Если у вас это так то выберите второй и третий налог и их ставку. Возможные варианты:
1 : местный налог взымается с продукции и услуг без НДС (местный налог вычисляется от суммы до начисления налогов)
2 : местный налог взымается с продукции и услуг включая НДС (местный налог вычисляется от суммы + основной налог)
3 : местный налог взымается с продукции без НДС (местный налог вычисляется от суммы до начисления налогов)
4 : местный налог взымается с продукции включая НДС (местный налог вычисляется от суммы + основной НДС)
5: местный налог взымается с услуг без НДС (местный налог вычисляется от суммы до начисления налогов)
6: местный налог взымается с услуг включая НДС (местный налог вычисляется от суммы + налог) SMS=SMS @@ -429,54 +429,54 @@ RefreshPhoneLink=Обновить ссылку LinkToTest=Ссылка создана для пользователя %s (нажмите на телефонный номер, чтобы протестировать) KeepEmptyToUseDefault=Оставьте пустым для использования значения по умолчанию DefaultLink=Ссылка по умолчанию -SetAsDefault=Set as default +SetAsDefault=Установить по умолчанию ValueOverwrittenByUserSetup=Предупреждение: это значение может быть перезаписано в настройках пользователя (каждый пользователь может задать свои настройки ссылки ClickToDial) ExternalModule=Внешний модуль - установлен в директорию %s BarcodeInitForThirdparties=Массовое создание штрих-кодов для Контрагентов BarcodeInitForProductsOrServices=Массовое создание или удаление штрих-кода для Товаров или Услуг -CurrentlyNWithoutBarCode=Currently, you have %s record on %s %s without barcode defined. +CurrentlyNWithoutBarCode=В настоящее время у вас есть %sзапись на %s%s без определенного штрих-кода. InitEmptyBarCode=Начальное значения для следующих %s пустых записей EraseAllCurrentBarCode=Стереть все текущие значения штрих-кодов -ConfirmEraseAllCurrentBarCode=Are you sure you want to erase all current barcode values? +ConfirmEraseAllCurrentBarCode=Вы действительно хотите удалить все текущие значения штрих-кода? AllBarcodeReset=Все значения штрих-кодов были удалены NoBarcodeNumberingTemplateDefined=В модуле формирования штрих-кодов не определен шаблон нумерации -EnableFileCache=Enable file cache -ShowDetailsInPDFPageFoot=Add more details into footer of PDF files, like your company address, or manager names (to complete professional ids, company capital and VAT number). -NoDetails=No more details in footer -DisplayCompanyInfo=Display company address -DisplayCompanyManagers=Display manager names -DisplayCompanyInfoAndManagers=Display company address and manager names -EnableAndSetupModuleCron=If you want to have this recurring invoice beeing generated automatically, module *%s* must be enabled and correctly setup. Otherwise, generation of invoices must be done manually from this template with button *Create*. Note that even if you enabled automatic generation, you can still safely launch manual generation. Duplicates generation for same period are not possible. -ModuleCompanyCodeCustomerAquarium=%s followed by third party customer code for a customer accounting code -ModuleCompanyCodeSupplierAquarium=%s followed by third party supplier code for a supplier accounting code -ModuleCompanyCodePanicum=Return an empty accounting code. -ModuleCompanyCodeDigitaria=Accounting code depends on third party code. The code is composed of the character "C" in the first position followed by the first 5 characters of the third party code. -Use3StepsApproval=By default, Purchase Orders need to be created and approved by 2 different users (one step/user to create and one step/user to approve. Note that if user has both permission to create and approve, one step/user will be enough). You can ask with this option to introduce a third step/user approval, if amount is higher than a dedicated value (so 3 steps will be necessary: 1=validation, 2=first approval and 3=second approval if amount is enough).
Set this to empty if one approval (2 steps) is enough, set it to a very low value (0.1) if a second approval (3 steps) is always required. -UseDoubleApproval=Use a 3 steps approval when amount (without tax) is higher than... -WarningPHPMail=WARNING: It is often better to setup outgoing emails to use the email server of your provider instead of the default setup. Some email providers (like Yahoo) does not allow you to send an email from another server than their own server. Your current setup use 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 a server of them, so few of your sent Emails may not be accepted (be carefull also to your email provider sending quota).
If your Email provider (like Yahoo) has this restriction, you must change Email setup to choose the other method "SMTP server" and enter the SMTP server and credentials provided by your Email provider (ask your EMail provider to get SMTP credentials for your account). -WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of your ERP CRM application: %s. -ClickToShowDescription=Click to show description -DependsOn=This module need the module(s) -RequiredBy=This module is required by module(s) -TheKeyIsTheNameOfHtmlField=This is the name of the HTML field. This need to have technical knowledges to read the content of the HTML page to get the key name of a field. -PageUrlForDefaultValues=You must enter here the relative url of the page. If you include parameters in URL, the default values will be effective if all parameters are set to same value. Examples: -PageUrlForDefaultValuesCreate=
For form to create a new thirdparty, it is %s,
If you want default value only if url has some parameter, you can use %s -PageUrlForDefaultValuesList=
For page that list thirdparties, it is %s,
If you want default value only if url has some parameter, you can use %s -EnableDefaultValues=Enable usage of personalized default values -EnableOverwriteTranslation=Enable usage of overwrote translation -GoIntoTranslationMenuToChangeThis=A translation has been found for the key with this code, so to change this value, you must edit it fom 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. +EnableFileCache=Включить кеш файлов +ShowDetailsInPDFPageFoot=Добавьте более подробную информацию в нижний колонтитул PDF-файлов, например, адрес вашей компании или имена менеджеров (для заполнения профессиональных идентификаторов, капитала компании и номера НДС). +NoDetails=Нет подробностей в нижнем колонтитуле +DisplayCompanyInfo=Показать адрес компании +DisplayCompanyManagers=Отображать имена менеджеров +DisplayCompanyInfoAndManagers=Отображать имена адресов и менеджеров компаний +EnableAndSetupModuleCron=Если вы хотите, чтобы этот повторяющийся счет был создан автоматически, модуль *%s* должен быть включен и правильно настроен. В противном случае генерация счетов-фактур должна быть произведена вручную из этого шаблона с помощью кнопки * Создать *. Обратите внимание, что даже если вы включили автоматическую генерацию, вы можете безопасно запустить ручную генерацию. Генерация дубликатов за тот же период невозможна. +ModuleCompanyCodeCustomerAquarium=%s с последующим сторонним кодом клиента для кода учета клиентов +ModuleCompanyCodeSupplierAquarium=%s а затем код поставщика третьей стороны для кода учета поставщика +ModuleCompanyCodePanicum=Верните пустой учетный код. +ModuleCompanyCodeDigitaria=Код учета зависит от стороннего кода. Код состоит из символа «C» в первой позиции, за которым следуют первые 5 символов кода третьей стороны. +Use3StepsApproval=По умолчанию заказы на поставку должны быть созданы и одобрены двумя разными пользователями (один шаг/пользователь для создания и один шаг/пользователь для одобрения. Обратите внимание, что если у пользователя есть как разрешение на создание и утверждение, достаточно одного шага/пользователя) , Вы можете задать эту опцию, чтобы ввести утверждение третьего шага/пользователя, если сумма превышает выделенное значение (так что потребуется 3 шага: 1 = валидация, 2 = первое утверждение и 3 = второе одобрение, если суммы достаточно).
Установите это для пустого, если достаточно одного утверждения (2 шага), установите его на очень низкое значение (0,1), если требуется второе утверждение (3 шага). +UseDoubleApproval=Используйте одобрение на 3 шага, когда сумма (без налога) выше ... +WarningPHPMail= ПРЕДУПРЕЖДЕНИЕ. Часто лучше настроить исходящие письма на использование сервера электронной почты вашего провайдера вместо настройки по умолчанию. Некоторые поставщики электронной почты (например, Yahoo) не позволяют отправлять электронную почту с другого сервера, кроме своего собственного сервера. Ваша текущая настройка использует сервер приложения для отправки электронной почты, а не сервера вашего почтового провайдера, поэтому некоторые получатели (тот, который совместим с ограничительным протоколом DMARC), спросят у вашего поставщика электронной почты, могут ли они принять вашу электронную почту и некоторых поставщиков электронной почты (например, Yahoo) могут отвечать «нет», потому что сервер не является их сервером, поэтому некоторые из ваших отправленных писем не могут быть приняты (обратите внимание также на отправку квоты поставщика электронной почты) .
Если ваш поставщик электронной почты (например, Yahoo) это ограничение, вы должны изменить настройку электронной почты, чтобы выбрать другой метод «SMTP-сервер», и введите SMTP-сервер и учетные данные, предоставленные вашим провайдером электронной почты (попросите своего поставщика EMail получить учетные данные SMTP для вашей учетной записи). +WarningPHPMail2=Если вашему SMTP-провайдеру электронной почты необходимо ограничить почтовый клиент некоторыми IP-адресами (это очень редко), это IP-адрес почтового пользователя (MUA) для вашего приложения ERP CRM: %s. +ClickToShowDescription=Нажмите, чтобы посмотреть описание +DependsOn=Этот модуль нуждается в модуле (модулях) +RequiredBy=Этому модулю требуется модуль (модулями) +TheKeyIsTheNameOfHtmlField=Это имя поля HTML. Для этого нужно иметь технические знания для чтения содержимого страницы HTML, чтобы получить ключевое имя поля. +PageUrlForDefaultValues=Вы должны указать здесь относительный URL страницы. Если вы укажете параметры в URL-адресе, значения по умолчанию будут эффективны, если все параметры будут одинаковыми. Примеры: +PageUrlForDefaultValuesCreate=
Для формы, чтобы создать новую третью сторону, она %s ,
Если вы хотите значение по умолчанию, только если url имеет некоторый параметр, вы можете использовать %s +PageUrlForDefaultValuesList=
Для страниц, которые перечисляют третьи стороны, это %s,
Если вы хотите значение по умолчанию, только если url имеет некоторый параметр, вы можете использовать %s +EnableDefaultValues=Включить использование персонализированных значений по умолчанию +EnableOverwriteTranslation=Включить использование переписанного перевода +GoIntoTranslationMenuToChangeThis=Для ключа с этим кодом был найден перевод, поэтому, чтобы изменить это значение, вы должны отредактировать его из Home-Setup-translation. +WarningSettingSortOrder=Предупреждение, установка порядка сортировки по умолчанию может привести к технической ошибке при переходе на страницу списка, если поле является неизвестным. Если у вас возникла такая ошибка, вернитесь на эту страницу, чтобы удалить порядок сортировки по умолчанию и восстановить поведение по умолчанию. Field=Поле -ProductDocumentTemplates=Document templates to generate product document -FreeLegalTextOnExpenseReports=Free legal text on expense reports -WatermarkOnDraftExpenseReports=Watermark on draft expense reports -AttachMainDocByDefault=Set this to 1 if you want to attach main document to email by default (if applicable) -FilesAttachedToEmail=Attach file -SendEmailsReminders=Send agenda reminders by emails -davDescription=Add a component to be a DAV server -DAVSetup=Setup of module DAV -DAV_ALLOW_PUBLIC_DIR=Enable the public directory (WebDav directory with no login required) -DAV_ALLOW_PUBLIC_DIRTooltip=The WebDav public directory is a WebDAV directory everybody can access to (in read and write mode), with no need to have/use an existing login/password account. +ProductDocumentTemplates=Шаблоны документов для создания документа продукта +FreeLegalTextOnExpenseReports=Бесплатный юридический текст по отчетам о расходах +WatermarkOnDraftExpenseReports=Водяной знак по отчетам о расходах +AttachMainDocByDefault=Установите это значение в 1, если вы хотите приложить основной документ к электронной почте по умолчанию (если применимо) +FilesAttachedToEmail=Прикрепить файл +SendEmailsReminders=Отправить напоминания по электронной почте +davDescription=Добавить компонент в качестве сервера DAV +DAVSetup=Настройка модуля DAV +DAV_ALLOW_PUBLIC_DIR=Включить общий каталог (каталог WebDav без необходимости входа) +DAV_ALLOW_PUBLIC_DIRTooltip=Общий каталог WebDav - это каталог WebDAV, к которому каждый может иметь доступ (в режиме чтения и записи), без необходимости использовать/использовать существующую учетную запись для входа/пароля. # Modules Module0Name=Пользователи и группы Module0Desc=Управление Пользователями / Сотрудниками и Группами @@ -485,7 +485,7 @@ Module1Desc=Компании и управление контактами (кл Module2Name=Коммерческие Module2Desc=Коммерческое управление Module10Name=Бухгалтерия -Module10Desc=Simple accounting reports (journals, turnover) based onto database content. Does not use any ledger table. +Module10Desc=Простые бухгалтерские отчеты (журналы, оборот) на основе содержимого базы данных. Не использует таблицу регистров. Module20Name=Предложения Module20Desc=Управление коммерческими предложеними Module22Name=Почтовые рассылки @@ -497,9 +497,9 @@ Module25Desc=Управление заказами клиентов Module30Name=Счета-фактуры Module30Desc=Управелние счет-фактурами и кредитными заметками клиентов. Управелние счет-фактурами поставщиков Module40Name=Поставщики -Module40Desc=Управление поставщиками и закупками (заказы и счета-фактуры) -Module42Name=Debug Logs -Module42Desc=Logging facilities (file, syslog, ...). Such logs are for technical/debug purposes. +Module40Desc=Поставщики и управление закупками (заказы на поставку и выставление счетов) +Module42Name=Отчет об ошибках +Module42Desc=Средства регистрации (file, syslog, ...). Такие журналы предназначены для технических/отладочных целей. Module49Name=Редакторы Module49Desc=Управления редактором Module50Name=Продукция @@ -549,81 +549,81 @@ Module320Desc=Добавление RSS-каналов на страницах Do Module330Name=Закладки Module330Desc=Управление закладками Module400Name=Проекты/Возможности/Потенциальные клиенты -Module400Desc=Management of projects, opportunities/leads and/or tasks. You can also assign any element (invoice, order, proposal, intervention, ...) to a project and get a transversal view from the project view. +Module400Desc=Управление проектами, возможностями/выводами и/или задачами. Вы также можете назначить любой элемент (счет-фактура, заказ, предложение, вмешательство и т. д.) в проект и получить трансверсальный вид из представления проекта. Module410Name=Веб-календарь Module410Desc=Интеграция веб-календаря -Module500Name=Taxes and Special expenses -Module500Desc=Management of other expenses (sale taxes, social or fiscal taxes, dividends, ...) -Module510Name=Payment of employee wages -Module510Desc=Record and follow payment of your employee wages +Module500Name=Налоги и специальные расходы +Module500Desc=Управление другими расходами (налоги на продажу, социальные или налоговые налоги, дивиденды, ...) +Module510Name=Выплата заработной платы работникам +Module510Desc=Записывайте и следите за выплатой заработной платы сотрудникам Module520Name=Ссуда Module520Desc=Управление ссудами -Module600Name=Notifications on business events -Module600Desc=Send EMail notifications (triggered by some business events) to users (setup defined on each user), to third-party contacts (setup defined on each third party) or to fixed emails -Module600Long=Note that this module is dedicated to send real time emails when a dedicated business event occurs. If you are looking for a feature to send reminders by email of your agenda events, go into setup of module Agenda. -Module610Name=Product Variants -Module610Desc=Allows creation of products variant based on attributes (color, size, ...) +Module600Name=Уведомления о деловых событиях +Module600Desc=Отправлять сообщения электронной почты (инициированные некоторыми бизнес-событиями) пользователям (настройка, определенная для каждого пользователя), контактам сторонних разработчиков (настройка, определенная для каждой третьей стороны) или фиксированным электронным письмам +Module600Long=Обратите внимание, что этот модуль предназначен для отправки электронных писем в режиме реального времени, когда происходит определенное деловое событие. Если вы ищете функцию отправки напоминаний по электронной почте о своих событиях в повестке дня, зайдите в настройку модуля Agenda. +Module610Name=Варианты продукта +Module610Desc=Позволяет создавать варианты продуктов на основе атрибутов (цвет, размер, ...) Module700Name=Пожертвования Module700Desc=Управление пожертвованиями Module770Name=Отчёты о затратах Module770Desc=Управление и утверждение отчётов о затратах (на транспорт, еду) -Module1120Name=Vendor commercial proposal -Module1120Desc=Request vendor commercial proposal and prices +Module1120Name=Коммерческое предложение продавца +Module1120Desc=Запросить коммерческое предложение и цены продавца Module1200Name=Mantis Module1200Desc=Интеграция с Mantis Module1520Name=Создание документов -Module1520Desc=Mass mail document generation +Module1520Desc=Генерация массового сообщения Module1780Name=Теги/Категории -Module1780Desc=Create tags/category (products, customers, vendors, contacts or members) +Module1780Desc=Создание тегов/категорий (продуктов, клиентов, поставщиков, контактов или членов) Module2000Name=Текстовый редактор WYSIWYG Module2000Desc=Позволяет редаткировать некоторые текстовые области использую расширенный редактор (основанный на CKEditor) Module2200Name=Динамическое ценообразование Module2200Desc=Разрешить использовать математические операции для цен Module2300Name=Запланированные задания -Module2300Desc=Scheduled jobs management (alias cron or chrono table) +Module2300Desc=Запланированное управление заданиями (псевдоним cron или chrono table) Module2400Name=События/Повестка дня -Module2400Desc=Follow done and upcoming events. Let application logs automatic events for tracking purposes or record manual events or rendez-vous. This is the main important module for a good Customer or Supplier Relationship Management. +Module2400Desc=Следуйте за сделанными и предстоящими событиями. Пусть приложение регистрирует автоматические события для отслеживания или записывает ручные события или rendez-vous. Это основной важный модуль для хорошего управления взаимоотношениями с клиентами или поставщиками. Module2500Name=DMS / ECM -Module2500Desc=Document Management System / Electronic Content Management. Automatic organization of your generated or stored documents. Share them when you need. +Module2500Desc=Система управления документами / Управление электронным контентом. Автоматическая организация ваших сгенерированных или сохраненных документов. Поделитесь им, когда вам нужно. Module2600Name=API/Веб-службы (SOAP-сервер) Module2600Desc=Включение Dolibarr SOAP сервера предоставляющего API-сервис -Module2610Name=API/Web services (REST server) -Module2610Desc=Enable the Dolibarr REST server providing API services -Module2660Name=Call WebServices (SOAP client) -Module2660Desc=Enable the Dolibarr web services client (Can be used to push data/requests to external servers. Supplier orders supported only for the moment) +Module2610Name= API/веб-службы (сервер REST) +Module2610Desc=Включить сервер REST для Dolibarr, предоставляющий услуги API +Module2660Name=Вызовите WebServices (клиент SOAP) +Module2660Desc=Включите клиент веб-сервисов Dolibarr (можно использовать для передачи данных/запросов на внешние серверы. Заказы поставщиков поддерживаются только на данный момент) Module2700Name=Всемирно распознаваемый аватар Module2700Desc=Использование интернет-сервиса Gravatar (www.gravatar.com), для отображения фото пользователей / участников (связанных с их электронной почтой). Необходим доступ в Интернет Module2800Desc=FTP-клиент Module2900Name=GeoIPMaxmind Module2900Desc=Подключение к службе GeoIP MaxMind для преобразования IP-адреса в название страны Module3100Name=Skype -Module3100Desc=Add a Skype button into users / third parties / contacts / members cards -Module3200Name=Unalterable Archives -Module3200Desc=Activate log of some business events into an unalterable log. Events are archived in real-time. The log is a table of chained events that can be read only and exported. This module may be mandatory for some countries. +Module3100Desc=Добавить кнопку Skype в карты пользователей/третьих лиц/контактов/членов +Module3200Name=Неограниченные архивы +Module3200Desc=Активировать журнал некоторых бизнес-событий в неизменный журнал. События архивируются в режиме реального времени. Журнал представляет собой таблицу цепочечных событий, которые могут быть прочитаны и экспортированы. Этот модуль может быть обязательным для некоторых стран. Module4000Name=Менеджер отдела кадров -Module4000Desc=Human resources management (management of department, employee contracts and feelings) +Module4000Desc=Управление персоналом (управление отделом, контракты и чувства сотрудников) Module5000Name=Группы компаний Module5000Desc=Управление группами компаний Module6000Name=Бизнес-Процесс -Module6000Desc=Управление рабочим процессом -Module10000Name=Websites -Module10000Desc=Create public websites with a WYSIWG editor. Just setup your web server (Apache, Nginx, ...) to point to the dedicated Dolibarr directory to have it online on the Internet with your own domain name. +Module6000Desc=Управление рабочим процессом (автоматическое создание объекта и/или автоматическое изменение статуса) +Module10000Name=Веб-сайты +Module10000Desc=Создавайте публичные сайты с помощью редактора WYSIWG. Просто настройте свой веб-сервер (Apache, Nginx, ...), чтобы указать на выделенный каталог Dolibarr, чтобы он был онлайн в Интернете с вашим собственным доменным именем. Module20000Name=Заявления на отпуск Module20000Desc=Управление заявлениями на отпуск и соблюдение графика отпусков работниками -Module39000Name=Products lots -Module39000Desc=Lot or serial number, eat-by and sell-by date management on products +Module39000Name=Ассортимент продукции +Module39000Desc=Лот или серийный номер, управление питанием и продажами по продуктам Module50000Name=PayBox -Module50000Desc=Module to offer an online payment page accepting payments with Credit/Debit card via PayBox. This can be used to allow your customers to make free payments or for a payment on a particular Dolibarr object (invoice, order, ...) +Module50000Desc=Модуль, предлагающий страницу онлайн-оплаты, принимающую платежи с помощью кредитной/дебетовой карты через PayBox. Это можно использовать, чтобы позволить вашим клиентам делать бесплатные платежи или оплату на определенном объекте Dolibarr (счет-фактура, заказ, ...) Module50100Name=Точка продаж Module50100Desc=Модуль точки продаж (POS). Module50200Name=Paypal -Module50200Desc=Module to offer an online payment page accepting payments using PayPal (credit card or PayPal credit). This can be used to allow your customers to make free payments or for a payment on a particular Dolibarr object (invoice, order, ...) -Module50400Name=Accounting (advanced) -Module50400Desc=Accounting management (double entries, support general and auxiliary ledgers). Export the ledger in several other accounting software format. +Module50200Desc=Модуль, чтобы предлагать страницу онлайн-платежей, принимающую платежи с использованием PayPal (кредитная карта или кредит PayPal). Это можно использовать, чтобы позволить вашим клиентам делать бесплатные платежи или оплату на определенном объекте Dolibarr (счет-фактура, заказ, ...) +Module50400Name=Учет (продвинутый) +Module50400Desc=Управление учетными записями (двойные записи, общие и вспомогательные регистры). Экспортируйте книгу в несколько других форматов программного обеспечения бухгалтерского учета. Module54000Name=Модуль PrintIPP Module54000Desc=Прямая печать (без открытия документа) использует интерфейс Cups IPP (Принтер должен быть доступен с сервера, и система печати CUPS должна быть установлена на сервере). -Module55000Name=Poll, Survey or Vote -Module55000Desc=Module to make online polls, surveys or votes (like Doodle, Studs, Rdvz, ...) +Module55000Name=Голосование, обзор или голосование +Module55000Desc=Модуль для онлайн-опросов, опросов или голосов (например, Doodle, Studs, Rdvz, ...) Module59000Name=Наценки Module59000Desc=Модуль управления наценками Module60000Name=Комиссии @@ -631,7 +631,7 @@ Module60000Desc=Модуль управления комиссиями Module62000Name=Обязанности по доставке товаров Module62000Desc=Добавить функции для управления обязанностями по доставке товаров Module63000Name=Ресурсы -Module63000Desc=Manage resources (printers, cars, room, ...) you can then share into events +Module63000Desc=Управляйте ресурсами (принтеры, автомобили, комнаты, ...), затем вы можете делиться событиями Permission11=Просмотр счетов-фактур клиентов Permission12=Создание/Изменение счета-фактуры Permission13=Аннулирование счетов-фактур @@ -651,10 +651,10 @@ Permission32=Создание / изменение продукции / услу Permission34=Удаленные продукция / услуги Permission36=Просмотр / управление скрытой продукцией / услугами Permission38=Экспорт продукции -Permission41=Read projects and tasks (shared project and projects i'm contact for). Can also enter time consumed, for me or my hierarchy, on assigned tasks (Timesheet) +Permission41=Прочитайте проекты и задачи (общий проект и проекты, к которым я обращаюсь). Можно также ввести время, затраченное на меня или мою иерархию, на назначенные задачи (расписание) Permission42=Создание / изменение проектов и задач (общие и мои проекты). Можно так же создать задачи и назначить пользователей для выполнения проекта и задач Permission44=Удаление проектов (общих и моих проектов) -Permission45=Export projects +Permission45=Экспорт проектов Permission61=Смотреть мероприятия Permission62=Создание / измение мероприятий Permission64=Удаление мероприятий @@ -708,7 +708,7 @@ Permission162=Создать/изменить котракты/подписки Permission163=Активировать услугу/подписку в контракте Permission164=Отключить услугу/подписку в контракте Permission165=Удалить контракты/подписки -Permission167=Export contracts +Permission167=Экспорт контрактов Permission171=Посмотреть транспортные расходы (ваши и ваших подчиненных) Permission172=Создать/изменить транспортные расходы Permission173=Удалить транспортные расходы @@ -787,10 +787,10 @@ Permission401=Читать скидки Permission402=Создать / изменить скидки Permission403=Проверить скидки Permission404=Удалить скидки -Permission501=Read employee contracts/salaries -Permission502=Create/modify employee contracts/salaries -Permission511=Read payment of salaries -Permission512=Create/modify payment of salaries +Permission501=Читать контракты/зарплаты сотрудников +Permission502=Создание/изменение контрактов/зарплат сотрудников +Permission511=Прочитать выплату зарплат +Permission512=Создание/изменение выплаты заработной платы Permission514=Удалить зарплаты Permission517=Экспорт зарплат Permission520=Открыть ссуды @@ -806,7 +806,7 @@ Permission538=Экспорт услуг Permission701=Просмотр пожертвований Permission702=Создание / изменение пожертвований Permission703=Удаление пожертвований -Permission771=Read expense reports (yours and your subordinates) +Permission771=Прочитайте отчеты о расходах (ваши и ваши подчиненные) Permission772=Создание/изменение отчётов о затратах Permission773=Удаление отчётов о затратах Permission774=Просмотр всех отчётов о затратах (даже для неподчинённых пользователей) @@ -842,14 +842,14 @@ Permission1236=Экспорт счета-фактуры поставщика, а Permission1237=Детализированный экспорт заказов поставщика Permission1251=Запуск массового импорта внешних данных в базу данных (загрузка данных) Permission1321=Экспорт клиентом счета-фактуры, качества и платежей -Permission1322=Reopen a paid bill +Permission1322=Повторно открыть оплаченный счет Permission1421=Экспорт заказов и атрибуты -Permission20001=Read leave requests (your leaves and the one of your subordinates) -Permission20002=Create/modify your leave requests (yours leaves and the one of your subordinates) +Permission20001=Прочитайте запросы на отпуск (ваши отпуска и один из ваших подчиненных) +Permission20002=Создавайте/изменяйте ваши запросы на отпуск (ваши листья и один из ваших подчиненных) Permission20003=Удалить заявления на отпуск -Permission20004=Read all leave requests (even of user not subordinates) -Permission20005=Create/modify leave requests for everybody (even of user not subordinates) -Permission20006=Admin leave requests (setup and update balance) +Permission20004=Читайте все запросы на отпуск (даже пользователь не подчиняется) +Permission20005=Создавать/изменять запросы на отпуск для всех (даже для пользователей, не подчиненных) +Permission20006=Запросы на отпуск для партнеров (настройка и обновление баланса) Permission23001=Просмотр Запланированных задач Permission23002=Создать/обновить Запланированную задачу Permission23003=Удалить Запланированную задачу @@ -860,7 +860,7 @@ Permission2403=Удаление действий (задачи, события Permission2411=Просмотреть действия (события или задачи), других Permission2412=Создать / изменить действия (события или задачи), других Permission2413=Удалить действия (события или задачи), других -Permission2414=Export actions/tasks of others +Permission2414=Экспорт действий/задач других Permission2501=Чтение/Загрузка документов Permission2502=Загрузка документов Permission2503=Отправить или удалить документы @@ -875,11 +875,11 @@ Permission55001=Открыть опросы Permission55002=Создать/изменить опросы Permission59001=Открыть коммерческие маржи Permission59002=Задать коммерческие маржи -Permission59003=Read every user margin -Permission63001=Read resources -Permission63002=Create/modify resources -Permission63003=Delete resources -Permission63004=Link resources to agenda events +Permission59003=Читать каждое пользовательское поле +Permission63001=Чтение ресурсов +Permission63002=Создание/изменение ресурсов +Permission63003=Удалить ресурсы +Permission63004=Свяжите ресурсы с повесткой дня DictionaryCompanyType= Тип компании DictionaryCompanyJuridicalType= Организационно-правовая форма DictionaryProspectLevel=Потенциальный уровень предполагаемого клиента @@ -891,40 +891,40 @@ DictionaryCivility=Обращение DictionaryActions=Тип мероприятия DictionarySocialContributions=Типы налогов/сборов DictionaryVAT=Значения НДС или налога с продаж -DictionaryRevenueStamp=Количество акцизных марок +DictionaryRevenueStamp=Количество налоговых марок DictionaryPaymentConditions=Условия оплаты DictionaryPaymentModes=Режимы оплаты DictionaryTypeContact=Типы Контактов/Адресов -DictionaryTypeOfContainer=Type of website pages/containers +DictionaryTypeOfContainer=Тип страниц/контейнеров DictionaryEcotaxe=Экологический налог Ecotax (WEEE) DictionaryPaperFormat=Форматы бумаги -DictionaryFormatCards=Cards formats -DictionaryFees=Expense report - Types of expense report lines +DictionaryFormatCards=Форматы карт +DictionaryFees=Отчет о расходах - Типы строк отчета о расходах DictionarySendingMethods=Способы доставки DictionaryStaff=Персонал DictionaryAvailability=Задержка доставки DictionaryOrderMethods=Методы заказов DictionarySource=Происхождение Коммерческих предложений / Заказов -DictionaryAccountancyCategory=Personalized groups for reports +DictionaryAccountancyCategory=Персонализированные группы для отчетов DictionaryAccountancysystem=Модели для диаграммы счетов -DictionaryAccountancyJournal=Accounting journals +DictionaryAccountancyJournal=Бухгалтерские журналы DictionaryEMailTemplates=Шаблоны электронных писем DictionaryUnits=Единицы DictionaryProspectStatus=Статус контакта -DictionaryHolidayTypes=Types of leaves +DictionaryHolidayTypes=Типы отпусков DictionaryOpportunityStatus=Статус предполагаемого проекта -DictionaryExpenseTaxCat=Expense report - Transportation categories -DictionaryExpenseTaxRange=Expense report - Range by transportation category +DictionaryExpenseTaxCat=Отчет о расходах - Категории транспорта +DictionaryExpenseTaxRange=Отчет о расходах - Диапазон по транспортной категории SetupSaved=Настройки сохранены -SetupNotSaved=Setup not saved +SetupNotSaved=Установки не сохранены BackToModuleList=Вернуться к списку модулей BackToDictionaryList=Назад к списку словарей -TypeOfRevenueStamp=Type of revenue stamp +TypeOfRevenueStamp=Тип налоговой печати VATManagement=НДС менеджмент -VATIsUsedDesc=By default when creating prospects, invoices, orders etc the VAT rate follows the active standard rule:
If the seller is not subjected to VAT, then VAT defaults to 0. End of rule.
If the (selling country= buying country), then the VAT by default equals the VAT of the product in the selling country. End of rule.
If seller and buyer are both in the European Community and goods are transport products (car, ship, plane), the default VAT is 0 ( The VAT should be paid by the buyer to the customoffice of his country and not to the seller). End of rule.
If seller and buyer are both in the European Community and the buyer is not a company, then the VAT by defaults to the VAT of the product sold. End of rule.
If seller and buyer are both in the European Community and the buyer is a company, then the VAT is 0 by default . End of rule.
In any othe case the proposed default is VAT=0. End of rule. +VATIsUsedDesc=По умолчанию при создании потенциальных клиентов, счетов-фактур, заказов и т. Д. Ставка НДС соответствует действующему стандарту:
Если продавец не облагается НДС, то НДС по умолчанию равен 0. Конец правила.
Если (страна продажи = страна покупки), тогда НДС по умолчанию равен НДС продукта в стране продажи. Конец правила.
Если продавец и покупатель находятся в Европейском Сообществе, а товары - это транспортные продукты (автомобиль, судно, самолет), то НДС по умолчанию равен 0 (НДС должен быть оплачен покупателем в обычном офисе его страны, а не продавец). Конец правила.
Если продавец и покупатель находятся в Европейском сообществе, а покупатель не является компанией, тогда НДС по умолчанию соответствует НДС проданного продукта. Конец правила.
Если продавец и покупатель находятся в Европейском Сообществе, а покупатель - компания, то по умолчанию НДС равен 0. Конец правила.
В любом случае предложенный дефолт равен VAT = 0. Конец правила. VATIsNotUsedDesc=По умолчанию, предлагаемый НДС 0, которая может быть использована как для дела ассоциаций, отдельных лиц или небольших компаний. -VATIsUsedExampleFR=In France, it means companies or organizations having a real fiscal system (Simplified real or normal real). A system in which VAT is declared. -VATIsNotUsedExampleFR=In France, it means associations that are non VAT declared or companies, organizations or liberal professions that have chosen the micro enterprise fiscal system (VAT in franchise) and paid a franchise VAT without any VAT declaration. This choice will display the reference "Non applicable VAT - art-293B of CGI" on invoices. +VATIsUsedExampleFR=Во Франции это означает, что компании или организации имеют реальную финансовую систему (упрощенную реальную или нормальную реальность). Система, в которой объявляется НДС. +VATIsNotUsedExampleFR=Во Франции это означает ассоциации, которые не декларируются НДС, или компании, организации или либеральные профессии, которые выбрали фискальную систему микропредприятия (НДС в франшизе) и заплатили налог на франшизу без декларации НДС. Этот выбор отобразит ссылку «Не применимый НДС - art-293B CGI» на счета-фактуры. ##### Local Taxes ##### LTRate=Ставка LocalTax1IsNotUsed=Не использовать второй налог @@ -949,7 +949,7 @@ LocalTax2IsUsedDescES= RE ставка по умолчанию при созда LocalTax2IsNotUsedDescES= По умолчанию предлагается IRPF 0. Конец правления. LocalTax2IsUsedExampleES= В Испании, фрилансеры и независимые специалисты, которые оказывают услуги и компаний, которые выбрали налоговой системы модулей. LocalTax2IsNotUsedExampleES= В Испании они бизнес не облагается налогом на системе модулей. -CalcLocaltax=Reports on local taxes +CalcLocaltax=Отчеты о местных налогах CalcLocaltax1=Продажи-Покупки CalcLocaltax1Desc=Отчёты о местных налогах - это разница между местными налогами с продаж и покупок CalcLocaltax2=Покупки @@ -960,12 +960,12 @@ LabelUsedByDefault=Метки, используемые по умолчанию, LabelOnDocuments=Этикетка на документах NbOfDays=Кол-во дней AtEndOfMonth=На конец месяца -CurrentNext=Current/Next +CurrentNext=Текущая/Следующая Offset=Сдвиг AlwaysActive=Всегда активный Upgrade=Обновление MenuUpgrade=Обновление / Расширение -AddExtensionThemeModuleOrOther=Deploy/install external app/module +AddExtensionThemeModuleOrOther=Развертывание/установить внешний модуль/приложения WebServer=Веб-сервер DocumentRootServer=Корневой каталог Веб-сервера DataRootServer=Каталог фалов данных @@ -989,45 +989,45 @@ Host=Сервер DriverType=Тип драйвера SummarySystem=Обзор системной информации SummaryConst=Список всех параметров настройки Dolibarr -MenuCompanySetup=Company/Organization +MenuCompanySetup=Компания/Организация DefaultMenuManager= Менеджер стандартного меню DefaultMenuSmartphoneManager=Менеджер Меню Смартфона Skin=Тема оформления -DefaultSkin=По умолчанию кожи тему +DefaultSkin=Тема по умолчанию MaxSizeList=Максимальная длина списка -DefaultMaxSizeList=Default max length for lists -DefaultMaxSizeShortList=Default max length for short lists (ie in customer card) +DefaultMaxSizeList=Максимальная длина по умолчанию для списков +DefaultMaxSizeShortList=Максимальная длина по умолчанию для коротких списков (то есть в карточке клиента) MessageOfDay=Сообщение дня MessageLogin=Сообщение на странице входа -LoginPage=Login page -BackgroundImageLogin=Background image +LoginPage=Страница авторизации +BackgroundImageLogin=Фоновое изображение PermanentLeftSearchForm=Постоянный поиск формы на левом меню DefaultLanguage=Язык по умолчанию (код языка) EnableMultilangInterface=Включить многоязычный интерфейс EnableShowLogo=Показать логотип на левом меню -CompanyInfo=Company/organization information -CompanyIds=Company/organization identities +CompanyInfo=Информация о компании/организации +CompanyIds=Идентификационные данные компаний/организаций CompanyName=Имя CompanyAddress=Адрес CompanyZip=Индекс CompanyTown=Город CompanyCountry=Страна CompanyCurrency=Основная валюта -CompanyObject=Object of the company +CompanyObject=Объект компании Logo=Логотип DoNotSuggestPaymentMode=Не рекомендуем NoActiveBankAccountDefined=Не определен активный банковский счет OwnerOfBankAccount=Владелец банковского счета %s BankModuleNotActive=Модуль Банковских счетов не активирован -ShowBugTrackLink=Show link "%s" +ShowBugTrackLink=Показать ссылку "%s" Alerts=Предупреждения DelaysOfToleranceBeforeWarning=Терпимость задержки перед предупреждение DelaysOfToleranceDesc=Этот экран позволяет вам определить мириться с задержками до готовности сообщения на экране при picto %s в конце каждого элемента. -Delays_MAIN_DELAY_ACTIONS_TODO=Delay tolerance (in days) before alert on planned events (agenda events) not completed yet -Delays_MAIN_DELAY_PROJECT_TO_CLOSE=Delay tolerance (in days) before alert on project not closed in time -Delays_MAIN_DELAY_TASKS_TODO=Delay tolerance (in days) before alert on planned tasks (project tasks) not completed yet -Delays_MAIN_DELAY_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on orders not processed yet -Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on suppliers orders not processed yet +Delays_MAIN_DELAY_ACTIONS_TODO=Толерантность задержки (в днях) до предупреждения о запланированных событиях (событиях повестки дня) еще не завершена +Delays_MAIN_DELAY_PROJECT_TO_CLOSE=Толерантность задержки (в днях) до предупреждения о незавершенном проекте +Delays_MAIN_DELAY_TASKS_TODO=Допуск задержки (в днях) до предупреждения о запланированных задачах (задачах проекта) еще не завершен +Delays_MAIN_DELAY_ORDERS_TO_PROCESS=Допуск задержки (в днях) до того, как предупреждение о заказах еще не обработано +Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Допуск задержки (в днях) до того, как предупреждение о заказах на поставку еще не обработано Delays_MAIN_DELAY_PROPALS_TO_CLOSE=Задержка толерантности (в днях) до оповещения о предложениях, чтобы закрыть Delays_MAIN_DELAY_PROPALS_TO_BILL=Задержка толерантности (в днях) до оповещения о предложениях не будет взиматься Delays_MAIN_DELAY_NOT_ACTIVATED_SERVICES=Терпимость задержки (в днях) до готовности на услуги для активации @@ -1037,34 +1037,34 @@ Delays_MAIN_DELAY_CUSTOMER_BILLS_UNPAYED=Терпимость задержки ( Delays_MAIN_DELAY_TRANSACTIONS_TO_CONCILIATE=Терпимость задержки (в днях) до оповещения о текущих банковских счетов Delays_MAIN_DELAY_MEMBERS=Толерантность задержки (в днях) до оповещения по отсроченным членский взнос Delays_MAIN_DELAY_CHEQUES_TO_DEPOSIT=Терпимость задержки (в днях) до полной готовности к чеки сделать депозит -Delays_MAIN_DELAY_EXPENSEREPORTS=Tolerance delay (in days) before alert for expense reports to approve -SetupDescription1=The setup area is for initial setup parameters before starting to use Dolibarr. -SetupDescription2=The two mandatory setup steps are the following steps (the two first entries in the left setup menu): -SetupDescription3=Settings in menu %s -> %s. This step is required because it defines data used on Dolibarr screens to customize the default behavior of the software (for country-related features for example). -SetupDescription4=Settings in menu %s -> %s. This step is required because Dolibarr ERP/CRM is a collection of several modules/applications, all more or less independent. New features are added to menus for every module you activate. +Delays_MAIN_DELAY_EXPENSEREPORTS=Задержка допуска (в днях) перед предупреждением для отчетов о расходах для утверждения +SetupDescription1=Зона настройки предназначена для первоначальных параметров настройки перед началом использования Dolibarr. +SetupDescription2=Два обязательных этапа установки следующие шаги (две первые записи в левом меню настройки): +SetupDescription3=Настройки в меню %s->%s. Этот шаг требуется, поскольку он определяет данные, используемые на экранах Dolibarr, для настройки поведения программного обеспечения по умолчанию (например, для связанных с страной функций). +SetupDescription4=Настройки в меню %s ->%s. Этот шаг необходим, поскольку Dolibarr ERP/CRM представляет собой набор из нескольких модулей/приложений, все более или менее независимых. Новые функции добавляются в меню для каждого модуля, который вы активируете. SetupDescription5=Другие пункты меню управления необязательных параметров. LogEvents=Безопасность ревизии события Audit=Аудит -InfoDolibarr=About Dolibarr -InfoBrowser=About Browser -InfoOS=About OS -InfoWebServer=About Web Server -InfoDatabase=About Database -InfoPHP=About PHP -InfoPerf=About Performances +InfoDolibarr=О Dolibarr +InfoBrowser=О браузере +InfoOS=Об ОС +InfoWebServer=О веб-сервере +InfoDatabase=О базе данных +InfoPHP=О PHP +InfoPerf=О производительности BrowserName=Имя браузера BrowserOS=Операционная система браузера ListOfSecurityEvents=Список Dolibarr безопасность события SecurityEventsPurged=Безопасность событий очищены LogEventDesc=Вы можете включить в журнале событий безопасности Dolibarr здесь. Администраторы могут увидеть его содержимое с помощью меню System Tools - Аудит. Внимание, эта функция может занимать большой объем данных в базе данных. -AreaForAdminOnly=Setup parameters can be set by administrator users only. +AreaForAdminOnly=Параметры настройки могут быть установлены только пользователем администратора . SystemInfoDesc=Система информации разного техническую информацию Вы получите в режиме только для чтения и видимые только для администраторов. SystemAreaForAdminOnly=Эта область доступна для пользователей только администратором. Ни одно из разрешений Dolibarr может снизить этот предел. -CompanyFundationDesc=Edit on this page all known information of the company or foundation you need to manage (For this, click on "%s" or "%s" button at bottom of page) -AccountantDesc=Edit on this page all known information about your accountant/bookkeeper -AccountantFileNumber=File number +CompanyFundationDesc=Измените на этой странице всю известную информацию о компании или фонде, которую вам нужно управлять (для этого нажмите кнопку «%s» или «%s» внизу страницы) +AccountantDesc=Изменить на этой странице всю известную информацию о вашем бухгалтере/бухгалтере +AccountantFileNumber=Номер файла DisplayDesc=Вы можете выбрать каждого параметра, связанных с Dolibarr выглядеть и чувствовать себя здесь -AvailableModules=Available app/modules +AvailableModules=Доступное приложение/модули ToActivateModule=Чтобы активировать модуль, перейдите на настройку зоны. SessionTimeOut=Тайм-аут для сессии SessionExplanation=Это гарантия того, что число сессии никогда не истечет до этой задержки. Но PHP sessoin управления не гарантирует, что сессия всегда заканчивается по истечении этой задержки: Это происходит, если система для очистки кэша сессии запущен.
Примечание: без каких-либо конкретной системы, внутренние PHP процесс чистой сессия каждые примерно %s /% с доступом, но только во время доступа, сделанные другими сессиями. @@ -1075,15 +1075,15 @@ TriggerDisabledAsModuleDisabled=Триггеры в этом файле буду TriggerAlwaysActive=Триггеры в этом файле, всегда активны, независимо являются активированный Dolibarr модули. TriggerActiveAsModuleActive=Триггеры в этом файле действуют как модуль %s включен. GeneratedPasswordDesc=Определить здесь правила, которые вы хотите использовать для создания нового пароля если вы спросите иметь Auto сгенерированного пароля -DictionaryDesc=Insert all reference data. You can add your values to the default. -ConstDesc=This page allows you to edit all other parameters not available in previous pages. These are mostly reserved parameters for developers or advanced troubleshooting. For a list of options check here. -MiscellaneousDesc=All other security related parameters are defined here. +DictionaryDesc=Вставьте все справочные данные. Вы можете добавить свои значения по умолчанию. +ConstDesc=Эта страница позволяет редактировать все другие параметры, недоступные на предыдущих страницах. Это в основном зарезервированные параметры для разработчиков или расширенные способы устранения неполадок. Список опций check here. +MiscellaneousDesc=Все остальные параметры, связанные с безопасностью, определены здесь. LimitsSetup=Пределы / Точная настройка LimitsDesc=Вы можете определить лимиты, уточнения и optimisations используемой Dolibarr здесь MAIN_MAX_DECIMALS_UNIT=Макс десятичных цен за единицу MAIN_MAX_DECIMALS_TOT=Макс десятичных общей цены MAIN_MAX_DECIMALS_SHOWN=Макс десятичных цен отображается на экране (Добавить ... После этого, если вы хотите посмотреть ... когда число усекается когда отображаются на экране) -MAIN_ROUNDING_RULE_TOT=Step of rounding range (for countries where rounding is done on something else than base 10. For example, put 0.05 if rounding is done by 0.05 steps) +MAIN_ROUNDING_RULE_TOT=Шаг округления (для стран, где округление выполняется на чем-то, кроме основания 10. Например, положите 0,05, если округление выполняется на 0,05 шага) UnitPriceOfProduct=Чистая цена единицы продукта TotalPriceAfterRounding=Общая стоимость (нетто / НДС / включая налоги) после округления ParameterActiveForNextInputOnly=Параметр эффективным для следующего ввода только @@ -1091,17 +1091,17 @@ NoEventOrNoAuditSetup=Нет безопасности событие было з NoEventFoundWithCriteria=Нет событий безопасности была обнаружена в таких поисковых критериев. SeeLocalSendMailSetup=См. вашей локальной настройки Sendmail BackupDesc=Чтобы сделать полную резервную копию Dolibarr, Вам необходимо: -BackupDesc2=Save content of documents directory (%s) that contains all uploaded and generated files (So it includes all dump files generated at step 1). +BackupDesc2=Сохраните каталог содержимого документов (%s), который содержит все загруженные и сгенерированные файлы (поэтому он включает все файлы дампа, сгенерированные на шаге 1). BackupDesc3=Сохраняет содержание вашей базы данных (%s) в файл. Для этого используйте следующей мастер. BackupDescX=Архивированный каталог должны храниться в безопасном месте. BackupDescY=Генерируемый файла дампа следует хранить в надежном месте. BackupPHPWarning=Использование этого метода не гарантирует создание резервной копии. Предыдущий метод предпочтительнее. RestoreDesc=Для восстановления резервной Dolibarr, Вам необходимо: -RestoreDesc2=Restore archive file (zip file for example) of documents directory to extract tree of files in documents directory of a new Dolibarr installation or into this current documents directoy (%s). -RestoreDesc3=Restore the data, from a backup dump file, into the database of the new Dolibarr installation or into the database of this current installation (%s). Warning, once restore is finished, you must use a login/password, that existed when backup was made, to connect again. To restore a backup database into this current installation, you can follow this assistant. +RestoreDesc2=Восстановите файл архива (например, zip-файл) каталога документов, чтобы извлечь дерево файлов в каталог документов новой установки Dolibarr или в эту текущую документацию directoy (%s). +RestoreDesc3=Восстановите данные из резервного файла дампа в базу данных новой установки Dolibarr или в базу данных этой текущей установки (%s). Предупреждение. После завершения восстановления вы должны использовать логин/пароль, существовавшие при создании резервной копии, для повторного подключения. Чтобы восстановить резервную базу данных в этой текущей установке, вы можете следовать за этим помощником. RestoreMySQL=Иvпорт MySQL ForcedToByAModule= Это правило вынуждены %s на активированный модуль -PreviousDumpFiles=Generated database backup files +PreviousDumpFiles=Созданные файлы резервной копии базы данных WeekStartOnDay=Первый день недели RunningUpdateProcessMayBeRequired=Запуск процесса обновления, как представляется, требуется (версия программы отличается от %s %s версия базы данных) YouMustRunCommandFromCommandLineAfterLoginToUser=Вы должны запустить эту команду из командной строки после Войти в оболочку с пользователем %s. @@ -1109,14 +1109,14 @@ YourPHPDoesNotHaveSSLSupport=SSL функций, не доступных в PHP DownloadMoreSkins=Дополнительные шкуры для загрузки SimpleNumRefModelDesc=Вернуться номер с форматом %syymm-NNNN, где YY это год, месяц мм и NNNN последовательность без отверстия и без сброса ShowProfIdInAddress=Показать профессионала идентификатор с адресами на документах -ShowVATIntaInAddress=Hide VAT Intra num with addresses on documents +ShowVATIntaInAddress=Скрыть НДС Int num с адресами на документы TranslationUncomplete=Частичный перевод MAIN_DISABLE_METEO=Отключить метео зрения -MeteoStdMod=Standard mode -MeteoStdModEnabled=Standard mode enabled -MeteoPercentageMod=Percentage mode -MeteoPercentageModEnabled=Percentage mode enabled -MeteoUseMod=Click to use %s +MeteoStdMod=Стандартный режим +MeteoStdModEnabled=Стандартный режим включен +MeteoPercentageMod=Процентный режим +MeteoPercentageModEnabled=Включен режим процента +MeteoUseMod=Нажмите, чтобы использовать%s TestLoginToAPI=Испытание Войти в API ProxyDesc=Некоторые особенности Dolibarr необходимо иметь доступ в Интернет для работы. Определить параметры здесь для этого. Если сервер Dolibarr находится за прокси-сервера, эти параметры рассказывает Dolibarr как получить доступ к интернет через него. ExternalAccess=Внешний доступ @@ -1128,7 +1128,7 @@ MAIN_PROXY_PASS=Пароль для использования прокси-се DefineHereComplementaryAttributes=Определить здесь все атрибуты, а не уже доступны по умолчанию, и что вы хотите быть поддерживается %s. ExtraFields=Дополнительные атрибуты ExtraFieldsLines=Дополнительные атрибуты (строки) -ExtraFieldsLinesRec=Complementary attributes (templates invoices lines) +ExtraFieldsLinesRec=Дополнительные атрибуты (шаблоны счетов-фактур) ExtraFieldsSupplierOrdersLines=Дополнительные атбрибуты (строки заказа) ExtraFieldsSupplierInvoicesLines=Дополнительные атрибуты (строки счёта) ExtraFieldsThirdParties=Дополнительные атрибуты (контрагенты) @@ -1136,7 +1136,7 @@ ExtraFieldsContacts=Дополнительные атрибуты (контак ExtraFieldsMember=Дополнительные атрибуты (Участник) ExtraFieldsMemberType=Дополнительные атрибуты (тип Участника) ExtraFieldsCustomerInvoices=Дополнительные атрибуты (Счета-Фактуры) -ExtraFieldsCustomerInvoicesRec=Complementary attributes (templates invoices) +ExtraFieldsCustomerInvoicesRec=Дополнительные атрибуты (счета-фактуры) ExtraFieldsSupplierOrders=Дополнительные атрибуты (Заказы) ExtraFieldsSupplierInvoices=Дополнительные атрибуты (Счета-фактуры) ExtraFieldsProject=Дополнительные атрибуты (Проекты) @@ -1146,80 +1146,80 @@ AlphaNumOnlyLowerCharsAndNoSpace=только латинские строчны SendmailOptionNotComplete=Предупреждение, на некоторых системах Linux, для отправки электронной почты из электронной почты, Sendmail выполнения установки должны conatins опцию-ба (параметр mail.force_extra_parameters в файле php.ini). Если некоторые получатели не получают электронные письма, попытке изменить этот параметр с PHP mail.force_extra_parameters =-ба). PathToDocuments=Путь к документам PathDirectory=Каталог -SendmailOptionMayHurtBuggedMTA=Feature to send mails using method "PHP mail direct" will generate a mail message that might be not correctly parsed by some receiving mail servers. Result is that some mails can't be read by people hosted by those bugged platforms. It's case for some Internet providers (Ex: Orange in France). This is not a problem into Dolibarr nor into PHP but onto receiving mail server. You can however add option MAIN_FIX_FOR_BUGGED_MTA to 1 into setup - other to modify Dolibarr to avoid this. However, you may experience problem with other servers that respect strictly the SMTP standard. The other solution (recommended) is to use the method "SMTP socket library" that has no disadvantages. -TranslationSetup=Setup of translation -TranslationKeySearch=Search a translation key or string -TranslationOverwriteKey=Overwrite a translation string -TranslationDesc=How to set displayed application language :
* Systemwide: menu Home - Setup - Display
* Per user: Use the User display setup tab on user card (click on username at the top of the screen). -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 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 exists in any language files -TotalNumberOfActivatedModules=Activated application/modules: %s / %s +SendmailOptionMayHurtBuggedMTA=Функция отправки писем с использованием метода «PHP mail direct» будет генерировать почтовое сообщение, которое может быть неправильно проанализировано некоторыми почтовыми серверами. Результатом является то, что некоторые письма не могут быть прочитаны людьми, размещенными на этих прослушиваемых платформах. Это случай для некоторых интернет-провайдеров (например: Orange во Франции). Это не проблема в Dolibarr и PHP, а на получение почтового сервера. Однако вы можете добавить опцию MAIN_FIX_FOR_BUGGED_MTA в 1 - setup - другое для модификации Dolibarr, чтобы этого избежать. Однако у вас могут возникнуть проблемы с другими серверами, которые строго соблюдают стандарт SMTP. Другое решение (рекомендуется) - использовать метод «Библиотека сокетов SMTP», который не имеет недостатков. +TranslationSetup=Настройка перевода +TranslationKeySearch=Поиск ключа перевода или строки +TranslationOverwriteKey=Перезаписать строку перевода +TranslationDesc=Как установить отображаемый язык приложения:
* Systemwide: menu Home - Setup - Display
* На пользователя: используйте вкладку дисплея дисплея User на карточке пользователя (нажмите на имя пользователя в верхней части экрана). +TranslationOverwriteDesc=Вы также можете переопределить строки, заполняющие следующую таблицу. Выберите свой язык из раскрывающегося списка «%s», вставьте строку перевода в «%s» и ваш новый перевод в «%s» +TranslationOverwriteDesc2=Вы можете использовать другую вкладку, чтобы помочь вам узнать, какой ключ перевода использовать +TranslationString=Строка перевода +CurrentTranslationString=Текущая строка перевода +WarningAtLeastKeyOrTranslationRequired=Критерии поиска требуются, по крайней мере, для строки ключа или перевода +NewTranslationStringToShow=Новая строка перевода для показа +OriginalValueWas=Исходный перевод перезаписан. Исходное значение:

%s +TransKeyWithoutOriginalValue=Вы заставили новый перевод для ключа перевода '%s' который не существует в каких-либо языковых файлах +TotalNumberOfActivatedModules=Активированное приложение/модули: %s/%s YouMustEnableOneModule=Вы должны включить минимум 1 модуль ClassNotFoundIntoPathWarning=Класс %s не найден по PHP пути YesInSummer=Да летом -OnlyFollowingModulesAreOpenedToExternalUsers=Note, only following modules are opened to external users (whatever are permission of such users) and only if permissions were granted: +OnlyFollowingModulesAreOpenedToExternalUsers=Примечание. Для внешних пользователей открыты только следующие модули (независимо от разрешения таких пользователей), и только если были предоставлены разрешения: SuhosinSessionEncrypt=Хранилище сессий шифровано системой SUHOSIN ConditionIsCurrently=Текущее состояние %s YouUseBestDriver=Вы используете драйвер %s, который на текущий момент является самым подходящим YouDoNotUseBestDriver=Вы используете устройство %s, но драйвер этого устройства %s не рекомендуется ипользовать. NbOfProductIsLowerThanNoPb=У вас только %s Товаров/Услуг в базе данных. Это не требует никакой оптимизации. SearchOptim=Поисковая оптимизация -YouHaveXProductUseSearchOptim=You have %s product into database. You should add the constant PRODUCT_DONOTSEARCH_ANYWHERE to 1 into Home-Setup-Other, you limit the search to the beginning of strings making possible for database to use index and you should get an immediate response. +YouHaveXProductUseSearchOptim=У вас есть продукт %s в базе данных. Вы должны добавить константу PRODUCT_DONOTSEARCH_ANYWHERE в 1 в Home-Setup-Other, вы ограничиваете поиск начальными строками, чтобы база данных могла использовать индекс, и вы должны получить немедленный ответ. BrowserIsOK=Вы используете браузер %s. Это хороший выбор с точки зрения производительности и безопасности. -BrowserIsKO=You are using the web browser %s. This browser is known to be a bad choice for security, performance and reliability. We recommand you to use Firefox, Chrome, Opera or Safari. +BrowserIsKO=Вы используете веб-браузер %s. Этот браузер, как известно, является плохим выбором для обеспечения безопасности, производительности и надежности. Мы рекомендуем вам использовать Firefox, Chrome, Opera или Safari. XDebugInstalled=XDebug загружен. XCacheInstalled=XCache загружен. -AddRefInList=Display customer/supplier ref into list (select list or combobox) and most of hyperlink. Third parties will appears with name "CC12345 - SC45678 - The big company coorp", instead of "The big company coorp". -AskForPreferredShippingMethod=Ask for preferred Sending Method for Third Parties. +AddRefInList=Отображение клиента/поставщика ref в списке (выберите список или combobox) и большую часть гиперссылки. Третьи стороны появятся с именем «CC12345 - SC45678 - Крупная компания coorp», а не «Крупная компания coorp». +AskForPreferredShippingMethod=Попросите предпочтительный метод отправки для третьих сторон. FieldEdition=Редакция поля %s FillThisOnlyIfRequired=Например, +2 (заполняйте это поле только тогда, когда ваш часовой пояс отличается от того, который используется на сервере) GetBarCode=Получить штрих-код ##### Module password generation PasswordGenerationStandard=Возврат пароля, полученных в соответствии с внутренними Dolibarr алгоритма: 8 символов, содержащих общие цифры и символы в нижнем регистре. -PasswordGenerationNone=Do not suggest any generated password. Password must be typed in manually. -PasswordGenerationPerso=Return a password according to your personally defined configuration. -SetupPerso=According to your configuration -PasswordPatternDesc=Password pattern description +PasswordGenerationNone=Не предлагайте никаких сгенерированных паролей. Пароль должен быть введен вручную. +PasswordGenerationPerso=Верните пароль в соответствии с вашей личной конфигурацией. +SetupPerso=Согласно вашей конфигурации +PasswordPatternDesc=Описание шаблона паролей ##### Users setup ##### RuleForGeneratedPasswords=Правило предложили генерировать пароли DisableForgetPasswordLinkOnLogonPage=Не показывать ссылку "Забыли пароль" на странице входа UsersSetup=Пользователь модуля установки UserMailRequired=EMail, необходимые для создания нового пользователя ##### HRM setup ##### -HRMSetup=HRM module setup +HRMSetup=Настройка модуля HRM ##### Company setup ##### CompanySetup=Предприятия модуль настройки -CompanyCodeChecker=Module for third parties code generation and checking (customer or vendor) -AccountCodeManager=Module for accounting code generation (customer or vendor) -NotificationsDesc=EMails notifications feature allows you to silently send automatic mail, for some Dolibarr events. Targets of notifications can be defined: -NotificationsDescUser=* per users, one user at time. -NotificationsDescContact=* per third parties contacts (customers or vendors), one contact at time. -NotificationsDescGlobal=* or by setting global target emails in module setup page. +CompanyCodeChecker=Модуль для генерации и проверки кода сторонних производителей (клиент или поставщик) +AccountCodeManager=Модуль для формирования кода учета (клиент или поставщик) +NotificationsDesc=Функция уведомлений электронной почты позволяет вам тихо отправлять автоматическую почту для некоторых событий Dolibarr. Цели уведомлений могут быть определены: +NotificationsDescUser=* для пользователей, по одному пользователю. +NotificationsDescContact=* для сторонних контактов (клиентов или поставщиков), по одному контакту. +NotificationsDescGlobal=* или путем установки глобальных целевых сообщений электронной почты на странице настройки модуля. ModelModules=Документы шаблоны DocumentModelOdt=Создавать документы из шаблонов форматов OpenDocuments (.ODT or .ODS файлы для OpenOffice, KOffice, TextEdit,...) WatermarkOnDraft=Watermark по проекту документа JSOnPaimentBill=Активировать фунцию автозаполнения строк платежа в платёжной форме CompanyIdProfChecker=Профессиональные Id уникальным -MustBeUnique=Must be unique? -MustBeMandatory=Mandatory to create third parties? -MustBeInvoiceMandatory=Mandatory to validate invoices? -TechnicalServicesProvided=Technical services provided +MustBeUnique=Должно быть уникальным? +MustBeMandatory=Обязательно создавать третьи лица? +MustBeInvoiceMandatory=Обязательно проверять счета-фактуры? +TechnicalServicesProvided=Предоставляемые технические услуги #####DAV ##### -WebDAVSetupDesc=This is the links 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 need an existing login account/password to access to. -WebDavServer=Root URL of %s server : %s +WebDAVSetupDesc=Это ссылки для доступа к каталогу WebDAV. Он содержит открытый доступ к любому пользователю, который знает URL (если разрешен доступ к общедоступной директории) и «частный» каталог, для которого требуется существующая учетная запись/пароль для входа. +WebDavServer=Корневой URL-адрес сервера %s: %s ##### Webcal setup ##### WebCalUrlForVCalExport=Экспорт ссылка на %s формате доступна на следующую ссылку: %s ##### Invoices ##### BillsSetup=Счета модуль настройки BillsNumberingModule=Счета и кредитных нот нумерации модуль BillsPDFModules=Счет документы моделей -PaymentsPDFModules=Payment documents models +PaymentsPDFModules=Модели платежных документов CreditNote=Кредитное авизо CreditNotes=Кредитные авизо ForceInvoiceDate=Силы дата счета-фактуры для подтверждения даты @@ -1228,9 +1228,9 @@ SuggestPaymentByRIBOnAccount=Предложить оплату выводом с SuggestPaymentByChequeToAddress=Предложить оплату чеком для FreeLegalTextOnInvoices=Свободный текст о счетах-фактурах WatermarkOnDraftInvoices=Водяные знаки на черновиках счетов-фактур ("Нет" если пусто) -PaymentsNumberingModule=Payments numbering model +PaymentsNumberingModule=Модель нумерации платежей SuppliersPayment=Платежи поставщиков -SupplierPaymentSetup=Suppliers payments setup +SupplierPaymentSetup=Настройка платежей поставщиков ##### Proposals ##### PropalSetup=Коммерческие предложения модуль настройки ProposalsNumberingModules=Коммерческие предложения нумерации модулей @@ -1239,23 +1239,23 @@ FreeLegalTextOnProposal=Свободный текст на коммерческ WatermarkOnDraftProposal=Водяные знаки на черновиках Коммерческих предложений ("Нет" если пусто) BANK_ASK_PAYMENT_BANK_DURING_PROPOSAL=Запрос банковского счёта для предложения ##### SupplierProposal ##### -SupplierProposalSetup=Price requests vendors module setup -SupplierProposalNumberingModules=Price requests vendors numbering models -SupplierProposalPDFModules=Price requests vendors documents models -FreeLegalTextOnSupplierProposal=Free text on price requests vendors -WatermarkOnDraftSupplierProposal=Watermark on draft price requests vendors (none if empty) -BANK_ASK_PAYMENT_BANK_DURING_SUPPLIER_PROPOSAL=Ask for bank account destination of price request -WAREHOUSE_ASK_WAREHOUSE_DURING_ORDER=Ask for Warehouse Source for order +SupplierProposalSetup=Настройка модулей поставщиков запросов цены +SupplierProposalNumberingModules=Запросы цен производителей +SupplierProposalPDFModules=Запрос цен моделей документов поставщиков +FreeLegalTextOnSupplierProposal=Бесплатный текст по поставщикам ценовых запросов +WatermarkOnDraftSupplierProposal=Водяной знак для продавцов предложений о ценах (без пустых) +BANK_ASK_PAYMENT_BANK_DURING_SUPPLIER_PROPOSAL=Запросите банковский счет назначения ценового запроса +WAREHOUSE_ASK_WAREHOUSE_DURING_ORDER=Попросите источник склада для заказа ##### Suppliers Orders ##### -BANK_ASK_PAYMENT_BANK_DURING_SUPPLIER_ORDER=Ask for bank account destination of purchase order +BANK_ASK_PAYMENT_BANK_DURING_SUPPLIER_ORDER=Запросить адрес банковского счета для заказа на поставку ##### Orders ##### OrdersSetup=Приказ 'Management Setup OrdersNumberingModules=Приказы нумерации модулей OrdersModelModule=Заказ документов моделей FreeLegalTextOnOrders=Свободный текст распоряжения WatermarkOnDraftOrders=Водяные знаки на черновиках Заказов ("Нет" если пусто) -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 +ShippableOrderIconInList=Добавьте значок в список заказов, который указывает, может ли заказ быть отправлен +BANK_ASK_PAYMENT_BANK_DURING_ORDER=Запросите адрес банковского счета для заказа ##### Interventions ##### InterventionsSetup=Выступления модуль настройки FreeLegalTextOnInterventions=Дополнительный текст на документах посредничества @@ -1274,7 +1274,7 @@ MemberMainOptions=Основные настройки AdherentLoginRequired= Управление логином для каждого пользователя AdherentMailRequired=Электронная почта необходимая для создания нового пользователя MemberSendInformationByMailByDefault=Чекбокс отправить по почте подтверждение членов по умолчанию -VisitorCanChooseItsPaymentMode=Visitor can choose among available payment modes +VisitorCanChooseItsPaymentMode=Посетитель может выбрать один из доступных режимов оплаты ##### LDAP setup ##### LDAPSetup=Установка LDAP LDAPGlobalParameters=Глобальные параметры @@ -1302,7 +1302,7 @@ LDAPServerUseTLS=Использовать TLS LDAPServerUseTLSExample=Ваш LDAP сервер использования TLS LDAPServerDn=Сервер DN LDAPAdminDn=Администратор DN -LDAPAdminDnExample=Complete DN (ex: cn=admin,dc=example,dc=com or cn=Administrator,cn=Users,dc=example,dc=com for active directory) +LDAPAdminDnExample=Полное DN (например: cn = admin, dc = example, dc = com или cn = Administrator, cn = Users, dc = example, dc = com для активного каталога) LDAPPassword=Пароль администратора LDAPUserDn=Пользователи 'DN LDAPUserDnExample=Complete DN (ex: ou=users,dc=society,dc=Полное Д.Н. (например, OU= Пользователи, DC= обществе, DC= COM) @@ -1316,7 +1316,7 @@ LDAPDnContactActive=Контакты "синхронизации LDAPDnContactActiveExample=Активированное / Unactivated синхронизации LDAPDnMemberActive=Члены синхронизации LDAPDnMemberActiveExample=Активированное / Unactivated синхронизации -LDAPDnMemberTypeActive=Members types' synchronization +LDAPDnMemberTypeActive=Синхронизация типов участников LDAPDnMemberTypeActiveExample=Активированное / Unactivated синхронизации LDAPContactDn=Dolibarr контактов "DN LDAPContactDnExample=Complete DN (ex: ou=contacts,dc=society,dc=Полное Д.Н. (например, OU= контактов, DC= обществе, DC= COM) @@ -1324,8 +1324,8 @@ LDAPMemberDn=Dolibarr члены DN LDAPMemberDnExample=Complete DN (ex: ou=members,dc=society,dc=Полное Д.Н. (например, OU= членов, DC= обществе, DC= COM) LDAPMemberObjectClassList=Список objectClass LDAPMemberObjectClassListExample=Список objectClass определения параметров записи (например, сверху, InetOrgPerson или сверху, для пользователей Active Directory) -LDAPMemberTypeDn=Dolibarr members types DN -LDAPMemberTypepDnExample=Complete DN (ex: ou=memberstypes,dc=example,dc=com) +LDAPMemberTypeDn=Типы элементов Dolibarr DN +LDAPMemberTypepDnExample=Полное DN (например: ou=memberstypes, dc=example, dc=com) LDAPMemberTypeObjectClassList=Список objectClass LDAPMemberTypeObjectClassListExample=Список objectClass определения параметров записи (например, сверху, groupOfUniqueNames) LDAPUserObjectClassList=Список objectClass @@ -1339,7 +1339,7 @@ LDAPTestSynchroContact=Тест контакта синхронизации LDAPTestSynchroUser=Тест пользователя синхронизации LDAPTestSynchroGroup=Тест группы синхронизации LDAPTestSynchroMember=Тест участника синхронизации -LDAPTestSynchroMemberType=Test member type synchronization +LDAPTestSynchroMemberType=Тестирование синхронизации типа элемента LDAPTestSearch= Тестировать поиск LDAP LDAPSynchroOK=Синхронизация успешные испытания LDAPSynchroKO=Сбой синхронизации тест @@ -1387,8 +1387,8 @@ LDAPFieldTownExample=Пример: L LDAPFieldCountry=Страна LDAPFieldDescription=Описание LDAPFieldDescriptionExample=Пример: описание -LDAPFieldNotePublic=Public Note -LDAPFieldNotePublicExample=Example : publicnote +LDAPFieldNotePublic=Общая записка +LDAPFieldNotePublicExample=Пример: publicnote LDAPFieldGroupMembers= Члены группы LDAPFieldGroupMembersExample= Пример: uniqueMember LDAPFieldBirthdate=Дата рождения @@ -1405,16 +1405,16 @@ LDAPDescContact=Эта страница позволяет определить LDAPDescUsers=Эта страница позволяет определить название атрибутов LDAP в LDAP дерева для каждого данных по Dolibarr пользователей. LDAPDescGroups=Эта страница позволяет определить название атрибутов LDAP в LDAP дерева для каждого данных по Dolibarr группы. LDAPDescMembers=Эта страница позволяет определить название атрибутов LDAP в LDAP дерева для каждого данных по Dolibarr участники модуля. -LDAPDescMembersTypes=This page allows you to define LDAP attributes name in LDAP tree for each data found on Dolibarr members types. +LDAPDescMembersTypes=На этой странице вы можете определить имя атрибутов LDAP в дереве LDAP для каждого из данных, найденных на типах членов Dolibarr. LDAPDescValues=Пример значения для OpenLDAP с загружены следующие схемы: core.schema, cosine.schema, inetorgperson.schema). Если вы используете thoose ценности и OpenLDAP, модифицировать LDAP конфигурационный файл slapd.conf, чтобы все thoose схемы загрузки. ForANonAnonymousAccess=Для аутентифицированных доступа (для записи, например) PerfDolibarr=Настройки производительности/отчёты о оптимизации YouMayFindPerfAdviceHere=На этой странице вы найдете некоторые заметки и советы по улучшению производительности. NotInstalled=Не установлено, так что ваш сервер не может "тормозить" из-за этого. ApplicativeCache=Прикладной кеш -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. +MemcachedNotAvailable=Не найдено аддитивного кэша. Вы можете повысить производительность, установив кэш-сервер Memcached и модуль, способный использовать этот сервер кеша.
Более подробная информация здесь. http: //wiki.dolibarr.org/index.php/Module_MemCached_EN.
. Заметьте, что многие веб-хостинг-провайдеры не предоставляют такой сервер кеша. +MemcachedModuleAvailableButNotSetup=Модуль memcached для прикладного кэша найден, но настройка модуля не завершена. +MemcachedAvailableAndSetup=Включен модуль memcached, предназначенный для использования сервера memcached. OPCodeCache=Кэш OPCode NoOPCodeCacheFound=Кэш OPCode не найден. Возможно, вы используете другой кеш (XCache или eAccelerator хорошее решение), может вы не используете кеш OPCode вовсе (это плохое решение). HTTPCacheStaticResources=Кеш HTTP для статичных ресурсов (файлы стилей, изображений, скриптов) @@ -1423,32 +1423,32 @@ FilesOfTypeNotCached=Файлы типа %s не кешируются HTTP с FilesOfTypeCompressed=Файлы типа %s сжимаются HTTP сервером FilesOfTypeNotCompressed=Файлы типа %s сжимаются не HTTP сервером CacheByServer=Кэшируется сервером -CacheByServerDesc=For exemple using the Apache directive "ExpiresByType image/gif A2592000" +CacheByServerDesc=Например, с помощью директивы Apache «ExpiresByType image/gif A2592000» CacheByClient=Кэшируется браузером CompressionOfResources=Сжатие HTTP заголовков -CompressionOfResourcesDesc=For exemple using the Apache directive "AddOutputFilterByType DEFLATE" -TestNotPossibleWithCurrentBrowsers=Such an automatic detection is not possible with current browsers -DefaultValuesDesc=You can define/force here the default value you want to get when your create a new record, and/or defaut filters or sort order when your list record. -DefaultCreateForm=Default values (on forms to create) -DefaultSearchFilters=Default search filters -DefaultSortOrder=Default sort orders -DefaultFocus=Default focus fields +CompressionOfResourcesDesc=Например, с помощью директивы Apache «AddOutputFilterByType DEFLATE» +TestNotPossibleWithCurrentBrowsers=Такое автоматическое обнаружение невозможно с текущими браузерами +DefaultValuesDesc=Вы можете определить/принудительно ввести значение по умолчанию, которое вы хотите получить, когда создаете новую запись, и/или defaut фильтры или порядок сортировки, когда ваша запись списка. +DefaultCreateForm=Значения по умолчанию (для форм для создания) +DefaultSearchFilters=Фильтры поиска по умолчанию +DefaultSortOrder=Заказы сортировки по умолчанию +DefaultFocus=Поля фокусировки по умолчанию ##### Products ##### ProductSetup=Продукты модуль настройки ServiceSetup=Услуги установки модуля ProductServiceSetup=Продукты и услуги установки модулей NumberOfProductShowInSelect=Max number of products in combos select lists (0=Максимальное количество товаров в комбинации выберите списки (0= без ограничений) ViewProductDescInFormAbility=Визуализация продукта описания в форме (иначе как всплывающие подсказки) -MergePropalProductCard=Activate in product/service Attached Files tab an option to merge product PDF document to proposal PDF azur if product/service is in the proposal -ViewProductDescInThirdpartyLanguageAbility=Visualization of products descriptions in the third party language -UseSearchToSelectProductTooltip=Also if you have a large number of product (> 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 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) +MergePropalProductCard=Активировать в продукте/услуге Вложенные файлы вставить опцию объединить PDF-документ продукта в предложение PDF azur, если продукт/услуга находится в предложении +ViewProductDescInThirdpartyLanguageAbility=Визуализация описаний продуктов на стороннем языке +UseSearchToSelectProductTooltip=Также, если у вас есть большое количество продуктов (> 100 000), вы можете увеличить скорость, установив постоянную PRODUCT_DONOTSEARCH_ANYWHERE на 1 в Setup-> Other. Затем поиск будет ограничен началом строки. +UseSearchToSelectProduct=Подождите, пока вы нажмете клавишу перед загрузкой содержимого списка товаров (это может повысить производительность, если у вас большое количество продуктов, но это менее удобно) SetDefaultBarcodeTypeProducts=Стандартный вид штрих-кода, используемого для продуктов SetDefaultBarcodeTypeThirdParties=Стандартный вид штрих-кода, используемого для третьих сторон -UseUnits=Define a unit of measure for Quantity during order, proposal or invoice lines edition +UseUnits=Определите единицу измерения для количества во время заказа, предложения или строки счетов-фактур ProductCodeChecker= Модуль для генерации кода продукта и проверки (Товар или Услуга) ProductOtherConf= Конфигурация Товаров / Услуг -IsNotADir=is not a directory! +IsNotADir=Не является каталогом! ##### Syslog ##### SyslogSetup=Настройка модуля системного журнала SyslogOutput=Вход выходных @@ -1458,9 +1458,9 @@ SyslogFilename=Имя файла и путь YouCanUseDOL_DATA_ROOT=Вы можете использовать DOL_DATA_ROOT / dolibarr.log в лог-файл в Dolibarr "документы" каталог. Вы можете установить различные пути для хранения этого файла. ErrorUnknownSyslogConstant=Постоянная %s не известны журнала постоянная OnlyWindowsLOG_USER=Windows© поддерживает только LOG_USER -CompressSyslogs=Syslog files compression and backup -SyslogFileNumberOfSaves=Log backups -ConfigureCleaningCronjobToSetFrequencyOfSaves=Configure cleaning scheduled job to set log backup frequency +CompressSyslogs=Сжатие и резервное копирование файлов журнала отладки (сгенерированных модулем Log для отладки) +SyslogFileNumberOfSaves=Журнал резервных копий +ConfigureCleaningCronjobToSetFrequencyOfSaves=Настроить очистку запланированного задания для установки частоты резервного копирования журнала ##### Donations ##### DonationsSetup=Пожертвования модуль настройки DonationsReceiptModel=Шаблон дарения получения @@ -1477,13 +1477,13 @@ BarcodeDescUPC=Штрих-код типа СКП BarcodeDescISBN=Штрих-код типа ISBN BarcodeDescC39=Штрих-код типа C39 BarcodeDescC128=Штрих-код типа C128 -BarcodeDescDATAMATRIX=Barcode of type Datamatrix -BarcodeDescQRCODE=Barcode of type QR code +BarcodeDescDATAMATRIX=Штрих-код типа Datamatrix +BarcodeDescQRCODE=Штрих код типа QR-кода GenbarcodeLocation=Путь для запуска к утилите генерации штри-кодов (используется для некоторых типов штрих-кодов). Должна быть совместима с командой "genbarcode".
Например, /usr/local/bin/genbarcode BarcodeInternalEngine=Внутренние средства управления -BarCodeNumberManager=Manager to auto define barcode numbers +BarCodeNumberManager=Менеджер для автоматического определения номеров штрих-кода ##### Prelevements ##### -WithdrawalsSetup=Setup of module Direct debit payment orders +WithdrawalsSetup=Настройка платежных поручений прямого дебетования ##### ExternalRSS ##### ExternalRSSSetup=Внешние RSS импорт установки NewRSS=Новые RSS Feed @@ -1497,13 +1497,13 @@ MailingDelay=Время ожидания в секундах перед отпр ##### Notification ##### NotificationSetup=Настройка модуля уведомлений по электронной почте NotificationEMailFrom=Отправитель EMail (С) по электронной почте направил уведомление -FixedEmailTarget=Fixed email target +FixedEmailTarget=Исправлена ​​цель электронной почты ##### Sendings ##### SendingsSetup=Отправка модуля настройки SendingsReceiptModel=Отправка получения модели SendingsNumberingModules=Отправки нумерации модулей -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 is received and signed by customer. So product deliveries receipts is a duplicated feature and is rarely activated. +SendingsAbility=Поддержка листов доставки для доставки клиентов +NoNeedForDeliveryReceipts=В большинстве случаев транспортные листы используются как в качестве листов для доставки клиентов (список отправляемых товаров), так и листы, которые получены и подписаны клиентом. Таким образом, квитанции о доставке товаров являются дублированными и редко активируются. FreeLegalTextOnShippings=Дополнительный текст для поставок ##### Deliveries ##### DeliveryOrderNumberingModules=Продукция Поставки получения нумерации модуль @@ -1515,23 +1515,23 @@ AdvancedEditor=Расширенный редактор ActivateFCKeditor=Включить FCKeditor для: 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 formating when building PDF files. +FCKeditorForProductDetails=WYSIWIG создание/издание продуктов детализирует линии для всех объектов (предложения, заказы, счета-фактуры и т.д.). Предупреждение. Использование этой опции для этого случая серьезно не рекомендуется, так как это может создавать проблемы со специальными символами и формированием страницы при создании файлов PDF. FCKeditorForMailing= WYSIWIG создание / издание рассылок FCKeditorForUserSignature=Редактор WYSIWIG для создания/изменения подписи пользователя -FCKeditorForMail=WYSIWIG creation/edition for all mail (except Tools->eMailing) +FCKeditorForMail=WYSIWIG создание/издание для всей почты (кроме Tools-> eMailing) ##### OSCommerce 1 ##### OSCommerceErrorConnectOkButWrongDatabase=Подключение удалось, но база данных не будет смотреть на OSCommerce данных (Ключевые% не найдено в таблице %s). OSCommerceTestOk=Соединение с сервером ' %s' на базе ' %s' пользователя ' %s' успешно. OSCommerceTestKo1=Соединение с сервером ' %s' успешными, но база данных ' %s' не может быть достигнута. OSCommerceTestKo2=Соединение с сервером ' %s' пользователя ' %s' провалилась. ##### Stock ##### -StockSetup=Stock module setup -IfYouUsePointOfSaleCheckModule=If you use a Point of Sale module (POS module provided by default or another external module), this setup may be ignored by your Point Of Sale module. Most point of sales modules are designed to create immediatly an invoice and decrease stock by default whatever are options here. So, if you need or not to have a stock decrease when registering a sell from your Point Of Sale, check also your POS module set up. +StockSetup=Настройка модуля запаса +IfYouUsePointOfSaleCheckModule=Если вы используете модуль точки продажи (POS-модуль, предоставленный по умолчанию или другой внешний модуль), эта настройка может быть проигнорирована модулем Point Sale. Большинство модулей модулей продаж предназначены для немедленного создания счета-фактуры и уменьшения запасов по умолчанию, независимо от того, какие здесь варианты. Таким образом, если вам нужно или не иметь снижение запасов при регистрации на продажу с вашего пункта продажи, проверьте также, что ваш POS-модуль настроен. ##### Menu ##### MenuDeleted=Удаленное Меню Menus=Меню TreeMenuPersonalized=Персонализированная меню -NotTopTreeMenuPersonalized=Personalized menus not linked to a top menu entry +NotTopTreeMenuPersonalized=Персонализированные меню, не связанные с верхним меню ввода NewMenu=Новое меню Menu=Выбор меню MenuHandler=Меню обработчик @@ -1552,18 +1552,18 @@ DetailTarget=Целевой показатель по ссылке (_blank на DetailLevel=Уровень (-1: верхнее меню, 0: заголовок меню> 0 меню и подменю) ModifMenu=Меню изменения DeleteMenu=Удалить меню -ConfirmDeleteMenu=Are you sure you want to delete menu entry %s? -FailedToInitializeMenu=Failed to initialize menu +ConfirmDeleteMenu=Вы действительно хотите удалить запись меню %s? +FailedToInitializeMenu=Не удалось инициализировать меню ##### Tax ##### -TaxSetup=Taxes, social or fiscal taxes and dividends module setup +TaxSetup=Налоги, социальные или налоговые налоги и установка модулей дивидендов OptionVatMode=НДС к оплате -OptionVATDefault=Standard basis +OptionVATDefault=Стандартная основа OptionVATDebitOption=Принцип начисления OptionVatDefaultDesc=НДС из-за:
- По доставке / оплате товаров
- На оплату услуг OptionVatDebitOptionDesc=НДС из-за:
- По доставке / оплате товаров
- На счета (дебетовой) на услуги -OptionPaymentForProductAndServices=Cash basis for products and services -OptionPaymentForProductAndServicesDesc=VAT is due:
- on payment for goods
- on payments for services -SummaryOfVatExigibilityUsedByDefault=Time of VAT exigibility by default according to chosen option: +OptionPaymentForProductAndServices=Кассовая система для продуктов и услуг +OptionPaymentForProductAndServicesDesc=НДС должен быть:
- на оплату товаров
- на оплату услуг +SummaryOfVatExigibilityUsedByDefault=Срок действия НДС по умолчанию в соответствии с выбранным вариантом: OnDelivery=О доставке OnPayment=Об оплате OnInvoice=В счете-фактуре @@ -1572,29 +1572,29 @@ SupposedToBeInvoiceDate=Счет дата, используемая Buy=Покупать Sell=Продавать InvoiceDateUsed=Счет дата, используемая -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 +YourCompanyDoesNotUseVAT=В вашей компании определено, что вы не используете НДС (Home - Setup - Company / Organization), поэтому для настройки нет параметров НДС. +AccountancyCode=Учетный код AccountancyCodeSell=Бух. код продаж AccountancyCodeBuy=Бух. код покупок ##### Agenda ##### AgendaSetup=Акции и повестки модуль настройки PasswordTogetVCalExport=Ключевые разрешить экспорт ссылке PastDelayVCalExport=Не экспортировать события старше -AGENDA_USE_EVENT_TYPE=Use events types (managed into menu Setup -> Dictionaries -> Type of agenda events) -AGENDA_USE_EVENT_TYPE_DEFAULT=Set automatically this default value for type of event into event create form +AGENDA_USE_EVENT_TYPE=Использование типов событий (управляемых в меню Настройка -> Словари -> Тип событий повестки дня) +AGENDA_USE_EVENT_TYPE_DEFAULT=Автоматически устанавливать это значение по умолчанию для типа события в форме создания события AGENDA_DEFAULT_FILTER_TYPE=Устанавливать автоматически этот тип события в фильтр поиска для просмотра повестки дня AGENDA_DEFAULT_FILTER_STATUS=Устанавливать автоматически этот статус события в фильтр поиска для просмотра повестки дня AGENDA_DEFAULT_VIEW=Какую вкладку вы хотите открывать по умолчанию, когда выбираете из меню Повестку дня -AGENDA_REMINDER_EMAIL=Enable event reminder by emails (remind option/delay can be defined on each event). Note: Module %s must be enabled and correctly setup to have reminder sent at the correct frequency. -AGENDA_REMINDER_BROWSER=Enable event reminder on users browser (when event date is reached, each user is able to refuse this from the browser confirmation question) -AGENDA_REMINDER_BROWSER_SOUND=Enable sound notification -AGENDA_SHOW_LINKED_OBJECT=Show linked object into agenda view +AGENDA_REMINDER_EMAIL=Включить напоминание о событиях по электронной почте (напоминание опции/задержки можно определить для каждого события). Примечание. Модуль %s должен быть включен и правильно настроен для отправки напоминания с правильной частотой. +AGENDA_REMINDER_BROWSER=Включить напоминание о событиях в браузере пользователя (когда дата события достигнута, каждый пользователь может отказаться от этого из вопроса подтверждения браузера) +AGENDA_REMINDER_BROWSER_SOUND=Включить звуковое оповещение +AGENDA_SHOW_LINKED_OBJECT=Показывать связанный объект в представлении повестки дня ##### Clicktodial ##### ClickToDialSetup=Нажмите для набора модуля настройки -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 allows to make phone numbers clickable. A click on this icon will call make your phone to call the phone number. This can be used to call a call center system from Dolibarr that can call the phone number on a SIP system for example. -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 same computer than the browser, and called when you click on a link in your browser that start 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. +ClickToDialUrlDesc=Url звонившего, когда клик по пиктограмме телефона сделан. В URL-адресе вы можете использовать теги
__PHONETO__, которые будут заменены на номер телефона человека для вызова
__PHONEFROM__, который будет заменен номером телефона вызывающего абонента (вашего)
__LOGIN__, который будет заменен на clicktodial login (определенном на карточке пользователя)
__PASS__, который будет заменен кликтодиальным паролем (определяется на карточке пользователя). +ClickToDialDesc=Этот модуль позволяет сделать номера телефонов доступными. Щелчок по этому значку вызовет телефонный звонок для вашего телефона. Это можно использовать для вызова системы центра обработки вызовов от Dolibarr, которая может звонить по номеру телефона в системе SIP, например. +ClickToDialUseTelLink=Используйте только ссылку «tel:» на номера телефонов +ClickToDialUseTelLinkDesc=Используйте этот метод, если у ваших пользователей есть программный телефон или программный интерфейс, установленный на одном компьютере, чем браузер, и вызывается при нажатии на ссылку в вашем браузере, которая начинается с «tel:». Если вам требуется полное серверное решение (нет необходимости в установке локального программного обеспечения), вы должны установить это значение «Нет» и заполнить следующее поле. ##### Point Of Sales (CashDesk) ##### CashDesk=Точка продаж CashDeskSetup=Кассовое модуль настройки @@ -1602,11 +1602,11 @@ CashDeskThirdPartyForSell=Общий контрагент, используем CashDeskBankAccountForSell=Денежные счета, используемого для продает CashDeskBankAccountForCheque= Счет будет использоваться для получения выплат чеком CashDeskBankAccountForCB= Учетной записи для использования на получение денежных выплат по кредитным картам -CashDeskDoNotDecreaseStock=Disable stock decrease when a sell is done from Point of Sale (if "no", stock decrease is done for each sell done from POS, whatever is option set into 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 lot management -CashDeskYouDidNotDisableStockDecease=You did not disable stock decrease when making a sell from Point Of Sale. So a warehouse is required. +CashDeskDoNotDecreaseStock=Отключить уменьшение запасов при продаже с точки продажи (если «нет», уменьшение запасов производится для каждой продажи, сделанной с POS, независимо от того, какая опция включена в запас модуля). +CashDeskIdWareHouse=Ускорить и ограничить склад для уменьшения запасов +StockDecreaseForPointOfSaleDisabled=Снижение запасов от пункта продажи отключено +StockDecreaseForPointOfSaleDisabledbyBatch=Снижение запасов в POS несовместимо с управлением партиями +CashDeskYouDidNotDisableStockDecease=Вы не отключили снижение акций при совершении сделки с Point Of Sale. Поэтому необходим склад. ##### Bookmark ##### BookmarkSetup=Закладка Настройка модуля BookmarkDesc=Этот модуль позволяет управлять закладками. Вы также можете добавить ярлыки для любых Dolibarr страниц или externale веб-сайтов на левом меню. @@ -1615,15 +1615,15 @@ NbOfBoomarkToShow=Максимальное количество закладок WebServicesSetup=Webservices модуль настройки WebServicesDesc=Позволяя этого модуля, Dolibarr стать веб-службы сервера представить разные веб-службы. WSDLCanBeDownloadedHere=WSDL дескриптор файла предоставляемых serviceses можно скачать здесь -EndPointIs=SOAP clients must send their requests to the Dolibarr endpoint available at URL +EndPointIs=Клиенты SOAP должны отправлять свои запросы конечной точке Dolibarr по 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=Настройка модуля API +ApiDesc=Включив этот модуль, Dolibarr станет сервером REST для предоставления различных веб-сервисов. +ApiProductionMode=Включить режим производства (это активирует использование кеша для управления службами) +ApiExporerIs=Вы можете исследовать и тестировать API по URL-адресу +OnlyActiveElementsAreExposed=Выделяются только элементы из разрешенных модулей +ApiKey=Ключ для API +WarningAPIExplorerDisabled=Исследователь API отключен. API-интерфейс API не требуется для предоставления услуг API. Это инструмент для разработчика для поиска/тестирования API REST. Если вам нужен этот инструмент, перейдите в настройку модуля API REST, чтобы активировать его. ##### Bank ##### BankSetupModule=Банк модуль настройки FreeLegalTextOnChequeReceipts=Свободный текст на чеке расписки @@ -1632,13 +1632,13 @@ BankOrderGlobal=Общий BankOrderGlobalDesc=Генеральный порядок отображения BankOrderES=Испанский BankOrderESDesc=Испанская порядок отображения -ChequeReceiptsNumberingModule=Cheque Receipts Numbering module +ChequeReceiptsNumberingModule=Проверить модуль нумерации чеков ##### Multicompany ##### MultiCompanySetup=Компания Multi-модуль настройки ##### Suppliers ##### SuppliersSetup=Поставщик модуля установки -SuppliersCommandModel=Complete template of prchase order (logo...) -SuppliersInvoiceModel=Complete template of vendor invoice (logo...) +SuppliersCommandModel=Полный шаблон заказа покупки (логотип ...) +SuppliersInvoiceModel=Полный шаблон счета-фактуры поставщика (логотип ...) SuppliersInvoiceNumberingModel=Способ нумерации счетов-фактур Поставщика IfSetToYesDontForgetPermission=Если установлено "Да", не забудьте дать доступ группам или пользователям, разрешённым для повторного утверждения ##### GeoIPMaxmind ##### @@ -1653,20 +1653,20 @@ ProjectsNumberingModules=Проекты нумерации модуль ProjectsSetup=Проект модуля установки ProjectsModelModule=доклад документ проекта модели TasksNumberingModules=Модуль нумерации Задач -TaskModelModule=Tasks reports document model -UseSearchToSelectProject=Wait you press a key before loading content of project combo list (This may increase performance if you have a large number of project, but it is less convenient) +TaskModelModule=Документы с отчетами о задачах +UseSearchToSelectProject=Подождите, пока вы нажмете клавишу перед загрузкой содержимого списка проектов (это может повысить производительность, если у вас большое количество проектов, но это менее удобно) ##### ECM (GED) ##### ##### Fiscal Year ##### -AccountingPeriods=Accounting periods -AccountingPeriodCard=Accounting period -NewFiscalYear=New accounting period -OpenFiscalYear=Open accounting period -CloseFiscalYear=Close accounting period -DeleteFiscalYear=Delete accounting period -ConfirmDeleteFiscalYear=Are you sure to delete this accounting period? -ShowFiscalYear=Show accounting period +AccountingPeriods=Сроки учета +AccountingPeriodCard=Период учета +NewFiscalYear=Новый отчетный период +OpenFiscalYear=Открытый отчетный период +CloseFiscalYear=Закрытый отчетный период +DeleteFiscalYear=Удалить отчетный период +ConfirmDeleteFiscalYear=Вы действительно хотите удалить этот отчетный период? +ShowFiscalYear=Показать отчетный период AlwaysEditable=Всегда может быть отредактировано -MAIN_APPLICATION_TITLE=Force visible name of application (warning: setting your own name here may break autofill login feature when using DoliDroid mobile application) +MAIN_APPLICATION_TITLE=Принудительное видимое имя приложения (предупреждение: установка собственного имени здесь может нарушить функцию автозаполнения при использовании мобильного приложения DoliDroid) NbMajMin=Минимальное количество символов в врехнем регистре NbNumMin=Минимальное количество цифр NbSpeMin=Минимальное количество специальных символов @@ -1675,129 +1675,129 @@ NoAmbiCaracAutoGeneration=Не используйте похожие симво SalariesSetup=Настройка зарплатного модуля SortOrder=Порядок сортировки Format=Формат -TypePaymentDesc=0:Customer payment type, 1:Vendor payment type, 2:Both customers and vendors payment type +TypePaymentDesc=0: Тип оплаты клиента, 1: Тип оплаты поставщика, 2: Тип оплаты обоих клиентов и продавцов IncludePath=Путь к заголовочным файлам (задан в переменной %s) ExpenseReportsSetup=Настройка модуля Отчёты о затратах TemplatePDFExpenseReports=Шаблон документа для создания отчёта о затратах -ExpenseReportsIkSetup=Setup of module Expense Reports - Milles index -ExpenseReportsRulesSetup=Setup of module Expense Reports - Rules -ExpenseReportNumberingModules=Expense reports numbering module -NoModueToManageStockIncrease=No module able to manage automatic stock increase has been activated. Stock increase will be done on manual input only. +ExpenseReportsIkSetup=Настройка модуля Отчеты о расходах - индекс Milles +ExpenseReportsRulesSetup=Настройка модуля Отчеты о расходах - Правила +ExpenseReportNumberingModules=Модуль нумерации отчетов о расходах +NoModueToManageStockIncrease=Был активирован модуль, способный управлять автоматическим увеличением запасов. Увеличение запасов будет производиться только вручную. YouMayFindNotificationsFeaturesIntoModuleNotification=Вы можете найти варианты уведомления по электронной почте, включив и настроив модуль "Уведомления". -ListOfNotificationsPerUser=List of notifications per user* -ListOfNotificationsPerUserOrContact=List of notifications per user* or per contact** +ListOfNotificationsPerUser=Список уведомлений на пользователя * +ListOfNotificationsPerUserOrContact=Список уведомлений на пользователя * или на контакт ** ListOfFixedNotifications=Список основных уведомлений -GoOntoUserCardToAddMore=Go on the tab "Notifications" of a user to add or remove notifications for users -GoOntoContactCardToAddMore=Go on the tab "Notifications" of a third party to add or remove notifications for contacts/addresses +GoOntoUserCardToAddMore=Перейдите на вкладку «Уведомления» пользователя, чтобы добавлять или удалять уведомления для пользователей. +GoOntoContactCardToAddMore=Перейдите на вкладку «Уведомления» третьей стороны, чтобы добавлять или удалять уведомления для контактов/адресов Threshold=Порог BackupDumpWizard=Мастер создания резервной копии базы данных SomethingMakeInstallFromWebNotPossible=Установка внешних модулей через веб-интерфейс не возможна по следующей причине: SomethingMakeInstallFromWebNotPossible2=По этой причине, описанный здесь процесс апрейгда - это только шаги, которые может выполнить пользователь с соответствующими правами доступа. InstallModuleFromWebHasBeenDisabledByFile=Установка внешних модулей из приложения отключена вашим администратором. Вы должны попросить его удалить файл %s, чтобы использовать эту функцию. -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 (keep empty 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 -BackgroundColor=Background color -TopMenuBackgroundColor=Background color for Top menu -TopMenuDisableImages=Hide images in Top menu -LeftMenuBackgroundColor=Background color for Left menu -BackgroundTableTitleColor=Background color for Table title line -BackgroundTableTitleTextColor=Text color for Table title line -BackgroundTableLineOddColor=Background color for odd table lines -BackgroundTableLineEvenColor=Background color for even table lines -MinimumNoticePeriod=Minimum notice period (Your leave request must be done before this delay) -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. -UnicodeCurrency=Enter here between braces, list of byte number that represent the currency symbol. For exemple: for $, enter [36] - for brazil real R$ [82,36] - for €, enter [8364] -ColorFormat=The RGB color is in HEX format, eg: FF0000 -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 offer a page or web site to check status of your shipping, you can enter it here. You can use the key {TRACKID} into URL parameters so the system will replace it with value of tracking number user entered into shipment card. -OpportunityPercent=When you create an opportunity, you will defined an estimated amount of project/lead. According to status of opportunity, this amount may be multiplicated by this rate to evaluate global amount all your opportunities may generate. Value is percent (between 0 and 100). -TemplateForElement=This template record is dedicated to which element -TypeOfTemplate=Type of template -TemplateIsVisibleByOwnerOnly=Template is visible by owner only -VisibleEverywhere=Visible everywhere -VisibleNowhere=Visible nowhere +ConfFileMustContainCustom=Для установки или создания внешнего модуля из приложения необходимо сохранить файлы модулей в каталог %s. Чтобы этот каталог обрабатывался Dolibarr, вы должны настроить conf/conf.php, чтобы добавить 2 директивные строки:
$dolibarr_main_url_root_alt = '/custom';
$dolibarr_main_document_root_alt = '%s/custom'; +HighlightLinesOnMouseHover=Выделите строки таблицы при перемещении мыши +HighlightLinesColor=Выделите цвет линии при прохождении мыши (держите пустым без подсветки) +TextTitleColor=Цвет текста заголовка страницы +LinkColor=Цвет ссылок +PressF5AfterChangingThis=Нажмите CTRL + F5 на клавиатуре или очистите кеш браузера после изменения этого значения, чтобы оно было эффективным +NotSupportedByAllThemes=Будет работать с основными темами, может не поддерживаться внешними темами +BackgroundColor=Фоновый цвет +TopMenuBackgroundColor=Цвет фона для верхнего меню +TopMenuDisableImages=Скрыть изображения в верхнем меню +LeftMenuBackgroundColor=Цвет фона для меню слева +BackgroundTableTitleColor=Цвет фона для заголовка таблицы +BackgroundTableTitleTextColor=Цвет текста для заголовка таблицы +BackgroundTableLineOddColor=Цвет фона для нечетных строк таблицы +BackgroundTableLineEvenColor=Цвет фона для четных строк таблицы +MinimumNoticePeriod=Минимальный период уведомления (ваш запрос на отпуск должен быть выполнен до этой задержки) +NbAddedAutomatically=Количество дней, добавленных в счетчики пользователей (автоматически) каждый месяц +EnterAnyCode=Это поле содержит ссылку для идентификации строки. Введите любое значение по вашему выбору, но без специальных символов. +UnicodeCurrency=Введите здесь между фигурными скобками, список байтов, обозначающих символ валюты. Например: для $ введите [36] - для бразильского реального R$ [82,36] - для €, введите [8364] +ColorFormat=Цвет RGB находится в формате HEX, например: FF0000 +PositionIntoComboList=Позиция строки в комбинированных списках +SellTaxRate=Ставка налога на продажу +RecuperableOnly=Да для НДС «Не воспринимается, а восстанавливается», предназначенный для некоторых государств во Франции. Сохраняйте значение «Нет» во всех других случаях. +UrlTrackingDesc=Если поставщик или транспортная служба предлагают страницу или веб-сайт для проверки статуса вашего груза, вы можете ввести его здесь. Вы можете использовать ключ {TRACKID} в параметрах URL, чтобы система заменила его на значение идентификационного номера пользователя, введенного в карточку отправки. +OpportunityPercent=Когда вы создадите возможность, вы определите предполагаемый объем проекта/свинца. Согласно статусу возможности, эта сумма может быть умножена по этой ставке для оценки глобальной суммы, которую могут создать все ваши возможности. Значение - процент (от 0 до 100). +TemplateForElement=Эта запись шаблона посвящена тому, какой элемент +TypeOfTemplate=Тип шаблона +TemplateIsVisibleByOwnerOnly=Шаблон виден только владельцем +VisibleEverywhere=Видимый везде +VisibleNowhere=Невидимый нигде FixTZ=Исправление часового пояса -FillFixTZOnlyIfRequired=Example: +2 (fill only if problem experienced) -ExpectedChecksum=Expected Checksum -CurrentChecksum=Current Checksum -ForcedConstants=Required constant values +FillFixTZOnlyIfRequired=Пример: +2 (заполнить, только если возникла проблема) +ExpectedChecksum=Ожидаемая контрольная сумма +CurrentChecksum=Текущая контрольная сумма +ForcedConstants=Требуемые постоянные значения MailToSendProposal=Предложения клиенту MailToSendOrder=Заказы клиента MailToSendInvoice=Счета клиента MailToSendShipment=Отгрузки MailToSendIntervention=Проектные работы -MailToSendSupplierRequestForQuotation=Quotation request -MailToSendSupplierOrder=Purchase orders -MailToSendSupplierInvoice=Vendor invoices +MailToSendSupplierRequestForQuotation=Запрос коммерческого предложения +MailToSendSupplierOrder=Заказы +MailToSendSupplierInvoice=Счета-фактуры поставщика MailToSendContract=Договоры MailToThirdparty=Контрагенты MailToMember=Участники MailToUser=Пользователи -MailToProject=Projects page -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 it contains only fixes of bugs. We recommend everybody using an older version to upgrade to this one. As any maintenance release, no new features, nor data structure change is present into this version. 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. -MultiPriceRuleDesc=When option "Several level of prices per product/service" is on, you can define different prices (one per price level) for each product. To save you time, you can enter here rule to have price for each level autocalculated according to price of first level, so you will have to enter only price for first level on each product. This page is here to save you time and can be usefull only if your prices for each leve are relative to first level. You can ignore this page in most cases. -ModelModulesProduct=Templates for product documents -ToGenerateCodeDefineAutomaticRuleFirst=To be able to generate automatically codes, you must first define a manager to auto define 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 -AddMenus=Add menus -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 on 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 correclty. Please install module "%2$s" or disable module "%1$s" if you want to be safe from any surprise -CommandIsNotInsideAllowedCommands=The command you try to run is not inside list of allowed commands defined into parameter $dolibarr_main_restrict_os_commands into conf.php file. -LandingPage=Landing page -SamePriceAlsoForSharedCompanies=If you use a multicompany module, with the choice "Single price", price will be also 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 permission defined -TypeCdr=Use "None" if the date of payment term is date of invoice plus a delta in days (delta is field "Nb of days")
Use "At end of month", if, after delta, the date must be increased to reach the end of month (+ an optional "Offset" in days)
Use "Current/Next" to have payment term date being the first Nth of the month (N is stored into field "Nb of days") -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 try to install the module %s that is an external module. Activating an external module means you trust the publisher of the module and you are sure that this module does not alterate negatively the behavior of your application and is compliant with laws of your country (%s). If the module bring a non legal feature, you become responsible for the use of a non legal software. -MAIN_PDF_MARGIN_LEFT=Left margin on PDF -MAIN_PDF_MARGIN_RIGHT=Right margin on PDF -MAIN_PDF_MARGIN_TOP=Top margin on PDF -MAIN_PDF_MARGIN_BOTTOM=Bottom margin on PDF -SetToYesIfGroupIsComputationOfOtherGroups=Set this to yes if this group is a computation of other groups -EnterCalculationRuleIfPreviousFieldIsYes=Enter calculcation rule if previous field was set to Yes (For example 'CODEGRP1+CODEGRP2') -SeveralLangugeVariatFound=Several language variants found -COMPANY_AQUARIUM_REMOVE_SPECIAL=Remove special characters -COMPANY_AQUARIUM_CLEAN_REGEX=Regex filter to clean value (COMPANY_AQUARIUM_CLEAN_REGEX) -GDPRContact=GDPR contact -GDPRContactDesc=If you store data about European companies/citizen, you can store here the contact who is responsible for the General Data Protection Regulation +MailToProject=Страница проектов +ByDefaultInList=Показывать по умолчанию в виде списка +YouUseLastStableVersion=Вы используете последнюю стабильную версию +TitleExampleForMajorRelease=Пример сообщения, которое вы можете использовать для анонса этого основного выпуска (не стесняйтесь использовать его на своих веб-сайтах) +TitleExampleForMaintenanceRelease=Пример сообщения, которое вы можете использовать для объявления этой версии обслуживания (не стесняйтесь использовать ее на своих веб-сайтах) +ExampleOfNewsMessageForMajorRelease=Доступен Dolibarr ERP & CRM %s. Версия %s - это крупный выпуск с множеством новых функций для пользователей и разработчиков. Вы можете загрузить его из области загрузки портала https://www.dolibarr.org (подкаталог «Стабильные версии»). Вы можете прочитать ChangeLog полный список изменений. +ExampleOfNewsMessageForMaintenanceRelease=Доступен Dolibarr ERP & CRM %s. Версия %s - это версия обслуживания, поэтому она содержит только исправления ошибок. Мы рекомендуем всем, кто использует более старую версию, обновиться до этого. Как любая версия обслуживания, в эту версию нет новых функций или изменений структуры данных. Вы можете загрузить его из области загрузки портала https://www.dolibarr.org (подкаталог «Стабильные версии»). Вы можете прочитать ChangeLog полный список изменений. +MultiPriceRuleDesc=Когда опция «Несколько уровней цен на продукт/услугу» включена, вы можете определить разные цены (по одному на уровень цены) для каждого продукта. Чтобы сэкономить ваше время, вы можете ввести здесь правило, чтобы цена для каждого уровня была рассчитана по цене первого уровня, поэтому вам нужно будет ввести только цену за первый уровень для каждого продукта. Эта страница предназначена для того, чтобы сэкономить ваше время и может быть полезной только в том случае, если ваши цены на каждую левую сторону относительно первого уровня. Вы можете игнорировать эту страницу в большинстве случаев. +ModelModulesProduct=Шаблоны для документов продуктов +ToGenerateCodeDefineAutomaticRuleFirst=Чтобы иметь возможность генерировать автоматически коды, вы должны сначала определить менеджера для автоматического определения номера штрих-кода. +SeeSubstitutionVars=См. * Примечание для списка возможных переменных замещения +SeeChangeLog=См. Файл ChangeLog (только на английском языке) +AllPublishers=Все издатели +UnknownPublishers=Неизвестные издатели +AddRemoveTabs=Добавление или удаление вкладок +AddDataTables=Добавить объекты таблиц +AddDictionaries=Добавить словари +AddData=Добавить объекты или словари данных +AddBoxes=Добавить виджеты +AddSheduledJobs=Добавить запланированные задания +AddHooks=Добавить скобки +AddTriggers=Добавить триггеры +AddMenus=Добавить меню +AddPermissions=Добавить разрешения +AddExportProfiles=Добавить профили экспорта +AddImportProfiles=Добавить профили импорта +AddOtherPagesOrServices=Добавить другие страницы или услуги +AddModels=Добавление шаблонов документов или нумерации +AddSubstitutions=Добавить замены клавиш +DetectionNotPossible=Обнаружение невозможно +UrlToGetKeyToUseAPIs=Url для получения токена для использования API (после того, как маркер получен, он сохраняется в таблице пользователя базы данных и должен предоставляться при каждом вызове API) +ListOfAvailableAPIs=Список доступных API +activateModuleDependNotSatisfied=Модуль «%s» не зависит от модуля «%s», который отсутствует, поэтому модуль «%1$s» может не работать. Пожалуйста, установите модуль «%2$s» или отключите модуль «%1$s», если вы хотите быть в безопасности от каких-либо сюрпризов +CommandIsNotInsideAllowedCommands=Команда, которую вы пытаетесь запустить, не входит в список разрешенных команд, определенных в параметре $dolibarr_main_restrict_os_commands в файл conf.php . +LandingPage=Целевая страница +SamePriceAlsoForSharedCompanies=Если вы используете многокомпонентный модуль с выбором «Единая цена», цена будет одинаковой для всех компаний, если продукты распределяются между средами +ModuleEnabledAdminMustCheckRights=Модуль активирован. Разрешения для активированного модуля (модулей) были предоставлены только администраторам. Возможно, вам потребуется предоставить разрешения другим пользователям или группам вручную, если это необходимо. +UserHasNoPermissions=Этот пользователь не имеет определенного разрешения +TypeCdr=Используйте «Нет», если датой платежа является дата счета-фактуры плюс дельта в днях (delta - поле «Nb дней»). Используйте «В конце месяца», если после дельта дата должна быть увеличена для достижения конца месяца (+ опционально «Смещение» в днях)
Использовать «Текущий/Следующий», чтобы дата платежа была первой N-й месяц (N хранится в поле «Nb дней») +BaseCurrency=Справочная валюта компании (перейдите в настройку компании, чтобы изменить это) +WarningNoteModuleInvoiceForFrenchLaw=Этот модуль %s соответствует французским законам (Loi Finance 2016). +WarningNoteModulePOSForFrenchLaw=Этот модуль %s соответствует французским законам (Loi Finance 2016), поскольку модуль Non Reversible Logs автоматически активируется. +WarningInstallationMayBecomeNotCompliantWithLaw=Вы пытаетесь установить модуль %s, являющийся внешним модулем. Активация внешнего модуля означает, что вы доверяете издателю модуля, и вы уверены, что этот модуль не изменяет негативное поведение вашего приложения и соответствует законам вашей страны (%s). Если модуль приносит неправомерную функцию, вы становитесь ответственным за использование нелегального программного обеспечения. +MAIN_PDF_MARGIN_LEFT=Левый отступ в PDF +MAIN_PDF_MARGIN_RIGHT=Правый отступ PDF +MAIN_PDF_MARGIN_TOP=Верхний отступ PDF +MAIN_PDF_MARGIN_BOTTOM=Нижний отступ PDF +SetToYesIfGroupIsComputationOfOtherGroups=Установите для этого значение yes, если эта группа является вычислением других групп +EnterCalculationRuleIfPreviousFieldIsYes=Введите правило расчета, если для предыдущего поля установлено значение Да (например, «CODEGRP1 + CODEGRP2») +SeveralLangugeVariatFound=Было найдено несколько вариантов языка +COMPANY_AQUARIUM_REMOVE_SPECIAL=Удаление специальных символов +COMPANY_AQUARIUM_CLEAN_REGEX=Фильтр регулярных выражений для очистки значения (COMPANY_AQUARIUM_CLEAN_REGEX) +GDPRContact=Контактная информация +GDPRContactDesc=Если вы храните данные о европейских компаниях/гражданах, вы можете сохранить здесь контакт, который несет ответственность за правило общей защиты данных ##### Resource #### -ResourceSetup=Configuration du module Resource -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 -ConfirmUnactivation=Confirm module reset +ResourceSetup=Конфигурация ресурса модуля +UseSearchToSelectResource=Используйте форму поиска, чтобы выбрать ресурс (а не раскрывающийся список). +DisabledResourceLinkUser=Отключить функцию привязки ресурса к пользователям +DisabledResourceLinkContact=Отключить функцию привязки ресурса к контактам +ConfirmUnactivation=Подтвердите сброс модуля diff --git a/htdocs/langs/ru_RU/agenda.lang b/htdocs/langs/ru_RU/agenda.lang index d94717a8a54c7..c1c0bfe2960b8 100644 --- a/htdocs/langs/ru_RU/agenda.lang +++ b/htdocs/langs/ru_RU/agenda.lang @@ -12,7 +12,7 @@ Event=Событие Events=События EventsNb=Количество событий ListOfActions=Список событий -EventReports=Event reports +EventReports=События Location=Местонахождение ToUserOfGroup= пользователем из группы EventOnFullDay=Событие на весь день (все дни) @@ -29,15 +29,15 @@ ViewCal=Просмотр календаря ViewDay=Обзор дня ViewWeek=Обзор недели ViewPerUser=Просмотр по пользователям -ViewPerType=Per type view +ViewPerType=Просмотр по типу AutoActions= Автоматическое заполнение дня -AgendaAutoActionDesc= Define here events for which you want Dolibarr to create automatically an event in agenda. If nothing is checked, only manual actions will be included in logged and visible into agenda. Automatic tracking of business actions done on objects (validation, status change) will not be saved. +AgendaAutoActionDesc= Определите здесь события, для которых вы хотите, чтобы Dolibarr автоматически создавал событие в повестке дня. Если ничего не будет проверено, в журнал будут включены только ручные действия, которые будут включены в журнал. Автоматическое отслеживание деловых действий, выполняемых над объектами (валидация, изменение статуса), не будет сохранено. AgendaSetupOtherDesc= Эта страница позволяет настроить и другие параметры модуля дня. AgendaExtSitesDesc=Эта страница позволяет настроить внешний календарей. ActionsEvents=События, за которые Dolibarr создадут действий в повестку дня автоматически -EventRemindersByEmailNotEnabled=Event reminders by email was not enabled into Agenda module setup. +EventRemindersByEmailNotEnabled=Уведомления о событиях по электронной почте не были включены в настройку модуля повестки дня. ##### Agenda event labels ##### -NewCompanyToDolibarr=Third party %s created +NewCompanyToDolibarr=Третья сторона %s создана ContractValidatedInDolibarr=Контакт %s подтверждён PropalClosedSignedInDolibarr=Ком. предложение %s подписано PropalClosedRefusedInDolibarr=Ком. предложение %s отклонено @@ -51,14 +51,14 @@ InvoicePaidInDolibarr=Счёт %s оплачен InvoiceCanceledInDolibarr=Счёт %s отменён MemberValidatedInDolibarr=Участник %s подтверждён MemberModifiedInDolibarr=Участник %sизменён -MemberResiliatedInDolibarr=Member %s terminated +MemberResiliatedInDolibarr=Участник %s завершен MemberDeletedInDolibarr=Участник %s удалён -MemberSubscriptionAddedInDolibarr=Subscription %s for member %s added -MemberSubscriptionModifiedInDolibarr=Subscription %s for member %s modified -MemberSubscriptionDeletedInDolibarr=Subscription %s for member %s deleted +MemberSubscriptionAddedInDolibarr=Подписка %s для участника%s добавлена +MemberSubscriptionModifiedInDolibarr=Подписка %s для члена %s изменена +MemberSubscriptionDeletedInDolibarr=Подписка %s для участника %s удалена ShipmentValidatedInDolibarr=Отправка %s подтверждена ShipmentClassifyClosedInDolibarr=Отправка %sотмечена "оплачено" -ShipmentUnClassifyCloseddInDolibarr=Shipment %s classified reopened +ShipmentUnClassifyCloseddInDolibarr=Отправка %s классифицирована переоткрыта ShipmentDeletedInDolibarr=Отправка %s удалена OrderCreatedInDolibarr=Заказ %s создан OrderValidatedInDolibarr=Заказ %s проверен @@ -69,7 +69,7 @@ OrderApprovedInDolibarr=Заказ %s утвержден OrderRefusedInDolibarr=Заказ %s отклонён OrderBackToDraftInDolibarr=Заказ %s возращен в статус черновик ProposalSentByEMail=Коммерческое предложение %s отправлены по электронной почте -ContractSentByEMail=Contract %s sent by EMail +ContractSentByEMail=Контракт %s отправлен на e-mail OrderSentByEMail=Заказ покупателя %s отправлен по электронной почте InvoiceSentByEMail=Счёт клиента %s отправлен по электронной почте SupplierOrderSentByEMail=Поставщик порядке %s отправлены по электронной почте @@ -83,24 +83,24 @@ InvoiceDeleted=Счёт удалён PRODUCT_CREATEInDolibarr=Товар %sсоздан PRODUCT_MODIFYInDolibarr=Товар %sизменён PRODUCT_DELETEInDolibarr=Товар %sудалён -EXPENSE_REPORT_CREATEInDolibarr=Expense report %s created -EXPENSE_REPORT_VALIDATEInDolibarr=Expense report %s validated -EXPENSE_REPORT_APPROVEInDolibarr=Expense report %s approved -EXPENSE_REPORT_DELETEInDolibarr=Expense report %s deleted -EXPENSE_REPORT_REFUSEDInDolibarr=Expense report %s refused +EXPENSE_REPORT_CREATEInDolibarr=Отчет о расходах %s создан +EXPENSE_REPORT_VALIDATEInDolibarr=Отчет о расходах %s утвержден +EXPENSE_REPORT_APPROVEInDolibarr=Отчет о расходах %s одобрен +EXPENSE_REPORT_DELETEInDolibarr=Отчет о расходах %s удален +EXPENSE_REPORT_REFUSEDInDolibarr=Отчет о расходах %s отказан PROJECT_CREATEInDolibarr=Проект %s создан -PROJECT_MODIFYInDolibarr=Project %s modified -PROJECT_DELETEInDolibarr=Project %s deleted +PROJECT_MODIFYInDolibarr=Проект %s изменен +PROJECT_DELETEInDolibarr=Проект %s удален ##### End agenda events ##### -AgendaModelModule=Document templates for event +AgendaModelModule=Шаблоны документов для события DateActionStart=Начальная дата DateActionEnd=Конечная дата AgendaUrlOptions1=Можно также добавить следующие параметры для фильтрации вывода: -AgendaUrlOptions3=logina=%s to restrict output to actions owned by a user %s. -AgendaUrlOptionsNotAdmin=logina=!%s to restrict output to actions not owned by user %s. -AgendaUrlOptions4=logint=%s to restrict output to actions assigned to user %s (owner and others). -AgendaUrlOptionsProject=project=__PROJECT_ID__ to restrict output to actions linked to project __PROJECT_ID__. -AgendaUrlOptionsNotAutoEvent=notactiontype=systemauto to exclude automatic event. +AgendaUrlOptions3= logina = %s , чтобы ограничить вывод действий, принадлежащих пользователю %s. +AgendaUrlOptionsNotAdmin=logina =! %s для ограничения вывода на действий, не принадлежащих пользователю %s. +AgendaUrlOptions4=logint = %s для ограничения вывода на действия, назначенные пользователю %s (владелец и другие). +AgendaUrlOptionsProject=project = __ PROJECT_ID __, чтобы ограничить вывод действий, связанных с проектом __ PROJECT_ID __ . +AgendaUrlOptionsNotAutoEvent=notactiontype = systemauto, чтобы исключить автоматическое событие. AgendaShowBirthdayEvents=Показывать дни рождения контактов AgendaHideBirthdayEvents=Скрыть дни рождения контактов Busy=Занят @@ -112,17 +112,17 @@ ExportCal=Экспорт календаря ExtSites=Импортировать календари ExtSitesEnableThisTool=Показывать внешние календари (заданные в глобальных настройках) в повестке дня. Не окажет влияния на внешние календари, заданные пользователями. ExtSitesNbOfAgenda=Количество календарей -AgendaExtNb=Calendar no. %s +AgendaExtNb=Календарь №. %s ExtSiteUrlAgenda=URL для файла календаря .ical ExtSiteNoLabel=Нет описания -VisibleTimeRange=Visible time range -VisibleDaysRange=Visible days range +VisibleTimeRange=Видимый временной диапазон +VisibleDaysRange=Видимый диапазон дней AddEvent=Создать событие MyAvailability=Моя доступность ActionType=Тип события DateActionBegin=Дата начала события CloneAction=Клонировать событие -ConfirmCloneEvent=Are you sure you want to clone the event %s? +ConfirmCloneEvent=Вы действительно хотите клонировать событие %s? RepeatEvent=Повторять событие EveryWeek=Каждую неделю EveryMonth=Каждый месяц diff --git a/htdocs/langs/ru_RU/banks.lang b/htdocs/langs/ru_RU/banks.lang index 65f7af0d82495..f488abe36d1f1 100644 --- a/htdocs/langs/ru_RU/banks.lang +++ b/htdocs/langs/ru_RU/banks.lang @@ -1,12 +1,13 @@ # Dolibarr language file - Source file is en_US - banks Bank=Банк -MenuBankCash=Банк / Наличные -MenuVariousPayment=Miscellaneous payments -MenuNewVariousPayment=New Miscellaneous payment +MenuBankCash=Банк | Денежные средства +MenuVariousPayment=Смешанные платежи +MenuNewVariousPayment=Новый смешанный платеж BankName=Название банка FinancialAccount=Учетная запись BankAccount=Банковский счет BankAccounts=Банковские счета +BankAccountsAndGateways=Банковские счета | Шлюзы ShowAccount=Показать учётную запись AccountRef=Финансовые счета исх AccountLabel=Финансовые счета этикетки @@ -30,12 +31,12 @@ Reconciliation=Примирение RIB=Bank Account Number IBAN=IBAN номера BIC=BIC / SWIFT число -SwiftValid=BIC/SWIFT valid -SwiftVNotalid=BIC/SWIFT not valid -IbanValid=BAN valid -IbanNotValid=BAN not valid -StandingOrders=Direct Debit orders -StandingOrder=Direct debit order +SwiftValid=BIC/SWIFT действителен +SwiftVNotalid=BIC / SWIFT недействителен +IbanValid=BAN действителен +IbanNotValid=BAN недействителен +StandingOrders=Прямые дебетовые заказы +StandingOrder=Прямой дебетовый заказ AccountStatement=Выписка со счета AccountStatementShort=Утверждение AccountStatements=Выписки со счета @@ -59,105 +60,106 @@ BankType2=Денежные счета AccountsArea=Счета области AccountCard=Счет карточки DeleteAccount=Удалить учетную запись -ConfirmDeleteAccount=Are you sure you want to delete this account? +ConfirmDeleteAccount=Вы действительно хотите удалить эту учетную запись? Account=Учетная запись -BankTransactionByCategories=Bank entries by categories -BankTransactionForCategory=Bank entries for category %s +BankTransactionByCategories=Банковские записи по категориям +BankTransactionForCategory=Банковские записи для категории %s RemoveFromRubrique=Удалить ссылку в категорию -RemoveFromRubriqueConfirm=Are you sure you want to remove link between the entry and the category? -ListBankTransactions=List of bank entries +RemoveFromRubriqueConfirm=Вы действительно хотите удалить ссылку между записью и категорией? +ListBankTransactions=Список банковских записей IdTransaction=ID транзакции -BankTransactions=Bank entries -BankTransaction=Bank entry -ListTransactions=List entries -ListTransactionsByCategory=List entries/category -TransactionsToConciliate=Entries to reconcile +BankTransactions=Банковские записи +BankTransaction=Банковская запись +ListTransactions=Список записей +ListTransactionsByCategory=Список записей/категория +TransactionsToConciliate=Записи для согласования Conciliable=Conciliable Conciliate=Согласительной Conciliation=Согласительная -ReconciliationLate=Reconciliation late +ReconciliationLate=Согласование с запозданием IncludeClosedAccount=Включите закрытые счета -OnlyOpenedAccount=Only open accounts +OnlyOpenedAccount=Только открытые аккаунты AccountToCredit=Счета к кредитам AccountToDebit=Счет дебетовать DisableConciliation=Отключите функцию примирения для этой учетной записи ConciliationDisabled=Согласительный функция отключена -LinkedToAConciliatedTransaction=Linked to a conciliated entry +LinkedToAConciliatedTransaction=Связано с согласованной записью StatusAccountOpened=Открытые StatusAccountClosed=Закрытые AccountIdShort=Количество LineRecord=Транзакция -AddBankRecord=Add entry -AddBankRecordLong=Add entry manually -Conciliated=Reconciled +AddBankRecord=Добавить запись +AddBankRecordLong=Добавить запись вручную +Conciliated=Согласование ConciliatedBy=Conciliated путем DateConciliating=Согласительную дата -BankLineConciliated=Entry reconciled -Reconciled=Reconciled -NotReconciled=Not reconciled +BankLineConciliated=Запись согласована +Reconciled=Согласовано +NotReconciled=Не согласовано CustomerInvoicePayment=Заказчиком оплаты SupplierInvoicePayment=Оплаты поставщика SubscriptionPayment=Абонентская плата WithdrawalPayment=Снятие оплаты -SocialContributionPayment=Social/fiscal tax payment +SocialContributionPayment=Социальный/налоговый сбор BankTransfer=Банковский перевод BankTransfers=Банковские переводы -MenuBankInternalTransfer=Internal transfer -TransferDesc=Transfer from one account to another one, Dolibarr will write two record (a debit in source account and a credit in target account. The same amount (except sign), label and date will be used for this transaction) +MenuBankInternalTransfer=Внутренний трансфер +TransferDesc=Перевод с одной учетной записи на другую, Dolibarr напишет две записи (дебет в исходной учетной записи и кредит в целевой учетной записи. Для этой транзакции будет использована та же сумма (кроме знака), ярлык и дата) TransferFrom=От TransferTo=К TransferFromToDone=Передача% от S в% х %s% S был записан. CheckTransmitter=Передатчик -ValidateCheckReceipt=Validate this check receipt? -ConfirmValidateCheckReceipt=Are you sure you want to validate this check receipt, no change will be possible once this is done? -DeleteCheckReceipt=Delete this check receipt? -ConfirmDeleteCheckReceipt=Are you sure you want to delete this check receipt? +ValidateCheckReceipt=Подтвердить получение чека? +ConfirmValidateCheckReceipt=Вы уверены, что хотите подтвердить получение чека, никакие изменения не будут возможны после того, как это будет сделано? +DeleteCheckReceipt=Удалить эту квитанцию? +ConfirmDeleteCheckReceipt=Вы действительно хотите удалить эту квитанцию? BankChecks=Банковские чеки -BankChecksToReceipt=Checks awaiting deposit +BankChecksToReceipt=Проверки, ожидающие внесения депозита ShowCheckReceipt=Показать проверить депозита получения NumberOfCheques=Nb чеков -DeleteTransaction=Delete entry -ConfirmDeleteTransaction=Are you sure you want to delete this entry? -ThisWillAlsoDeleteBankRecord=This will also delete generated bank entry +DeleteTransaction=Удалить запись +ConfirmDeleteTransaction=Вы действительно хотите удалить эту запись? +ThisWillAlsoDeleteBankRecord=Это также приведет к удалению сгенерированной записи банка BankMovements=Перевозкой -PlannedTransactions=Planned entries +PlannedTransactions=Запланированные записи Graph=Графика -ExportDataset_banque_1=Bank entries and account statement +ExportDataset_banque_1=Банковские записи и выписка по счету ExportDataset_banque_2=Бланк депозита TransactionOnTheOtherAccount=Сделка с другой учетной записи -PaymentNumberUpdateSucceeded=Payment number updated successfully +PaymentNumberUpdateSucceeded=Номер платежа успешно обновлен PaymentNumberUpdateFailed=Оплата число не может быть обновлен -PaymentDateUpdateSucceeded=Payment date updated successfully +PaymentDateUpdateSucceeded=Дата платежа обновлена ​​успешно PaymentDateUpdateFailed=Дата платежа не может быть обновлен Transactions=Транзакции -BankTransactionLine=Bank entry -AllAccounts=Все банковские / счета наличных +BankTransactionLine=Банковская запись +AllAccounts=Все банковские и кассовые счета BackToAccount=Перейти к ответу ShowAllAccounts=Шоу для всех учетных записей FutureTransaction=Сделки в Futur. Ни в коем случае к согласительной процедуре. SelectChequeTransactionAndGenerate=Выбор / фильтр проверяет, включать в получении депозита проверки и нажмите кнопку "Создать". -InputReceiptNumber=Choose the bank statement related with the conciliation. Use a sortable numeric value: YYYYMM or YYYYMMDD +InputReceiptNumber=Выберите банковскую выписку, связанную с согласительной процедурой. Используйте сортируемое числовое значение: ГГГГММ или ГГГГММДД EventualyAddCategory=Укажите категорию для классификации записей -ToConciliate=To reconcile? +ToConciliate=Согласовать? ThenCheckLinesAndConciliate=Проверьте последние строки в выписке по счёту из банка и нажмите DefaultRIB=Номер счета BAN по умолчанию AllRIB=Все номера счетов BAN LabelRIB=Метка номера счета BAN NoBANRecord=Нет записи с номером счета BAN DeleteARib=Удалить запись в номером счета BAN -ConfirmDeleteRib=Are you sure you want to delete this BAN record? -RejectCheck=Check returned -ConfirmRejectCheck=Are you sure you want to mark this check as rejected? -RejectCheckDate=Date the check was returned -CheckRejected=Check returned -CheckRejectedAndInvoicesReopened=Check returned and invoices reopened -BankAccountModelModule=Document templates for bank accounts -DocumentModelSepaMandate=Template of SEPA mandate. Usefull for european countries in EEC only. -DocumentModelBan=Template to print a page with BAN information. -NewVariousPayment=New miscellaneous payments -VariousPayment=Miscellaneous payments -VariousPayments=Miscellaneous payments -ShowVariousPayment=Show miscellaneous payments -AddVariousPayment=Add miscellaneous payments -YourSEPAMandate=Your SEPA mandate -FindYourSEPAMandate=This is your SEPA mandate to authorize our company to make direct debit order to your bank. Thanks to return it signed (scan of the signed document) or sent it by mail to +ConfirmDeleteRib=Вы действительно хотите удалить эту запись BAN? +RejectCheck=Проверка возвращена +ConfirmRejectCheck=Вы уверены, что хотите отметить эту проверку как отклоненную? +RejectCheckDate=Дата проверки была возвращена +CheckRejected=Проверка возобновлена +CheckRejectedAndInvoicesReopened=Проверка возвращена, а счета-фактуры возобновлены +BankAccountModelModule=Шаблоны документов для банковских счетов +DocumentModelSepaMandate=Шаблон мандата SEPA. Полезно для европейских стран только в ЕЭС. +DocumentModelBan=Шаблон для печати страницы с информацией о BAN. +NewVariousPayment=Новые смешанные платежи +VariousPayment=Смешанные платежи +VariousPayments=Смешанные платежи +ShowVariousPayment=Показать смешанные платежи +AddVariousPayment=Добавить смешанные платежи +SEPAMandate=Мандат SEPA +YourSEPAMandate=Ваш мандат SEPA +FindYourSEPAMandate=Это ваш мандат SEPA, чтобы разрешить нашей компании делать прямой дебетовый заказ в ваш банк. Благодаря возврату он подписан (сканирование подписанного документа) или отправлен по почте diff --git a/htdocs/langs/ru_RU/bills.lang b/htdocs/langs/ru_RU/bills.lang index 0dbdbfac4fccd..0f8d107b4a429 100644 --- a/htdocs/langs/ru_RU/bills.lang +++ b/htdocs/langs/ru_RU/bills.lang @@ -110,8 +110,8 @@ SendRemindByMail=Отправить напоминание по EMail DoPayment=Enter payment DoPaymentBack=Enter refund ConvertToReduc=Mark as credit available -ConvertExcessReceivedToReduc=Convert excess received into future discount -ConvertExcessPaidToReduc=Convert excess paid into future discount +ConvertExcessReceivedToReduc=Convert excess received into available credit +ConvertExcessPaidToReduc=Convert excess paid into available discount EnterPaymentReceivedFromCustomer=Ввести платеж, полученный от покупателя EnterPaymentDueToCustomer=Произвести платеж за счет Покупателя DisabledBecauseRemainderToPayIsZero=Отключено, потому что оставшаяся оплата нулевая @@ -228,7 +228,7 @@ EscompteOfferedShort=Скидка SendBillRef=Представление счёта %s SendReminderBillRef=Представление счёта %s (напоминание) StandingOrders=Direct debit orders -StandingOrder=Direct debit order +StandingOrder=Прямой дебетовый заказ NoDraftBills=Нет проектов счетов-фактур NoOtherDraftBills=Нет других проектов счетов-фактур NoDraftInvoices=Нет проектов счетов @@ -282,6 +282,7 @@ RelativeDiscount=Относительная скидка GlobalDiscount=Глобальная скидка CreditNote=Кредитовое авизо CreditNotes=Кредитовое авизо +CreditNotesOrExcessReceived=Credit notes or excess received Deposit=Down payment Deposits=Down payments DiscountFromCreditNote=Скидка из кредитового авизо %s @@ -393,6 +394,7 @@ PaymentConditionShort14DENDMONTH=14 days of month-end PaymentCondition14DENDMONTH=Within 14 days following the end of the month FixAmount=Фиксированное значение VarAmount=Произвольное значение (%% от суммы) +VarAmountOneLine=Variable amount (%% tot.) - 1 line with label '%s' # PaymentType PaymentTypeVIR=Банковский перевод PaymentTypeShortVIR=Банковский перевод diff --git a/htdocs/langs/ru_RU/boxes.lang b/htdocs/langs/ru_RU/boxes.lang index ca61c91f3a2af..9da5434470b77 100644 --- a/htdocs/langs/ru_RU/boxes.lang +++ b/htdocs/langs/ru_RU/boxes.lang @@ -20,7 +20,7 @@ BoxLastMembers=Latest members BoxFicheInter=Latest interventions BoxCurrentAccounts=Open accounts balance BoxTitleLastRssInfos=Latest %s news from %s -BoxTitleLastProducts=Latest %s modified products/services +BoxTitleLastProducts=Последние измененные продукты/услуги %s BoxTitleProductsAlertStock=Предупреждение о появлении товара на складе BoxTitleLastSuppliers=Latest %s recorded suppliers BoxTitleLastModifiedSuppliers=Latest %s modified suppliers diff --git a/htdocs/langs/ru_RU/companies.lang b/htdocs/langs/ru_RU/companies.lang index b7f10126f80b8..61dd1940e1429 100644 --- a/htdocs/langs/ru_RU/companies.lang +++ b/htdocs/langs/ru_RU/companies.lang @@ -8,11 +8,11 @@ ConfirmDeleteContact=Удалить этот контакт и всю связа MenuNewThirdParty=Новый контрагент MenuNewCustomer=Новый покупатель MenuNewProspect=Новый потенциальный клиент -MenuNewSupplier=New vendor +MenuNewSupplier=Новый поставщик MenuNewPrivateIndividual=Новое физическое лицо -NewCompany=New company (prospect, customer, vendor) -NewThirdParty=New third party (prospect, customer, vendor) -CreateDolibarrThirdPartySupplier=Create a third party (vendor) +NewCompany=Новая компания (перспектива, клиент, поставщик) +NewThirdParty=Новая сторонняя сторона (перспектива, клиент, поставщик) +CreateDolibarrThirdPartySupplier=Создайте стороннего поставщика (поставщика) CreateThirdPartyOnly=Создать контрагента CreateThirdPartyAndContact=Создать контрагента и связанный контакт ProspectionArea=Область потенциальных клиентов @@ -29,7 +29,7 @@ AliasNameShort=Название псевдонима Companies=Компании CountryIsInEEC=Страна входит в состав Европейского экономического сообщества ThirdPartyName=Наименование контрагента -ThirdPartyEmail=Third party email +ThirdPartyEmail=Email третьей стороны ThirdParty=Контрагент ThirdParties=Контрагенты ThirdPartyProspects=Потенциальные клиенты @@ -37,14 +37,14 @@ ThirdPartyProspectsStats=Потенциальные клиенты ThirdPartyCustomers=Покупатели ThirdPartyCustomersStats=Заказчики ThirdPartyCustomersWithIdProf12=Покупатели с %s или %s -ThirdPartySuppliers=Vendors +ThirdPartySuppliers=Вендоры ThirdPartyType=Тип контрагента Individual=Физическое лицо ToCreateContactWithSameName=Будет автоматически создан контакт/адрес с той информацией которая связывает контрагента с контрагентом. В большинстве случаев, даже если контрагент является физическим лицом, достаточно создать одного контрагента. ParentCompany=Материнская компания Subsidiaries=Филиалы -ReportByMonth=Report by month -ReportByCustomers=Report by customer +ReportByMonth=Отчет за месяц +ReportByCustomers=Отчет клиента ReportByQuarter=Отчет по рейтингу CivilityCode=Код корректности RegisteredOffice=Зарегистрированный офис @@ -52,12 +52,12 @@ Lastname=Фамилия Firstname=Имя PostOrFunction=Должность UserTitle=Название -NatureOfThirdParty=Nature of Third party +NatureOfThirdParty=Природа третьей стороны Address=Адрес State=Штат/Провинция StateShort=Штат Region=Регион -Region-State=Region - State +Region-State=Регион - Область Country=Страна CountryCode=Код страны CountryId=Код страны @@ -76,12 +76,12 @@ Town=Город Web=Web Poste= Должность DefaultLang=Язык по умолчанию -VATIsUsed=Sales tax is used -VATIsUsedWhenSelling=This define if this third party includes a sale tax or not when it makes an invoice to its own customers -VATIsNotUsed=Sales tax is not used +VATIsUsed=Налог с продаж +VATIsUsedWhenSelling=Это определяет, включает ли эта третья сторона налог на продажу или нет, когда он делает счет-фактуру своим клиентам +VATIsNotUsed=Налог с продаж не используется CopyAddressFromSoc=Заполнить адрес из адреса контрагента -ThirdpartyNotCustomerNotSupplierSoNoRef=Third party neither customer nor vendor, no available refering objects -ThirdpartyIsNeitherCustomerNorClientSoCannotHaveDiscounts=Third party neither customer nor supplier, discounts are not available +ThirdpartyNotCustomerNotSupplierSoNoRef=Третья сторона ни клиент, ни поставщик, отсутствуют доступные ссылочные объекты +ThirdpartyIsNeitherCustomerNorClientSoCannotHaveDiscounts=Третья сторона ни клиент, ни поставщик, скидки не доступны PaymentBankAccount=Банковские реквизиты OverAllProposals=Предложения OverAllOrders=Заказы @@ -99,9 +99,9 @@ LocalTax2ES=IRPF TypeLocaltax1ES=Тип налога RE TypeLocaltax2ES=Тип налога IRPF WrongCustomerCode=Неверный код Покупателя -WrongSupplierCode=Vendor code invalid +WrongSupplierCode=Недопустимый код поставщика. CustomerCodeModel=Шаблон кода Покупателя -SupplierCodeModel=Vendor code model +SupplierCodeModel=Модель кода поставщика Gencod=Штрих-код ##### Professional ID ##### ProfId1Short=Основной государственный регистрационный номер @@ -200,7 +200,7 @@ ProfId3IN=Проф Id 3 ProfId4IN=Проф Id 4 ProfId5IN=Проф Id 5 ProfId6IN=- -ProfId1LU=Id. prof. 1 (R.C.S. Luxembourg) +ProfId1LU=Я бы. проф. 1 (R.C.S. Luxembourg) ProfId2LU=Id. prof. 2 (Разрешенный бизнес) ProfId3LU=- ProfId4LU=- @@ -242,7 +242,7 @@ ProfId3TN=Проф ID 3 (Douane код) ProfId4TN=Проф Id 4 (БАН) ProfId5TN=- ProfId6TN=- -ProfId1US=Prof Id (FEIN) +ProfId1US=Проф я бы (FEIN) ProfId2US=- ProfId3US=- ProfId4US=- @@ -258,34 +258,34 @@ ProfId1DZ=RC ProfId2DZ=Art. ProfId3DZ=NIF ProfId4DZ=NIS -VATIntra=Sales tax ID -VATIntraShort=Tax ID +VATIntra=Код налога с продаж +VATIntraShort=ID налога VATIntraSyntaxIsValid=Синтаксис корректен -VATReturn=VAT return +VATReturn=Возврат НДС ProspectCustomer=Потенц. клиент / Покупатель Prospect=Потенц. клиент CustomerCard=Карточка Покупателя Customer=Покупатель CustomerRelativeDiscount=Относительная скидка покупателя -SupplierRelativeDiscount=Relative vendor discount +SupplierRelativeDiscount=Относительная скидка поставщиков CustomerRelativeDiscountShort=Относительная скидка CustomerAbsoluteDiscountShort=Абсолютная скидка CompanyHasRelativeDiscount=Этот покупатель имеет скидку по умолчанию %s%% CompanyHasNoRelativeDiscount=Этот клиент не имеет относительной скидки по умолчанию -HasRelativeDiscountFromSupplier=You have a default discount of %s%% from this supplier -HasNoRelativeDiscountFromSupplier=You have no default relative discount from this supplier +HasRelativeDiscountFromSupplier=У вас есть скидка по умолчанию %s%% от этого поставщика +HasNoRelativeDiscountFromSupplier=У вас нет скидки по умолчанию от этого поставщика CompanyHasAbsoluteDiscount=Этому клиенту доступна скидка (кредитный лимит или авансовый платеж) за %s %s -CompanyHasDownPaymentOrCommercialDiscount=This customer has discount available (commercial, down payments) for %s %s +CompanyHasDownPaymentOrCommercialDiscount=Этот клиент имеет скидку (коммерческие, авансовые платежи) для %s %s CompanyHasCreditNote=Этот клиент все еще имеет кредитный лимит или авансовый платеж за %s %s -HasNoAbsoluteDiscountFromSupplier=You have no discount credit available from this supplier -HasAbsoluteDiscountFromSupplier=You have discounts available (credits notes or down payments) for %s %s from this supplier -HasDownPaymentOrCommercialDiscountFromSupplier=You have discounts available (commercial, down payments) for %s %s from this supplier -HasCreditNoteFromSupplier=You have credit notes for %s %s from this supplier +HasNoAbsoluteDiscountFromSupplier=У вас нет скидки на кредит от этого поставщика +HasAbsoluteDiscountFromSupplier=У вас есть скидки (кредиты или авансовые платежи) за %s %s от этого поставщика +HasDownPaymentOrCommercialDiscountFromSupplier=У вас есть скидки (коммерческие, авансовые платежи) за %s %s от этого поставщика +HasCreditNoteFromSupplier=У вас есть кредитные записи для %s %s от этого поставщика CompanyHasNoAbsoluteDiscount=Этот клиент не имеет дисконтный кредит -CustomerAbsoluteDiscountAllUsers=Absolute customer discounts (granted by all users) -CustomerAbsoluteDiscountMy=Absolute customer discounts (granted by yourself) -SupplierAbsoluteDiscountAllUsers=Absolute vendor discounts (entered by all users) -SupplierAbsoluteDiscountMy=Absolute vendor discounts (entered by yourself) +CustomerAbsoluteDiscountAllUsers=Абсолютные скидки клиентов (предоставляются всеми пользователями) +CustomerAbsoluteDiscountMy=Абсолютные скидки клиентов (предоставляются сами) +SupplierAbsoluteDiscountAllUsers=Абсолютные скидки продавца (введенные всеми пользователями) +SupplierAbsoluteDiscountMy=Абсолютные скидки продавца (введены самим) DiscountNone=Нет Supplier=Поставщик AddContact=Создать контакт @@ -304,13 +304,13 @@ DeleteACompany=Удалить компанию PersonalInformations=Личные данные AccountancyCode=Бухгалтерский счёт CustomerCode=Код Покупателя -SupplierCode=Vendor code +SupplierCode=Артикул CustomerCodeShort=Код Покупателя -SupplierCodeShort=Vendor code +SupplierCodeShort=Артикул CustomerCodeDesc=Код покупателя, уникальный для каждого покупателя -SupplierCodeDesc=Vendor code, unique for all vendors +SupplierCodeDesc=Код поставщика, уникальный для всех поставщиков RequiredIfCustomer=Требуется, если контрагент является покупателем или потенциальным клиентом -RequiredIfSupplier=Required if third party is a vendor +RequiredIfSupplier=Требуется, если сторонняя сторона является поставщиком ValidityControledByModule=Действительность контролируется модулем ThisIsModuleRules=Это правила для данного модуля ProspectToContact=Потенциальный клиент для связи @@ -338,7 +338,7 @@ MyContacts=Мои контакты Capital=Капитал CapitalOf=Столица %s EditCompany=Изменить компанию -ThisUserIsNot=This user is not a prospect, customer nor vendor +ThisUserIsNot=Этот пользователь не является перспективой, клиентом и поставщиком VATIntraCheck=Проверить VATIntraCheckDesc=Эта ссылка %s позволяет направлять запросы к Европейской службе проверки НДС. Для работы этой службы необходим внешний доступ в Интернет с сервера Dolibarr. VATIntraCheckURL=http://ec.europa.eu/taxation_customs/vies/vieshome.do @@ -390,13 +390,13 @@ NoDolibarrAccess=Нет доступа к Dolibarr ExportDataset_company_1=Контрагенты (компании, фонды, физические лица) и свойства ExportDataset_company_2=Контакты и свойства ImportDataset_company_1=Контрагенты (компании, фонды, физические лица) и свойства -ImportDataset_company_2=Contacts/Addresses (of third parties or not) and attributes -ImportDataset_company_3=Bank accounts of third parties -ImportDataset_company_4=Third parties/Sales representatives (Assign sales representatives users to companies) +ImportDataset_company_2=Контакты/Адреса (третьих сторон или нет) и атрибуты +ImportDataset_company_3=Банковские счета третьих лиц +ImportDataset_company_4=Третьи стороны/Представители по продажам (Назначение представителей торговых представителей для компаний) PriceLevel=Уровень цен DeliveryAddress=Адрес доставки AddAddress=Добавить адрес -SupplierCategory=Vendor category +SupplierCategory=Категория поставщика JuridicalStatus200=Независимый DeleteFile=Удалить файл ConfirmDeleteFile=Вы уверены, что хотите удалить этот файл? @@ -406,7 +406,7 @@ FiscalYearInformation=Информация о финансовом годе FiscalMonthStart=Первый месяц финансового года YouMustAssignUserMailFirst=Вы должны создать электронную почту для этого пользователя, тогда вы сможете отправлять ему почтовые уведомления. YouMustCreateContactFirst=Для добавления электронных уведомлений вы должны сначала указать действующий email контрагента -ListSuppliersShort=List of vendors +ListSuppliersShort=Список поставщиков ListProspectsShort=Список потенц. клиентов ListCustomersShort=Список покупателей ThirdPartiesArea=Область контрагентов и контактов @@ -419,16 +419,16 @@ ProductsIntoElements=Список товаров/услуг в %s CurrentOutstandingBill=Валюта неуплаченного счёта OutstandingBill=Максимальный неуплаченный счёт OutstandingBillReached=Достигнут максимум не оплаченных счетов -OrderMinAmount=Minimum amount for order -MonkeyNumRefModelDesc=Return numero with format %syymm-nnnn for customer code and %syymm-nnnn for vendor code where yy is year, mm is month and nnnn is a sequence with no break and no return to 0. +OrderMinAmount=Минимальная сумма заказа +MonkeyNumRefModelDesc=Возвращаемое число с форматом %syymm-nnnn для кода клиента и %syymm-nnnn для кода поставщика, где yy - год, мм - месяц, а nnnn - последовательность без перерыва и не возвращается к 0. LeopardNumRefModelDesc=Код покупателю/поставщику не присваивается. Он может быть изменен в любое время. ManagingDirectors=Имя управляющего или управляющих (Коммерческого директора, директора, президента...) MergeOriginThirdparty=Копия контрагента (контрагент которого вы хотите удалить) MergeThirdparties=Объединить контрагентов ConfirmMergeThirdparties=Вы хотите объединить этого контрагента с текущим? Все связанные объекты (счета, заказы, ...) будут перемещены к текущему контрагенту, затем контрагент будет удален. -ThirdpartiesMergeSuccess=Third parties have been merged +ThirdpartiesMergeSuccess=Третьи стороны были объединены SaleRepresentativeLogin=Логин торгового представителя SaleRepresentativeFirstname=Имя торгового представителя SaleRepresentativeLastname=Фамилия торгового представителя -ErrorThirdpartiesMerge=There was an error when deleting the third parties. Please check the log. Changes have been reverted. -NewCustomerSupplierCodeProposed=New customer or vendor code suggested on duplicate code +ErrorThirdpartiesMerge=При удалении третьих сторон произошла ошибка. Проверьте журнал. Изменения были отменены. +NewCustomerSupplierCodeProposed=Новый код клиента или поставщика, предлагаемый для дублирования кода diff --git a/htdocs/langs/ru_RU/compta.lang b/htdocs/langs/ru_RU/compta.lang index 872a15d0e0b4f..0c29aa225ae5d 100644 --- a/htdocs/langs/ru_RU/compta.lang +++ b/htdocs/langs/ru_RU/compta.lang @@ -19,7 +19,8 @@ Income=Поступления Outcome=Итог MenuReportInOut=Поступления / Результат ReportInOut=Balance of income and expenses -ReportTurnover=Оборот +ReportTurnover=Turnover invoiced +ReportTurnoverCollected=Turnover collected PaymentsNotLinkedToInvoice=Платежи, не связанные с какой-либо счет, это не связано с какой-либо третьей стороны PaymentsNotLinkedToUser=Платежи, не связанные с какой-либо пользователь Profit=Прибыль @@ -77,12 +78,12 @@ MenuNewSocialContribution=New social/fiscal tax NewSocialContribution=New social/fiscal tax AddSocialContribution=Add social/fiscal tax ContributionsToPay=Social/fiscal taxes to pay -AccountancyTreasuryArea=Бухгалтерия / Казначейство области +AccountancyTreasuryArea=Billing and payment area NewPayment=Новые оплаты Payments=Платежи PaymentCustomerInvoice=Заказчиком оплаты счетов-фактур PaymentSupplierInvoice=Vendor invoice payment -PaymentSocialContribution=Social/fiscal tax payment +PaymentSocialContribution=Социальный/налоговый сбор PaymentVat=НДС платеж ListPayment=Список платежей ListOfCustomerPayments=Список клиентов платежи @@ -105,6 +106,7 @@ VATPayment=Sales tax payment VATPayments=Sales tax payments VATRefund=Sales tax refund NewVATPayment=New sales tax payment +NewLocalTaxPayment=New tax %s payment Refund=Refund SocialContributionsPayments=Social/fiscal taxes payments ShowVatPayment=Показать оплате НДС @@ -116,8 +118,9 @@ CustomerAccountancyCodeShort=Cust. account. code SupplierAccountancyCodeShort=Sup. account. code AccountNumber=Номер счета NewAccountingAccount=Новый счет -SalesTurnover=Оборот по продажам -SalesTurnoverMinimum=Минимальный товарооборот +Turnover=Turnover invoiced +TurnoverCollected=Turnover collected +SalesTurnoverMinimum=Minimum turnover ByExpenseIncome=By expenses & incomes ByThirdParties=Бу-третьих сторон ByUserAuthorOfInvoice=По счету автора @@ -137,8 +140,8 @@ 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=Mode %sClaims-Debts%s said Commitment accounting. -CalcModeEngagement=Mode %sIncomes-Expenses%s said cash accounting +CalcModeDebt=Analysis of known recorded invoices 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 CalcModeLT1Debt=Режим %sRE на счетах клиентов%s @@ -151,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=См. LE отношения %sRecettes-Dpenses %s DIT comptabilit де ящик POUR UN CALCUL SUR LES paiements effectivement raliss -SeeReportInDueDebtMode=См. LE отношения %sCrances-Dettes %s DIT comptabilit d'участие POUR UN CALCUL SUR LES factures Мизеса -SeeReportInBookkeepingMode=See report %sBookeeping%s for a calculation on bookkeeping table analysis +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 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 validation date of invoices and VAT and on the due date for expenses. 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. @@ -218,8 +221,8 @@ Mode1=Метод 1 Mode2=Метод 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 supplier, choose appropriate method to apply same calculation rule and get same result expected by your supplier. -TurnoverPerProductInCommitmentAccountingNotRelevant=The Turnover report per product, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). -TurnoverPerSaleTaxRateInCommitmentAccountingNotRelevant=The Turnover report per sale tax rate, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). +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. CalculationMode=Режим вычислений AccountancyJournal=Accounting code journal ACCOUNTING_VAT_SOLD_ACCOUNT=Accounting account by default for VAT on sales (used if not defined on VAT dictionary setup) @@ -242,7 +245,7 @@ LinkedFichinter=Link to an intervention ImportDataset_tax_contrib=Social/fiscal taxes ImportDataset_tax_vat=Vat payments ErrorBankAccountNotFound=Error: Bank account not found -FiscalPeriod=Accounting period +FiscalPeriod=Период учета ListSocialContributionAssociatedProject=List of social contributions associated with the project DeleteFromCat=Remove from accounting group AccountingAffectation=Accounting assignement @@ -251,5 +254,6 @@ VATDue=Sale tax claimed ClaimedForThisPeriod=Claimed for the period PaidDuringThisPeriod=Paid during this period ByVatRate=By sale tax rate -TurnoverbyVatrate=Turnover by sale tax rate +TurnoverbyVatrate=Turnover invoiced by sale tax rate +TurnoverCollectedbyVatrate=Turnover collected by sale tax rate PurchasebyVatrate=Purchase by sale tax rate diff --git a/htdocs/langs/ru_RU/exports.lang b/htdocs/langs/ru_RU/exports.lang index 172747a721b61..e93afff67df47 100644 --- a/htdocs/langs/ru_RU/exports.lang +++ b/htdocs/langs/ru_RU/exports.lang @@ -120,7 +120,7 @@ SelectPrimaryColumnsForUpdateAttempt=Select column(s) to use as primary key for UpdateNotYetSupportedForThisImport=Update is not supported for this type of import (only insert) NoUpdateAttempt=No update attempt was performed, only insert ImportDataset_user_1=Users (employees or not) and properties -ComputedField=Computed field +ComputedField=Вычисленное поле ## filters SelectFilterFields=If you want to filter on some values, just input values here. FilteredFields=Filtered fields diff --git a/htdocs/langs/ru_RU/externalsite.lang b/htdocs/langs/ru_RU/externalsite.lang index 576afe3efc9af..ef3735cae099a 100644 --- a/htdocs/langs/ru_RU/externalsite.lang +++ b/htdocs/langs/ru_RU/externalsite.lang @@ -2,4 +2,4 @@ ExternalSiteSetup=Установка ссылки на внешний веб-сайт ExternalSiteURL=URL внешнего сайта ExternalSiteModuleNotComplete=Модуль ВнешнийСайт не был надлежащим образом настроен. -ExampleMyMenuEntry=Пункт моего меню +ExampleMyMenuEntry=Пункт "Моё меню" diff --git a/htdocs/langs/ru_RU/ftp.lang b/htdocs/langs/ru_RU/ftp.lang index e47b580b329cb..0aa248a763440 100644 --- a/htdocs/langs/ru_RU/ftp.lang +++ b/htdocs/langs/ru_RU/ftp.lang @@ -10,5 +10,5 @@ FailedToConnectToFTPServerWithCredentials=Не удалось войти на FT FTPFailedToRemoveFile=Не удалось удалить файл %s. FTPFailedToRemoveDir=Не удалось удалить каталог %s (Проверьте права доступа и убедитесь, что каталог пуст). FTPPassiveMode=Пассивный режим -ChooseAFTPEntryIntoMenu=Choose a FTP entry into menu... -FailedToGetFile=Failed to get files %s +ChooseAFTPEntryIntoMenu=Выберите в меню пункт "FTP" +FailedToGetFile=Не удалось получить файлы %s diff --git a/htdocs/langs/ru_RU/holiday.lang b/htdocs/langs/ru_RU/holiday.lang index 3a68f473b56e4..2cfbc577e50ab 100644 --- a/htdocs/langs/ru_RU/holiday.lang +++ b/htdocs/langs/ru_RU/holiday.lang @@ -16,7 +16,12 @@ CancelCP=Отменено RefuseCP=Отказано ValidatorCP=Утвердивший ListeCP=Список отпусков +LeaveId=Leave ID ReviewedByCP=Will be approved by +UserForApprovalID=User for approval ID +UserForApprovalFirstname=Firstname of approval user +UserForApprovalLastname=Lastname of approval user +UserForApprovalLogin=Login of approval user DescCP=Описание SendRequestCP=Создать заявление на отпуск DelayToRequestCP=Заявления об отпуске могут создаваться не ранее чем через %s (дней) @@ -30,7 +35,14 @@ ErrorUserViewCP=У вас нет прав доступа для просмотр InfosWorkflowCP=Информация о рабочем процессе RequestByCP=Запрошен TitreRequestCP=Оставить запрос +TypeOfLeaveId=Type of leave ID +TypeOfLeaveCode=Type of leave code +TypeOfLeaveLabel=Type of leave label NbUseDaysCP=Количество истраченных дней отпуска +NbUseDaysCPShort=Days consumed +NbUseDaysCPShortInMonth=Days consumed in month +DateStartInMonth=Start date in month +DateEndInMonth=End date in month EditCP=Редактировать DeleteCP=Удалить ActionRefuseCP=Отказать @@ -59,6 +71,7 @@ DateRefusCP=Дата отказа DateCancelCP=Дата отмены DefineEventUserCP=Задать исключительный отпуск для пользователя addEventToUserCP=Задать отпуск +NotTheAssignedApprover=You are not the assigned approver MotifCP=Причина UserCP=Пользователь ErrorAddEventToUserCP=Возникла ошибка при добавлении исключительного отпуска. @@ -81,7 +94,12 @@ EmployeeFirstname=Employee first name TypeWasDisabledOrRemoved=Leave type (id %s) was disabled or removed LastHolidays=Latest %s leave requests AllHolidays=All leave requests - +HalfDay=Half day +NotTheAssignedApprover=You are not the assigned approver +LEAVE_PAID=Paid vacation +LEAVE_SICK=Sick leave +LEAVE_OTHER=Other leave +LEAVE_PAID_FR=Paid vacation ## Configuration du Module ## LastUpdateCP=Latest automatic update of leaves allocation MonthOfLastMonthlyUpdate=Month of latest automatic update of leaves allocation @@ -89,7 +107,7 @@ UpdateConfCPOK=Обновлено успешно Module27130Name= Управление заявлениями на отпуск Module27130Desc= Управление заявлениями на отпуск ErrorMailNotSend=Произошла ошибка при отправке электронного письма: -NoticePeriod=Notice period +NoticePeriod=Период уведомления #Messages HolidaysToValidate=Подтверждение заявления на отпуск HolidaysToValidateBody=Ниже список заявлений на отпуск, которые требуют подтверждения diff --git a/htdocs/langs/ru_RU/install.lang b/htdocs/langs/ru_RU/install.lang index f4d8422a9d5f2..e2171a9e4eff8 100644 --- a/htdocs/langs/ru_RU/install.lang +++ b/htdocs/langs/ru_RU/install.lang @@ -6,20 +6,20 @@ ConfFileDoesNotExistsAndCouldNotBeCreated=Файл конфигурации % ConfFileCouldBeCreated=Файл конфигурации %s может быть создан. ConfFileIsNotWritable=Файл конфигурации %s недоступен для записи. Проверьте права доступа. Для первой установки, Ваш веб-сервер должен быть предоставлен чтобы иметь права доступа для записи в этот файл во время всего процесса установки ( Используйте команду "сhmod" в ОС типа Unix, c маской 666). ConfFileIsWritable=Файл конфигурации %s доступен для записи. -ConfFileMustBeAFileNotADir=Configuration file %s must be a file, not a directory. +ConfFileMustBeAFileNotADir=Файл конфигурации %s должен быть файлом, а не каталогом. ConfFileReload=Перезагрузить всю информацию из файла конфигурации. PHPSupportSessions=Эта версия PHP поддерживает сессии. PHPSupportPOSTGETOk=Эта версия PHP поддерживает переменные POST и GET. PHPSupportPOSTGETKo=Возможно, ваша версия PHP не поддерживает переменные и POST или GET. Проверьте параметр variables_order в php.ini. PHPSupportGD=Эта версия PHP поддерживает библиотеку. -PHPSupportCurl=This PHP support Curl. +PHPSupportCurl=Эта поддержка PHP Curl. PHPSupportUTF8=Эта версия PHP поддерживает UTF8 функции. PHPMemoryOK= Максимально допустимый размер памяти для сессии установлен в %s. Это должно быть достаточно. PHPMemoryTooLow=Ваш PHP макс сессии памяти установлен в %s байт. Это должно быть слишком низким. Измените свой php.ini установить параметр memory_limit, по крайней мере %s байт. Recheck=Нажмите здесь для более significative тест ErrorPHPDoesNotSupportSessions=Ваш PHP установки не поддерживает сессии. Эта функция требует, чтобы Dolibarr работает. Проверьте настройки PHP. ErrorPHPDoesNotSupportGD=Ваш PHP установки не поддерживает графические функции GD. Нет графике будет иметься в наличии. -ErrorPHPDoesNotSupportCurl=Your PHP installation does not support Curl. +ErrorPHPDoesNotSupportCurl=Ваша установка PHP не поддерживает Curl. ErrorPHPDoesNotSupportUTF8=Ваш PHP установки не поддерживает UTF8 функций. Dolibarr не может работать корректно. Решать эту перед установкой Dolibarr. ErrorDirDoesNotExists=Каталог %s не существует. ErrorGoBackAndCorrectParameters=Перейти назад и исправить неправильные параметры. @@ -54,10 +54,10 @@ AdminLogin=Логин Dolibarr для администратора базы да PasswordAgain=Введите пароль еще раз AdminPassword=Пароль Dolibarr для администратора базы данных. Держите пустым, если вы подключаетесь в анонимном CreateDatabase=Создание базы данных -CreateUser=Create owner or grant him permission on database +CreateUser=Создать владельца или предоставить ему разрешение на базу данных DatabaseSuperUserAccess=База данных - Superuser доступа CheckToCreateDatabase=Флажок, если база данных не существует, и должен быть создан.
В этом случае, вы должны заполнить логин и пароль для учетной записи суперпользователя в нижней части этой страницы. -CheckToCreateUser=Check box if database owner does not exist and must be created, or if it exists but database does not exists and permissions must be granted.
In this case, you must choose its login and password and also fill the login/password for the superuser account at the bottom of this page. If this box is unchecked, owner database and its passwords must exists. +CheckToCreateUser=Установите флажок, если владелец базы данных не существует и должен быть создан, или если он существует, но база данных не существует и разрешения должны быть предоставлены.
В этом случае вы должны выбрать свой логин и пароль, а также заполнить логин / пароль для учетной записи суперпользователя внизу этой страницы. Если этот флажок не установлен, база данных владельца и его пароли должны существовать. DatabaseRootLoginDescription=Войти на пользователя разрешается создавать новые базы данных и новых пользователей, бесполезны, если ваша база данных, и ваша база данных логин уже существует (например, когда вы Хостинг провайдер веб-хостинга). KeepEmptyIfNoPassword=Оставьте пустым, если пользователь не имеет пароля (избежать этого) SaveConfigurationFile=Сохранить значения @@ -78,7 +78,7 @@ SetupEnd=Окончание установки SystemIsInstalled=Эта установка завершена. SystemIsUpgraded=Dolibarr был обновлен успешно. YouNeedToPersonalizeSetup=Вам нужно настроить Dolibarr, чтобы они соответствовали вашим потребностям (внешний вид, особенности, ...). Для этого, пожалуйста, перейдите по ссылке ниже: -AdminLoginCreatedSuccessfuly=Dolibarr administrator login '%s' created successfully. +AdminLoginCreatedSuccessfuly=Администратор входа в систему Dolibarr '%s' создан успешно. GoToDolibarr=Перейти к Dolibarr GoToSetupArea=Перейти к Dolibarr (настройка область) MigrationNotFinished=Версия базы данных не совсем в курсе, так что вам придется запустить процесс обновления еще раз. @@ -88,12 +88,12 @@ DirectoryRecommendation=Det er recommanded å bruke en ut av ditt katalogen av w LoginAlreadyExists=Уже существует DolibarrAdminLogin=Dolibarr администратора AdminLoginAlreadyExists=Dolibarr администратора учетной записи ' %s' уже существует. -FailedToCreateAdminLogin=Failed to create Dolibarr administrator account. +FailedToCreateAdminLogin=Не удалось создать учетную запись администратора Dolibarr. WarningRemoveInstallDir=Предупреждение, по соображениям безопасности после того, как установить или обновить завершено, Вы должны удалить каталог или переименовать его в install.lock во избежание ее злонамеренного использования. FunctionNotAvailableInThisPHP=Не доступно в текущей версии PHP ChoosedMigrateScript=Выбранная перенести скрипт -DataMigration=Database migration (data) -DatabaseMigration=Database migration (structure + some data) +DataMigration=Перенос данных (данные) +DatabaseMigration=Перенос базы данных (структура + некоторые данные) ProcessMigrateScript=Сценарий обработки ChooseYourSetupMode=Выберите режим настройки и нажмите кнопку "Пуск" ... FreshInstall=Свежие установить @@ -133,25 +133,25 @@ MigrationFinished=Миграция завершена LastStepDesc=Последний шаг: Определить здесь Логин и пароль, которые вы планируете использовать для подключения к программному обеспечению. Как не потерять эту, как это внимание, чтобы управлять всеми другими. ActivateModule=Активировать модуль %s ShowEditTechnicalParameters=Показать расширенные параметры (для опытных пользователей) -WarningUpgrade=Warning:\nDid your run a database backup first?\nThis is highly recommanded: for example, due to some bugs into databases systems (for example mysql version 5.5.40/41/42/43), some data or tables may be lost during this process, so it is highly recommanded to have a complete dump of your database before starting migration.\n\nClick OK to start migration process... +WarningUpgrade=Предупреждение:\nПервый запуск базы данных?\nЭто настоятельно рекомендуется: например, из-за некоторых ошибок в системах баз данных (например, mysql версии 5.5.40 / 41/42/43) некоторые данные или таблицы могут быть потеряны во время этого процесса, поэтому настоятельно рекомендуется иметь полный дамп вашей базы данных перед началом миграции.\n\nНажмите «ОК», чтобы начать процесс миграции ... ErrorDatabaseVersionForbiddenForMigration=Версия вашей СУБД %s. Она содержит критическую ошибку, которая приводит к потере данных, если вы меняете структуру БД, как это требуется в процессе миграции. По этой причине, перенос не будет осуществлён до момента, пока вы не обновите вашу СУБД до работоспособной версии (версии с критическими ошибками %s) KeepDefaultValuesWamp=Вы можете использовать мастер настройки DoliWamp, поэтому ценности предлагаемого здесь уже оптимизирован. Изменить их только, если вы знаете, что вы делаете. KeepDefaultValuesDeb=Du bruker Dolibarr konfigurasjonsveiviseren fra en Ubuntu eller Debian-pakke, så verdiene foreslått her allerede er optimalisert. Bare passordet til databasen eieren til å opprette må fullføres. Endre andre parametere bare hvis du vet hva du gjør. KeepDefaultValuesMamp=Вы можете использовать мастер настройки DoliMamp, поэтому ценности предлагаемого здесь уже оптимизирован. Изменить их только, если вы знаете, что вы делаете. KeepDefaultValuesProxmox=Вы можете использовать мастер установки из Dolibarr прибор Proxmox виртуальные, поэтому значения предлагаемых здесь уже оптимизированы. Изменение их, только если вы знаете, что вы делаете. -UpgradeExternalModule=Run dedicated upgrade process of external modules -SetAtLeastOneOptionAsUrlParameter=Set at least one option as a parameter in URL. For example: '...repair.php?standard=confirmed' -NothingToDelete=Nothing to clean/delete -NothingToDo=Nothing to do +UpgradeExternalModule=Запустить выделенный процесс обновления внешних модулей +SetAtLeastOneOptionAsUrlParameter=Задайте по крайней мере один параметр в качестве параметра в URL-адресе. Например: '...repair.php?standard=confirmed' +NothingToDelete=Ничего не нужно очищать/удалять +NothingToDo=Нечего делать ######### # upgrade MigrationFixData=Fastsette for denormalized data MigrationOrder=Данные по миграции клиентов заказы -MigrationSupplierOrder=Data migration for vendor's orders +MigrationSupplierOrder=Перенос данных для заказов поставщиков MigrationProposal=Данные миграции для коммерческих предложений MigrationInvoice=Данные миграции для клиентов, счета-фактуры MigrationContract=Данные по миграции контрактов -MigrationSuccessfullUpdate=Upgrade successfull +MigrationSuccessfullUpdate=Обновление успешно MigrationUpdateFailed=Сбой процесса обновления MigrationRelationshipTables=Data migrering for forholdet tabeller (%s) MigrationPaymentsUpdate=Оплата данных коррекции @@ -165,7 +165,7 @@ MigrationContractsLineCreation=Создание линии по контракт MigrationContractsNothingToUpdate=Нет более вещи делать MigrationContractsFieldDontExist=Поле fk_facture не существует больше. Ничего делать. MigrationContractsEmptyDatesUpdate=Контракт пустую дату коррекции -MigrationContractsEmptyDatesUpdateSuccess=Contract emtpy date correction done successfully +MigrationContractsEmptyDatesUpdateSuccess=Успешная коррекция даты MigrationContractsEmptyDatesNothingToUpdate=Ни один контракт не пустой даты исправить MigrationContractsEmptyCreationDatesNothingToUpdate=Нет контракта дата создания исправить MigrationContractsInvalidDatesUpdate=Плохо стоимости контракта дата коррекции @@ -173,13 +173,13 @@ MigrationContractsInvalidDateFix=Correct contract %s (Contract date=%s, Starting MigrationContractsInvalidDatesNumber=%s контрактов изменено MigrationContractsInvalidDatesNothingToUpdate=Нет даты с плохим значение для исправления MigrationContractsIncoherentCreationDateUpdate=Плохо стоимость контракта дата создания коррекции -MigrationContractsIncoherentCreationDateUpdateSuccess=Bad value contract creation date correction done successfully +MigrationContractsIncoherentCreationDateUpdateSuccess=Коррекция даты создания плохих значений успешно выполнена MigrationContractsIncoherentCreationDateNothingToUpdate=Нет плохих стоимости контракта на создание дата правильная MigrationReopeningContracts=Открыть контракт закрыт ошибке MigrationReopenThisContract=Возобновить контракт %s MigrationReopenedContractsNumber=%s контрактов изменено MigrationReopeningContractsNothingToUpdate=Нет закрытых контракту, чтобы открыть -MigrationBankTransfertsUpdate=Update links between bank entry and a bank transfer +MigrationBankTransfertsUpdate=Обновить ссылки между банковской записью и банковским переводом MigrationBankTransfertsNothingToUpdate=Все ссылки в курсе MigrationShipmentOrderMatching=Отправок получения обновлений MigrationDeliveryOrderMatching=Доставка получения обновлений @@ -194,13 +194,17 @@ MigrationActioncommElement=Обновление данных о действия MigrationPaymentMode=Миграция данных для оплаты режим MigrationCategorieAssociation=Миграция категорий MigrationEvents=Перенос событий для добавления владельца в таблицу присваиванья -MigrationEventsContact=Migration of events to add event contact into assignement 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 +MigrationEventsContact=Миграция событий для добавления события контакта в таблицу присваивания +MigrationRemiseEntity=Обновить значение поля объекта llx_societe_remise +MigrationRemiseExceptEntity=Обновить значение поля объекта llx_societe_remise_except +MigrationUserRightsEntity=Обновить значение поля объекта llx_user_rights +MigrationUserGroupRightsEntity=Обновить значение поля объекта llx_usergroup_rights MigrationReloadModule=Перегрузите модуль %s -MigrationResetBlockedLog=Reset module BlockedLog for v7 algorithm +MigrationResetBlockedLog=Сбросить модуль BlockedLog для алгоритма v7 ShowNotAvailableOptions=Показать недоступные опции HideNotAvailableOptions=Скрыть недоступные опции -ErrorFoundDuringMigration=Error were reported during migration process so next step is not available. To ignore errors, you can click here, but application or some features may not work correctly until fixed. +ErrorFoundDuringMigration=Ошибка была зарегистрирована во время процесса миграции, поэтому следующий шаг недоступен. Чтобы игнорировать ошибки, вы можете щелкнуть здесь, но приложение или некоторые функции могут работать некорректно до фиксированного. +YouTryInstallDisabledByDirLock=Приложение попытается выполнить обновление, но установка/обновление страниц были отключены по соображениям безопасности (каталог переименован в .lock-суффикс).
+YouTryInstallDisabledByFileLock=Приложение попытается выполнить обновление, но установка/обновление страниц страниц были отключены по соображениям безопасности (по файлу блокировки install.lock в каталоге документов dolibarr).
+ClickHereToGoToApp=Нажмите здесь, чтобы перейти к вашей заявке +ClickOnLinkOrRemoveManualy=Нажмите следующую ссылку и, если вы всегда видите эту страницу, вы должны удалить файл install.lock в каталог документов вручную diff --git a/htdocs/langs/ru_RU/main.lang b/htdocs/langs/ru_RU/main.lang index 19a39c1398641..2b97df402fb8b 100644 --- a/htdocs/langs/ru_RU/main.lang +++ b/htdocs/langs/ru_RU/main.lang @@ -24,7 +24,7 @@ FormatDateHourSecShort=%d.%m.%Y %I:%M:%S %p FormatDateHourTextShort=%d %b %Y %H:%M FormatDateHourText=%d %B %Y %H:%M DatabaseConnection=Подключение к базе данных -NoTemplateDefined=No template available for this email type +NoTemplateDefined=Для этого типа электронной почты нет шаблона AvailableVariables=Доступны переменные для замены NoTranslation=Нет перевода Translation=Перевод @@ -44,7 +44,7 @@ ErrorConstantNotDefined=Параметр s% не определен ErrorUnknown=Неизвестная ошибка ErrorSQL=Ошибка SQL ErrorLogoFileNotFound=Файл логотипа '%s' не найден -ErrorGoToGlobalSetup=Go to 'Company/Organization' setup to fix this +ErrorGoToGlobalSetup=Перейдите в раздел «Компания/Организация», чтобы исправить это ErrorGoToModuleSetup=Для исправления перейдите в настройки модуля ErrorFailedToSendMail=Не удалось отправить почту (отправитель=%s, получатель=%s) ErrorFileNotUploaded=Файл не был загружен. Убедитесь, что его размер не превышает максимально допустимое значение, свободное место имеется на диске, и файл с таким же именем не существует в этом каталоге. @@ -64,14 +64,14 @@ ErrorNoVATRateDefinedForSellerCountry=Ошибка, ставки НДС не у ErrorNoSocialContributionForSellerCountry=Ошибка, не определен тип социальных/налоговых взносов для страны %s. ErrorFailedToSaveFile=Ошибка, не удалось сохранить файл. ErrorCannotAddThisParentWarehouse=Вы пытаетесь добавить родительский склад который является дочерним -MaxNbOfRecordPerPage=Max number of record per page +MaxNbOfRecordPerPage=Максимальное количество записей на страницу NotAuthorized=Вы не авторизованы чтобы сделать это. SetDate=Установить дату SelectDate=Выбрать дату SeeAlso=Смотрите также %s SeeHere=Посмотрите сюда ClickHere=Нажмите здесь -Here=Here +Here=Здесь Apply=Применить BackgroundColorByDefault=Цвет фона по умолчанию FileRenamed=Файл успешно переименован @@ -92,7 +92,7 @@ DolibarrInHttpAuthenticationSoPasswordUseless=Режим аутентифика Administrator=Администратор Undefined=Неопределено PasswordForgotten=Забыли пароль? -NoAccount=No account? +NoAccount=Нет аккаунта? SeeAbove=См. выше HomeArea=Начальная область LastConnexion=Последнее подключение @@ -107,8 +107,8 @@ RequestLastAccessInError=Ошибка при последнем запросе ReturnCodeLastAccessInError=Код ошибки при последнем запросе доступа к базе данных InformationLastAccessInError=Информация по ошибкам при последнем запросе доступа к базе данных DolibarrHasDetectedError=Dolibarr обнаружил техническую ошибку -YouCanSetOptionDolibarrMainProdToZero=You can read log file or set option $dolibarr_main_prod to '0' in your config file to get more information. -InformationToHelpDiagnose=This information can be useful for diagnostic purposes (you can set option $dolibarr_main_prod to '1' to remove such notices) +YouCanSetOptionDolibarrMainProdToZero=Вы можете прочитать файл журнала или установить опцию $dolibarr_main_prod в '0' в свой файл конфигурации, чтобы получить дополнительную информацию. +InformationToHelpDiagnose=Эта информация может быть полезна для диагностических целей (вы можете установить опцию $dolibarr_main_prod на «1», чтобы удалить такие уведомления) MoreInformation=Подробнее TechnicalInformation=Техническая информация TechnicalID=Технический идентификатор @@ -134,8 +134,8 @@ Never=Никогда Under=под Period=Период PeriodEndDate=Конечная дата периода -SelectedPeriod=Selected period -PreviousPeriod=Previous period +SelectedPeriod=Выбранный период +PreviousPeriod=Предыдущий период Activate=Активировать Activated=Активированный Closed=Закрыто @@ -188,7 +188,7 @@ ToLink=Ссылка Select=Выбор Choose=Выберите Resize=Изменение размера -ResizeOrCrop=Resize or Crop +ResizeOrCrop=Изменение размера или обрезка Recenter=Восстановить Author=Автор User=Пользователь @@ -267,13 +267,13 @@ DateBuild=Дата формирования отчета DatePayment=Дата оплаты DateApprove=Дата утверждения DateApprove2=Дата утверждения (повторного) -RegistrationDate=Registration date +RegistrationDate=Дата регистрации UserCreation=Создание пользователя UserModification=Изменение пользователя -UserValidation=Validation user +UserValidation=Проверка пользователя UserCreationShort=Создан. пользователь UserModificationShort=Измен. пользователь -UserValidationShort=Valid. user +UserValidationShort=Действительно. пользователь DurationYear=год DurationMonth=месяц DurationWeek=неделя @@ -315,8 +315,8 @@ KiloBytes=Килобайт MegaBytes=Мегабайт GigaBytes=Гигабайт TeraBytes=Терабайт -UserAuthor=User of creation -UserModif=User of last update +UserAuthor=Пользователь создан +UserModif=Последнее обновление пользователя b=б. Kb=Кб Mb=Мб @@ -329,10 +329,10 @@ Default=По умолчанию DefaultValue=Значение по умолчанию DefaultValues=Стандартное значение Price=Цена -PriceCurrency=Price (currency) +PriceCurrency=Цена (валюта) UnitPrice=Цена за единицу UnitPriceHT=Цена за единицу (нетто) -UnitPriceHTCurrency=Unit price (net) (currency) +UnitPriceHTCurrency=Цена за единицу (нетто) (валюта) UnitPriceTTC=Цена за единицу PriceU=Цена ед. PriceUHT=Цена ед. (нетто) @@ -340,7 +340,7 @@ PriceUHTCurrency=цена (текущая) PriceUTTC=Цена ед. (с тарой) Amount=Сумма AmountInvoice=Сумма счета-фактуры -AmountInvoiced=Amount invoiced +AmountInvoiced=Сумма выставленного счета AmountPayment=Сумма платежа AmountHTShort=Сумма (нетто) AmountTTCShort=Сумма (вкл-я налог) @@ -360,7 +360,7 @@ AmountLT2ES=Сумма IRPF AmountTotal=Общая сумма AmountAverage=Средняя сумма PriceQtyMinHT=Цена за мин. количество (без налога) -PriceQtyMinHTCurrency=Price quantity min. (net of tax) (currency) +PriceQtyMinHTCurrency=Цена мин. Мин. (за вычетом налога) (валюта) Percentage=Процент Total=Всего SubTotal=Подитог @@ -373,37 +373,37 @@ Totalforthispage=Итого для этой страницы TotalTTC=Всего (вкл-я налог) TotalTTCToYourCredit=Всего (вкл-я налог) с Вашей кредитной TotalVAT=Всего НДС -TotalVATIN=Total IGST +TotalVATIN=Всего IGST TotalLT1=Итого по налогу 2 TotalLT2=Итого по налогу 3 TotalLT1ES=Всего RE TotalLT2ES=Всего IRPF -TotalLT1IN=Total CGST -TotalLT2IN=Total SGST +TotalLT1IN=Всего CGST +TotalLT2IN=Всего SGST HT=Без налога TTC=Вкл-я налог -INCVATONLY=Inc. VAT +INCVATONLY=Inc. НДС INCT=включая все налоги VAT=НДС VATIN=IGST VATs=Торговые сборы -VATINs=IGST taxes -LT1=Sales tax 2 -LT1Type=Sales tax 2 type -LT2=Sales tax 3 -LT2Type=Sales tax 3 type +VATINs=IGST налоги +LT1=Налог с продаж 2 +LT1Type=Налог с продаж 2 типа +LT2=Налог с продаж 3 +LT2Type=Налог с продаж 3 типа LT1ES=RE LT2ES=IRPF LT1IN=CGST LT2IN=SGST VATRate=Ставка НДС -VATCode=Tax Rate code -VATNPR=Tax Rate NPR -DefaultTaxRate=Default tax rate +VATCode=Код ставки налога +VATNPR=Налоговая ставка NPR +DefaultTaxRate=Ставка налога по умолчанию Average=Среднее Sum=Сумма Delta=Разница -RemainToPay=Remain to pay +RemainToPay=Оставаться в оплате Module=Модуль/Приложение Modules=Модули/Приложения Option=Опция @@ -416,7 +416,7 @@ Favorite=Избранное ShortInfo=Инфо Ref=Ссылка ExternalRef=Внешний источник -RefSupplier=Ref. vendor +RefSupplier=Ссылка продавец RefPayment=Ссылка на оплату CommercialProposalsShort=Коммерческие предложения Comment=Комментарий @@ -429,18 +429,18 @@ ActionRunningNotStarted=Не начато ActionRunningShort=Выполняется ActionDoneShort=Завершено ActionUncomplete=Не завершено -LatestLinkedEvents=Latest %s linked events -CompanyFoundation=Company/Organization -Accountant=Accountant +LatestLinkedEvents=Последние связанные события %s +CompanyFoundation=Компания / организация +Accountant=Бухгалтер ContactsForCompany=Контакты для этого контрагента контрагента ContactsAddressesForCompany=Контакты/Адреса для этого контрагента AddressesForCompany=Адреса для этого контарагента ActionsOnCompany=Действия для этого контрагента ActionsOnMember=События этого участника -ActionsOnProduct=Events about this product +ActionsOnProduct=События об этом продукте NActionsLate=% с опозданием ToDo=Что сделать -Completed=Completed +Completed=Завершено Running=Выполняется RequestAlreadyDone=Запрос уже зарегистрован Filter=Фильтр @@ -490,12 +490,12 @@ Discount=Скидка Unknown=Неизвестно General=Общее Size=Размер -OriginalSize=Original size +OriginalSize=Оригинальный размер Received=Получено Paid=Оплачено Topic=Тема ByCompanies=По компаниям -ByUsers=By user +ByUsers=Пользователь Links=Ссылки Link=Ссылка Rejects=Отказы @@ -507,14 +507,15 @@ NoneF=Никакой NoneOrSeveral=Нет или несколько Late=Поздно LateDesc=Появится ваша запись с задержкой или без задержки определяется в настройках. Попросите вашего администратора изменить задержку из меню Главная - Настройка - Предупреждения +NoItemLate=Нет позднего пункта Photo=Изображение Photos=Изображения AddPhoto=Добавить изображение DeletePicture=Удалить изображение ConfirmDeletePicture=Подтверждаете удаление изображения? Login=Войти -LoginEmail=Login (email) -LoginOrEmail=Login or Email +LoginEmail=Логин (Email) +LoginOrEmail=Логин или электронная почта CurrentLogin=Текущий вход EnterLoginDetail=Введите данные для входа January=Январь @@ -578,7 +579,7 @@ MonthVeryShort10=O MonthVeryShort11=N MonthVeryShort12=D AttachedFiles=Присоединенные файлы и документы -JoinMainDoc=Join main document +JoinMainDoc=Присоединить основной документ DateFormatYYYYMM=ГГГГ-ММ DateFormatYYYYMMDD=ГГГГ-ММ-ДД DateFormatYYYYMMDDHHMM=ГГГГ-ММ-ДД ЧЧ:СС @@ -621,9 +622,9 @@ BuildDoc=Создать Doc Entity=Субъект Entities=Субъекты CustomerPreview=Просмотр Клиента -SupplierPreview=Vendor preview +SupplierPreview=Предварительный просмотр поставщика ShowCustomerPreview=Показать обзор клиента -ShowSupplierPreview=Show vendor preview +ShowSupplierPreview=Показать предварительный просмотр поставщика RefCustomer=Ref. клиента Currency=Валюта InfoAdmin=Информация для администраторов @@ -631,7 +632,7 @@ Undo=Отмена Redo=Повторить ExpandAll=Развернуть все UndoExpandAll=Отменить 'Развернуть все' -SeeAll=See all +SeeAll=Увидеть все Reason=Причина FeatureNotYetSupported=Функция не поддерживается CloseWindow=Закрыть окно @@ -707,8 +708,8 @@ Page=Страница Notes=Примечания AddNewLine=Добавить новую строку AddFile=Добавить файл -FreeZone=Not a predefined product/service -FreeLineOfType=Not a predefined entry of type +FreeZone=Не предопределенный продукт/услуга +FreeLineOfType=Не предопределенная запись типа CloneMainAttributes=Клонирование объекта с его основными атрибутами PDFMerge=Слияние PDF Merge=Слияние @@ -720,7 +721,7 @@ CoreErrorTitle=Системная ошибка CoreErrorMessage=Извините, произошла ошибка. Для получения большей информации свяжитесь с системным администратором для проверки технических событий или отключения $dolibarr_main_prod=1. CreditCard=Кредитная карта ValidatePayment=Подтвердть платёж -CreditOrDebitCard=Credit or debit card +CreditOrDebitCard=Кредитная или дебетовая карта FieldsWithAreMandatory=Поля с %s являются обязательными FieldsWithIsForPublic=Поля с %s показаны для публичного списка членов. Если вы не хотите этого, проверить поле "публичный". AccordingToGeoIPDatabase=(в соответствии с преобразованием GeoIP) @@ -757,9 +758,9 @@ LinkToIntervention=Ссылка на мероприятие CreateDraft=Создать проект SetToDraft=Назад к черновику ClickToEdit=Нажмите, чтобы изменить -EditWithEditor=Edit with CKEditor -EditWithTextEditor=Edit with Text editor -EditHTMLSource=Edit HTML Source +EditWithEditor=Изменить с помощью CKEditor +EditWithTextEditor=Редактировать с помощью текстового редактора +EditHTMLSource=Редактировать HTML-источник ObjectDeleted=Объект удален %s ByCountry=По стране ByTown=В городе @@ -790,10 +791,10 @@ SaveUploadedFileWithMask=Сохранить файл на сервер под и OriginFileName=Изначальное имя файла SetDemandReason=Установить источник SetBankAccount=Задать счёт в банке -AccountCurrency=Account currency +AccountCurrency=Валюта счета ViewPrivateNote=Посмотреть заметки XMoreLines=%s строк(и) скрыто -ShowMoreLines=Show more/less lines +ShowMoreLines=Показать больше/меньше строк PublicUrl=Публичная ссылка AddBox=Добавить бокс SelectElementAndClick=Выберите элемент и нажмите %s @@ -812,7 +813,7 @@ Genderwoman=Женщина ViewList=Посмотреть список Mandatory=Обязательно Hello=Здравствуйте -GoodBye=GoodBye +GoodBye=До свидания Sincerely=С уважением, DeleteLine=Удалить строки ConfirmDeleteLine=Вы точно хотите удалить эту строку? @@ -821,11 +822,11 @@ TooManyRecordForMassAction=Выбранно слишком много запис NoRecordSelected=Нет выделенных записей MassFilesArea=Пространство для массовых действий с файлами ShowTempMassFilesArea=Показать область для массовых действий с файлами -ConfirmMassDeletion=Bulk delete confirmation -ConfirmMassDeletionQuestion=Are you sure you want to delete the %s selected record ? +ConfirmMassDeletion=Массовое подтверждение удаления +ConfirmMassDeletionQuestion=Вы уверены, что хотите удалить выбранную запись %s? RelatedObjects=Связанные объекты ClassifyBilled=Классифицировать счета -ClassifyUnbilled=Classify unbilled +ClassifyUnbilled=Классифицировать невыполненные Progress=Прогресс FrontOffice=Дирекция BackOffice=Бэк-офис @@ -841,19 +842,19 @@ GroupBy=Группировка по... ViewFlatList=Вид плоским списком RemoveString=Удалить строку '%s' SomeTranslationAreUncomplete=Переводы на некоторые языки могут быть выполнены частично или с ошибками. Если вы обнаружите ошибки в переводе, вы можете исправить файлы переводов зарегистрировавшись по ссылке https://transifex.com/projects/p/dolibarr/. -DirectDownloadLink=Direct download link (public/external) -DirectDownloadInternalLink=Direct download link (need to be logged and need permissions) +DirectDownloadLink=Прямая ссылка для скачивания (общедоступная/внешняя) +DirectDownloadInternalLink=Прямая ссылка для скачивания (требуется регистрация и необходимые разрешения) Download=Загрузка -DownloadDocument=Download document +DownloadDocument=Скачать документ ActualizeCurrency=Обновить текущий курс Fiscalyear=Финансовый год ModuleBuilder=Создатель Модуля SetMultiCurrencyCode=Настройка валюты BulkActions=Массовые действия ClickToShowHelp=Нажмите для отображения подсказок -WebSite=Web site -WebSites=Web sites -WebSiteAccounts=Web site accounts +WebSite=Веб-сайт +WebSites=Веб-сайты +WebSiteAccounts=Учетные записи веб-сайтов ExpenseReport=Отчёт о затратах ExpenseReports=Отчёты о затратах HR=Кадры @@ -861,14 +862,14 @@ HRAndBank=Кадры и Банк AutomaticallyCalculated=Автоматический подсчет TitleSetToDraft=Вернуться к черновику ConfirmSetToDraft=Вы уверены что хотите вернуть статус Черновик? -ImportId=Import id +ImportId=Импорт идентификатора Events=События EMailTemplates=Шаблоны электронных писем -FileNotShared=File not shared to exernal public +FileNotShared=Файл, не доступный для обычного пользователя Project=Проект Projects=Проекты Rights=Права доступа -LineNb=Line no. +LineNb=Номер строки IncotermLabel=Обязанности по доставке товаров # Week day Monday=Понедельник @@ -899,14 +900,14 @@ ShortThursday=Чт ShortFriday=Пт ShortSaturday=Сб ShortSunday=Вс -SelectMailModel=Select an email template +SelectMailModel=Выберите шаблон электронной почты SetRef=Настроить источник Select2ResultFoundUseArrows=Найдено несколько результатов. Используйте стрелки для выбора. Select2NotFound=Ничего не найдено Select2Enter=Ввод/вход Select2MoreCharacter=или больше символов Select2MoreCharacters=или больше символов -Select2MoreCharactersMore=Search syntax:
| OR (a|b)
* Any character (a*b)
^ Start with (^ab)
$ End with (ab$)
+Select2MoreCharactersMore= Синтаксис поиска:
| ИЛИ (a | b)
* Любой символ (a*b)
^ Начните с (^ab)
$ Завершить с (ab$)
Select2LoadingMoreResults=Загрузка результатов... Select2SearchInProgress=Поиск в процессе... SearchIntoThirdparties=Контрагенты @@ -917,31 +918,33 @@ SearchIntoProductsOrServices=Продукты или услуги SearchIntoProjects=Проекты SearchIntoTasks=Задание SearchIntoCustomerInvoices=Счета клиента -SearchIntoSupplierInvoices=Vendor invoices +SearchIntoSupplierInvoices=Счета-фактуры поставщика SearchIntoCustomerOrders=Заказы клиента -SearchIntoSupplierOrders=Purchase orders +SearchIntoSupplierOrders=Заказы SearchIntoCustomerProposals=Предложения клиенту -SearchIntoSupplierProposals=Vendor proposals +SearchIntoSupplierProposals=Предложения поставщиков SearchIntoInterventions=Мероприятия SearchIntoContracts=Договоры SearchIntoCustomerShipments=Отгрузки клиентам SearchIntoExpenseReports=Отчёты о затратах SearchIntoLeaves=Отпуска CommentLink=Комментарии -NbComments=Number of comments -CommentPage=Comments space -CommentAdded=Comment added -CommentDeleted=Comment deleted +NbComments=Количество комментариев +CommentPage=Комментарии +CommentAdded=Комментарий добавлен +CommentDeleted=Комментарий удален Everybody=Общий проект -PayedBy=Payed by -PayedTo=Payed to -Monthly=Monthly -Quarterly=Quarterly -Annual=Annual -Local=Local -Remote=Remote -LocalAndRemote=Local and Remote -KeyboardShortcut=Keyboard shortcut +PayedBy=Оплачивается +PayedTo=Оплачивать +Monthly=ежемесячно +Quarterly=Ежеквартальный +Annual=годовой +Local=Локальный +Remote=Удаленный +LocalAndRemote=Локальные и удаленные +KeyboardShortcut=Сочетание клавиш AssignedTo=Ответств. -Deletedraft=Delete draft -ConfirmMassDraftDeletion=Draft Bulk delete confirmation +Deletedraft=Удалить проект +ConfirmMassDraftDeletion=Подтверждение удаления проекта +FileSharedViaALink=Файл, общий доступ по ссылке + diff --git a/htdocs/langs/ru_RU/modulebuilder.lang b/htdocs/langs/ru_RU/modulebuilder.lang index a3fee23cb53b5..9d6661eda41d6 100644 --- a/htdocs/langs/ru_RU/modulebuilder.lang +++ b/htdocs/langs/ru_RU/modulebuilder.lang @@ -74,6 +74,7 @@ NoWidget=No widget GoToApiExplorer=Go to API explorer ListOfMenusEntries=List of menu entries ListOfPermissionsDefined=List of defined permissions +SeeExamples=See examples here EnabledDesc=Condition to have this field active (Examples: 1 or $conf->global->MYMODULE_MYOPTION) VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only. Using a negative value means field is not shown by default on list but can be selected for viewing) IsAMeasureDesc=Can the value of field be cumulated to get a total into list ? (Examples: 1 or 0) @@ -95,3 +96,6 @@ DropTableIfEmpty=(Delete table if empty) TableDoesNotExists=The table %s does not exists TableDropped=Table %s deleted InitStructureFromExistingTable=Build the structure array string of an existing table +UseAboutPage=Disallow the about page +UseDocFolder=Disallow the documentation folder +UseSpecificReadme=Use a specific ReadMe diff --git a/htdocs/langs/ru_RU/orders.lang b/htdocs/langs/ru_RU/orders.lang index edf3700ccc7cf..cf92204742a0b 100644 --- a/htdocs/langs/ru_RU/orders.lang +++ b/htdocs/langs/ru_RU/orders.lang @@ -14,7 +14,7 @@ NewOrder=  Новый заказ ToOrder=Сделать заказ MakeOrder=Сделать заказ SupplierOrder=Purchase order -SuppliersOrders=Purchase orders +SuppliersOrders=Заказы SuppliersOrdersRunning=Current purchase orders CustomerOrder=Клиент Заказать CustomersOrders=Заказы клиентов diff --git a/htdocs/langs/ru_RU/other.lang b/htdocs/langs/ru_RU/other.lang index 35d2051bd2bc3..b71ac8ed0d00a 100644 --- a/htdocs/langs/ru_RU/other.lang +++ b/htdocs/langs/ru_RU/other.lang @@ -80,8 +80,8 @@ LinkedObject=Связанные объект NbOfActiveNotifications=Количество адресов (количество адресов электронной почты получателей) PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe two lines are separated by a carriage return.\n\n__USER_SIGNATURE__ PredefinedMailTestHtml=__(Hello)__\nThis is a test mail (the word test must be in bold).
The two lines are separated by a carriage return.

__USER_SIGNATURE__ -PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\nThis is the link to make your online payment if this invoice is not already payed:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\nThis is the link to make your online payment:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendProposal=__(Hello)__\n\nYou will find here the commercial proposal __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendSupplierProposal=__(Hello)__\n\nYou will find here the price request __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendOrder=__(Hello)__\n\nYou will find here the order __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ @@ -91,6 +91,7 @@ PredefinedMailContentSendShipping=__(Hello)__\n\nYou will find here the shipping PredefinedMailContentSendFichInter=__(Hello)__\n\nYou will find here the intervention __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentThirdparty=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentUser=__(Hello)__\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 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) @@ -140,14 +141,14 @@ LengthUnitdm=dm LengthUnitcm=cm LengthUnitmm=mm Surface=Område -SurfaceUnitm2=m² +SurfaceUnitm2=м² SurfaceUnitdm2=dm² SurfaceUnitcm2=cm² SurfaceUnitmm2=mm² SurfaceUnitfoot2=ft² SurfaceUnitinch2=in² Volume=Объем -VolumeUnitm3=m³ +VolumeUnitm3=м³ VolumeUnitdm3=dm³ (L) VolumeUnitcm3=cm³ (ml) VolumeUnitmm3=mm³ (µl) @@ -218,7 +219,7 @@ FileIsTooBig=Файлы слишком велик PleaseBePatient=Пожалуйста, будьте терпеливы ... NewPassword=New password ResetPassword=Reset password -RequestToResetPasswordReceived=A request to change your password has been received +RequestToResetPasswordReceived=A request to change your password has been received. NewKeyIs=Ваши новые ключи для доступа NewKeyWillBe=Ваш новый ключ для доступа к ПО будет ClickHereToGoTo=Нажмите сюда, чтобы перейти к %s diff --git a/htdocs/langs/ru_RU/paypal.lang b/htdocs/langs/ru_RU/paypal.lang index bb010936d383c..4c5741bca93a0 100644 --- a/htdocs/langs/ru_RU/paypal.lang +++ b/htdocs/langs/ru_RU/paypal.lang @@ -14,7 +14,6 @@ PaypalModeOnlyPaypal=только PayPal ONLINE_PAYMENT_CSS_URL=Optionnal URL of CSS style sheet on online payment page ThisIsTransactionId=Это идентификатор транзакции: %s PAYPAL_ADD_PAYMENT_URL=Добавить адрес Paypal оплата при отправке документа по почте -PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.

%s

YouAreCurrentlyInSandboxMode=You are currently in the %s "sandbox" mode NewOnlinePaymentReceived=New online payment received NewOnlinePaymentFailed=New online payment tried but failed diff --git a/htdocs/langs/ru_RU/productbatch.lang b/htdocs/langs/ru_RU/productbatch.lang index 5ee0a0ee14110..371476b81dc52 100644 --- a/htdocs/langs/ru_RU/productbatch.lang +++ b/htdocs/langs/ru_RU/productbatch.lang @@ -5,7 +5,7 @@ ProductStatusNotOnBatch=Нет (серийный номер/номер парт ProductStatusOnBatchShort=Да ProductStatusNotOnBatchShort=Нет Batch=Партии/серийный номер -atleast1batchfield=Eat-by date or Sell-by date or Lot/Serial number +atleast1batchfield=Дата уплаты или дата продажи или Лот / Серийный номер batch_number=номер партии/серийный номер BatchNumberShort=Партии/серийный номер EatByDate=Дата окончания срока годности @@ -16,9 +16,9 @@ printEatby=Дата окончания срока годности: %s printSellby=Дата продажи: %s printQty=Кол-во:%d AddDispatchBatchLine=Добавить строку Срока годности -WhenProductBatchModuleOnOptionAreForced=When module Lot/Serial is on, automatic stock decrease is forced to 'Decrease real stocks on shipping validation' and automatic increase mode is forced to 'Increase real stocks on manual dispatching into warehouses' and can't be edited. Other options can be defined as you want. -ProductDoesNotUseBatchSerial=This product does not use lot/serial number -ProductLotSetup=Setup of module lot/serial -ShowCurrentStockOfLot=Show current stock for couple product/lot -ShowLogOfMovementIfLot=Show log of movements for couple product/lot -StockDetailPerBatch=Stock detail per lot +WhenProductBatchModuleOnOptionAreForced=Когда модуль Lot / Serial включен, автоматическое снижение запасов вынуждено «Уменьшить реальные запасы при проверке отгрузки», а автоматический режим увеличения принудительно «Увеличивает реальные запасы при ручной диспетчеризации на склады» и не может быть отредактирован. Другие параметры могут быть определены так, как вы хотите. +ProductDoesNotUseBatchSerial=Этот продукт не использует лот / серийный номер +ProductLotSetup=Настройка лота / серийного модуля +ShowCurrentStockOfLot=Показать текущий запас для пары товара / лота +ShowLogOfMovementIfLot=Показать журнал движений для пары product / lot +StockDetailPerBatch=Детальная информация о лоте diff --git a/htdocs/langs/ru_RU/products.lang b/htdocs/langs/ru_RU/products.lang index c2ab69ae98e2a..297ef7a6cd4f1 100644 --- a/htdocs/langs/ru_RU/products.lang +++ b/htdocs/langs/ru_RU/products.lang @@ -1,9 +1,9 @@ # Dolibarr language file - Source file is en_US - products ProductRef=Продукт исх. ProductLabel=Этикетка товара -ProductLabelTranslated=Translated product label -ProductDescriptionTranslated=Translated product description -ProductNoteTranslated=Translated product note +ProductLabelTranslated=Переведенная этикетка продукта +ProductDescriptionTranslated=Переведенное описание продукта +ProductNoteTranslated=Переведенная заметка о продукте ProductServiceCard=Карточка Товаров/Услуг TMenuProducts=Товары TMenuServices=Услуги @@ -17,28 +17,28 @@ Reference=Справка NewProduct=Новый товар NewService=Новая услуга ProductVatMassChange=Массовое изменение НДС -ProductVatMassChangeDesc=This page can be used to modify a VAT rate defined on products or services from a value to another. Warning, this change is done on all database. +ProductVatMassChangeDesc=Эта страница может использоваться для изменения ставки НДС, определенного для продуктов или услуг, от значения до другого. Внимание, это изменение выполняется для всей базы данных. MassBarcodeInit=Массовое создание штрих-кода MassBarcodeInitDesc=Эта страница может быть использована для создания штрих-кодов для объектов, у которых нет штрих-кода. Проверьте перед выполнением настройки модуля штрих-кодов. -ProductAccountancyBuyCode=Accounting code (purchase) -ProductAccountancySellCode=Accounting code (sale) -ProductAccountancySellIntraCode=Accounting code (sale intra-community) -ProductAccountancySellExportCode=Accounting code (sale export) +ProductAccountancyBuyCode=Учетный код (покупка) +ProductAccountancySellCode=Учетный код (продажа) +ProductAccountancySellIntraCode=Учетный код (продажа внутри сообщества) +ProductAccountancySellExportCode=Учетный код (экспорт) ProductOrService=Товар или Услуга ProductsAndServices=Товары и Услуги ProductsOrServices=Товары или Услуги -ProductsPipeServices=Products | Services +ProductsPipeServices=Продукты | Сервисы ProductsOnSaleOnly=Товар только для продажи, не для покупки ProductsOnPurchaseOnly=Товар только для покупки, не для продажи ProductsNotOnSell=Товар не для продажи и не для покупки ProductsOnSellAndOnBuy=Товар для продажи и покупки -ServicesOnSaleOnly=Services for sale only -ServicesOnPurchaseOnly=Services for purchase only -ServicesNotOnSell=Services not for sale and not for purchase +ServicesOnSaleOnly=Услуги только для продажи +ServicesOnPurchaseOnly=Услуги только для покупки +ServicesNotOnSell=Услуги не для продажи, а не для покупки ServicesOnSellAndOnBuy=Услуга для продажи и покупки -LastModifiedProductsAndServices=Latest %s modified products/services -LastRecordedProducts=Latest %s recorded products -LastRecordedServices=Latest %s recorded services +LastModifiedProductsAndServices=Последние %s измененные продукты/услуги +LastRecordedProducts=Последние %sзарегистрированные продукты +LastRecordedServices=Последние %sзарегистрированные услуги CardProduct0=Карточка товара CardProduct1=Карточка услуги Stock=Склад @@ -57,36 +57,36 @@ ProductStatusOnBuy=Для покупки ProductStatusNotOnBuy=Не для покупки ProductStatusOnBuyShort=Для покупки ProductStatusNotOnBuyShort=Не для покупки -UpdateVAT=Update vat -UpdateDefaultPrice=Update default price -UpdateLevelPrices=Update prices for each level +UpdateVAT=Обновить НДС +UpdateDefaultPrice=Обновить стоимость по умолчанию +UpdateLevelPrices=Обновление цен на каждый уровень AppliedPricesFrom=Применить цены от SellingPrice=Продажная цена SellingPriceHT=Продажная цена (за вычетом налогов) SellingPriceTTC=Продажная цена (вкл. налоги) -CostPriceDescription=This price (net of tax) can be used to store the average amount this product cost 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. -SoldAmount=Sold amount -PurchasedAmount=Purchased amount +CostPriceDescription=Эта цена (за вычетом налога) может использоваться для хранения средней суммы этой стоимости продукта для вашей компании. Это может быть любая цена, которую вы рассчитываете сами, например, из средней покупной цены плюс средняя стоимость производства и распределения. +CostPriceUsage=Это значение может использоваться для расчета маржи. +SoldAmount=Сумма продажи +PurchasedAmount=Сумма покупки NewPrice=Новая цена -MinPrice=Min. selling price -EditSellingPriceLabel=Edit selling price label +MinPrice=Минимальная цена продажи +EditSellingPriceLabel=Изменить ярлык цены продажи CantBeLessThanMinPrice=Продажная цена не может быть ниже минимальной для этого товара (%s без налогов). Это сообщение также возникает, если вы задаёте слишком большую скидку. ContractStatusClosed=Закрытые ErrorProductAlreadyExists=Продукции с учетом% уже существует. ErrorProductBadRefOrLabel=Неправильное значение для справки или этикетку. ErrorProductClone=Возникла проблема при попытке дублирования продукта или услуги -ErrorPriceCantBeLowerThanMinPrice=Error, price can't be lower than minimum price. +ErrorPriceCantBeLowerThanMinPrice=Ошибка, цена не может быть ниже минимальной цены. Suppliers=Поставщики SupplierRef=Поставщик исх. ShowProduct=Показать товар ShowService=Показать услугу ProductsAndServicesArea=Раздел товаров и услуг ProductsArea=Раздел товаров -ServicesArea=Службы района +ServicesArea=Раздел услуг ListOfStockMovements=Список акций движения BuyingPrice=Покупка цене -PriceForEachProduct=Products with specific prices +PriceForEachProduct=Продукты со специфическими ценами SupplierCard=Карточка поставщика PriceRemoved=Цена удалена BarCode=Штрих-код @@ -95,21 +95,21 @@ SetDefaultBarcodeType=Установить тип штрих-кода BarcodeValue=Значение штрих-кода NoteNotVisibleOnBill=Примечание (не видимые на счетах-фактурах, предложениях ...) ServiceLimitedDuration=Если продукт является услугой с ограниченной длительности: -MultiPricesAbility=Several segment of prices per product/service (each customer is in one segment) +MultiPricesAbility=Несколько сегментов цен на продукт/услугу (каждый клиент находится в одном сегменте) MultiPricesNumPrices=Кол-во цен -AssociatedProductsAbility=Activate the feature to manage virtual products +AssociatedProductsAbility=Активация функции управления виртуальными продуктами AssociatedProducts=Связанные продукты AssociatedProductsNumber=Количество продукции -ParentProductsNumber=Number of parent packaging product -ParentProducts=Parent products -IfZeroItIsNotAVirtualProduct=If 0, this product is not a virtual product -IfZeroItIsNotUsedByVirtualProduct=If 0, this product is not used by any virtual product +ParentProductsNumber=Количество родительских упаковочных продуктов +ParentProducts=Родительские продукты +IfZeroItIsNotAVirtualProduct=Если 0, это произведение не является виртуальным продуктом +IfZeroItIsNotUsedByVirtualProduct=Если 0, этот продукт не используется никаким виртуальным продуктом KeywordFilter=Фильтр ключевых слов CategoryFilter=Категория фильтр ProductToAddSearch=Поиск продукта для добавления NoMatchFound=Не найдено соответствия -ListOfProductsServices=List of products/services -ProductAssociationList=List of products/services that are component of this virtual product/package +ListOfProductsServices=Список продуктов/услуг +ProductAssociationList=Список продуктов/услуг, которые являются компонентами этого виртуального продукта/пакета ProductParentList=Список продуктов / услуг с этим продуктом в качестве компонента ErrorAssociationIsFatherOfThis=Один из выбранного продукта родителей с действующим продукта DeleteProduct=Удалить товар / услугу @@ -124,7 +124,7 @@ ConfirmDeleteProductLine=Вы уверены, что хотите удалить ProductSpecial=Специальные QtyMin=Минимальное кол-во PriceQtyMin=Цена для этого мин. кол-ва (без скидки) -PriceQtyMinCurrency=Price for this min. qty (w/o discount) (currency) +PriceQtyMinCurrency=Цена за этот мин. qty (без скидки) (валюта) VATRateForSupplierProduct=Значение НДС (для этого поставщика/товара) DiscountQtyMin=Скидка по умолчанию за количество NoPriceDefinedForThisSupplier=Нет цена / Qty определенных для этого поставщика / продукта @@ -135,7 +135,7 @@ PredefinedProductsAndServicesToSell=Предустановленные това PredefinedProductsToPurchase=Определённый заранее товар для покупки PredefinedServicesToPurchase=Определённая заранее услуга для покупки PredefinedProductsAndServicesToPurchase=Определённые заранее товары/услуги для покупки -NotPredefinedProducts=Not predefined products/services +NotPredefinedProducts=Не предопределенные продукты/услуги GenerateThumb=Генерируйте пальца ServiceNb=Служба # %s ListProductServiceByPopularity=Перечень товаров / услуг по популярности @@ -144,193 +144,193 @@ ListServiceByPopularity=Перечень услуг по популярност Finished=Произведено продукции RowMaterial=Первый материал CloneProduct=Клон продукт или услугу -ConfirmCloneProduct=Are you sure you want to clone product or service %s? +ConfirmCloneProduct=Вы действительно хотите клонировать продукт или услугу %s ? CloneContentProduct=Клон все основные данные о продукции / услуг -ClonePricesProduct=Clone prices -CloneCompositionProduct=Clone packaged product/service -CloneCombinationsProduct=Clone product variants +ClonePricesProduct=Клонирование цен +CloneCompositionProduct=Клонирование упакованного продукта/услуги +CloneCombinationsProduct=Клонирование вариантов продукта ProductIsUsed=Этот продукт используется NewRefForClone=Ссылка нового продукта / услуги -SellingPrices=Selling prices -BuyingPrices=Buying prices +SellingPrices=Цены на продажу +BuyingPrices=Цены на покупку CustomerPrices=Цены клиентов SuppliersPrices=Цены поставщиков -SuppliersPricesOfProductsOrServices=Supplier prices (of products or services) +SuppliersPricesOfProductsOrServices=Цены поставщиков (продуктов или услуг) CustomCode=Таможенный / Товарный / HS код CountryOrigin=Страна происхождения Nature=Природа -ShortLabel=Short label +ShortLabel=Короткая метка Unit=Единица p=u. -set=set -se=set -second=second -s=s -hour=hour -h=h +set=задавать +se=задавать +second=второй +s=с +hour=час +h=ч day=день -d=d -kilogram=kilogram -kg=Kg -gram=gram +d=д +kilogram=килограмм +kg=Кг +gram=грамм g=G -meter=meter +meter=метр m=m -lm=lm -m2=m² -m3=m³ -liter=liter -l=L -unitP=Piece -unitSET=Set +lm=люмен +m2=м² +m3=м³ +liter=литр +l=л +unitP=Кусок +unitSET=Установить unitS=Второй unitH=Час unitD=День -unitKG=Kilogram -unitG=Gram -unitM=Meter -unitLM=Linear meter -unitM2=Square meter -unitM3=Cubic meter -unitL=Liter +unitKG=Килограмм +unitG=Грамм +unitM=Метр +unitLM=Линейный метр +unitM2=Квадратный метр +unitM3=Кубический метр +unitL=Литр ProductCodeModel=Ссылка на шаблон товара ServiceCodeModel=Ссылка на шаблон услуги CurrentProductPrice=Текущая цена AlwaysUseNewPrice=Всегда использовать текущую цену продукта/услуги AlwaysUseFixedPrice=Использовать фиксированную цену PriceByQuantity=Разные цены по количеству -DisablePriceByQty=Disable prices by quantity +DisablePriceByQty=Отключить цены по количеству PriceByQuantityRange=Диапазон количества -MultipriceRules=Price segment rules -UseMultipriceRules=Use price segment rules (defined into product module setup) to autocalculate prices of all other segment according to first segment -PercentVariationOver=%% variation over %s -PercentDiscountOver=%% discount over %s -KeepEmptyForAutoCalculation=Keep empty to have this calculated automatically from weight or volume of products -VariantRefExample=Example: COL -VariantLabelExample=Example: Color +MultipriceRules=Правила ценового сегмента +UseMultipriceRules=Используйте правила ценового сегмента (определенные в настройке модуля продукта) для автоматического согласования цен всего другого сегмента в соответствии с первым сегментом +PercentVariationOver=%% вариация над %s +PercentDiscountOver=%% скидка на %s +KeepEmptyForAutoCalculation=Оставьте пустым, чтобы оно было рассчитано автоматически из массы или объема продуктов +VariantRefExample=Пример: COL +VariantLabelExample=Пример: Цвет ### composition fabrication Build=Произведено -ProductsMultiPrice=Products and prices for each price segment -ProductsOrServiceMultiPrice=Customer prices (of products or services, multi-prices) -ProductSellByQuarterHT=Products turnover quarterly before tax -ServiceSellByQuarterHT=Services turnover quarterly before tax +ProductsMultiPrice=Продукты и цены для каждого ценового сегмента +ProductsOrServiceMultiPrice=Цены клиентов (продуктов или услуг, многоценовые цены) +ProductSellByQuarterHT=Оборот продукции ежеквартально до налогообложения +ServiceSellByQuarterHT=Оборот услуг ежеквартально до налогообложения Quarter1=I квартал Quarter2=II квартал Quarter3=III квартал Quarter4=IV квартал BarCodePrintsheet=Печать штрих-кода -PageToGenerateBarCodeSheets=With this tool, you can print sheets of bar code stickers. Choose format of your sticker page, type of barcode and value of barcode, then click on button %s. +PageToGenerateBarCodeSheets=С помощью этого инструмента вы можете распечатывать листы стикеров штрих-кода. Выберите формат вашей наклейки, тип штрих-кода и значение штрих-кода, затем нажмите кнопку %s . NumberOfStickers=Количество стикеров для печати на странице PrintsheetForOneBarCode=Печатать несколько стикеров для одного штрих-кода BuildPageToPrint=Создать страницу для печати FillBarCodeTypeAndValueManually=Заполнить тип и значение штрих-кода вручную. FillBarCodeTypeAndValueFromProduct=Заполнить тип и значение из штрих-кода товара. -FillBarCodeTypeAndValueFromThirdParty=Fill barcode type and value from barcode of a third party. +FillBarCodeTypeAndValueFromThirdParty=Заполните тип и значение штрих-кода третьей стороны. DefinitionOfBarCodeForProductNotComplete=Тип и значение штрих-кода не заданы для товара %s. -DefinitionOfBarCodeForThirdpartyNotComplete=Definition of type or value of bar code non complete for third party %s. +DefinitionOfBarCodeForThirdpartyNotComplete=Определение типа или значения штрих-кода не завершено для стороннего пользователя %s. BarCodeDataForProduct=Информация по штрих-коду продукта %s: -BarCodeDataForThirdparty=Barcode information of third party %s : -ResetBarcodeForAllRecords=Define barcode value for all record (this will also reset barcode value already defined with new values) -PriceByCustomer=Different prices for each customer -PriceCatalogue=A single sell price per product/service -PricingRule=Rules for sell prices -AddCustomerPrice=Add price by customer +BarCodeDataForThirdparty=Информация о штрих-кодах третьей стороны %s: +ResetBarcodeForAllRecords=Определите значение штрих-кода для всех записей (это также приведет к сбросу значения штрих-кода, уже определенного новыми значениями) +PriceByCustomer=Различные цены для каждого клиента +PriceCatalogue=Одна продажная цена за продукт/услугу +PricingRule=Правила для цен продажи +AddCustomerPrice=Добавить цену по клиенту ForceUpdateChildPriceSoc=Установить такую же цену для дочерних клиентов -PriceByCustomerLog=Log of previous customer prices +PriceByCustomerLog=Журнал предыдущих цен клиента MinimumPriceLimit=Минимальная цена не может быть ниже %s MinimumRecommendedPrice=Минимальная рекомендованная цена : %s -PriceExpressionEditor=Price expression editor -PriceExpressionSelected=Selected price expression +PriceExpressionEditor=Редактор ценовых выражений +PriceExpressionSelected=Выбранное выражение цены PriceExpressionEditorHelp1="price = 2+2" или "2 + 2" для задания цены. Используйте ; в качестве разделителя выражений. -PriceExpressionEditorHelp2=You can access ExtraFields with variables like #extrafield_myextrafieldkey# and global variables with #global_mycode# -PriceExpressionEditorHelp3=In both product/service and supplier 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 supplier prices only: #supplier_quantity# and #supplier_tva_tx# +PriceExpressionEditorHelp2=Вы можете получить доступ к ExtraFields с такими переменными, как #extrafield_myextrafieldkey# и глобальными переменными с помощью #global_mycode# +PriceExpressionEditorHelp3=В ценах продуктов/услуг и поставщиков доступны следующие переменные:
#tva_tx# #localtax1_tx# #localtax2_tx# #weight# #length# #surface# #price_min# +PriceExpressionEditorHelp4=Только в цене продукта/услуги: #supplier_min_price#
Только в ценах поставщиков: #поставщик_quantity# и #supplier_tva_tx# PriceExpressionEditorHelp5=Доступные глобальные значения: PriceMode=Режим ценообразования PriceNumeric=Номер DefaultPrice=Цена по умолчанию ComposedProductIncDecStock=Увеличение / уменьшение запаса на складе при изменении источника ComposedProduct=Под-товар -MinSupplierPrice=Минимальная цена поставщика -MinCustomerPrice=Minimum customer price +MinSupplierPrice=Минимальная закупочная цена +MinCustomerPrice=Minimum selling price DynamicPriceConfiguration=Настройка динамического ценообразования -DynamicPriceDesc=On product card, with this module enabled, you should be able to set mathematic functions to calculate Customer or Supplier prices. Such function can use all mathematic operators, some constants and variables. You can set here the variables you want to be able to use and if the variable need an automatic update, the external URL to use to ask Dolibarr to update automaticaly the value. -AddVariable=Add Variable -AddUpdater=Add Updater +DynamicPriceDesc=На карточке продукта, с включенным модулем, вы должны иметь возможность устанавливать математические функции для расчета цен Клиента или Поставщика. Такая функция может использовать все математические операторы, некоторые константы и переменные. Вы можете указать здесь переменные, которые вы хотите использовать, и если переменной необходимо автоматическое обновление, внешний URL-адрес, который будет использоваться, чтобы попросить Dolibarr автоматически обновить значение. +AddVariable=Добавить переменную +AddUpdater=Добавить обновление GlobalVariables=Глобальные переменные -VariableToUpdate=Variable to update +VariableToUpdate=Переменная для обновления GlobalVariableUpdaters=Обновители глобальных переменных GlobalVariableUpdaterType0=Данные JSON GlobalVariableUpdaterHelp0=Анализирует данные JSON из указанной ссылки, VALUE определяет местоположение соответствующего значения, -GlobalVariableUpdaterHelpFormat0=Format for request {"URL": "http://example.com/urlofjson", "VALUE": "array1,array2,targetvalue"} +GlobalVariableUpdaterHelpFormat0=Формат для запроса {«URL»: «http://example.com/urlofjson», «VALUE»: «array1, array2, targetvalue»} GlobalVariableUpdaterType1=Данные модуля WebService GlobalVariableUpdaterHelp1=Анализирует данные модуля WebService из указанной ссылки, NS задаёт пространство имён, VALUE определяет местоположение соответствующего значения, DATA должно содержать данные для отправки и METHOD вызова метода WS -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"}} +GlobalVariableUpdaterHelpFormat1=Формат запроса: {"URL": "http://example.com/urlofws", "VALUE": "array, targetvalue", "NS": "http://example.com/urlofns", "METHOD" : "myWSMethod", "DATA": {"your": "data", "to": "send"}} UpdateInterval=Интервал обновления (в минутах) -LastUpdated=Latest update +LastUpdated=Последнее обновление CorrectlyUpdated=Правильно обновлено -PropalMergePdfProductActualFile=Files use to add into PDF Azur are/is -PropalMergePdfProductChooseFile=Select PDF files -IncludingProductWithTag=Including product/service with tag -DefaultPriceRealPriceMayDependOnCustomer=Default price, real price may depend on customer -WarningSelectOneDocument=Please select at least one document +PropalMergePdfProductActualFile=Файлы, используемые для добавления в PDF Azur, являются +PropalMergePdfProductChooseFile=Выберите PDF-файлы +IncludingProductWithTag=Включая товар/услугу с тегом +DefaultPriceRealPriceMayDependOnCustomer=Цена по умолчанию, реальная цена может зависеть от клиента +WarningSelectOneDocument=Выберите хотя бы один документ DefaultUnitToShow=Единица -NbOfQtyInProposals=Qty in proposals -ClinkOnALinkOfColumn=Click on a link of column %s to get a detailed view... -ProductsOrServicesTranslations=Products or services translation -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 -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 -GoOnMenuToCreateVairants=Go on menu %s - %s to prepare attribute variants (like colors, size, ...) +NbOfQtyInProposals=Кол-во предложений +ClinkOnALinkOfColumn=Нажмите на ссылку колонки %s, чтобы получить подробный обзор ... +ProductsOrServicesTranslations=Перевод продуктов или услуг +TranslatedLabel=Переведенная этикетка +TranslatedDescription=Переведенное описание +TranslatedNote=Переведенные примечания +ProductWeight=Вес для 1 продукта +ProductVolume=Объем для 1 продукта +WeightUnits=Весовая единица +VolumeUnits=Единица объема +SizeUnits=Единица измерения размера +DeleteProductBuyPrice=Удалить цену покупки +ConfirmDeleteProductBuyPrice=Вы действительно хотите удалить эту покупочную цену? +SubProduct=Субпродукты +ProductSheet=Лист продукта +ServiceSheet=Сервисный лист +PossibleValues=Возможные значения +GoOnMenuToCreateVairants=Перейдите в меню %s - %s, чтобы подготовить варианты атрибутов (например, цвета, размер, ...) #Attributes -VariantAttributes=Variant attributes -ProductAttributes=Variant attributes for products -ProductAttributeName=Variant attribute %s -ProductAttribute=Variant attribute -ProductAttributeDeleteDialog=Are you sure you want to delete this attribute? All values will be deleted -ProductAttributeValueDeleteDialog=Are you sure you want to delete the value "%s" with reference "%s" of this attribute? -ProductCombinationDeleteDialog=Are you sure want to delete the variant of the product "%s"? -ProductCombinationAlreadyUsed=There was an error while deleting the variant. Please check it is not being used in any object -ProductCombinations=Variants -PropagateVariant=Propagate variants -HideProductCombinations=Hide products variant in the products selector -ProductCombination=Variant -NewProductCombination=New variant -EditProductCombination=Editing variant -NewProductCombinations=New variants -EditProductCombinations=Editing variants -SelectCombination=Select combination -ProductCombinationGenerator=Variants generator -Features=Features -PriceImpact=Price impact -WeightImpact=Weight impact +VariantAttributes=Вариант атрибутов +ProductAttributes=Вариант атрибутов для продуктов +ProductAttributeName=Атрибут варианта %s +ProductAttribute=Вариант атрибута +ProductAttributeDeleteDialog=Вы действительно хотите удалить этот атрибут? Все значения будут удалены. +ProductAttributeValueDeleteDialog=Вы уверены, что хотите удалить значение «%s» со ссылкой «%s» этого атрибута? +ProductCombinationDeleteDialog=Вы действительно хотите удалить вариант продукта « %s »? +ProductCombinationAlreadyUsed=При удалении варианта произошла ошибка. Пожалуйста, проверьте, что он не используется ни в одном объекте +ProductCombinations=Варианты +PropagateVariant=Варианты распространения +HideProductCombinations=Скрыть вариант продукта в селекторе продуктов +ProductCombination=Вариант +NewProductCombination=Новый вариант +EditProductCombination=Вариант редактирования +NewProductCombinations=Новые варианты +EditProductCombinations=Редактирование вариантов +SelectCombination=Выберите комбинацию +ProductCombinationGenerator=Генератор вариантов +Features=Особенности +PriceImpact=Влияние цены +WeightImpact=Влияние веса NewProductAttribute=Новый атрибут -NewProductAttributeValue=New attribute value -ErrorCreatingProductAttributeValue=There was an error while creating the attribute value. It could be because there is already an existing value with that reference -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. -DoNotRemovePreviousCombinations=Do not remove previous variants -UsePercentageVariations=Use percentage variations +NewProductAttributeValue=Новое значение атрибута +ErrorCreatingProductAttributeValue=При создании значения атрибута произошла ошибка. Это может быть потому, что уже существует существующее значение с этой ссылкой +ProductCombinationGeneratorWarning=Если вы продолжите, прежде чем генерировать новые варианты, все предыдущие будут удалены. Уже существующие будут обновляться новыми значениями +TooMuchCombinationsWarning=Создание множества вариантов может привести к высокой загрузке процессора, памяти и Dolibarr, которые не смогут их создать. Включение опции «%s» может помочь уменьшить использование памяти. +DoNotRemovePreviousCombinations=Не удалять предыдущие варианты +UsePercentageVariations=Использовать процентные вариации PercentageVariation=Изменение процентов -ErrorDeletingGeneratedProducts=There was an error while trying to delete existing product variants -NbOfDifferentValues=Nb of different values -NbProducts=Nb. of products -ParentProduct=Parent product -HideChildProducts=Hide variant products -ConfirmCloneProductCombinations=Would you like to copy all the product variants to the other parent product with the given reference? -CloneDestinationReference=Destination product reference -ErrorCopyProductCombinations=There was an error while copying the product variants -ErrorDestinationProductNotFound=Destination product not found -ErrorProductCombinationNotFound=Product variant not found +ErrorDeletingGeneratedProducts=При попытке удалить существующие варианты продукта произошла ошибка +NbOfDifferentValues=Количество разных значений +NbProducts=Количество продуктов +ParentProduct=Родительский продукт +HideChildProducts=Скрыть варианты продуктов +ConfirmCloneProductCombinations=Вы хотите скопировать все варианты продукта в другой родительский продукт с указанной ссылкой? +CloneDestinationReference=Ссылка на целевое изделие +ErrorCopyProductCombinations=При копировании вариантов продукта произошла ошибка +ErrorDestinationProductNotFound=Продукт назначения не найден +ErrorProductCombinationNotFound=Вариант продукта не найден diff --git a/htdocs/langs/ru_RU/projects.lang b/htdocs/langs/ru_RU/projects.lang index c59225e953667..c68bef10d511f 100644 --- a/htdocs/langs/ru_RU/projects.lang +++ b/htdocs/langs/ru_RU/projects.lang @@ -142,7 +142,7 @@ ErrorShiftTaskDate=Невозможно сдвинуть дату задачи ProjectsAndTasksLines=Проекты и задачи ProjectCreatedInDolibarr=Проект %s создан ProjectValidatedInDolibarr=Project %s validated -ProjectModifiedInDolibarr=Project %s modified +ProjectModifiedInDolibarr=Проект %s изменен TaskCreatedInDolibarr=Задача %s создана TaskModifiedInDolibarr=Задача %s изменена TaskDeletedInDolibarr=Задача %s удалена diff --git a/htdocs/langs/ru_RU/propal.lang b/htdocs/langs/ru_RU/propal.lang index f69990333ff80..7303b4e0918ce 100644 --- a/htdocs/langs/ru_RU/propal.lang +++ b/htdocs/langs/ru_RU/propal.lang @@ -75,6 +75,7 @@ AvailabilityTypeAV_1M=1 месяц TypeContact_propal_internal_SALESREPFOLL=Представитель следующие меры предложение TypeContact_propal_external_BILLING=свяжитесь со счета TypeContact_propal_external_CUSTOMER=Абонентский отдел следующие меры предложение +TypeContact_propal_external_SHIPPING=Customer contact for delivery # Document models DocModelAzurDescription=Полный текст предложения модели (logo. ..) DefaultModelPropalCreate=Создание модели по умолчанию diff --git a/htdocs/langs/ru_RU/resource.lang b/htdocs/langs/ru_RU/resource.lang index 2f07ce24a0cc5..8f778006f60fd 100644 --- a/htdocs/langs/ru_RU/resource.lang +++ b/htdocs/langs/ru_RU/resource.lang @@ -16,7 +16,7 @@ ResourceFormLabel_description=Описание ресурса ResourcesLinkedToElement=Ресурс связан с элементом -ShowResource=Show resource +ShowResource=Показать ресурс ResourceElementPage=Элемент ресурсов ResourceCreatedWithSuccess=Ресурс успешно создан @@ -30,7 +30,7 @@ DictionaryResourceType=Тип ресурсов SelectResource=Выберете ресурс -IdResource=Id resource -AssetNumber=Serial number -ResourceTypeCode=Resource type code +IdResource=Ресурс Id +AssetNumber=Серийный номер +ResourceTypeCode=Код типа ресурса ImportDataset_resource_1=Ресурсы diff --git a/htdocs/langs/ru_RU/sendings.lang b/htdocs/langs/ru_RU/sendings.lang index f002a1c57125e..d729c6674c0e5 100644 --- a/htdocs/langs/ru_RU/sendings.lang +++ b/htdocs/langs/ru_RU/sendings.lang @@ -52,8 +52,8 @@ ActionsOnShipping=События поставки LinkToTrackYourPackage=Ссылка на номер для отслеживания посылки ShipmentCreationIsDoneFromOrder=На данный момент, создание новой поставки закончено из карточки заказа. ShipmentLine=Линия поставки -ProductQtyInCustomersOrdersRunning=Product quantity into open customers orders -ProductQtyInSuppliersOrdersRunning=Product quantity into open suppliers orders +ProductQtyInCustomersOrdersRunning=Product quantity into open customer orders +ProductQtyInSuppliersOrdersRunning=Product quantity into open purchase orders ProductQtyInShipmentAlreadySent=Product quantity from open customer order already sent ProductQtyInSuppliersShipmentAlreadyRecevied=Product quantity from open supplier order already received NoProductToShipFoundIntoStock=No product to ship found into warehouse %s. Correct stock or go back to choose another warehouse. diff --git a/htdocs/langs/ru_RU/stocks.lang b/htdocs/langs/ru_RU/stocks.lang index 6e853295c7aba..acb796af83057 100644 --- a/htdocs/langs/ru_RU/stocks.lang +++ b/htdocs/langs/ru_RU/stocks.lang @@ -67,7 +67,7 @@ DeStockOnValidateOrder=Снижение реальных запасов по з DeStockOnShipment=Decrease real stocks on shipping validation DeStockOnShipmentOnClosing=Decrease real stocks on shipping classification closed ReStockOnBill=Увеличение реальных запасов на счета / кредитных нот -ReStockOnValidateOrder=Увеличение реальных запасов по заказам записки +ReStockOnValidateOrder=Increase real stocks on purchase orders approbation ReStockOnDispatchOrder=Increase real stocks on manual dispatching into warehouses, after supplier order receipt of goods OrderStatusNotReadyToDispatch=Заказ еще не или не более статуса, который позволяет отправку товаров на складе склады. StockDiffPhysicTeoric=Explanation for difference between physical and virtual stock @@ -203,4 +203,4 @@ RegulateStock=Regulate Stock ListInventory=Список StockSupportServices=Stock management support services StockSupportServicesDesc=By default, you can stock only product with type "product". If on, and if module service is on, you can also stock a product with type "service" -ReceiveProducts=Receive products +ReceiveProducts=Receive items diff --git a/htdocs/langs/ru_RU/supplier_proposal.lang b/htdocs/langs/ru_RU/supplier_proposal.lang index 582b980938c6b..14fb9e68f913e 100644 --- a/htdocs/langs/ru_RU/supplier_proposal.lang +++ b/htdocs/langs/ru_RU/supplier_proposal.lang @@ -11,8 +11,8 @@ LastModifiedRequests=Latest %s modified price requests RequestsOpened=Open price requests SupplierProposalArea=Vendor proposals area SupplierProposalShort=Vendor proposal -SupplierProposals=Vendor proposals -SupplierProposalsShort=Vendor proposals +SupplierProposals=Предложения поставщиков +SupplierProposalsShort=Предложения поставщиков NewAskPrice= Новый запрос цены ShowSupplierProposal=Show price request AddSupplierProposal=Create a price request diff --git a/htdocs/langs/ru_RU/suppliers.lang b/htdocs/langs/ru_RU/suppliers.lang index bfcb0877c5bb5..d9cea9beb0009 100644 --- a/htdocs/langs/ru_RU/suppliers.lang +++ b/htdocs/langs/ru_RU/suppliers.lang @@ -1,25 +1,25 @@ # Dolibarr language file - Source file is en_US - suppliers -Suppliers=Vendors +Suppliers=Поставщики SuppliersInvoice=Vendor invoice ShowSupplierInvoice=Show Vendor Invoice -NewSupplier=New vendor +NewSupplier=Новый поставщик History=История -ListOfSuppliers=List of vendors +ListOfSuppliers=Список поставщиков ShowSupplier=Show vendor OrderDate=Дата заказа BuyingPriceMin=Best buying price BuyingPriceMinShort=Best buying price -TotalBuyingPriceMinShort=Итог закупочных цен субтоваров +TotalBuyingPriceMinShort=Итог закупочных цен подтоваров TotalSellingPriceMinShort=Total of subproducts selling prices -SomeSubProductHaveNoPrices=Для субтоваров товаров не указана цена +SomeSubProductHaveNoPrices=Для некоторых подтоваров не указана цена AddSupplierPrice=Add buying price ChangeSupplierPrice=Change buying price SupplierPrices=Vendor prices -ReferenceSupplierIsAlreadyAssociatedWithAProduct=Эта ссылка поставщиком уже связан с ссылкой: %s +ReferenceSupplierIsAlreadyAssociatedWithAProduct=Этот поставщик ссылок уже связан со ссылкой: %s NoRecordedSuppliers=No vendor recorded SupplierPayment=Vendor payment SuppliersArea=Vendor area -RefSupplierShort=Ref. vendor +RefSupplierShort=Ref. поставщик Availability=Доступность ExportDataset_fournisseur_1=Vendor invoices list and invoice lines ExportDataset_fournisseur_2=Vendor invoices and payments diff --git a/htdocs/langs/ru_RU/users.lang b/htdocs/langs/ru_RU/users.lang index a1e64799b4cfa..24791542cb41f 100644 --- a/htdocs/langs/ru_RU/users.lang +++ b/htdocs/langs/ru_RU/users.lang @@ -48,7 +48,7 @@ PasswordChangeRequest=Request to change password for %s PasswordChangeRequestSent=Запрос на изменение пароля для %s направлено %s. ConfirmPasswordReset=Confirm password reset MenuUsersAndGroups=Пользователи и Группы -LastGroupsCreated=Latest %s created groups +LastGroupsCreated=Latest %s groups created LastUsersCreated=Latest %s users created ShowGroup=Показать группы ShowUser=Показать пользователей diff --git a/htdocs/langs/ru_RU/website.lang b/htdocs/langs/ru_RU/website.lang index dbce71e54fa3f..8526f5b8fd9eb 100644 --- a/htdocs/langs/ru_RU/website.lang +++ b/htdocs/langs/ru_RU/website.lang @@ -7,6 +7,7 @@ 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) @@ -64,7 +65,7 @@ IDOfPage=Id of page Banner=Banner BlogPost=Blog post WebsiteAccount=Web site account -WebsiteAccounts=Web site accounts +WebsiteAccounts=Учетные записи веб-сайтов AddWebsiteAccount=Create web site account BackToListOfThirdParty=Back to list for Third Party DisableSiteFirst=Disable website first @@ -82,3 +83,4 @@ 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:// diff --git a/htdocs/langs/ru_RU/withdrawals.lang b/htdocs/langs/ru_RU/withdrawals.lang index f5e4b0bba6e0b..07c86aad8ec45 100644 --- a/htdocs/langs/ru_RU/withdrawals.lang +++ b/htdocs/langs/ru_RU/withdrawals.lang @@ -6,7 +6,7 @@ StandingOrderPayment=Direct debit payment order NewStandingOrder=New direct debit order StandingOrderToProcess=Для обработки WithdrawalsReceipts=Direct debit orders -WithdrawalReceipt=Direct debit order +WithdrawalReceipt=Прямой дебетовый заказ LastWithdrawalReceipts=Latest %s direct debit files WithdrawalsLines=Direct debit order lines RequestStandingOrderToTreat=Request for direct debit payment order to process diff --git a/htdocs/langs/ru_UA/compta.lang b/htdocs/langs/ru_UA/compta.lang index f3f637e845302..7e9e3b3f5d830 100644 --- a/htdocs/langs/ru_UA/compta.lang +++ b/htdocs/langs/ru_UA/compta.lang @@ -23,7 +23,6 @@ ListOfCustomerPayments=Список клиентских платежей TotalToPay=Общая сумма CustomerAccountancyCode=Код клиента бухгалтерского SupplierAccountancyCode=Код поставщика бухгалтерия -SalesTurnover=Оборот ByThirdParties=Бу третьим лицам NewCheckDeposit=Новая проверка депозита NewCheckDepositOn=Создайте для получения депозита на счет: %s diff --git a/htdocs/langs/sk_SK/accountancy.lang b/htdocs/langs/sk_SK/accountancy.lang index 94d8c11781689..e6ec2222e432b 100644 --- a/htdocs/langs/sk_SK/accountancy.lang +++ b/htdocs/langs/sk_SK/accountancy.lang @@ -55,6 +55,7 @@ AccountancyAreaDescChartModel=KROK %s: Vytvorte si model schémy účtu z menu % AccountancyAreaDescChart=KROK %s: Vytvorenie alebo kontrola obsahu schémy účtu z menu %s AccountancyAreaDescVat=KROK %s: Definujte účty účtov pre každú sadzbu DPH. Na to použite položku ponuky %s. +AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. AccountancyAreaDescExpenseReport=STEP %s: Define default accounting accounts for each type of expense report. For this, use the menu entry %s. AccountancyAreaDescSal=KROK %s: Definovanie predvolených účtovných účtov na platbu miezd. Na to použite položku ponuky %s. AccountancyAreaDescContrib=KROK %s: Definujte predvolené účtovné účty pre špeciálne výdavky (rôzne dane). Na to použite položku ponuky %s. @@ -131,6 +132,7 @@ ACCOUNTING_LENGTH_GACCOUNT=Dĺžka všeobecných účtovných účtov (ak nastav ACCOUNTING_LENGTH_AACCOUNT=Dĺžka účtov účtov tretej strany (ak nastavíte hodnotu 6 tu, účet "401" sa zobrazí na obrazovke ako "401000") ACCOUNTING_MANAGE_ZERO=Umožňuje spravovať iný počet nuly na konci účtovného účtu. Niektoré krajiny potrebujú (napríklad švajčiarsko). Ak je vypnuté (predvolené), môžete nastaviť dva nasledujúce parametre a požiadať aplikáciu o pridanie virtuálnej nuly. BANK_DISABLE_DIRECT_INPUT=Zakázať priame zaznamenávanie transakcie na bankový účet +ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Enable draft export on journal ACCOUNTING_SELL_JOURNAL=Predaj denníka ACCOUNTING_PURCHASE_JOURNAL=Zakúpte denník diff --git a/htdocs/langs/sk_SK/admin.lang b/htdocs/langs/sk_SK/admin.lang index 955f2dbf9084f..aa9e2f735e211 100644 --- a/htdocs/langs/sk_SK/admin.lang +++ b/htdocs/langs/sk_SK/admin.lang @@ -454,7 +454,7 @@ ModuleCompanyCodeDigitaria=Accounting code depends on third party code. The code Use3StepsApproval=By default, Purchase Orders need to be created and approved by 2 different users (one step/user to create and one step/user to approve. Note that if user has both permission to create and approve, one step/user will be enough). You can ask with this option to introduce a third step/user approval, if amount is higher than a dedicated value (so 3 steps will be necessary: 1=validation, 2=first approval and 3=second approval if amount is enough).
Set this to empty if one approval (2 steps) is enough, set it to a very low value (0.1) if a second approval (3 steps) is always required. UseDoubleApproval=Použiť 3 krokové povolenie ked cena ( bez DPH ) je väčšia ako... WarningPHPMail=WARNING: It is often better to setup outgoing emails to use the email server of your provider instead of the default setup. Some email providers (like Yahoo) does not allow you to send an email from another server than their own server. Your current setup use 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 a server of them, so few of your sent Emails may not be accepted (be carefull also to your email provider sending quota).
If your Email provider (like Yahoo) has this restriction, you must change Email setup to choose the other method "SMTP server" and enter the SMTP server and credentials provided by your Email provider (ask your EMail provider to get SMTP credentials for your account). -WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of your ERP CRM application: %s. +WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of the mail user agent (MUA) for your ERP CRM application: %s. ClickToShowDescription=Click to show description DependsOn=This module need the module(s) RequiredBy=This module is required by module(s) @@ -497,7 +497,7 @@ Module25Desc=Zákazníka riadenie Module30Name=Faktúry Module30Desc=Faktúra a dobropis riadenie pre zákazníkov. Faktúra konania pre dodávateľov Module40Name=Dodávatelia -Module40Desc=Dodávateľ riadenia a nákupu (objednávky a faktúry) +Module40Desc=Suppliers and purchase management (purchase orders and billing) Module42Name=Debug Logs Module42Desc=Logging facilities (file, syslog, ...). Such logs are for technical/debug purposes. Module49Name=Redakcia @@ -605,7 +605,7 @@ Module4000Desc=Human resources management (management of department, employee co Module5000Name=Multi-spoločnosť Module5000Desc=Umožňuje spravovať viac spoločností Module6000Name=Workflow -Module6000Desc=Workflow management +Module6000Desc=Workflow management (automatic creation of object and/or automatic status change) Module10000Name=Web stránky Module10000Desc=Create public websites with a WYSIWG editor. Just setup your web server (Apache, Nginx, ...) to point to the dedicated Dolibarr directory to have it online on the Internet with your own domain name. Module20000Name=Opustiť správcu požiadaviek @@ -891,7 +891,7 @@ DictionaryCivility=Osobný a profesionálny titul DictionaryActions=Typy udalostí agendy DictionarySocialContributions=Typy sociálnych alebo fiškálnych daní DictionaryVAT=Sadzby DPH alebo Sociálnej dane -DictionaryRevenueStamp=Množstvo kolkov +DictionaryRevenueStamp=Amount of tax stamps DictionaryPaymentConditions=Podmienky platby DictionaryPaymentModes=Metódy platby DictionaryTypeContact=Kontakt/Adresa @@ -919,7 +919,7 @@ SetupSaved=Nastavenie uložené SetupNotSaved=Setup not saved BackToModuleList=Späť na zoznam modulov BackToDictionaryList=Napäť do zoznamu slovníkov -TypeOfRevenueStamp=Type of revenue stamp +TypeOfRevenueStamp=Type of tax stamp VATManagement=DPH riadenia VATIsUsedDesc=By default when creating prospects, invoices, orders etc the VAT rate follows the active standard rule:
If the seller is not subjected to VAT, then VAT defaults to 0. End of rule.
If the (selling country= buying country), then the VAT by default equals the VAT of the product in the selling country. End of rule.
If seller and buyer are both in the European Community and goods are transport products (car, ship, plane), the default VAT is 0 ( The VAT should be paid by the buyer to the customoffice of his country and not to the seller). End of rule.
If seller and buyer are both in the European Community and the buyer is not a company, then the VAT by defaults to the VAT of the product sold. End of rule.
If seller and buyer are both in the European Community and the buyer is a company, then the VAT is 0 by default . End of rule.
In any othe case the proposed default is VAT=0. End of rule. VATIsNotUsedDesc=V predvolenom nastavení je navrhovaná DPH 0, ktorý možno použiť v prípadoch, ako je združenie jednotlivcov ou malých podnikov. @@ -1027,7 +1027,7 @@ Delays_MAIN_DELAY_ACTIONS_TODO=Delay tolerance (in days) before alert on planned Delays_MAIN_DELAY_PROJECT_TO_CLOSE=Delay tolerance (in days) before alert on project not closed in time Delays_MAIN_DELAY_TASKS_TODO=Delay tolerance (in days) before alert on planned tasks (project tasks) not completed yet Delays_MAIN_DELAY_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on orders not processed yet -Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on suppliers orders not processed yet +Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on purchase orders not processed yet Delays_MAIN_DELAY_PROPALS_TO_CLOSE=Oneskorenie tolerancie (v dňoch) pred záznam o návrhoch zavrite Delays_MAIN_DELAY_PROPALS_TO_BILL=Oneskorenie tolerancie (v dňoch) pred záznam o návrhoch účtované Delays_MAIN_DELAY_NOT_ACTIVATED_SERVICES=Tolerancia oneskorenie (v dňoch) pred záznam o službách aktivovať @@ -1458,7 +1458,7 @@ SyslogFilename=Názov súboru a cesta YouCanUseDOL_DATA_ROOT=Môžete použiť DOL_DATA_ROOT / dolibarr.log pre súbor denníka Dolibarr "Dokumenty" adresára. Môžete nastaviť inú cestu na uloženie tohto súboru. ErrorUnknownSyslogConstant=Konštantná %s nie je známe, Syslog konštantný OnlyWindowsLOG_USER=Windows podporuje iba LOG_USER -CompressSyslogs=Syslog files compression and backup +CompressSyslogs=Compression and backup of debug log files (generated by module Log for debug) SyslogFileNumberOfSaves=Log backups ConfigureCleaningCronjobToSetFrequencyOfSaves=Configure cleaning scheduled job to set log backup frequency ##### Donations ##### diff --git a/htdocs/langs/sk_SK/banks.lang b/htdocs/langs/sk_SK/banks.lang index 70605295bbe35..2c4aaf63a77f8 100644 --- a/htdocs/langs/sk_SK/banks.lang +++ b/htdocs/langs/sk_SK/banks.lang @@ -1,12 +1,13 @@ # Dolibarr language file - Source file is en_US - banks Bank=Banka -MenuBankCash=Banka / Peniaze +MenuBankCash=Bank | Cash MenuVariousPayment=Miscellaneous payments MenuNewVariousPayment=New Miscellaneous payment BankName=Názov banky FinancialAccount=Účet BankAccount=Bankový účet BankAccounts=Bankové účty +BankAccountsAndGateways=Bank accounts | Gateways ShowAccount=Zobraziť účet AccountRef=Finančný účet ref AccountLabel=Finančný účet štítok @@ -131,7 +132,7 @@ PaymentDateUpdateSucceeded=Čas platby úspešne aktualizovaný PaymentDateUpdateFailed=Dátum platby nemožno aktualizovať Transactions=Transakcie BankTransactionLine=Bank entry -AllAccounts=Všetky bankové / peňažné účty +AllAccounts=All bank and cash accounts BackToAccount=Späť na účte ShowAllAccounts=Zobraziť pre všetky účty FutureTransaction=Transakcie v Futur. Žiadny spôsob, ako sa zmieriť. @@ -159,5 +160,6 @@ VariousPayment=Miscellaneous payments VariousPayments=Miscellaneous payments ShowVariousPayment=Show miscellaneous payments AddVariousPayment=Add miscellaneous payments +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. Thanks to return it signed (scan of the signed document) or sent it by mail to diff --git a/htdocs/langs/sk_SK/bills.lang b/htdocs/langs/sk_SK/bills.lang index 5c72de1a40ef8..453e2a0382d3e 100644 --- a/htdocs/langs/sk_SK/bills.lang +++ b/htdocs/langs/sk_SK/bills.lang @@ -110,8 +110,8 @@ SendRemindByMail=Poslať pripomienku EMail DoPayment=Enter payment DoPaymentBack=Enter refund ConvertToReduc=Mark as credit available -ConvertExcessReceivedToReduc=Convert excess received into future discount -ConvertExcessPaidToReduc=Convert excess paid into future discount +ConvertExcessReceivedToReduc=Convert excess received into available credit +ConvertExcessPaidToReduc=Convert excess paid into available discount EnterPaymentReceivedFromCustomer=Zadajte platby, ktoré obdržal od zákazníka EnterPaymentDueToCustomer=Vykonať platbu zo strany zákazníka DisabledBecauseRemainderToPayIsZero=Disabled because remaining unpaid is zero @@ -282,6 +282,7 @@ RelativeDiscount=Relatívna zľava GlobalDiscount=Globálne zľava CreditNote=Dobropis CreditNotes=Dobropisy +CreditNotesOrExcessReceived=Credit notes or excess received Deposit=Down payment Deposits=Down payments DiscountFromCreditNote=Zľava z %s dobropisu @@ -393,6 +394,7 @@ PaymentConditionShort14DENDMONTH=14 days of month-end PaymentCondition14DENDMONTH=Within 14 days following the end of the month FixAmount=Fix množstvo VarAmount=Variabilná čiastka (%% celk.) +VarAmountOneLine=Variable amount (%% tot.) - 1 line with label '%s' # PaymentType PaymentTypeVIR=Bankový prevod PaymentTypeShortVIR=Bankový prevod diff --git a/htdocs/langs/sk_SK/compta.lang b/htdocs/langs/sk_SK/compta.lang index 7eb53df1a4f08..56f4c22163bf9 100644 --- a/htdocs/langs/sk_SK/compta.lang +++ b/htdocs/langs/sk_SK/compta.lang @@ -19,7 +19,8 @@ Income=Príjem Outcome=Výdavok MenuReportInOut=Výnosy / náklady ReportInOut=Balance of income and expenses -ReportTurnover=Obrat +ReportTurnover=Turnover invoiced +ReportTurnoverCollected=Turnover collected PaymentsNotLinkedToInvoice=Platby nesúvisiace s akoukoľvek faktúru, takže nie sú spojené žiadne tretej strane PaymentsNotLinkedToUser=Platby nesúvisiace všetkých užívateľov Profit=Zisk @@ -77,7 +78,7 @@ MenuNewSocialContribution=New social/fiscal tax NewSocialContribution=New social/fiscal tax AddSocialContribution=Add social/fiscal tax ContributionsToPay=Social/fiscal taxes to pay -AccountancyTreasuryArea=Účtovníctvo / Treasury oblasť +AccountancyTreasuryArea=Billing and payment area NewPayment=Nový platobný Payments=Platby PaymentCustomerInvoice=Zákazník faktúru @@ -105,6 +106,7 @@ VATPayment=Sales tax payment VATPayments=Sales tax payments VATRefund=Sales tax refund NewVATPayment=New sales tax payment +NewLocalTaxPayment=New tax %s payment Refund=Refund SocialContributionsPayments=Social/fiscal taxes payments ShowVatPayment=Zobraziť DPH platbu @@ -116,8 +118,9 @@ CustomerAccountancyCodeShort=Cust. account. code SupplierAccountancyCodeShort=Sup. account. code AccountNumber=Číslo účtu NewAccountingAccount=Nový účet -SalesTurnover=Obrat -SalesTurnoverMinimum=Minimálny obrat z predaja +Turnover=Turnover invoiced +TurnoverCollected=Turnover collected +SalesTurnoverMinimum=Minimum turnover ByExpenseIncome=By expenses & incomes ByThirdParties=Tretími stranami ByUserAuthorOfInvoice=Faktúrou autorovi @@ -137,8 +140,8 @@ 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=Režim %sClaims-Debt%sS povedal Záväzok účtovníctva. -CalcModeEngagement=Režim %sIncomes-Expense%sS povedal hotovostné účtovníctvo +CalcModeDebt=Analysis of known recorded invoices 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 CalcModeLT1Debt=Mode %sRE on customer invoices%s @@ -151,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=Pozri správu %sIncomes-Expense%sS povedal hotovostného účtovníctva pre výpočet na skutočných platbách -SeeReportInDueDebtMode=Pozri správu %sClaims-Debt%sS povedal účtovanie záväzkov pre výpočet na vystavených faktúr -SeeReportInBookkeepingMode=See report %sBookeeping%s for a calculation on bookkeeping table analysis +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 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 validation date of invoices and VAT and on the due date for expenses. 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. @@ -218,8 +221,8 @@ Mode1=Method 1 Mode2=Metóda 2 CalculationRuleDesc=Ak chcete vypočítať celkovú sumu DPH, tam sú dve metódy:
Metóda 1 je zaokrúhlenie DPH na každom riadku, potom sa spočítajú tak.
Metóda 2 je súčtom všetkých sud na každom riadku, potom sa výsledok zaokrúhľovania.
Konečný výsledok môže sa líši od niekoľkých centov. Predvolený režim je režim %s. CalculationRuleDescSupplier=According to supplier, choose appropriate method to apply same calculation rule and get same result expected by your supplier. -TurnoverPerProductInCommitmentAccountingNotRelevant=The Turnover report per product, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). -TurnoverPerSaleTaxRateInCommitmentAccountingNotRelevant=The Turnover report per sale tax rate, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). +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. CalculationMode=Výpočet režim AccountancyJournal=Accounting code journal ACCOUNTING_VAT_SOLD_ACCOUNT=Accounting account by default for VAT on sales (used if not defined on VAT dictionary setup) @@ -251,5 +254,6 @@ VATDue=Sale tax claimed ClaimedForThisPeriod=Claimed for the period PaidDuringThisPeriod=Paid during this period ByVatRate=By sale tax rate -TurnoverbyVatrate=Turnover by sale tax rate +TurnoverbyVatrate=Turnover invoiced by sale tax rate +TurnoverCollectedbyVatrate=Turnover collected by sale tax rate PurchasebyVatrate=Purchase by sale tax rate diff --git a/htdocs/langs/sk_SK/install.lang b/htdocs/langs/sk_SK/install.lang index 7e272a453e8ea..36baca36fabd6 100644 --- a/htdocs/langs/sk_SK/install.lang +++ b/htdocs/langs/sk_SK/install.lang @@ -204,3 +204,7 @@ MigrationResetBlockedLog=Reset module BlockedLog for v7 algorithm ShowNotAvailableOptions=Zobraziť nedostupné možnosti HideNotAvailableOptions=Skryť nedostupné možnosti ErrorFoundDuringMigration=Počas migrácies sa vyskytol problém preto nasledujúci krok nie je dostupný. Pre ignorovanie chýb môžete kliknúť tu, ale niektoré funkcie aplikácie nebudu fungovať správne pokial ich neopravíte. +YouTryInstallDisabledByDirLock=The application try to sefl upgrade, but install/upgrade pages have been disabled for security reason (directory renamed with .lock suffix).
+YouTryInstallDisabledByFileLock=The application try to sefl upgrade, but install/upgrade pages pages have been disabled for security reason (by lock file install.lock into dolibarr documents directory).
+ClickHereToGoToApp=Click here to go to your application +ClickOnLinkOrRemoveManualy=Click on following link and if you always reach this page, you must remove the file install.lock into documents directory manually diff --git a/htdocs/langs/sk_SK/main.lang b/htdocs/langs/sk_SK/main.lang index cf220a84210ee..93bae8c451204 100644 --- a/htdocs/langs/sk_SK/main.lang +++ b/htdocs/langs/sk_SK/main.lang @@ -507,6 +507,7 @@ NoneF=Nikto NoneOrSeveral=None or several Late=Neskoro LateDesc=Delay to define if a record is late or not depends on your setup. Ask your admin to change delay from menu Home - Setup - Alerts. +NoItemLate=No late item Photo=Obrázok Photos=Obrázky AddPhoto=Pridať obrázok @@ -945,3 +946,5 @@ KeyboardShortcut=Keyboard shortcut AssignedTo=Priradené Deletedraft=Delete draft ConfirmMassDraftDeletion=Draft Bulk delete confirmation +FileSharedViaALink=File shared via a link + diff --git a/htdocs/langs/sk_SK/modulebuilder.lang b/htdocs/langs/sk_SK/modulebuilder.lang index a3fee23cb53b5..9d6661eda41d6 100644 --- a/htdocs/langs/sk_SK/modulebuilder.lang +++ b/htdocs/langs/sk_SK/modulebuilder.lang @@ -74,6 +74,7 @@ NoWidget=No widget GoToApiExplorer=Go to API explorer ListOfMenusEntries=List of menu entries ListOfPermissionsDefined=List of defined permissions +SeeExamples=See examples here EnabledDesc=Condition to have this field active (Examples: 1 or $conf->global->MYMODULE_MYOPTION) VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only. Using a negative value means field is not shown by default on list but can be selected for viewing) IsAMeasureDesc=Can the value of field be cumulated to get a total into list ? (Examples: 1 or 0) @@ -95,3 +96,6 @@ DropTableIfEmpty=(Delete table if empty) TableDoesNotExists=The table %s does not exists TableDropped=Table %s deleted InitStructureFromExistingTable=Build the structure array string of an existing table +UseAboutPage=Disallow the about page +UseDocFolder=Disallow the documentation folder +UseSpecificReadme=Use a specific ReadMe diff --git a/htdocs/langs/sk_SK/other.lang b/htdocs/langs/sk_SK/other.lang index 84824afc2993a..09710bcfc4d63 100644 --- a/htdocs/langs/sk_SK/other.lang +++ b/htdocs/langs/sk_SK/other.lang @@ -80,8 +80,8 @@ LinkedObject=Prepojený objekt NbOfActiveNotifications=Number of notifications (nb of recipient emails) PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe two lines are separated by a carriage return.\n\n__USER_SIGNATURE__ PredefinedMailTestHtml=__(Hello)__\nThis is a test mail (the word test must be in bold).
The two lines are separated by a carriage return.

__USER_SIGNATURE__ -PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\nThis is the link to make your online payment if this invoice is not already payed:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\nThis is the link to make your online payment:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendProposal=__(Hello)__\n\nYou will find here the commercial proposal __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendSupplierProposal=__(Hello)__\n\nYou will find here the price request __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendOrder=__(Hello)__\n\nYou will find here the order __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ @@ -91,6 +91,7 @@ PredefinedMailContentSendShipping=__(Hello)__\n\nYou will find here the shipping PredefinedMailContentSendFichInter=__(Hello)__\n\nYou will find here the intervention __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentThirdparty=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentUser=__(Hello)__\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 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) @@ -218,7 +219,7 @@ FileIsTooBig=Súbory je príliš veľký PleaseBePatient=Prosím o chvíľku strpenia ... NewPassword=New password ResetPassword=Reset password -RequestToResetPasswordReceived=A request to change your password has been received +RequestToResetPasswordReceived=A request to change your password has been received. NewKeyIs=To je vaše nové kľúče k prihláseniu NewKeyWillBe=Váš nový kľúč pre prihlásenie do softvéru bude ClickHereToGoTo=Kliknite tu pre prechod na %s diff --git a/htdocs/langs/sk_SK/paypal.lang b/htdocs/langs/sk_SK/paypal.lang index 013f03ea5f5cc..d46c1b7a78379 100644 --- a/htdocs/langs/sk_SK/paypal.lang +++ b/htdocs/langs/sk_SK/paypal.lang @@ -14,7 +14,6 @@ PaypalModeOnlyPaypal=PayPal iba ONLINE_PAYMENT_CSS_URL=Optionnal URL of CSS style sheet on online payment page ThisIsTransactionId=To je id transakcie: %s PAYPAL_ADD_PAYMENT_URL=Pridať URL Paypal platby pri odoslaní dokumentu e-mailom -PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.

%s

YouAreCurrentlyInSandboxMode=You are currently in the %s "sandbox" mode NewOnlinePaymentReceived=New online payment received NewOnlinePaymentFailed=New online payment tried but failed diff --git a/htdocs/langs/sk_SK/products.lang b/htdocs/langs/sk_SK/products.lang index d2703d5322956..b0cedcb3026d0 100644 --- a/htdocs/langs/sk_SK/products.lang +++ b/htdocs/langs/sk_SK/products.lang @@ -251,8 +251,8 @@ PriceNumeric=Počet DefaultPrice=Základná cena ComposedProductIncDecStock=Pridať/Odobrať pri zmene rodičovského ComposedProduct=Pod-produkt -MinSupplierPrice=Minimálna dodávateľská cena -MinCustomerPrice=Minimálna zákaznícka cena +MinSupplierPrice=Minimálna nákupná cena +MinCustomerPrice=Minimum selling price DynamicPriceConfiguration=Nastavenie dynamickej ceny DynamicPriceDesc=On product card, with this module enabled, you should be able to set mathematic functions to calculate Customer or Supplier prices. Such function can use all mathematic operators, some constants and variables. You can set here the variables you want to be able to use and if the variable need an automatic update, the external URL to use to ask Dolibarr to update automaticaly the value. AddVariable=Pridať premennú diff --git a/htdocs/langs/sk_SK/propal.lang b/htdocs/langs/sk_SK/propal.lang index 7c1e4f76cad01..d50ad95f8f694 100644 --- a/htdocs/langs/sk_SK/propal.lang +++ b/htdocs/langs/sk_SK/propal.lang @@ -75,6 +75,7 @@ AvailabilityTypeAV_1M=1 mesiac TypeContact_propal_internal_SALESREPFOLL=Zástupca nasledujúce vypracovaného návrhu TypeContact_propal_external_BILLING=Zákazník faktúra kontakt TypeContact_propal_external_CUSTOMER=Kontakt so zákazníkom nasledujúce vypracovaného návrhu +TypeContact_propal_external_SHIPPING=Customer contact for delivery # Document models DocModelAzurDescription=Kompletný návrh modelu (logo. ..) DefaultModelPropalCreate=Predvolené model, tvorba diff --git a/htdocs/langs/sk_SK/sendings.lang b/htdocs/langs/sk_SK/sendings.lang index 5049b18d23824..836fa812410d8 100644 --- a/htdocs/langs/sk_SK/sendings.lang +++ b/htdocs/langs/sk_SK/sendings.lang @@ -52,8 +52,8 @@ ActionsOnShipping=Udalosti na zásielky LinkToTrackYourPackage=Odkaz pre sledovanie balíkov ShipmentCreationIsDoneFromOrder=Pre túto chvíľu, je vytvorenie novej zásielky vykonať z objednávky karty. ShipmentLine=Zásielka linka -ProductQtyInCustomersOrdersRunning=Product quantity into open customers orders -ProductQtyInSuppliersOrdersRunning=Product quantity into open suppliers orders +ProductQtyInCustomersOrdersRunning=Product quantity into open customer orders +ProductQtyInSuppliersOrdersRunning=Product quantity into open purchase orders ProductQtyInShipmentAlreadySent=Product quantity from open customer order already sent ProductQtyInSuppliersShipmentAlreadyRecevied=Product quantity from open supplier order already received NoProductToShipFoundIntoStock=Produkt na odoslanie nenájdený v sklade %s. Upravte zásoby alebo chodte späť a vyberte iný sklad. diff --git a/htdocs/langs/sk_SK/stocks.lang b/htdocs/langs/sk_SK/stocks.lang index e17659246efd8..2b46212f02fc9 100644 --- a/htdocs/langs/sk_SK/stocks.lang +++ b/htdocs/langs/sk_SK/stocks.lang @@ -67,7 +67,7 @@ DeStockOnValidateOrder=Pokles reálnej zásoby na zákazníkov objednávky valid DeStockOnShipment=Znížiť skutočné zásoby po overení odoslania DeStockOnShipmentOnClosing=Znížiť skutočné zásoby pri označení zásielky ako uzatvorené ReStockOnBill=Zvýšenie reálnej zásoby na dodávateľa faktúr / dobropisov validácia -ReStockOnValidateOrder=Zvýšenie reálnej zásoby na dodávateľa objednávok kolaudáciu +ReStockOnValidateOrder=Increase real stocks on purchase orders approbation ReStockOnDispatchOrder=Increase real stocks on manual dispatching into warehouses, after supplier order receipt of goods OrderStatusNotReadyToDispatch=Rád má ešte nie je, alebo viac postavenie, ktoré umožňuje zasielanie výrobkov na sklade skladoch. StockDiffPhysicTeoric=Explanation for difference between physical and virtual stock @@ -203,4 +203,4 @@ RegulateStock=Regulate Stock ListInventory=Zoznam StockSupportServices=Stock management support services StockSupportServicesDesc=By default, you can stock only product with type "product". If on, and if module service is on, you can also stock a product with type "service" -ReceiveProducts=Receive products +ReceiveProducts=Receive items diff --git a/htdocs/langs/sk_SK/users.lang b/htdocs/langs/sk_SK/users.lang index 2118d8ddb1b1c..69eeb153b3dff 100644 --- a/htdocs/langs/sk_SK/users.lang +++ b/htdocs/langs/sk_SK/users.lang @@ -48,7 +48,7 @@ PasswordChangeRequest=Request to change password for %s PasswordChangeRequestSent=Žiadosť o zmenu hesla %s zaslaná %s. ConfirmPasswordReset=Confirm password reset MenuUsersAndGroups=Používatelia a skupiny -LastGroupsCreated=Najnovšie %s vytvorené skupiny +LastGroupsCreated=Latest %s groups created LastUsersCreated=Najnovšie %s vytvorený používatelia ShowGroup=Zobraziť skupinu ShowUser=Zobraziť užívateľa diff --git a/htdocs/langs/sl_SI/accountancy.lang b/htdocs/langs/sl_SI/accountancy.lang index 9cda4db2e002b..3d6338562a6b8 100644 --- a/htdocs/langs/sl_SI/accountancy.lang +++ b/htdocs/langs/sl_SI/accountancy.lang @@ -55,6 +55,7 @@ AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from m AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s AccountancyAreaDescVat=STEP %s: Define accounting accounts for each VAT Rates. For this, use the menu entry %s. +AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. AccountancyAreaDescExpenseReport=STEP %s: Define default accounting accounts for each type of expense report. For this, use the menu entry %s. AccountancyAreaDescSal=STEP %s: Define default accounting accounts for payment of salaries. For this, use the menu entry %s. AccountancyAreaDescContrib=STEP %s: Define default accounting accounts for special expences (miscellaneous taxes). For this, use the menu entry %s. @@ -131,6 +132,7 @@ ACCOUNTING_LENGTH_GACCOUNT=Length of the general accounting accounts (If you set 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 zero at the end of an accounting account. Needed by some countries (like switzerland). If keep to off (default), you can set the 2 following parameters to ask application to add virtual zero. BANK_DISABLE_DIRECT_INPUT=Disable direct recording of transaction in bank account +ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Enable draft export on journal ACCOUNTING_SELL_JOURNAL=Prodam revija ACCOUNTING_PURCHASE_JOURNAL=Nakup revij diff --git a/htdocs/langs/sl_SI/admin.lang b/htdocs/langs/sl_SI/admin.lang index 66801ac589ee0..76304e5c2c05a 100644 --- a/htdocs/langs/sl_SI/admin.lang +++ b/htdocs/langs/sl_SI/admin.lang @@ -454,7 +454,7 @@ ModuleCompanyCodeDigitaria=Accounting code depends on third party code. The code Use3StepsApproval=By default, Purchase Orders need to be created and approved by 2 different users (one step/user to create and one step/user to approve. Note that if user has both permission to create and approve, one step/user will be enough). You can ask with this option to introduce a third step/user approval, if amount is higher than a dedicated value (so 3 steps will be necessary: 1=validation, 2=first approval and 3=second approval if amount is enough).
Set this to empty if one approval (2 steps) is enough, set it to a very low value (0.1) if a second approval (3 steps) is always required. UseDoubleApproval=Use a 3 steps approval when amount (without tax) is higher than... WarningPHPMail=WARNING: It is often better to setup outgoing emails to use the email server of your provider instead of the default setup. Some email providers (like Yahoo) does not allow you to send an email from another server than their own server. Your current setup use 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 a server of them, so few of your sent Emails may not be accepted (be carefull also to your email provider sending quota).
If your Email provider (like Yahoo) has this restriction, you must change Email setup to choose the other method "SMTP server" and enter the SMTP server and credentials provided by your Email provider (ask your EMail provider to get SMTP credentials for your account). -WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of your ERP CRM application: %s. +WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of the mail user agent (MUA) for your ERP CRM application: %s. ClickToShowDescription=Click to show description DependsOn=This module need the module(s) RequiredBy=This module is required by module(s) @@ -497,7 +497,7 @@ Module25Desc=Upravljanje naročil kupcev Module30Name=Računi Module30Desc=Upravljanje računov in dobropisov za kupce. Upravljanje računov dobaviteljev Module40Name=Dobavitelji -Module40Desc=Upravljanje dobaviteljev in nabava (naročila in računi) +Module40Desc=Suppliers and purchase management (purchase orders and billing) Module42Name=Debug Logs Module42Desc=Logging facilities (file, syslog, ...). Such logs are for technical/debug purposes. Module49Name=Urejevalniki @@ -605,7 +605,7 @@ Module4000Desc=Human resources management (management of department, employee co Module5000Name=Skupine podjetij Module5000Desc=Omogoča upravljaje skupine podjetij Module6000Name=Potek dela -Module6000Desc=Upravljanje poteka dela +Module6000Desc=Workflow management (automatic creation of object and/or automatic status change) Module10000Name=Websites Module10000Desc=Create public websites with a WYSIWG editor. Just setup your web server (Apache, Nginx, ...) to point to the dedicated Dolibarr directory to have it online on the Internet with your own domain name. Module20000Name=Upravljanje zahtevkov za dopust @@ -891,7 +891,7 @@ DictionaryCivility=Personal and professional titles DictionaryActions=Types of agenda events DictionarySocialContributions=Vrste socialnih ali fiskalnih davkov DictionaryVAT=Stopnje DDV ali davkov -DictionaryRevenueStamp=Znesek kolekov +DictionaryRevenueStamp=Amount of tax stamps DictionaryPaymentConditions=Pogoji plačil DictionaryPaymentModes=Načini plačil DictionaryTypeContact=Tipi kontaktov/naslovov @@ -919,7 +919,7 @@ SetupSaved=Nastavitve shranjene SetupNotSaved=Setup not saved BackToModuleList=Nazaj na seznam modulov BackToDictionaryList=Nazaj na seznam slovarjev -TypeOfRevenueStamp=Type of revenue stamp +TypeOfRevenueStamp=Type of tax stamp VATManagement=Upravljanje DDV VATIsUsedDesc=By default when creating prospects, invoices, orders etc the VAT rate follows the active standard rule:
If the seller is not subjected to VAT, then VAT defaults to 0. End of rule.
If the (selling country= buying country), then the VAT by default equals the VAT of the product in the selling country. End of rule.
If seller and buyer are both in the European Community and goods are transport products (car, ship, plane), the default VAT is 0 ( The VAT should be paid by the buyer to the customoffice of his country and not to the seller). End of rule.
If seller and buyer are both in the European Community and the buyer is not a company, then the VAT by defaults to the VAT of the product sold. End of rule.
If seller and buyer are both in the European Community and the buyer is a company, then the VAT is 0 by default . End of rule.
In any othe case the proposed default is VAT=0. End of rule. VATIsNotUsedDesc=Privzeta predlagana stopnja DDV je 0, kar se lahko uporabi za primere kot so združenja, posamezniki ali majhna podjetja. @@ -1027,7 +1027,7 @@ Delays_MAIN_DELAY_ACTIONS_TODO=Delay tolerance (in days) before alert on planned Delays_MAIN_DELAY_PROJECT_TO_CLOSE=Delay tolerance (in days) before alert on project not closed in time Delays_MAIN_DELAY_TASKS_TODO=Delay tolerance (in days) before alert on planned tasks (project tasks) not completed yet Delays_MAIN_DELAY_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on orders not processed yet -Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on suppliers orders not processed yet +Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on purchase orders not processed yet Delays_MAIN_DELAY_PROPALS_TO_CLOSE=Toleranca zakasnitve (v dnevih) pred opozorilom na ponudbe, ki jih je treba zaključiti Delays_MAIN_DELAY_PROPALS_TO_BILL=Toleranca zakasnitve (v dnevih) pred opozorilom na nefakturirane ponudbe Delays_MAIN_DELAY_NOT_ACTIVATED_SERVICES=Toleranca zakasnitve (v dnevih) pred opozorilom na storitve, ki jih je potrebno aktivirati @@ -1458,7 +1458,7 @@ SyslogFilename=Ime datoteke in pot YouCanUseDOL_DATA_ROOT=Za log datoteko v Dolibarr dokumentni mapi lahko uporabite DOL_DATA_ROOT/dolibarr.log. Za shranjevanje te datoteke lahko nastavite tudi drugačno pot. ErrorUnknownSyslogConstant=Konstanta %s ni znana syslog konstanta OnlyWindowsLOG_USER=Windowsi podpirajo samo LOG_USER -CompressSyslogs=Syslog files compression and backup +CompressSyslogs=Compression and backup of debug log files (generated by module Log for debug) SyslogFileNumberOfSaves=Log backups ConfigureCleaningCronjobToSetFrequencyOfSaves=Configure cleaning scheduled job to set log backup frequency ##### Donations ##### diff --git a/htdocs/langs/sl_SI/banks.lang b/htdocs/langs/sl_SI/banks.lang index 4854dff6e9c97..be0ea397dfe3c 100644 --- a/htdocs/langs/sl_SI/banks.lang +++ b/htdocs/langs/sl_SI/banks.lang @@ -1,12 +1,13 @@ # Dolibarr language file - Source file is en_US - banks Bank=Banka -MenuBankCash=Banka/gotovina +MenuBankCash=Bank | Cash MenuVariousPayment=Miscellaneous payments MenuNewVariousPayment=New Miscellaneous payment BankName=Ime banke FinancialAccount=Račun BankAccount=Bančni račun BankAccounts=Bančni računi +BankAccountsAndGateways=Bank accounts | Gateways ShowAccount=Prikaži račun AccountRef=Referenca finančnega računa AccountLabel=Naziv finančnega računa @@ -131,7 +132,7 @@ PaymentDateUpdateSucceeded=Payment date updated successfully PaymentDateUpdateFailed=Datuma plačila ni mogoče posodobiti Transactions=Transakcije BankTransactionLine=Bank entry -AllAccounts=Vsi bančno/gotovinski računi +AllAccounts=All bank and cash accounts BackToAccount=Nazaj na račun ShowAllAccounts=Prikaži vse račune FutureTransaction=Bodoča transakcija. Ni možna uskladitev. @@ -159,5 +160,6 @@ VariousPayment=Miscellaneous payments VariousPayments=Miscellaneous payments ShowVariousPayment=Show miscellaneous payments AddVariousPayment=Add miscellaneous payments +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. Thanks to return it signed (scan of the signed document) or sent it by mail to diff --git a/htdocs/langs/sl_SI/bills.lang b/htdocs/langs/sl_SI/bills.lang index fe9fa161078af..afdd38ab5c86b 100644 --- a/htdocs/langs/sl_SI/bills.lang +++ b/htdocs/langs/sl_SI/bills.lang @@ -110,8 +110,8 @@ SendRemindByMail=Pošlji opomin po E-Mailu DoPayment=Enter payment DoPaymentBack=Enter refund ConvertToReduc=Mark as credit available -ConvertExcessReceivedToReduc=Convert excess received into future discount -ConvertExcessPaidToReduc=Convert excess paid into future discount +ConvertExcessReceivedToReduc=Convert excess received into available credit +ConvertExcessPaidToReduc=Convert excess paid into available discount EnterPaymentReceivedFromCustomer=Vnesi prejeto plačilo od kupca EnterPaymentDueToCustomer=Vnesi rok plačila za kupca DisabledBecauseRemainderToPayIsZero=Onemogočeno, ker je neplačan opomin enako nič @@ -282,6 +282,7 @@ RelativeDiscount=Relativni popust GlobalDiscount=Globalni popust CreditNote=Dobropis CreditNotes=Dobropisi +CreditNotesOrExcessReceived=Credit notes or excess received Deposit=Down payment Deposits=Down payments DiscountFromCreditNote=Popust z dobropisa %s @@ -393,6 +394,7 @@ PaymentConditionShort14DENDMONTH=14 days of month-end PaymentCondition14DENDMONTH=Within 14 days following the end of the month FixAmount=Fiksni znesek VarAmount=Variabilni znesek (%% tot.) +VarAmountOneLine=Variable amount (%% tot.) - 1 line with label '%s' # PaymentType PaymentTypeVIR=Bančni transfer PaymentTypeShortVIR=Bančni transfer diff --git a/htdocs/langs/sl_SI/compta.lang b/htdocs/langs/sl_SI/compta.lang index 6c0e40be7389d..e481a110f6913 100644 --- a/htdocs/langs/sl_SI/compta.lang +++ b/htdocs/langs/sl_SI/compta.lang @@ -19,7 +19,8 @@ Income=Prejemek Outcome=Izdatek MenuReportInOut=Prejemek / Izdatek ReportInOut=Balance of income and expenses -ReportTurnover=Letni promet +ReportTurnover=Turnover invoiced +ReportTurnoverCollected=Turnover collected PaymentsNotLinkedToInvoice=Plačila niso vezana na noben račun, niti na partnerja PaymentsNotLinkedToUser=Plačila niso vezana na nobenega uporabnika Profit=Dobiček @@ -77,7 +78,7 @@ MenuNewSocialContribution=New social/fiscal tax NewSocialContribution=New social/fiscal tax AddSocialContribution=Add social/fiscal tax ContributionsToPay=Social/fiscal taxes to pay -AccountancyTreasuryArea=Področje računovodstva/blagajne +AccountancyTreasuryArea=Billing and payment area NewPayment=Novo plačilo Payments=Plačila PaymentCustomerInvoice=Plačilo računa kupca @@ -105,6 +106,7 @@ VATPayment=Sales tax payment VATPayments=Sales tax payments VATRefund=Sales tax refund NewVATPayment=New sales tax payment +NewLocalTaxPayment=New tax %s payment Refund=Refund SocialContributionsPayments=Social/fiscal taxes payments ShowVatPayment=Prikaži plačilo DDV @@ -116,8 +118,9 @@ CustomerAccountancyCodeShort=Cust. account. code SupplierAccountancyCodeShort=Sup. account. code AccountNumber=Številka konta NewAccountingAccount=Nov konto -SalesTurnover=Promet prodaje -SalesTurnoverMinimum=Minimalni prihodek od prodaje +Turnover=Turnover invoiced +TurnoverCollected=Turnover collected +SalesTurnoverMinimum=Minimum turnover ByExpenseIncome=By expenses & incomes ByThirdParties=Po partnerjih ByUserAuthorOfInvoice=Po avtorjih računov @@ -137,8 +140,8 @@ 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=Mode %sClaims-Debts%s said Commitment accounting. -CalcModeEngagement=Mode %sIncomes-Expenses%s said cash accounting +CalcModeDebt=Analysis of known recorded invoices 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 CalcModeLT1Debt=Mode %sRE on customer invoices%s @@ -151,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=Glejte poročilo %sIncomes-Expenses%s z nazivom cash accounting za kalkulacijo na osnovi aktualnih izvršenih plačil -SeeReportInDueDebtMode=Glejte poročilo %sClaims-Debts%s z nazivom commitment accounting za kalkulacijo na osnovi izdanih računov -SeeReportInBookkeepingMode=See report %sBookeeping%s for a calculation on bookkeeping table analysis +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 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 validation date of invoices and VAT and on the due date for expenses. 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. @@ -218,8 +221,8 @@ Mode1=Metoda 1 Mode2=Metoda 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 supplier, choose appropriate method to apply same calculation rule and get same result expected by your supplier. -TurnoverPerProductInCommitmentAccountingNotRelevant=The Turnover report per product, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). -TurnoverPerSaleTaxRateInCommitmentAccountingNotRelevant=The Turnover report per sale tax rate, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). +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. CalculationMode=Način kalkulacije AccountancyJournal=Accounting code journal ACCOUNTING_VAT_SOLD_ACCOUNT=Accounting account by default for VAT on sales (used if not defined on VAT dictionary setup) @@ -251,5 +254,6 @@ VATDue=Sale tax claimed ClaimedForThisPeriod=Claimed for the period PaidDuringThisPeriod=Paid during this period ByVatRate=By sale tax rate -TurnoverbyVatrate=Turnover by sale tax rate +TurnoverbyVatrate=Turnover invoiced by sale tax rate +TurnoverCollectedbyVatrate=Turnover collected by sale tax rate PurchasebyVatrate=Purchase by sale tax rate diff --git a/htdocs/langs/sl_SI/install.lang b/htdocs/langs/sl_SI/install.lang index dc31f6a1b3240..b56ccd7635951 100644 --- a/htdocs/langs/sl_SI/install.lang +++ b/htdocs/langs/sl_SI/install.lang @@ -204,3 +204,7 @@ MigrationResetBlockedLog=Reset module BlockedLog for v7 algorithm ShowNotAvailableOptions=Prikaži opcije, ki niso na voljo HideNotAvailableOptions=Skrij opcije, ki niso na voljo ErrorFoundDuringMigration=Error were reported during migration process so next step is not available. To ignore errors, you can click here, but application or some features may not work correctly until fixed. +YouTryInstallDisabledByDirLock=The application try to sefl upgrade, but install/upgrade pages have been disabled for security reason (directory renamed with .lock suffix).
+YouTryInstallDisabledByFileLock=The application try to sefl upgrade, but install/upgrade pages pages have been disabled for security reason (by lock file install.lock into dolibarr documents directory).
+ClickHereToGoToApp=Click here to go to your application +ClickOnLinkOrRemoveManualy=Click on following link and if you always reach this page, you must remove the file install.lock into documents directory manually diff --git a/htdocs/langs/sl_SI/main.lang b/htdocs/langs/sl_SI/main.lang index f55ec1cfed23e..2096075a64efb 100644 --- a/htdocs/langs/sl_SI/main.lang +++ b/htdocs/langs/sl_SI/main.lang @@ -507,6 +507,7 @@ NoneF=Nič NoneOrSeveral=None or several Late=Prekoračeno LateDesc=Delay to define if a record is late or not depends on your setup. Ask your admin to change delay from menu Home - Setup - Alerts. +NoItemLate=No late item Photo=Slika Photos=Slike AddPhoto=Dodaj sliko @@ -945,3 +946,5 @@ KeyboardShortcut=Keyboard shortcut AssignedTo=Se nanaša na Deletedraft=Delete draft ConfirmMassDraftDeletion=Draft Bulk delete confirmation +FileSharedViaALink=File shared via a link + diff --git a/htdocs/langs/sl_SI/modulebuilder.lang b/htdocs/langs/sl_SI/modulebuilder.lang index a3fee23cb53b5..9d6661eda41d6 100644 --- a/htdocs/langs/sl_SI/modulebuilder.lang +++ b/htdocs/langs/sl_SI/modulebuilder.lang @@ -74,6 +74,7 @@ NoWidget=No widget GoToApiExplorer=Go to API explorer ListOfMenusEntries=List of menu entries ListOfPermissionsDefined=List of defined permissions +SeeExamples=See examples here EnabledDesc=Condition to have this field active (Examples: 1 or $conf->global->MYMODULE_MYOPTION) VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only. Using a negative value means field is not shown by default on list but can be selected for viewing) IsAMeasureDesc=Can the value of field be cumulated to get a total into list ? (Examples: 1 or 0) @@ -95,3 +96,6 @@ DropTableIfEmpty=(Delete table if empty) TableDoesNotExists=The table %s does not exists TableDropped=Table %s deleted InitStructureFromExistingTable=Build the structure array string of an existing table +UseAboutPage=Disallow the about page +UseDocFolder=Disallow the documentation folder +UseSpecificReadme=Use a specific ReadMe diff --git a/htdocs/langs/sl_SI/other.lang b/htdocs/langs/sl_SI/other.lang index dfa7c127dbf19..10def3b52edb2 100644 --- a/htdocs/langs/sl_SI/other.lang +++ b/htdocs/langs/sl_SI/other.lang @@ -80,8 +80,8 @@ LinkedObject=Povezani objekti NbOfActiveNotifications=Število obvestil (število emailov prejemnika) PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe two lines are separated by a carriage return.\n\n__USER_SIGNATURE__ PredefinedMailTestHtml=__(Hello)__\nThis is a test mail (the word test must be in bold).
The two lines are separated by a carriage return.

__USER_SIGNATURE__ -PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\nThis is the link to make your online payment if this invoice is not already payed:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\nThis is the link to make your online payment:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendProposal=__(Hello)__\n\nYou will find here the commercial proposal __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendSupplierProposal=__(Hello)__\n\nYou will find here the price request __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendOrder=__(Hello)__\n\nYou will find here the order __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ @@ -91,6 +91,7 @@ PredefinedMailContentSendShipping=__(Hello)__\n\nYou will find here the shipping PredefinedMailContentSendFichInter=__(Hello)__\n\nYou will find here the intervention __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentThirdparty=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentUser=__(Hello)__\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 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) @@ -218,7 +219,7 @@ FileIsTooBig=Datoteke so prevelike PleaseBePatient=Prosim, bodite potrpežljivi... NewPassword=New password ResetPassword=Reset password -RequestToResetPasswordReceived=A request to change your password has been received +RequestToResetPasswordReceived=A request to change your password has been received. NewKeyIs=To so vaši novi podatki za prijavo NewKeyWillBe=Vaši novi podatki za prijavo v program bodo ClickHereToGoTo=K.iknite tukaj za vstop v %s diff --git a/htdocs/langs/sl_SI/paypal.lang b/htdocs/langs/sl_SI/paypal.lang index 752fc6b82ec67..12f98ad9728a7 100644 --- a/htdocs/langs/sl_SI/paypal.lang +++ b/htdocs/langs/sl_SI/paypal.lang @@ -14,7 +14,6 @@ PaypalModeOnlyPaypal=Samo PayPal ONLINE_PAYMENT_CSS_URL=Optionnal URL of CSS style sheet on online payment page ThisIsTransactionId=To je ID transakcije: %s PAYPAL_ADD_PAYMENT_URL=Pri pošiljanju dokumenta po pošti dodaj url Paypal plačila -PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.

%s

YouAreCurrentlyInSandboxMode=You are currently in the %s "sandbox" mode NewOnlinePaymentReceived=New online payment received NewOnlinePaymentFailed=New online payment tried but failed diff --git a/htdocs/langs/sl_SI/products.lang b/htdocs/langs/sl_SI/products.lang index 6a985f7c75fed..ff571e1837cfc 100644 --- a/htdocs/langs/sl_SI/products.lang +++ b/htdocs/langs/sl_SI/products.lang @@ -251,8 +251,8 @@ PriceNumeric=Številka DefaultPrice=Privzeta cena ComposedProductIncDecStock=Povečanje/znmanjšanje zaloge pri spremembi nadrejenega ComposedProduct=Pod-proizvod -MinSupplierPrice=Najnižja cena dobavitelja -MinCustomerPrice=Minimum customer price +MinSupplierPrice=Najnižjo odkupno ceno +MinCustomerPrice=Minimum selling price DynamicPriceConfiguration=Dimnamična konfiguracija cene DynamicPriceDesc=On product card, with this module enabled, you should be able to set mathematic functions to calculate Customer or Supplier prices. Such function can use all mathematic operators, some constants and variables. You can set here the variables you want to be able to use and if the variable need an automatic update, the external URL to use to ask Dolibarr to update automaticaly the value. AddVariable=Add Variable diff --git a/htdocs/langs/sl_SI/propal.lang b/htdocs/langs/sl_SI/propal.lang index 9ae329299b760..af4b092527723 100644 --- a/htdocs/langs/sl_SI/propal.lang +++ b/htdocs/langs/sl_SI/propal.lang @@ -75,6 +75,7 @@ AvailabilityTypeAV_1M=1 mesec TypeContact_propal_internal_SALESREPFOLL=Predstavnik za sledenje ponudbe TypeContact_propal_external_BILLING=Kontakt za račun pri kupcu TypeContact_propal_external_CUSTOMER=Kontakt pri kupcu za sledenje ponudbe +TypeContact_propal_external_SHIPPING=Customer contact for delivery # Document models DocModelAzurDescription=Vzorec kompletne ponudbe (logo...) DefaultModelPropalCreate=Ustvarjanje privzetega modela diff --git a/htdocs/langs/sl_SI/sendings.lang b/htdocs/langs/sl_SI/sendings.lang index d1e992394a672..b673c0a496417 100644 --- a/htdocs/langs/sl_SI/sendings.lang +++ b/htdocs/langs/sl_SI/sendings.lang @@ -52,8 +52,8 @@ ActionsOnShipping=Aktivnosti v zvezi z odpremnico LinkToTrackYourPackage=Povezave za sledenje vaše pošiljke ShipmentCreationIsDoneFromOrder=Za trenutek je oblikovanje nove pošiljke opravi od naročila kartice. ShipmentLine=Vrstica na odpremnici -ProductQtyInCustomersOrdersRunning=Product quantity into open customers orders -ProductQtyInSuppliersOrdersRunning=Product quantity into open suppliers orders +ProductQtyInCustomersOrdersRunning=Product quantity into open customer orders +ProductQtyInSuppliersOrdersRunning=Product quantity into open purchase orders ProductQtyInShipmentAlreadySent=Product quantity from open customer order already sent ProductQtyInSuppliersShipmentAlreadyRecevied=Product quantity from open supplier order already received NoProductToShipFoundIntoStock=No product to ship found into warehouse %s. Correct stock or go back to choose another warehouse. diff --git a/htdocs/langs/sl_SI/stocks.lang b/htdocs/langs/sl_SI/stocks.lang index 03955edcd25b0..4af9e362e0219 100644 --- a/htdocs/langs/sl_SI/stocks.lang +++ b/htdocs/langs/sl_SI/stocks.lang @@ -67,7 +67,7 @@ DeStockOnValidateOrder=Zmanjšanje dejanske zaloge po potrditvi naročila (pozor DeStockOnShipment=Zmanjšanje dejanske zaloge po potrditvi odpreme DeStockOnShipmentOnClosing=Decrease real stocks on shipping classification closed ReStockOnBill=Povečanje dejanske zaloge po potrditvi fakture/dobropisa (pozor, v tej verziji se zaloga spremeni samo v skladišču številka 1) -ReStockOnValidateOrder=Povečanje dejanske zaloge po potrditvi naročila (pozor, v tej verziji se zaloga spremeni samo v skladišču številka 1) +ReStockOnValidateOrder=Increase real stocks on purchase orders approbation ReStockOnDispatchOrder=Increase real stocks on manual dispatching into warehouses, after supplier order receipt of goods OrderStatusNotReadyToDispatch=Naročilo še nima ali nima več statusa, ki omogoča odpremo proizvoda iz skladišča. StockDiffPhysicTeoric=Explanation for difference between physical and virtual stock @@ -203,4 +203,4 @@ RegulateStock=Regulate Stock ListInventory=Seznam StockSupportServices=Stock management support services StockSupportServicesDesc=By default, you can stock only product with type "product". If on, and if module service is on, you can also stock a product with type "service" -ReceiveProducts=Receive products +ReceiveProducts=Receive items diff --git a/htdocs/langs/sl_SI/users.lang b/htdocs/langs/sl_SI/users.lang index 267c9ecd884ce..03f72a65a61b2 100644 --- a/htdocs/langs/sl_SI/users.lang +++ b/htdocs/langs/sl_SI/users.lang @@ -48,7 +48,7 @@ PasswordChangeRequest=Request to change password for %s PasswordChangeRequestSent=Zahtevek za spremembo gesla %s poslan %s. ConfirmPasswordReset=Confirm password reset MenuUsersAndGroups=Uporabniki & Skupine -LastGroupsCreated=Latest %s created groups +LastGroupsCreated=Latest %s groups created LastUsersCreated=Latest %s users created ShowGroup=Prikaži skupino ShowUser=Prikaži uporabnika diff --git a/htdocs/langs/sq_AL/accountancy.lang b/htdocs/langs/sq_AL/accountancy.lang index ebf2334a2e4f6..d0f3990f98473 100644 --- a/htdocs/langs/sq_AL/accountancy.lang +++ b/htdocs/langs/sq_AL/accountancy.lang @@ -55,6 +55,7 @@ AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from m AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s AccountancyAreaDescVat=STEP %s: Define accounting accounts for each VAT Rates. For this, use the menu entry %s. +AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. AccountancyAreaDescExpenseReport=STEP %s: Define default accounting accounts for each type of expense report. For this, use the menu entry %s. AccountancyAreaDescSal=STEP %s: Define default accounting accounts for payment of salaries. For this, use the menu entry %s. AccountancyAreaDescContrib=STEP %s: Define default accounting accounts for special expences (miscellaneous taxes). For this, use the menu entry %s. @@ -131,6 +132,7 @@ ACCOUNTING_LENGTH_GACCOUNT=Length of the general accounting accounts (If you set 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 zero at the end of an accounting account. Needed by some countries (like switzerland). If keep to off (default), you can set the 2 following parameters to ask application to add virtual zero. BANK_DISABLE_DIRECT_INPUT=Disable direct recording of transaction in bank account +ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Enable draft export on journal ACCOUNTING_SELL_JOURNAL=Sell journal ACCOUNTING_PURCHASE_JOURNAL=Purchase journal diff --git a/htdocs/langs/sq_AL/admin.lang b/htdocs/langs/sq_AL/admin.lang index ca325184a2e45..8ab02d9028dfc 100644 --- a/htdocs/langs/sq_AL/admin.lang +++ b/htdocs/langs/sq_AL/admin.lang @@ -454,7 +454,7 @@ ModuleCompanyCodeDigitaria=Accounting code depends on third party code. The code Use3StepsApproval=By default, Purchase Orders need to be created and approved by 2 different users (one step/user to create and one step/user to approve. Note that if user has both permission to create and approve, one step/user will be enough). You can ask with this option to introduce a third step/user approval, if amount is higher than a dedicated value (so 3 steps will be necessary: 1=validation, 2=first approval and 3=second approval if amount is enough).
Set this to empty if one approval (2 steps) is enough, set it to a very low value (0.1) if a second approval (3 steps) is always required. UseDoubleApproval=Use a 3 steps approval when amount (without tax) is higher than... WarningPHPMail=WARNING: It is often better to setup outgoing emails to use the email server of your provider instead of the default setup. Some email providers (like Yahoo) does not allow you to send an email from another server than their own server. Your current setup use 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 a server of them, so few of your sent Emails may not be accepted (be carefull also to your email provider sending quota).
If your Email provider (like Yahoo) has this restriction, you must change Email setup to choose the other method "SMTP server" and enter the SMTP server and credentials provided by your Email provider (ask your EMail provider to get SMTP credentials for your account). -WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of your ERP CRM application: %s. +WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of the mail user agent (MUA) for your ERP CRM application: %s. ClickToShowDescription=Click to show description DependsOn=This module need the module(s) RequiredBy=This module is required by module(s) @@ -497,7 +497,7 @@ Module25Desc=Customer order management Module30Name=Faturat Module30Desc=Invoice and credit note management for customers. Invoice management for suppliers Module40Name=Furnitorët -Module40Desc=Supplier management and buying (orders and invoices) +Module40Desc=Suppliers and purchase management (purchase orders and billing) Module42Name=Debug Logs Module42Desc=Logging facilities (file, syslog, ...). Such logs are for technical/debug purposes. Module49Name=Editors @@ -605,7 +605,7 @@ Module4000Desc=Human resources management (management of department, employee co Module5000Name=Multi-company Module5000Desc=Allows you to manage multiple companies Module6000Name=Workflow -Module6000Desc=Workflow management +Module6000Desc=Workflow management (automatic creation of object and/or automatic status change) Module10000Name=Websites Module10000Desc=Create public websites with a WYSIWG editor. Just setup your web server (Apache, Nginx, ...) to point to the dedicated Dolibarr directory to have it online on the Internet with your own domain name. Module20000Name=Leave Requests management @@ -891,7 +891,7 @@ DictionaryCivility=Personal and professional titles DictionaryActions=Types of agenda events DictionarySocialContributions=Social or fiscal taxes types DictionaryVAT=VAT Rates or Sales Tax Rates -DictionaryRevenueStamp=Amount of revenue stamps +DictionaryRevenueStamp=Amount of tax stamps DictionaryPaymentConditions=Payment terms DictionaryPaymentModes=Payment modes DictionaryTypeContact=Contact/Address types @@ -919,7 +919,7 @@ SetupSaved=Setup saved SetupNotSaved=Setup not saved BackToModuleList=Back to modules list BackToDictionaryList=Back to dictionaries list -TypeOfRevenueStamp=Type of revenue stamp +TypeOfRevenueStamp=Type of tax stamp VATManagement=VAT Management VATIsUsedDesc=By default when creating prospects, invoices, orders etc the VAT rate follows the active standard rule:
If the seller is not subjected to VAT, then VAT defaults to 0. End of rule.
If the (selling country= buying country), then the VAT by default equals the VAT of the product in the selling country. End of rule.
If seller and buyer are both in the European Community and goods are transport products (car, ship, plane), the default VAT is 0 ( The VAT should be paid by the buyer to the customoffice of his country and not to the seller). End of rule.
If seller and buyer are both in the European Community and the buyer is not a company, then the VAT by defaults to the VAT of the product sold. End of rule.
If seller and buyer are both in the European Community and the buyer is a company, then the VAT is 0 by default . End of rule.
In any othe case the proposed default is VAT=0. End of rule. VATIsNotUsedDesc=By default the proposed VAT is 0 which can be used for cases like associations, individuals ou small companies. @@ -1027,7 +1027,7 @@ Delays_MAIN_DELAY_ACTIONS_TODO=Delay tolerance (in days) before alert on planned Delays_MAIN_DELAY_PROJECT_TO_CLOSE=Delay tolerance (in days) before alert on project not closed in time Delays_MAIN_DELAY_TASKS_TODO=Delay tolerance (in days) before alert on planned tasks (project tasks) not completed yet Delays_MAIN_DELAY_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on orders not processed yet -Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on suppliers orders not processed yet +Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on purchase orders not processed yet Delays_MAIN_DELAY_PROPALS_TO_CLOSE=Delay tolerance (in days) before alert on proposals to close Delays_MAIN_DELAY_PROPALS_TO_BILL=Delay tolerance (in days) before alert on proposals not billed Delays_MAIN_DELAY_NOT_ACTIVATED_SERVICES=Tolerance delay (in days) before alert on services to activate @@ -1458,7 +1458,7 @@ SyslogFilename=File name and path YouCanUseDOL_DATA_ROOT=You can use DOL_DATA_ROOT/dolibarr.log for a log file in Dolibarr "documents" directory. You can set a different path to store this file. ErrorUnknownSyslogConstant=Constant %s is not a known Syslog constant OnlyWindowsLOG_USER=Windows only supports LOG_USER -CompressSyslogs=Syslog files compression and backup +CompressSyslogs=Compression and backup of debug log files (generated by module Log for debug) SyslogFileNumberOfSaves=Log backups ConfigureCleaningCronjobToSetFrequencyOfSaves=Configure cleaning scheduled job to set log backup frequency ##### Donations ##### diff --git a/htdocs/langs/sq_AL/banks.lang b/htdocs/langs/sq_AL/banks.lang index 2bd7c4818850c..db32ee99d62f7 100644 --- a/htdocs/langs/sq_AL/banks.lang +++ b/htdocs/langs/sq_AL/banks.lang @@ -1,12 +1,13 @@ # Dolibarr language file - Source file is en_US - banks Bank=Bank -MenuBankCash=Bank/Cash +MenuBankCash=Bank | Cash MenuVariousPayment=Miscellaneous payments MenuNewVariousPayment=New Miscellaneous payment BankName=Emri i Bankës FinancialAccount=Llogari BankAccount=Llogari bankare BankAccounts=Bank accounts +BankAccountsAndGateways=Bank accounts | Gateways ShowAccount=Show Account AccountRef=Financial account ref AccountLabel=Financial account label @@ -131,7 +132,7 @@ PaymentDateUpdateSucceeded=Payment date updated successfully PaymentDateUpdateFailed=Payment date could not be updated Transactions=Transactions BankTransactionLine=Bank entry -AllAccounts=All bank/cash accounts +AllAccounts=All bank and cash accounts BackToAccount=Back to account ShowAllAccounts=Show for all accounts FutureTransaction=Transaction in futur. No way to conciliate. @@ -159,5 +160,6 @@ VariousPayment=Miscellaneous payments VariousPayments=Miscellaneous payments ShowVariousPayment=Show miscellaneous payments AddVariousPayment=Add miscellaneous payments +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. Thanks to return it signed (scan of the signed document) or sent it by mail to diff --git a/htdocs/langs/sq_AL/bills.lang b/htdocs/langs/sq_AL/bills.lang index 0d647d39eb5b6..01ca00033734b 100644 --- a/htdocs/langs/sq_AL/bills.lang +++ b/htdocs/langs/sq_AL/bills.lang @@ -110,8 +110,8 @@ SendRemindByMail=Send reminder by EMail DoPayment=Enter payment DoPaymentBack=Enter refund ConvertToReduc=Mark as credit available -ConvertExcessReceivedToReduc=Convert excess received into future discount -ConvertExcessPaidToReduc=Convert excess paid into future discount +ConvertExcessReceivedToReduc=Convert excess received into available credit +ConvertExcessPaidToReduc=Convert excess paid into available discount EnterPaymentReceivedFromCustomer=Enter payment received from customer EnterPaymentDueToCustomer=Make payment due to customer DisabledBecauseRemainderToPayIsZero=Disabled because remaining unpaid is zero @@ -282,6 +282,7 @@ RelativeDiscount=Relative discount GlobalDiscount=Global discount CreditNote=Credit note CreditNotes=Credit notes +CreditNotesOrExcessReceived=Credit notes or excess received Deposit=Down payment Deposits=Down payments DiscountFromCreditNote=Discount from credit note %s @@ -393,6 +394,7 @@ PaymentConditionShort14DENDMONTH=14 days of month-end PaymentCondition14DENDMONTH=Within 14 days following the end of the month FixAmount=Fix amount VarAmount=Variable amount (%% tot.) +VarAmountOneLine=Variable amount (%% tot.) - 1 line with label '%s' # PaymentType PaymentTypeVIR=Bank transfer PaymentTypeShortVIR=Bank transfer diff --git a/htdocs/langs/sq_AL/compta.lang b/htdocs/langs/sq_AL/compta.lang index d3f01d1b91a6f..9bb45591de753 100644 --- a/htdocs/langs/sq_AL/compta.lang +++ b/htdocs/langs/sq_AL/compta.lang @@ -19,7 +19,8 @@ Income=Income Outcome=Expense MenuReportInOut=Income / Expense ReportInOut=Balance of income and expenses -ReportTurnover=Turnover +ReportTurnover=Turnover invoiced +ReportTurnoverCollected=Turnover collected PaymentsNotLinkedToInvoice=Payments not linked to any invoice, so not linked to any third party PaymentsNotLinkedToUser=Payments not linked to any user Profit=Profit @@ -77,7 +78,7 @@ MenuNewSocialContribution=New social/fiscal tax NewSocialContribution=New social/fiscal tax AddSocialContribution=Add social/fiscal tax ContributionsToPay=Social/fiscal taxes to pay -AccountancyTreasuryArea=Accountancy/Treasury area +AccountancyTreasuryArea=Billing and payment area NewPayment=New payment Payments=Payments PaymentCustomerInvoice=Customer invoice payment @@ -105,6 +106,7 @@ VATPayment=Sales tax payment VATPayments=Sales tax payments VATRefund=Sales tax refund NewVATPayment=New sales tax payment +NewLocalTaxPayment=New tax %s payment Refund=Refund SocialContributionsPayments=Social/fiscal taxes payments ShowVatPayment=Show VAT payment @@ -116,8 +118,9 @@ CustomerAccountancyCodeShort=Cust. account. code SupplierAccountancyCodeShort=Sup. account. code AccountNumber=Account number NewAccountingAccount=New account -SalesTurnover=Sales turnover -SalesTurnoverMinimum=Minimum sales turnover +Turnover=Turnover invoiced +TurnoverCollected=Turnover collected +SalesTurnoverMinimum=Minimum turnover ByExpenseIncome=By expenses & incomes ByThirdParties=By third parties ByUserAuthorOfInvoice=By invoice author @@ -137,8 +140,8 @@ 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=Mode %sClaims-Debts%s said Commitment accounting. -CalcModeEngagement=Mode %sIncomes-Expenses%s said cash accounting +CalcModeDebt=Analysis of known recorded invoices 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 CalcModeLT1Debt=Mode %sRE on customer invoices%s @@ -151,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 report %sIncomes-Expenses%s said cash accounting for a calculation on actual payments made -SeeReportInDueDebtMode=See report %sClaims-Debts%s said commitment accounting for a calculation on issued invoices -SeeReportInBookkeepingMode=See report %sBookeeping%s for a calculation on bookkeeping table analysis +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 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 validation date of invoices and VAT and on the due date for expenses. 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. @@ -218,8 +221,8 @@ 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 supplier, choose appropriate method to apply same calculation rule and get same result expected by your supplier. -TurnoverPerProductInCommitmentAccountingNotRelevant=The Turnover report per product, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). -TurnoverPerSaleTaxRateInCommitmentAccountingNotRelevant=The Turnover report per sale tax rate, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). +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. CalculationMode=Calculation mode AccountancyJournal=Accounting code journal ACCOUNTING_VAT_SOLD_ACCOUNT=Accounting account by default for VAT on sales (used if not defined on VAT dictionary setup) @@ -251,5 +254,6 @@ VATDue=Sale tax claimed ClaimedForThisPeriod=Claimed for the period PaidDuringThisPeriod=Paid during this period ByVatRate=By sale tax rate -TurnoverbyVatrate=Turnover by sale tax rate +TurnoverbyVatrate=Turnover invoiced by sale tax rate +TurnoverCollectedbyVatrate=Turnover collected by sale tax rate PurchasebyVatrate=Purchase by sale tax rate diff --git a/htdocs/langs/sq_AL/install.lang b/htdocs/langs/sq_AL/install.lang index f48dabb7e9fbe..51a88b09e7c08 100644 --- a/htdocs/langs/sq_AL/install.lang +++ b/htdocs/langs/sq_AL/install.lang @@ -204,3 +204,7 @@ MigrationResetBlockedLog=Reset module BlockedLog for v7 algorithm ShowNotAvailableOptions=Show not available options HideNotAvailableOptions=Hide not available options ErrorFoundDuringMigration=Error were reported during migration process so next step is not available. To ignore errors, you can click here, but application or some features may not work correctly until fixed. +YouTryInstallDisabledByDirLock=The application try to sefl upgrade, but install/upgrade pages have been disabled for security reason (directory renamed with .lock suffix).
+YouTryInstallDisabledByFileLock=The application try to sefl upgrade, but install/upgrade pages pages have been disabled for security reason (by lock file install.lock into dolibarr documents directory).
+ClickHereToGoToApp=Click here to go to your application +ClickOnLinkOrRemoveManualy=Click on following link and if you always reach this page, you must remove the file install.lock into documents directory manually diff --git a/htdocs/langs/sq_AL/main.lang b/htdocs/langs/sq_AL/main.lang index f403015557978..d77964719228a 100644 --- a/htdocs/langs/sq_AL/main.lang +++ b/htdocs/langs/sq_AL/main.lang @@ -507,6 +507,7 @@ NoneF=None NoneOrSeveral=None or several Late=Late LateDesc=Delay to define if a record is late or not depends on your setup. Ask your admin to change delay from menu Home - Setup - Alerts. +NoItemLate=No late item Photo=Picture Photos=Pictures AddPhoto=Add picture @@ -945,3 +946,5 @@ KeyboardShortcut=Keyboard shortcut AssignedTo=Assigned to Deletedraft=Delete draft ConfirmMassDraftDeletion=Draft Bulk delete confirmation +FileSharedViaALink=File shared via a link + diff --git a/htdocs/langs/sq_AL/modulebuilder.lang b/htdocs/langs/sq_AL/modulebuilder.lang index a3fee23cb53b5..9d6661eda41d6 100644 --- a/htdocs/langs/sq_AL/modulebuilder.lang +++ b/htdocs/langs/sq_AL/modulebuilder.lang @@ -74,6 +74,7 @@ NoWidget=No widget GoToApiExplorer=Go to API explorer ListOfMenusEntries=List of menu entries ListOfPermissionsDefined=List of defined permissions +SeeExamples=See examples here EnabledDesc=Condition to have this field active (Examples: 1 or $conf->global->MYMODULE_MYOPTION) VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only. Using a negative value means field is not shown by default on list but can be selected for viewing) IsAMeasureDesc=Can the value of field be cumulated to get a total into list ? (Examples: 1 or 0) @@ -95,3 +96,6 @@ DropTableIfEmpty=(Delete table if empty) TableDoesNotExists=The table %s does not exists TableDropped=Table %s deleted InitStructureFromExistingTable=Build the structure array string of an existing table +UseAboutPage=Disallow the about page +UseDocFolder=Disallow the documentation folder +UseSpecificReadme=Use a specific ReadMe diff --git a/htdocs/langs/sq_AL/other.lang b/htdocs/langs/sq_AL/other.lang index 83e7bcbe997aa..e8480a82dcbd0 100644 --- a/htdocs/langs/sq_AL/other.lang +++ b/htdocs/langs/sq_AL/other.lang @@ -80,8 +80,8 @@ LinkedObject=Linked object NbOfActiveNotifications=Number of notifications (nb of recipient emails) PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe two lines are separated by a carriage return.\n\n__USER_SIGNATURE__ PredefinedMailTestHtml=__(Hello)__\nThis is a test mail (the word test must be in bold).
The two lines are separated by a carriage return.

__USER_SIGNATURE__ -PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\nThis is the link to make your online payment if this invoice is not already payed:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\nThis is the link to make your online payment:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendProposal=__(Hello)__\n\nYou will find here the commercial proposal __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendSupplierProposal=__(Hello)__\n\nYou will find here the price request __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendOrder=__(Hello)__\n\nYou will find here the order __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ @@ -91,6 +91,7 @@ PredefinedMailContentSendShipping=__(Hello)__\n\nYou will find here the shipping PredefinedMailContentSendFichInter=__(Hello)__\n\nYou will find here the intervention __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentThirdparty=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentUser=__(Hello)__\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 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) @@ -218,7 +219,7 @@ 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 +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 diff --git a/htdocs/langs/sq_AL/paypal.lang b/htdocs/langs/sq_AL/paypal.lang index 8ff0a0cc3dd22..2ef2abb40299d 100644 --- a/htdocs/langs/sq_AL/paypal.lang +++ b/htdocs/langs/sq_AL/paypal.lang @@ -14,7 +14,6 @@ PaypalModeOnlyPaypal=PayPal only ONLINE_PAYMENT_CSS_URL=Optionnal URL of CSS style sheet on online payment page ThisIsTransactionId=This is id of transaction: %s PAYPAL_ADD_PAYMENT_URL=Add the url of Paypal payment when you send a document by mail -PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.

%s

YouAreCurrentlyInSandboxMode=You are currently in the %s "sandbox" mode NewOnlinePaymentReceived=New online payment received NewOnlinePaymentFailed=New online payment tried but failed diff --git a/htdocs/langs/sq_AL/products.lang b/htdocs/langs/sq_AL/products.lang index fd43347775eb0..a7c4d400cb1b2 100644 --- a/htdocs/langs/sq_AL/products.lang +++ b/htdocs/langs/sq_AL/products.lang @@ -251,8 +251,8 @@ PriceNumeric=Number DefaultPrice=Default price ComposedProductIncDecStock=Increase/Decrease stock on parent change ComposedProduct=Sub-product -MinSupplierPrice=Minimum supplier price -MinCustomerPrice=Minimum customer price +MinSupplierPrice=Minimum buying price +MinCustomerPrice=Minimum selling price DynamicPriceConfiguration=Dynamic price configuration DynamicPriceDesc=On product card, with this module enabled, you should be able to set mathematic functions to calculate Customer or Supplier prices. Such function can use all mathematic operators, some constants and variables. You can set here the variables you want to be able to use and if the variable need an automatic update, the external URL to use to ask Dolibarr to update automaticaly the value. AddVariable=Add Variable diff --git a/htdocs/langs/sq_AL/propal.lang b/htdocs/langs/sq_AL/propal.lang index 43475bb2955ff..0b64b1387c014 100644 --- a/htdocs/langs/sq_AL/propal.lang +++ b/htdocs/langs/sq_AL/propal.lang @@ -75,6 +75,7 @@ AvailabilityTypeAV_1M=1 month TypeContact_propal_internal_SALESREPFOLL=Representative following-up proposal TypeContact_propal_external_BILLING=Customer invoice contact TypeContact_propal_external_CUSTOMER=Customer contact following-up proposal +TypeContact_propal_external_SHIPPING=Customer contact for delivery # Document models DocModelAzurDescription=A complete proposal model (logo...) DefaultModelPropalCreate=Default model creation diff --git a/htdocs/langs/sq_AL/sendings.lang b/htdocs/langs/sq_AL/sendings.lang index a3c724a24a375..cda47eb77ffc7 100644 --- a/htdocs/langs/sq_AL/sendings.lang +++ b/htdocs/langs/sq_AL/sendings.lang @@ -52,8 +52,8 @@ ActionsOnShipping=Events on shipment LinkToTrackYourPackage=Link to track your package ShipmentCreationIsDoneFromOrder=For the moment, creation of a new shipment is done from the order card. ShipmentLine=Shipment line -ProductQtyInCustomersOrdersRunning=Product quantity into open customers orders -ProductQtyInSuppliersOrdersRunning=Product quantity into open suppliers orders +ProductQtyInCustomersOrdersRunning=Product quantity into open customer orders +ProductQtyInSuppliersOrdersRunning=Product quantity into open purchase orders ProductQtyInShipmentAlreadySent=Product quantity from open customer order already sent ProductQtyInSuppliersShipmentAlreadyRecevied=Product quantity from open supplier order already received NoProductToShipFoundIntoStock=No product to ship found into warehouse %s. Correct stock or go back to choose another warehouse. diff --git a/htdocs/langs/sq_AL/stocks.lang b/htdocs/langs/sq_AL/stocks.lang index 1f4791245a313..c67ee0e7c10a2 100644 --- a/htdocs/langs/sq_AL/stocks.lang +++ b/htdocs/langs/sq_AL/stocks.lang @@ -67,7 +67,7 @@ DeStockOnValidateOrder=Decrease real stocks on customers orders validation DeStockOnShipment=Decrease real stocks on shipping validation DeStockOnShipmentOnClosing=Decrease real stocks on shipping classification closed ReStockOnBill=Increase real stocks on suppliers invoices/credit notes validation -ReStockOnValidateOrder=Increase real stocks on suppliers orders approbation +ReStockOnValidateOrder=Increase real stocks on purchase orders approbation ReStockOnDispatchOrder=Increase real stocks on manual dispatching into warehouses, after supplier order receipt of goods 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 @@ -203,4 +203,4 @@ RegulateStock=Regulate Stock ListInventory=List StockSupportServices=Stock management support services StockSupportServicesDesc=By default, you can stock only product with type "product". If on, and if module service is on, you can also stock a product with type "service" -ReceiveProducts=Receive products +ReceiveProducts=Receive items diff --git a/htdocs/langs/sq_AL/users.lang b/htdocs/langs/sq_AL/users.lang index d8a764e47e766..735a704575f06 100644 --- a/htdocs/langs/sq_AL/users.lang +++ b/htdocs/langs/sq_AL/users.lang @@ -48,7 +48,7 @@ PasswordChangeRequest=Request to change password for %s PasswordChangeRequestSent=Request to change password for %s sent to %s. ConfirmPasswordReset=Confirm password reset MenuUsersAndGroups=Users & Groups -LastGroupsCreated=Latest %s created groups +LastGroupsCreated=Latest %s groups created LastUsersCreated=Latest %s users created ShowGroup=Show group ShowUser=Show user diff --git a/htdocs/langs/sr_RS/accountancy.lang b/htdocs/langs/sr_RS/accountancy.lang index d73eaab343bd7..71b2d6817d8f1 100644 --- a/htdocs/langs/sr_RS/accountancy.lang +++ b/htdocs/langs/sr_RS/accountancy.lang @@ -55,6 +55,7 @@ AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from m AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s AccountancyAreaDescVat=STEP %s: Define accounting accounts for each VAT Rates. For this, use the menu entry %s. +AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. AccountancyAreaDescExpenseReport=STEP %s: Define default accounting accounts for each type of expense report. For this, use the menu entry %s. AccountancyAreaDescSal=STEP %s: Define default accounting accounts for payment of salaries. For this, use the menu entry %s. AccountancyAreaDescContrib=STEP %s: Define default accounting accounts for special expences (miscellaneous taxes). For this, use the menu entry %s. @@ -131,6 +132,7 @@ ACCOUNTING_LENGTH_GACCOUNT=Length of the general accounting accounts (If you set 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 zero at the end of an accounting account. Needed by some countries (like switzerland). If keep to off (default), you can set the 2 following parameters to ask application to add virtual zero. BANK_DISABLE_DIRECT_INPUT=Disable direct recording of transaction in bank account +ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Enable draft export on journal ACCOUNTING_SELL_JOURNAL=Izveštaj prodaje ACCOUNTING_PURCHASE_JOURNAL=Izveštaj nabavke diff --git a/htdocs/langs/sr_RS/admin.lang b/htdocs/langs/sr_RS/admin.lang index 96c32d5416218..60c96840a90f4 100644 --- a/htdocs/langs/sr_RS/admin.lang +++ b/htdocs/langs/sr_RS/admin.lang @@ -454,7 +454,7 @@ ModuleCompanyCodeDigitaria=Accounting code depends on third party code. The code Use3StepsApproval=By default, Purchase Orders need to be created and approved by 2 different users (one step/user to create and one step/user to approve. Note that if user has both permission to create and approve, one step/user will be enough). You can ask with this option to introduce a third step/user approval, if amount is higher than a dedicated value (so 3 steps will be necessary: 1=validation, 2=first approval and 3=second approval if amount is enough).
Set this to empty if one approval (2 steps) is enough, set it to a very low value (0.1) if a second approval (3 steps) is always required. UseDoubleApproval=Use a 3 steps approval when amount (without tax) is higher than... WarningPHPMail=WARNING: It is often better to setup outgoing emails to use the email server of your provider instead of the default setup. Some email providers (like Yahoo) does not allow you to send an email from another server than their own server. Your current setup use 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 a server of them, so few of your sent Emails may not be accepted (be carefull also to your email provider sending quota).
If your Email provider (like Yahoo) has this restriction, you must change Email setup to choose the other method "SMTP server" and enter the SMTP server and credentials provided by your Email provider (ask your EMail provider to get SMTP credentials for your account). -WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of your ERP CRM application: %s. +WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of the mail user agent (MUA) for your ERP CRM application: %s. ClickToShowDescription=Click to show description DependsOn=This module need the module(s) RequiredBy=This module is required by module(s) @@ -497,7 +497,7 @@ Module25Desc=Customer order management Module30Name=Invoices Module30Desc=Invoice and credit note management for customers. Invoice management for suppliers Module40Name=Suppliers -Module40Desc=Supplier management and buying (orders and invoices) +Module40Desc=Suppliers and purchase management (purchase orders and billing) Module42Name=Debug Logs Module42Desc=Logging facilities (file, syslog, ...). Such logs are for technical/debug purposes. Module49Name=Editors @@ -605,7 +605,7 @@ Module4000Desc=Human resources management (management of department, employee co Module5000Name=Multi-company Module5000Desc=Allows you to manage multiple companies Module6000Name=Workflow -Module6000Desc=Workflow management +Module6000Desc=Workflow management (automatic creation of object and/or automatic status change) Module10000Name=Websites Module10000Desc=Create public websites with a WYSIWG editor. Just setup your web server (Apache, Nginx, ...) to point to the dedicated Dolibarr directory to have it online on the Internet with your own domain name. Module20000Name=Leave Requests management @@ -891,7 +891,7 @@ DictionaryCivility=Personal and professional titles DictionaryActions=Types of agenda events DictionarySocialContributions=Social or fiscal taxes types DictionaryVAT=VAT Rates or Sales Tax Rates -DictionaryRevenueStamp=Amount of revenue stamps +DictionaryRevenueStamp=Amount of tax stamps DictionaryPaymentConditions=Payment terms DictionaryPaymentModes=Payment modes DictionaryTypeContact=Contact/Address types @@ -919,7 +919,7 @@ SetupSaved=Setup saved SetupNotSaved=Setup not saved BackToModuleList=Back to modules list BackToDictionaryList=Back to dictionaries list -TypeOfRevenueStamp=Type of revenue stamp +TypeOfRevenueStamp=Type of tax stamp VATManagement=VAT Management VATIsUsedDesc=By default when creating prospects, invoices, orders etc the VAT rate follows the active standard rule:
If the seller is not subjected to VAT, then VAT defaults to 0. End of rule.
If the (selling country= buying country), then the VAT by default equals the VAT of the product in the selling country. End of rule.
If seller and buyer are both in the European Community and goods are transport products (car, ship, plane), the default VAT is 0 ( The VAT should be paid by the buyer to the customoffice of his country and not to the seller). End of rule.
If seller and buyer are both in the European Community and the buyer is not a company, then the VAT by defaults to the VAT of the product sold. End of rule.
If seller and buyer are both in the European Community and the buyer is a company, then the VAT is 0 by default . End of rule.
In any othe case the proposed default is VAT=0. End of rule. VATIsNotUsedDesc=By default the proposed VAT is 0 which can be used for cases like associations, individuals ou small companies. @@ -1027,7 +1027,7 @@ Delays_MAIN_DELAY_ACTIONS_TODO=Delay tolerance (in days) before alert on planned Delays_MAIN_DELAY_PROJECT_TO_CLOSE=Delay tolerance (in days) before alert on project not closed in time Delays_MAIN_DELAY_TASKS_TODO=Delay tolerance (in days) before alert on planned tasks (project tasks) not completed yet Delays_MAIN_DELAY_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on orders not processed yet -Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on suppliers orders not processed yet +Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on purchase orders not processed yet Delays_MAIN_DELAY_PROPALS_TO_CLOSE=Delay tolerance (in days) before alert on proposals to close Delays_MAIN_DELAY_PROPALS_TO_BILL=Delay tolerance (in days) before alert on proposals not billed Delays_MAIN_DELAY_NOT_ACTIVATED_SERVICES=Tolerance delay (in days) before alert on services to activate @@ -1458,7 +1458,7 @@ SyslogFilename=File name and path YouCanUseDOL_DATA_ROOT=You can use DOL_DATA_ROOT/dolibarr.log for a log file in Dolibarr "documents" directory. You can set a different path to store this file. ErrorUnknownSyslogConstant=Constant %s is not a known Syslog constant OnlyWindowsLOG_USER=Windows only supports LOG_USER -CompressSyslogs=Syslog files compression and backup +CompressSyslogs=Compression and backup of debug log files (generated by module Log for debug) SyslogFileNumberOfSaves=Log backups ConfigureCleaningCronjobToSetFrequencyOfSaves=Configure cleaning scheduled job to set log backup frequency ##### Donations ##### diff --git a/htdocs/langs/sr_RS/banks.lang b/htdocs/langs/sr_RS/banks.lang index 4e91a93fefbff..845f59755f5f4 100644 --- a/htdocs/langs/sr_RS/banks.lang +++ b/htdocs/langs/sr_RS/banks.lang @@ -1,12 +1,13 @@ # Dolibarr language file - Source file is en_US - banks Bank=Banka -MenuBankCash=Banka/Gotovina +MenuBankCash=Bank | Cash MenuVariousPayment=Miscellaneous payments MenuNewVariousPayment=New Miscellaneous payment BankName=Ime banke FinancialAccount=Račun BankAccount=Račun u banci BankAccounts=Računi u banci +BankAccountsAndGateways=Bank accounts | Gateways ShowAccount=Prikaži račun AccountRef=Finansijski račun referenca AccountLabel=Oznaka finansijskog računa @@ -131,7 +132,7 @@ PaymentDateUpdateSucceeded=Payment date updated successfully PaymentDateUpdateFailed=Datum uplate ne može biti izmenjen Transactions=Transakcija BankTransactionLine=Bank entry -AllAccounts=Svi bankovni/gotovinski računi +AllAccounts=All bank and cash accounts BackToAccount=Nazad na račun ShowAllAccounts=Prikaži za sve račune FutureTransaction=Transakcije u budućnosti. Ne postoji način za izmirenje. @@ -159,5 +160,6 @@ VariousPayment=Miscellaneous payments VariousPayments=Miscellaneous payments ShowVariousPayment=Show miscellaneous payments AddVariousPayment=Add miscellaneous payments +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. Thanks to return it signed (scan of the signed document) or sent it by mail to diff --git a/htdocs/langs/sr_RS/bills.lang b/htdocs/langs/sr_RS/bills.lang index 5d5f13579019b..01386cf5d3eb1 100644 --- a/htdocs/langs/sr_RS/bills.lang +++ b/htdocs/langs/sr_RS/bills.lang @@ -110,8 +110,8 @@ SendRemindByMail=Pošalji podsetnik Emailom DoPayment=Unesite uplatu DoPaymentBack=Enter refund ConvertToReduc=Mark as credit available -ConvertExcessReceivedToReduc=Convert excess received into future discount -ConvertExcessPaidToReduc=Convert excess paid into future discount +ConvertExcessReceivedToReduc=Convert excess received into available credit +ConvertExcessPaidToReduc=Convert excess paid into available discount EnterPaymentReceivedFromCustomer=Unesi prijem uplate kupca EnterPaymentDueToCustomer=Uplatiti zbog kupca DisabledBecauseRemainderToPayIsZero=Onemogući jer je preostali iznos nula @@ -282,6 +282,7 @@ RelativeDiscount=Relative discount GlobalDiscount=Global discount CreditNote=Credit note CreditNotes=Credit notes +CreditNotesOrExcessReceived=Credit notes or excess received Deposit=Down payment Deposits=Down payments DiscountFromCreditNote=Discount from credit note %s @@ -393,6 +394,7 @@ PaymentConditionShort14DENDMONTH=14 dana od kraja meseca PaymentCondition14DENDMONTH=U roku od 14 dana od poslednjeg dana u tekućem mesecu FixAmount=Fix amount VarAmount=Variable amount (%% tot.) +VarAmountOneLine=Variable amount (%% tot.) - 1 line with label '%s' # PaymentType PaymentTypeVIR=Bankovni prenos PaymentTypeShortVIR=Bankovni prenos diff --git a/htdocs/langs/sr_RS/compta.lang b/htdocs/langs/sr_RS/compta.lang index 613a41a47ec81..987e45078d6ca 100644 --- a/htdocs/langs/sr_RS/compta.lang +++ b/htdocs/langs/sr_RS/compta.lang @@ -19,7 +19,8 @@ Income=Prihod Outcome=Rashod MenuReportInOut=Prihod / Rashod ReportInOut=Balance of income and expenses -ReportTurnover=Obrt +ReportTurnover=Turnover invoiced +ReportTurnoverCollected=Turnover collected PaymentsNotLinkedToInvoice=Uplate koje nisu vezane ni za jedan račun i ni za jedan subjekat PaymentsNotLinkedToUser=Uplate koje nisu vezane ni za jednog korisnika Profit=Profit @@ -77,7 +78,7 @@ MenuNewSocialContribution=Novi porez/doprinos NewSocialContribution=Novi porez/doprinos AddSocialContribution=Add social/fiscal tax ContributionsToPay=Porezi/doprinosi za uplatu -AccountancyTreasuryArea=Oblast računovodstva/trezora +AccountancyTreasuryArea=Billing and payment area NewPayment=Nova uplata Payments=Uplate PaymentCustomerInvoice=Uplata po računu klijenta @@ -105,6 +106,7 @@ VATPayment=Sales tax payment VATPayments=Sales tax payments VATRefund=Sales tax refund NewVATPayment=New sales tax payment +NewLocalTaxPayment=New tax %s payment Refund=Povraćaj SocialContributionsPayments=Uplate poreza/doprinosa ShowVatPayment=Prikaži PDV uplatu @@ -116,8 +118,9 @@ CustomerAccountancyCodeShort=Rač. kod klijenta SupplierAccountancyCodeShort=Rač. kod dobavljača AccountNumber=Broj naloga NewAccountingAccount=Novi račun -SalesTurnover=Obrt prodaje -SalesTurnoverMinimum=Minimalni obrt prodaje +Turnover=Turnover invoiced +TurnoverCollected=Turnover collected +SalesTurnoverMinimum=Minimum turnover ByExpenseIncome=By expenses & incomes ByThirdParties=Po subjektima ByUserAuthorOfInvoice=Po izdavaču računa @@ -137,8 +140,8 @@ 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=Mod %sPotraživanja-Zaduženja%s ili Posvećeno računovodstvo. -CalcModeEngagement=Mod %sPrihodi-Rashodi%s ili Gotovinsko računovodstvo +CalcModeDebt=Analysis of known recorded invoices 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 CalcModeLT1Debt=Mod %sRE za fakture klijenata%s @@ -151,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=Prikaži izveštaj %sPrihodi-Rashodi%s ili gotovinsko računovodstvo za kalkulaciju realnih uplata -SeeReportInDueDebtMode=Prikaži izveštaj %sPotraživanja-Zaduženja%s ili posvećeno računovodstvo za kalkulaciju izdatih računa -SeeReportInBookkeepingMode=See report %sBookeeping%s for a calculation on bookkeeping table analysis +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 RulesAmountWithTaxIncluded=- Prikazani su bruto iznosi RulesResultDue=- Sadrži sve račune, troškove, PDV, donacije, bez obzira da li su uplaćene ili ne. Takođe sadrži isplaćene zarade
- Zasniva se na datumu potvrde računa i PDV-a i na zadatom datumu troškova. Za zarade definisane u modulu Zarade se koristi vrednosni datum isplate. 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. @@ -218,8 +221,8 @@ Mode1=Metoda 1 Mode2=Metoda 2 CalculationRuleDesc=Da biste izračunali ukupan PDV, postoje 2 metode:
Metoda 1 je zaokruživanje PDV-a na svakoj liniji i zatim sumiranje svih PDV vrednosti.
Metoda 2 je sumiranje svih PDV vrednosti i zatim zaokruživanje rezultata.
Krajnji rezultat se može razlikovati za nekoliko centi. Default metoda je %s. CalculationRuleDescSupplier=Izaberite odgovarajuću metodu kako biste koristili ista pravila računanja koja koristi i dobavljač. -TurnoverPerProductInCommitmentAccountingNotRelevant=The Turnover report per product, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). -TurnoverPerSaleTaxRateInCommitmentAccountingNotRelevant=The Turnover report per sale tax rate, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). +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. CalculationMode=Naćin obračuna AccountancyJournal=Accounting code journal ACCOUNTING_VAT_SOLD_ACCOUNT=Accounting account by default for VAT on sales (used if not defined on VAT dictionary setup) @@ -251,5 +254,6 @@ VATDue=Sale tax claimed ClaimedForThisPeriod=Claimed for the period PaidDuringThisPeriod=Paid during this period ByVatRate=By sale tax rate -TurnoverbyVatrate=Turnover by sale tax rate +TurnoverbyVatrate=Turnover invoiced by sale tax rate +TurnoverCollectedbyVatrate=Turnover collected by sale tax rate PurchasebyVatrate=Purchase by sale tax rate diff --git a/htdocs/langs/sr_RS/install.lang b/htdocs/langs/sr_RS/install.lang index fa9eb6ce2462b..416bb2b3aa25e 100644 --- a/htdocs/langs/sr_RS/install.lang +++ b/htdocs/langs/sr_RS/install.lang @@ -204,3 +204,7 @@ MigrationResetBlockedLog=Reset module BlockedLog for v7 algorithm ShowNotAvailableOptions=Prikaži nedostupne opcije HideNotAvailableOptions=Sakrij nedostupne opcije ErrorFoundDuringMigration=Error were reported during migration process so next step is not available. To ignore errors, you can click here, but application or some features may not work correctly until fixed. +YouTryInstallDisabledByDirLock=The application try to sefl upgrade, but install/upgrade pages have been disabled for security reason (directory renamed with .lock suffix).
+YouTryInstallDisabledByFileLock=The application try to sefl upgrade, but install/upgrade pages pages have been disabled for security reason (by lock file install.lock into dolibarr documents directory).
+ClickHereToGoToApp=Click here to go to your application +ClickOnLinkOrRemoveManualy=Click on following link and if you always reach this page, you must remove the file install.lock into documents directory manually diff --git a/htdocs/langs/sr_RS/main.lang b/htdocs/langs/sr_RS/main.lang index 3fc6b3310fddf..32e890e7cdb57 100644 --- a/htdocs/langs/sr_RS/main.lang +++ b/htdocs/langs/sr_RS/main.lang @@ -507,6 +507,7 @@ NoneF=Ništa NoneOrSeveral=None or several Late=Kasni LateDesc=Odloži definisanje da li je zapis zakasneo ili ne zavisi od vašeg podešenja. Zamolite Vašeg administratora da promeni odlaganje u Naslovna-Podešenja-Upozorenja +NoItemLate=No late item Photo=Slika Photos=Slike AddPhoto=Dodaj sliku @@ -945,3 +946,5 @@ KeyboardShortcut=Keyboard shortcut AssignedTo=Dodeljeno Deletedraft=Delete draft ConfirmMassDraftDeletion=Draft Bulk delete confirmation +FileSharedViaALink=File shared via a link + diff --git a/htdocs/langs/sr_RS/other.lang b/htdocs/langs/sr_RS/other.lang index c8cb3e1bd2fa0..283cd24c7ac90 100644 --- a/htdocs/langs/sr_RS/other.lang +++ b/htdocs/langs/sr_RS/other.lang @@ -80,8 +80,8 @@ LinkedObject=Povezan objekat NbOfActiveNotifications=Broj obaveštenja (br. primalaca mailova) PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe two lines are separated by a carriage return.\n\n__USER_SIGNATURE__ PredefinedMailTestHtml=__(Hello)__\nThis is a test mail (the word test must be in bold).
The two lines are separated by a carriage return.

__USER_SIGNATURE__ -PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\nThis is the link to make your online payment if this invoice is not already payed:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\nThis is the link to make your online payment:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendProposal=__(Hello)__\n\nYou will find here the commercial proposal __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendSupplierProposal=__(Hello)__\n\nYou will find here the price request __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendOrder=__(Hello)__\n\nYou will find here the order __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ @@ -91,6 +91,7 @@ PredefinedMailContentSendShipping=__(Hello)__\n\nYou will find here the shipping PredefinedMailContentSendFichInter=__(Hello)__\n\nYou will find here the intervention __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentThirdparty=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentUser=__(Hello)__\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 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) @@ -218,7 +219,7 @@ FileIsTooBig=Fajlovi su preveilki PleaseBePatient=Molimo sačekajte... NewPassword=New password ResetPassword=Reset password -RequestToResetPasswordReceived=A request to change your password has been received +RequestToResetPasswordReceived=A request to change your password has been received. NewKeyIs=Ovo su nove informacije za login NewKeyWillBe=Vaša nova informacija za login za softver će biti ClickHereToGoTo=Kliknite ovde da otvorite %s diff --git a/htdocs/langs/sr_RS/paypal.lang b/htdocs/langs/sr_RS/paypal.lang index bea31cc3b9216..31aeb6a68585b 100644 --- a/htdocs/langs/sr_RS/paypal.lang +++ b/htdocs/langs/sr_RS/paypal.lang @@ -14,7 +14,6 @@ PaypalModeOnlyPaypal=Samo PayPal ONLINE_PAYMENT_CSS_URL=Optionnal URL of CSS style sheet on online payment page ThisIsTransactionId=Ovo je ID transakcije: %s PAYPAL_ADD_PAYMENT_URL=Ubaci URL PayPal uplate prilikom slanja dokumenta putem mail-a -PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.

%s

YouAreCurrentlyInSandboxMode=You are currently in the %s "sandbox" mode NewOnlinePaymentReceived=New online payment received NewOnlinePaymentFailed=New online payment tried but failed diff --git a/htdocs/langs/sr_RS/products.lang b/htdocs/langs/sr_RS/products.lang index cf02948dfe417..7df8c515f8335 100644 --- a/htdocs/langs/sr_RS/products.lang +++ b/htdocs/langs/sr_RS/products.lang @@ -251,8 +251,8 @@ PriceNumeric=Broj DefaultPrice=Default cena ComposedProductIncDecStock=Povećaj/Smanji zalihu na matičnoj promeni ComposedProduct=Pod-proizvod -MinSupplierPrice=Minimalna cena dobavljača -MinCustomerPrice=Minimum customer price +MinSupplierPrice=Minimalna kupovna cena +MinCustomerPrice=Minimum selling price DynamicPriceConfiguration=Dinamička konfiguracija cene DynamicPriceDesc=On product card, with this module enabled, you should be able to set mathematic functions to calculate Customer or Supplier prices. Such function can use all mathematic operators, some constants and variables. You can set here the variables you want to be able to use and if the variable need an automatic update, the external URL to use to ask Dolibarr to update automaticaly the value. AddVariable=Dodaj promenljivu diff --git a/htdocs/langs/sr_RS/propal.lang b/htdocs/langs/sr_RS/propal.lang index cf7b725af30f5..8dc240a380333 100644 --- a/htdocs/langs/sr_RS/propal.lang +++ b/htdocs/langs/sr_RS/propal.lang @@ -75,6 +75,7 @@ AvailabilityTypeAV_1M=1 mesec TypeContact_propal_internal_SALESREPFOLL=Agent koji prati ponudu TypeContact_propal_external_BILLING=Kontakt sa računa klijenta TypeContact_propal_external_CUSTOMER=Kontakt klijenta koji prati ponudu +TypeContact_propal_external_SHIPPING=Customer contact for delivery # Document models DocModelAzurDescription=Kompletan model ponude (logo...) DefaultModelPropalCreate=Kreacija default modela diff --git a/htdocs/langs/sr_RS/sendings.lang b/htdocs/langs/sr_RS/sendings.lang index 533922b334b9d..911858e837a60 100644 --- a/htdocs/langs/sr_RS/sendings.lang +++ b/htdocs/langs/sr_RS/sendings.lang @@ -52,8 +52,8 @@ ActionsOnShipping=Događaji na isporuci LinkToTrackYourPackage=Link za praćenje Vašeg paketa ShipmentCreationIsDoneFromOrder=Trenutno se kreacije nove isporuke radi sa kartice narudžbine. ShipmentLine=Linija isporuke -ProductQtyInCustomersOrdersRunning=Product quantity into open customers orders -ProductQtyInSuppliersOrdersRunning=Product quantity into open suppliers orders +ProductQtyInCustomersOrdersRunning=Product quantity into open customer orders +ProductQtyInSuppliersOrdersRunning=Product quantity into open purchase orders ProductQtyInShipmentAlreadySent=Product quantity from open customer order already sent ProductQtyInSuppliersShipmentAlreadyRecevied=Product quantity from open supplier order already received NoProductToShipFoundIntoStock=Nema proizvoda za isporuku u magacin %s. Ispravite zalihu ili izaberite drugi magacin. diff --git a/htdocs/langs/sr_RS/stocks.lang b/htdocs/langs/sr_RS/stocks.lang index d7060cedf04ab..a8efeca198419 100644 --- a/htdocs/langs/sr_RS/stocks.lang +++ b/htdocs/langs/sr_RS/stocks.lang @@ -67,7 +67,7 @@ DeStockOnValidateOrder=Smanji realne zalihe nakon potvrde narudžbine klijenta DeStockOnShipment=Smanji realne zalihe nakon potvrde računa/kreditne note dobavljača DeStockOnShipmentOnClosing=Decrease real stocks on shipping classification closed ReStockOnBill=Povećaj realne zalihe nakon potvrde računa/kreditne note dobavljača -ReStockOnValidateOrder=Povećaj realne zalihe nakon potvrde narudžbine dobavljača +ReStockOnValidateOrder=Increase real stocks on purchase orders approbation ReStockOnDispatchOrder=Increase real stocks on manual dispatching into warehouses, after supplier order receipt of goods OrderStatusNotReadyToDispatch=Narudžbina nema status koji omogućava otpremu proizvoda u magacin. StockDiffPhysicTeoric=Explanation for difference between physical and virtual stock @@ -203,4 +203,4 @@ RegulateStock=Regulate Stock ListInventory=Lista StockSupportServices=Stock management support services StockSupportServicesDesc=By default, you can stock only product with type "product". If on, and if module service is on, you can also stock a product with type "service" -ReceiveProducts=Receive products +ReceiveProducts=Receive items diff --git a/htdocs/langs/sr_RS/users.lang b/htdocs/langs/sr_RS/users.lang index d2873c43fdba5..21fc2f30cc797 100644 --- a/htdocs/langs/sr_RS/users.lang +++ b/htdocs/langs/sr_RS/users.lang @@ -48,7 +48,7 @@ PasswordChangeRequest=Request to change password for %s PasswordChangeRequestSent=Zahtev za izmenu lozinke za %s je poslat %s. ConfirmPasswordReset=Confirm password reset MenuUsersAndGroups=Korisnici & Grupe -LastGroupsCreated=Latest %s created groups +LastGroupsCreated=Latest %s groups created LastUsersCreated=Latest %s users created ShowGroup=Prikaži grupu ShowUser=Prikaži korisnika diff --git a/htdocs/langs/sv_SE/accountancy.lang b/htdocs/langs/sv_SE/accountancy.lang index 23809957c494c..0ffe09de8161a 100644 --- a/htdocs/langs/sv_SE/accountancy.lang +++ b/htdocs/langs/sv_SE/accountancy.lang @@ -55,6 +55,7 @@ AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from m AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s AccountancyAreaDescVat=STEP %s: Define accounting accounts for each VAT Rates. For this, use the menu entry %s. +AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. AccountancyAreaDescExpenseReport=STEP %s: Define default accounting accounts for each type of expense report. For this, use the menu entry %s. AccountancyAreaDescSal=STEP %s: Define default accounting accounts for payment of salaries. For this, use the menu entry %s. AccountancyAreaDescContrib=STEP %s: Define default accounting accounts for special expences (miscellaneous taxes). For this, use the menu entry %s. @@ -131,6 +132,7 @@ ACCOUNTING_LENGTH_GACCOUNT=Length of the general accounting accounts (If you set 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 zero at the end of an accounting account. Needed by some countries (like switzerland). If keep to off (default), you can set the 2 following parameters to ask application to add virtual zero. BANK_DISABLE_DIRECT_INPUT=Disable direct recording of transaction in bank account +ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Enable draft export on journal ACCOUNTING_SELL_JOURNAL=Sell ​​tidskrift ACCOUNTING_PURCHASE_JOURNAL=Bara tidskrift diff --git a/htdocs/langs/sv_SE/admin.lang b/htdocs/langs/sv_SE/admin.lang index a4d42117fcfd9..12181099f4a36 100644 --- a/htdocs/langs/sv_SE/admin.lang +++ b/htdocs/langs/sv_SE/admin.lang @@ -454,7 +454,7 @@ ModuleCompanyCodeDigitaria=Accounting code depends on third party code. The code Use3StepsApproval=By default, Purchase Orders need to be created and approved by 2 different users (one step/user to create and one step/user to approve. Note that if user has both permission to create and approve, one step/user will be enough). You can ask with this option to introduce a third step/user approval, if amount is higher than a dedicated value (so 3 steps will be necessary: 1=validation, 2=first approval and 3=second approval if amount is enough).
Set this to empty if one approval (2 steps) is enough, set it to a very low value (0.1) if a second approval (3 steps) is always required. UseDoubleApproval=Use a 3 steps approval when amount (without tax) is higher than... WarningPHPMail=WARNING: It is often better to setup outgoing emails to use the email server of your provider instead of the default setup. Some email providers (like Yahoo) does not allow you to send an email from another server than their own server. Your current setup use 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 a server of them, so few of your sent Emails may not be accepted (be carefull also to your email provider sending quota).
If your Email provider (like Yahoo) has this restriction, you must change Email setup to choose the other method "SMTP server" and enter the SMTP server and credentials provided by your Email provider (ask your EMail provider to get SMTP credentials for your account). -WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of your ERP CRM application: %s. +WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of the mail user agent (MUA) for your ERP CRM application: %s. ClickToShowDescription=Click to show description DependsOn=This module need the module(s) RequiredBy=This module is required by module(s) @@ -497,7 +497,7 @@ Module25Desc=Kundorder ledning Module30Name=Fakturor Module30Desc=Fakturor och kreditnota: s förvaltning för kunder. Faktura ledning för leverantörer Module40Name=Leverantörer -Module40Desc=Leverantörens ledning och inköp (order och fakturor) +Module40Desc=Suppliers and purchase management (purchase orders and billing) Module42Name=Debug Logs Module42Desc=Logging facilities (file, syslog, ...). Such logs are for technical/debug purposes. Module49Name=Redaktion @@ -605,7 +605,7 @@ Module4000Desc=Human resources management (management of department, employee co Module5000Name=Multi-bolag Module5000Desc=Gör att du kan hantera flera företag Module6000Name=Workflow -Module6000Desc=Workflow management +Module6000Desc=Workflow management (automatic creation of object and/or automatic status change) Module10000Name=Websites Module10000Desc=Create public websites with a WYSIWG editor. Just setup your web server (Apache, Nginx, ...) to point to the dedicated Dolibarr directory to have it online on the Internet with your own domain name. Module20000Name=Lämna Framställningar förvaltning @@ -891,7 +891,7 @@ DictionaryCivility=Personal and professional titles DictionaryActions=Types of agenda events DictionarySocialContributions=Sociala och skattemässiga skatter typer DictionaryVAT=Moms Priser och Sales Tax Rates -DictionaryRevenueStamp=Mängd skattestämpel +DictionaryRevenueStamp=Amount of tax stamps DictionaryPaymentConditions=Betalningsvillkor DictionaryPaymentModes=Betalningssätten DictionaryTypeContact=Kontakt / adresstyper @@ -919,7 +919,7 @@ SetupSaved=Setup sparas SetupNotSaved=Setup not saved BackToModuleList=Tillbaka till moduler lista BackToDictionaryList=Tillbaka till ordlistan -TypeOfRevenueStamp=Type of revenue stamp +TypeOfRevenueStamp=Type of tax stamp VATManagement=Moms Management VATIsUsedDesc=By default when creating prospects, invoices, orders etc the VAT rate follows the active standard rule:
If the seller is not subjected to VAT, then VAT defaults to 0. End of rule.
If the (selling country= buying country), then the VAT by default equals the VAT of the product in the selling country. End of rule.
If seller and buyer are both in the European Community and goods are transport products (car, ship, plane), the default VAT is 0 ( The VAT should be paid by the buyer to the customoffice of his country and not to the seller). End of rule.
If seller and buyer are both in the European Community and the buyer is not a company, then the VAT by defaults to the VAT of the product sold. End of rule.
If seller and buyer are both in the European Community and the buyer is a company, then the VAT is 0 by default . End of rule.
In any othe case the proposed default is VAT=0. End of rule. VATIsNotUsedDesc=Som standard föreslås moms 0 som kan användas för de fall som föreningar, privatpersoner ou små företag. @@ -1027,7 +1027,7 @@ Delays_MAIN_DELAY_ACTIONS_TODO=Delay tolerance (in days) before alert on planned Delays_MAIN_DELAY_PROJECT_TO_CLOSE=Delay tolerance (in days) before alert on project not closed in time Delays_MAIN_DELAY_TASKS_TODO=Delay tolerance (in days) before alert on planned tasks (project tasks) not completed yet Delays_MAIN_DELAY_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on orders not processed yet -Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on suppliers orders not processed yet +Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on purchase orders not processed yet Delays_MAIN_DELAY_PROPALS_TO_CLOSE=Fördröjning tolerans (i dagar) före registrering om förslag att stänga Delays_MAIN_DELAY_PROPALS_TO_BILL=Fördröjning tolerans (i dagar) före registrering om förslag faktureras inte Delays_MAIN_DELAY_NOT_ACTIVATED_SERVICES=Tolerans fördröjning (i dagar) före registrering om tjänster för att aktivera @@ -1458,7 +1458,7 @@ SyslogFilename=Filnamn och sökväg YouCanUseDOL_DATA_ROOT=Du kan använda DOL_DATA_ROOT / dolibarr.log för en loggfil i Dolibarr "dokument" katalogen. Du kan ställa in en annan väg för att lagra den här filen. ErrorUnknownSyslogConstant=Konstant %s är inte en känd syslog konstant OnlyWindowsLOG_USER=Endast Windows stöder LOG_USER -CompressSyslogs=Syslog files compression and backup +CompressSyslogs=Compression and backup of debug log files (generated by module Log for debug) SyslogFileNumberOfSaves=Log backups ConfigureCleaningCronjobToSetFrequencyOfSaves=Configure cleaning scheduled job to set log backup frequency ##### Donations ##### diff --git a/htdocs/langs/sv_SE/banks.lang b/htdocs/langs/sv_SE/banks.lang index a4a5ff3f36f43..ca8b861bdf4c8 100644 --- a/htdocs/langs/sv_SE/banks.lang +++ b/htdocs/langs/sv_SE/banks.lang @@ -1,12 +1,13 @@ # Dolibarr language file - Source file is en_US - banks Bank=Bank -MenuBankCash=Bank / Cash +MenuBankCash=Bank | Cash MenuVariousPayment=Miscellaneous payments MenuNewVariousPayment=New Miscellaneous payment BankName=Bankens namn FinancialAccount=Konto BankAccount=Bankkonto BankAccounts=Bankkonton +BankAccountsAndGateways=Bank accounts | Gateways ShowAccount=Visa konto AccountRef=Finansiell balans ref AccountLabel=Finansiell balans etikett @@ -131,7 +132,7 @@ PaymentDateUpdateSucceeded=Payment date updated successfully PaymentDateUpdateFailed=Betalningsdagen kunde inte uppdateras Transactions=Transaktioner BankTransactionLine=Bank entry -AllAccounts=Alla bank / Likvida medel +AllAccounts=All bank and cash accounts BackToAccount=Tillbaka till konto ShowAllAccounts=Visa för alla konton FutureTransaction=Transaktioner i Futur. Inget sätt att blidka. @@ -159,5 +160,6 @@ VariousPayment=Miscellaneous payments VariousPayments=Miscellaneous payments ShowVariousPayment=Show miscellaneous payments AddVariousPayment=Add miscellaneous payments +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. Thanks to return it signed (scan of the signed document) or sent it by mail to diff --git a/htdocs/langs/sv_SE/bills.lang b/htdocs/langs/sv_SE/bills.lang index ecc26bfef3f0f..43d29bf667379 100644 --- a/htdocs/langs/sv_SE/bills.lang +++ b/htdocs/langs/sv_SE/bills.lang @@ -110,8 +110,8 @@ SendRemindByMail=Skicka påminnelse via e-post DoPayment=Enter payment DoPaymentBack=Enter refund ConvertToReduc=Mark as credit available -ConvertExcessReceivedToReduc=Convert excess received into future discount -ConvertExcessPaidToReduc=Convert excess paid into future discount +ConvertExcessReceivedToReduc=Convert excess received into available credit +ConvertExcessPaidToReduc=Convert excess paid into available discount EnterPaymentReceivedFromCustomer=Skriv in avgifter från kunderna EnterPaymentDueToCustomer=Gör betalning till kunden DisabledBecauseRemainderToPayIsZero=Inaktiverad pga återstående obetalt är noll @@ -282,6 +282,7 @@ RelativeDiscount=Relativ rabatt GlobalDiscount=Global rabatt CreditNote=Kreditnota CreditNotes=Kreditnotor +CreditNotesOrExcessReceived=Credit notes or excess received Deposit=Down payment Deposits=Down payments DiscountFromCreditNote=Rabatt från kreditnota %s @@ -393,6 +394,7 @@ PaymentConditionShort14DENDMONTH=14 days of month-end PaymentCondition14DENDMONTH=Within 14 days following the end of the month FixAmount=Fast belopp VarAmount=Variabelt belopp (%% summa) +VarAmountOneLine=Variable amount (%% tot.) - 1 line with label '%s' # PaymentType PaymentTypeVIR=Banköverföring PaymentTypeShortVIR=Banköverföring diff --git a/htdocs/langs/sv_SE/compta.lang b/htdocs/langs/sv_SE/compta.lang index 40933d8552e33..5bf7fff2a4454 100644 --- a/htdocs/langs/sv_SE/compta.lang +++ b/htdocs/langs/sv_SE/compta.lang @@ -19,7 +19,8 @@ Income=Inkomst Outcome=Expense MenuReportInOut=Intäkter / kostnader ReportInOut=Balance of income and expenses -ReportTurnover=Omsättning +ReportTurnover=Turnover invoiced +ReportTurnoverCollected=Turnover collected PaymentsNotLinkedToInvoice=Betalningar inte kopplade till någon faktura, så inte är kopplade till någon tredje part PaymentsNotLinkedToUser=Betalningar inte är kopplade till alla användare Profit=Resultat @@ -77,7 +78,7 @@ MenuNewSocialContribution=New social/fiscal tax NewSocialContribution=New social/fiscal tax AddSocialContribution=Add social/fiscal tax ContributionsToPay=Social/fiscal taxes to pay -AccountancyTreasuryArea=Bokföring / Treasury område +AccountancyTreasuryArea=Billing and payment area NewPayment=Ny betalning Payments=Betalningar PaymentCustomerInvoice=Kundfaktura betalning @@ -105,6 +106,7 @@ VATPayment=Sales tax payment VATPayments=Sales tax payments VATRefund=Sales tax refund NewVATPayment=New sales tax payment +NewLocalTaxPayment=New tax %s payment Refund=Refund SocialContributionsPayments=Social/fiscal taxes payments ShowVatPayment=Visa mervärdesskatteskäl @@ -116,8 +118,9 @@ CustomerAccountancyCodeShort=Cust. account. code SupplierAccountancyCodeShort=Sup. account. code AccountNumber=Kontonummer NewAccountingAccount=Nytt konto -SalesTurnover=Omsättningen -SalesTurnoverMinimum=Minsta omsättning +Turnover=Turnover invoiced +TurnoverCollected=Turnover collected +SalesTurnoverMinimum=Minimum turnover ByExpenseIncome=By expenses & incomes ByThirdParties=Av tredje part ByUserAuthorOfInvoice=Mot faktura författare @@ -137,8 +140,8 @@ ConfirmDeleteSocialContribution=Are you sure you want to delete this social/fisc ExportDataset_tax_1=Social and fiscal taxes and payments CalcModeVATDebt=Läge% svat på redovisning engagemang% s. CalcModeVATEngagement=Läge% svat på inkomster-utgifter% s. -CalcModeDebt=Läges% sClaims-Skulder% s sa Åtagande redovisning. -CalcModeEngagement=Läge% sIncomes-Kostnader% s sa kassaredovisning +CalcModeDebt=Analysis of known recorded invoices 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= Läge% SRE på kundfakturor - leverantörerna fakturerar% s CalcModeLT1Debt=Läge% SRE på kundfakturor% s @@ -151,9 +154,9 @@ AnnualSummaryInputOutputMode=Överskott av intäkter och kostnader, årliga samm 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=Se rapporten %sIncomes-Expenses%s sa kontanter står för en beräkning på faktiska betalningar -SeeReportInDueDebtMode=Se rapporten %sClaims-Debts%s sa åtagande står för en beräkning på utfärdade fakturor -SeeReportInBookkeepingMode=See report %sBookeeping%s for a calculation on bookkeeping table analysis +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 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 validation date of invoices and VAT and on the due date for expenses. 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. @@ -218,8 +221,8 @@ Mode1=Metod 1 Mode2=Metod 2 CalculationRuleDesc=För att beräkna den totala mervärdesskatt, finns det två metoder:
Metod 1 är avrundning moms på varje rad, sedan summera dem.
Metod 2 är summera all moms på varje rad, sedan avrundning resultatet.
Slutresultat kan skiljer sig från några cent. Standardläget är läget% s. CalculationRuleDescSupplier=According to supplier, choose appropriate method to apply same calculation rule and get same result expected by your supplier. -TurnoverPerProductInCommitmentAccountingNotRelevant=The Turnover report per product, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). -TurnoverPerSaleTaxRateInCommitmentAccountingNotRelevant=The Turnover report per sale tax rate, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). +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. CalculationMode=Beräkning läge AccountancyJournal=Accounting code journal ACCOUNTING_VAT_SOLD_ACCOUNT=Accounting account by default for VAT on sales (used if not defined on VAT dictionary setup) @@ -251,5 +254,6 @@ VATDue=Sale tax claimed ClaimedForThisPeriod=Claimed for the period PaidDuringThisPeriod=Paid during this period ByVatRate=By sale tax rate -TurnoverbyVatrate=Turnover by sale tax rate +TurnoverbyVatrate=Turnover invoiced by sale tax rate +TurnoverCollectedbyVatrate=Turnover collected by sale tax rate PurchasebyVatrate=Purchase by sale tax rate diff --git a/htdocs/langs/sv_SE/install.lang b/htdocs/langs/sv_SE/install.lang index 7026f5411153a..2408595ce3873 100644 --- a/htdocs/langs/sv_SE/install.lang +++ b/htdocs/langs/sv_SE/install.lang @@ -204,3 +204,7 @@ MigrationResetBlockedLog=Reset module BlockedLog for v7 algorithm ShowNotAvailableOptions=Visa ej tillgängliga val HideNotAvailableOptions=Dölj ej tillgängliga val ErrorFoundDuringMigration=Error were reported during migration process so next step is not available. To ignore errors, you can click here, but application or some features may not work correctly until fixed. +YouTryInstallDisabledByDirLock=The application try to sefl upgrade, but install/upgrade pages have been disabled for security reason (directory renamed with .lock suffix).
+YouTryInstallDisabledByFileLock=The application try to sefl upgrade, but install/upgrade pages pages have been disabled for security reason (by lock file install.lock into dolibarr documents directory).
+ClickHereToGoToApp=Click here to go to your application +ClickOnLinkOrRemoveManualy=Click on following link and if you always reach this page, you must remove the file install.lock into documents directory manually diff --git a/htdocs/langs/sv_SE/main.lang b/htdocs/langs/sv_SE/main.lang index f423673f62c88..9dd3c43bb9f64 100644 --- a/htdocs/langs/sv_SE/main.lang +++ b/htdocs/langs/sv_SE/main.lang @@ -507,6 +507,7 @@ NoneF=Ingen NoneOrSeveral=None or several Late=Sent LateDesc=Delay to define if a record is late or not depends on your setup. Ask your admin to change delay from menu Home - Setup - Alerts. +NoItemLate=No late item Photo=Bild Photos=Bilder AddPhoto=Lägg till bild @@ -945,3 +946,5 @@ KeyboardShortcut=Keyboard shortcut AssignedTo=Påverkas i Deletedraft=Delete draft ConfirmMassDraftDeletion=Draft Bulk delete confirmation +FileSharedViaALink=Fil delad via länk + diff --git a/htdocs/langs/sv_SE/modulebuilder.lang b/htdocs/langs/sv_SE/modulebuilder.lang index a3fee23cb53b5..9d6661eda41d6 100644 --- a/htdocs/langs/sv_SE/modulebuilder.lang +++ b/htdocs/langs/sv_SE/modulebuilder.lang @@ -74,6 +74,7 @@ NoWidget=No widget GoToApiExplorer=Go to API explorer ListOfMenusEntries=List of menu entries ListOfPermissionsDefined=List of defined permissions +SeeExamples=See examples here EnabledDesc=Condition to have this field active (Examples: 1 or $conf->global->MYMODULE_MYOPTION) VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only. Using a negative value means field is not shown by default on list but can be selected for viewing) IsAMeasureDesc=Can the value of field be cumulated to get a total into list ? (Examples: 1 or 0) @@ -95,3 +96,6 @@ DropTableIfEmpty=(Delete table if empty) TableDoesNotExists=The table %s does not exists TableDropped=Table %s deleted InitStructureFromExistingTable=Build the structure array string of an existing table +UseAboutPage=Disallow the about page +UseDocFolder=Disallow the documentation folder +UseSpecificReadme=Use a specific ReadMe diff --git a/htdocs/langs/sv_SE/other.lang b/htdocs/langs/sv_SE/other.lang index f61f71a757152..ba1c762581c67 100644 --- a/htdocs/langs/sv_SE/other.lang +++ b/htdocs/langs/sv_SE/other.lang @@ -80,8 +80,8 @@ LinkedObject=Länkat objekt NbOfActiveNotifications=Number of notifications (nb of recipient emails) PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe two lines are separated by a carriage return.\n\n__USER_SIGNATURE__ PredefinedMailTestHtml=__(Hello)__\nThis is a test mail (the word test must be in bold).
The two lines are separated by a carriage return.

__USER_SIGNATURE__ -PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\nThis is the link to make your online payment if this invoice is not already payed:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\nThis is the link to make your online payment:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendProposal=__(Hello)__\n\nYou will find here the commercial proposal __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendSupplierProposal=__(Hello)__\n\nYou will find here the price request __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendOrder=__(Hello)__\n\nYou will find here the order __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ @@ -91,6 +91,7 @@ PredefinedMailContentSendShipping=__(Hello)__\n\nYou will find here the shipping PredefinedMailContentSendFichInter=__(Hello)__\n\nYou will find here the intervention __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentThirdparty=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentUser=__(Hello)__\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 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) @@ -218,7 +219,7 @@ FileIsTooBig=Filer är för stor PleaseBePatient=Ha tålamod ... NewPassword=New password ResetPassword=Reset password -RequestToResetPasswordReceived=A request to change your password has been received +RequestToResetPasswordReceived=A request to change your password has been received. NewKeyIs=Det här är din nya nycklar för att logga in NewKeyWillBe=Din nya knappen för att logga in på programvaran kommer att vara ClickHereToGoTo=Klicka här för att gå till %s diff --git a/htdocs/langs/sv_SE/paypal.lang b/htdocs/langs/sv_SE/paypal.lang index bccdafb1b9c98..277a45cb7ae0d 100644 --- a/htdocs/langs/sv_SE/paypal.lang +++ b/htdocs/langs/sv_SE/paypal.lang @@ -14,7 +14,6 @@ PaypalModeOnlyPaypal=PayPal endast ONLINE_PAYMENT_CSS_URL=Optionnal URL of CSS style sheet on online payment page ThisIsTransactionId=Detta är id transaktion: %s PAYPAL_ADD_PAYMENT_URL=Lägg till URL Paypal betalning när du skickar ett dokument per post -PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.

%s

YouAreCurrentlyInSandboxMode=You are currently in the %s "sandbox" mode NewOnlinePaymentReceived=New online payment received NewOnlinePaymentFailed=New online payment tried but failed diff --git a/htdocs/langs/sv_SE/products.lang b/htdocs/langs/sv_SE/products.lang index 874d88bb89f30..3d5fa1e249327 100644 --- a/htdocs/langs/sv_SE/products.lang +++ b/htdocs/langs/sv_SE/products.lang @@ -251,8 +251,8 @@ PriceNumeric=Nummer DefaultPrice=Default price ComposedProductIncDecStock=Increase/Decrease stock on parent change ComposedProduct=Sub-product -MinSupplierPrice=Minimum supplier price -MinCustomerPrice=Minimum customer price +MinSupplierPrice=Lägsta köpkurs +MinCustomerPrice=Minimum selling price DynamicPriceConfiguration=Dynamic price configuration DynamicPriceDesc=On product card, with this module enabled, you should be able to set mathematic functions to calculate Customer or Supplier prices. Such function can use all mathematic operators, some constants and variables. You can set here the variables you want to be able to use and if the variable need an automatic update, the external URL to use to ask Dolibarr to update automaticaly the value. AddVariable=Add Variable diff --git a/htdocs/langs/sv_SE/propal.lang b/htdocs/langs/sv_SE/propal.lang index 0fb1ecb86af51..50a3e5e48ec70 100644 --- a/htdocs/langs/sv_SE/propal.lang +++ b/htdocs/langs/sv_SE/propal.lang @@ -75,6 +75,7 @@ AvailabilityTypeAV_1M=1 månad TypeContact_propal_internal_SALESREPFOLL=Representanten följa upp förslag TypeContact_propal_external_BILLING=Kundfaktura kontakt TypeContact_propal_external_CUSTOMER=Kundkontakt följa upp förslag +TypeContact_propal_external_SHIPPING=Customer contact for delivery # Document models DocModelAzurDescription=Ett fullständigt förslag modell (logo. ..) DefaultModelPropalCreate=Skapa standardmodell diff --git a/htdocs/langs/sv_SE/sendings.lang b/htdocs/langs/sv_SE/sendings.lang index f541dd743f167..bf6be15800566 100644 --- a/htdocs/langs/sv_SE/sendings.lang +++ b/htdocs/langs/sv_SE/sendings.lang @@ -52,8 +52,8 @@ ActionsOnShipping=Evenemang på leverans LinkToTrackYourPackage=Länk till spåra ditt paket ShipmentCreationIsDoneFromOrder=För närvarande är skapandet av en ny leverans sker från ordern kortet. ShipmentLine=Transport linje -ProductQtyInCustomersOrdersRunning=Product quantity into open customers orders -ProductQtyInSuppliersOrdersRunning=Product quantity into open suppliers orders +ProductQtyInCustomersOrdersRunning=Product quantity into open customer orders +ProductQtyInSuppliersOrdersRunning=Product quantity into open purchase orders ProductQtyInShipmentAlreadySent=Product quantity from open customer order already sent ProductQtyInSuppliersShipmentAlreadyRecevied=Product quantity from open supplier order already received NoProductToShipFoundIntoStock=No product to ship found into warehouse %s. Correct stock or go back to choose another warehouse. diff --git a/htdocs/langs/sv_SE/stocks.lang b/htdocs/langs/sv_SE/stocks.lang index fe4312cf0bf4b..9ef237b102c34 100644 --- a/htdocs/langs/sv_SE/stocks.lang +++ b/htdocs/langs/sv_SE/stocks.lang @@ -67,7 +67,7 @@ DeStockOnValidateOrder=Minska befintligt lager vid validering av kundorder DeStockOnShipment=Decrease real stocks on shipping validation DeStockOnShipmentOnClosing=Decrease real stocks on shipping classification closed ReStockOnBill=Öka befintligt lager vid validering av leverantörsfakturor / kreditnotor -ReStockOnValidateOrder=Öka befintligt lager vid godkänd leverantörsorder +ReStockOnValidateOrder=Increase real stocks on purchase orders approbation ReStockOnDispatchOrder=Increase real stocks on manual dispatching into warehouses, after supplier order receipt of goods OrderStatusNotReadyToDispatch=Beställningen har ännu inte / inte längre status som tillåter sändning av produkter till lager. StockDiffPhysicTeoric=Explanation for difference between physical and virtual stock @@ -203,4 +203,4 @@ RegulateStock=Regulate Stock ListInventory=Lista StockSupportServices=Stock management support services StockSupportServicesDesc=By default, you can stock only product with type "product". If on, and if module service is on, you can also stock a product with type "service" -ReceiveProducts=Receive products +ReceiveProducts=Receive items diff --git a/htdocs/langs/sv_SE/users.lang b/htdocs/langs/sv_SE/users.lang index 8017b6026b01b..422f003968980 100644 --- a/htdocs/langs/sv_SE/users.lang +++ b/htdocs/langs/sv_SE/users.lang @@ -48,7 +48,7 @@ PasswordChangeRequest=Request to change password for %s PasswordChangeRequestSent=Begäran om att ändra lösenord för %s skickas till %s. ConfirmPasswordReset=Confirm password reset MenuUsersAndGroups=Användare & grupper -LastGroupsCreated=Latest %s created groups +LastGroupsCreated=Latest %s groups created LastUsersCreated=Latest %s users created ShowGroup=Visa grupp ShowUser=Visa användare diff --git a/htdocs/langs/sw_SW/accountancy.lang b/htdocs/langs/sw_SW/accountancy.lang index daa159280969a..04bbaa447e791 100644 --- a/htdocs/langs/sw_SW/accountancy.lang +++ b/htdocs/langs/sw_SW/accountancy.lang @@ -55,6 +55,7 @@ AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from m AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s AccountancyAreaDescVat=STEP %s: Define accounting accounts for each VAT Rates. For this, use the menu entry %s. +AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. AccountancyAreaDescExpenseReport=STEP %s: Define default accounting accounts for each type of expense report. For this, use the menu entry %s. AccountancyAreaDescSal=STEP %s: Define default accounting accounts for payment of salaries. For this, use the menu entry %s. AccountancyAreaDescContrib=STEP %s: Define default accounting accounts for special expences (miscellaneous taxes). For this, use the menu entry %s. @@ -131,6 +132,7 @@ ACCOUNTING_LENGTH_GACCOUNT=Length of the general accounting accounts (If you set 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 zero at the end of an accounting account. Needed by some countries (like switzerland). If keep to off (default), you can set the 2 following parameters to ask application to add virtual zero. BANK_DISABLE_DIRECT_INPUT=Disable direct recording of transaction in bank account +ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Enable draft export on journal ACCOUNTING_SELL_JOURNAL=Sell journal ACCOUNTING_PURCHASE_JOURNAL=Purchase journal diff --git a/htdocs/langs/sw_SW/admin.lang b/htdocs/langs/sw_SW/admin.lang index 28eb076c540e9..d7042e784dcb6 100644 --- a/htdocs/langs/sw_SW/admin.lang +++ b/htdocs/langs/sw_SW/admin.lang @@ -454,7 +454,7 @@ ModuleCompanyCodeDigitaria=Accounting code depends on third party code. The code Use3StepsApproval=By default, Purchase Orders need to be created and approved by 2 different users (one step/user to create and one step/user to approve. Note that if user has both permission to create and approve, one step/user will be enough). You can ask with this option to introduce a third step/user approval, if amount is higher than a dedicated value (so 3 steps will be necessary: 1=validation, 2=first approval and 3=second approval if amount is enough).
Set this to empty if one approval (2 steps) is enough, set it to a very low value (0.1) if a second approval (3 steps) is always required. UseDoubleApproval=Use a 3 steps approval when amount (without tax) is higher than... WarningPHPMail=WARNING: It is often better to setup outgoing emails to use the email server of your provider instead of the default setup. Some email providers (like Yahoo) does not allow you to send an email from another server than their own server. Your current setup use 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 a server of them, so few of your sent Emails may not be accepted (be carefull also to your email provider sending quota).
If your Email provider (like Yahoo) has this restriction, you must change Email setup to choose the other method "SMTP server" and enter the SMTP server and credentials provided by your Email provider (ask your EMail provider to get SMTP credentials for your account). -WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of your ERP CRM application: %s. +WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of the mail user agent (MUA) for your ERP CRM application: %s. ClickToShowDescription=Click to show description DependsOn=This module need the module(s) RequiredBy=This module is required by module(s) @@ -497,7 +497,7 @@ Module25Desc=Customer order management Module30Name=Invoices Module30Desc=Invoice and credit note management for customers. Invoice management for suppliers Module40Name=Suppliers -Module40Desc=Supplier management and buying (orders and invoices) +Module40Desc=Suppliers and purchase management (purchase orders and billing) Module42Name=Debug Logs Module42Desc=Logging facilities (file, syslog, ...). Such logs are for technical/debug purposes. Module49Name=Editors @@ -605,7 +605,7 @@ Module4000Desc=Human resources management (management of department, employee co Module5000Name=Multi-company Module5000Desc=Allows you to manage multiple companies Module6000Name=Workflow -Module6000Desc=Workflow management +Module6000Desc=Workflow management (automatic creation of object and/or automatic status change) Module10000Name=Websites Module10000Desc=Create public websites with a WYSIWG editor. Just setup your web server (Apache, Nginx, ...) to point to the dedicated Dolibarr directory to have it online on the Internet with your own domain name. Module20000Name=Leave Requests management @@ -891,7 +891,7 @@ DictionaryCivility=Personal and professional titles DictionaryActions=Types of agenda events DictionarySocialContributions=Social or fiscal taxes types DictionaryVAT=VAT Rates or Sales Tax Rates -DictionaryRevenueStamp=Amount of revenue stamps +DictionaryRevenueStamp=Amount of tax stamps DictionaryPaymentConditions=Payment terms DictionaryPaymentModes=Payment modes DictionaryTypeContact=Contact/Address types @@ -919,7 +919,7 @@ SetupSaved=Setup saved SetupNotSaved=Setup not saved BackToModuleList=Back to modules list BackToDictionaryList=Back to dictionaries list -TypeOfRevenueStamp=Type of revenue stamp +TypeOfRevenueStamp=Type of tax stamp VATManagement=VAT Management VATIsUsedDesc=By default when creating prospects, invoices, orders etc the VAT rate follows the active standard rule:
If the seller is not subjected to VAT, then VAT defaults to 0. End of rule.
If the (selling country= buying country), then the VAT by default equals the VAT of the product in the selling country. End of rule.
If seller and buyer are both in the European Community and goods are transport products (car, ship, plane), the default VAT is 0 ( The VAT should be paid by the buyer to the customoffice of his country and not to the seller). End of rule.
If seller and buyer are both in the European Community and the buyer is not a company, then the VAT by defaults to the VAT of the product sold. End of rule.
If seller and buyer are both in the European Community and the buyer is a company, then the VAT is 0 by default . End of rule.
In any othe case the proposed default is VAT=0. End of rule. VATIsNotUsedDesc=By default the proposed VAT is 0 which can be used for cases like associations, individuals ou small companies. @@ -1027,7 +1027,7 @@ Delays_MAIN_DELAY_ACTIONS_TODO=Delay tolerance (in days) before alert on planned Delays_MAIN_DELAY_PROJECT_TO_CLOSE=Delay tolerance (in days) before alert on project not closed in time Delays_MAIN_DELAY_TASKS_TODO=Delay tolerance (in days) before alert on planned tasks (project tasks) not completed yet Delays_MAIN_DELAY_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on orders not processed yet -Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on suppliers orders not processed yet +Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on purchase orders not processed yet Delays_MAIN_DELAY_PROPALS_TO_CLOSE=Delay tolerance (in days) before alert on proposals to close Delays_MAIN_DELAY_PROPALS_TO_BILL=Delay tolerance (in days) before alert on proposals not billed Delays_MAIN_DELAY_NOT_ACTIVATED_SERVICES=Tolerance delay (in days) before alert on services to activate @@ -1458,7 +1458,7 @@ SyslogFilename=File name and path YouCanUseDOL_DATA_ROOT=You can use DOL_DATA_ROOT/dolibarr.log for a log file in Dolibarr "documents" directory. You can set a different path to store this file. ErrorUnknownSyslogConstant=Constant %s is not a known Syslog constant OnlyWindowsLOG_USER=Windows only supports LOG_USER -CompressSyslogs=Syslog files compression and backup +CompressSyslogs=Compression and backup of debug log files (generated by module Log for debug) SyslogFileNumberOfSaves=Log backups ConfigureCleaningCronjobToSetFrequencyOfSaves=Configure cleaning scheduled job to set log backup frequency ##### Donations ##### diff --git a/htdocs/langs/sw_SW/banks.lang b/htdocs/langs/sw_SW/banks.lang index be8f75d172b54..1d42581c34437 100644 --- a/htdocs/langs/sw_SW/banks.lang +++ b/htdocs/langs/sw_SW/banks.lang @@ -1,12 +1,13 @@ # Dolibarr language file - Source file is en_US - banks Bank=Bank -MenuBankCash=Bank/Cash +MenuBankCash=Bank | Cash MenuVariousPayment=Miscellaneous payments MenuNewVariousPayment=New Miscellaneous payment BankName=Bank name FinancialAccount=Account BankAccount=Bank account BankAccounts=Bank accounts +BankAccountsAndGateways=Bank accounts | Gateways ShowAccount=Show Account AccountRef=Financial account ref AccountLabel=Financial account label @@ -131,7 +132,7 @@ PaymentDateUpdateSucceeded=Payment date updated successfully PaymentDateUpdateFailed=Payment date could not be updated Transactions=Transactions BankTransactionLine=Bank entry -AllAccounts=All bank/cash accounts +AllAccounts=All bank and cash accounts BackToAccount=Back to account ShowAllAccounts=Show for all accounts FutureTransaction=Transaction in futur. No way to conciliate. @@ -159,5 +160,6 @@ VariousPayment=Miscellaneous payments VariousPayments=Miscellaneous payments ShowVariousPayment=Show miscellaneous payments AddVariousPayment=Add miscellaneous payments +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. Thanks to return it signed (scan of the signed document) or sent it by mail to diff --git a/htdocs/langs/sw_SW/bills.lang b/htdocs/langs/sw_SW/bills.lang index 2f029928beb64..f76ff018f9d77 100644 --- a/htdocs/langs/sw_SW/bills.lang +++ b/htdocs/langs/sw_SW/bills.lang @@ -110,8 +110,8 @@ SendRemindByMail=Send reminder by EMail DoPayment=Enter payment DoPaymentBack=Enter refund ConvertToReduc=Mark as credit available -ConvertExcessReceivedToReduc=Convert excess received into future discount -ConvertExcessPaidToReduc=Convert excess paid into future discount +ConvertExcessReceivedToReduc=Convert excess received into available credit +ConvertExcessPaidToReduc=Convert excess paid into available discount EnterPaymentReceivedFromCustomer=Enter payment received from customer EnterPaymentDueToCustomer=Make payment due to customer DisabledBecauseRemainderToPayIsZero=Disabled because remaining unpaid is zero @@ -282,6 +282,7 @@ RelativeDiscount=Relative discount GlobalDiscount=Global discount CreditNote=Credit note CreditNotes=Credit notes +CreditNotesOrExcessReceived=Credit notes or excess received Deposit=Down payment Deposits=Down payments DiscountFromCreditNote=Discount from credit note %s @@ -393,6 +394,7 @@ PaymentConditionShort14DENDMONTH=14 days of month-end PaymentCondition14DENDMONTH=Within 14 days following the end of the month FixAmount=Fix amount VarAmount=Variable amount (%% tot.) +VarAmountOneLine=Variable amount (%% tot.) - 1 line with label '%s' # PaymentType PaymentTypeVIR=Bank transfer PaymentTypeShortVIR=Bank transfer diff --git a/htdocs/langs/sw_SW/compta.lang b/htdocs/langs/sw_SW/compta.lang index d2cfb71490033..c0f5920ea92ff 100644 --- a/htdocs/langs/sw_SW/compta.lang +++ b/htdocs/langs/sw_SW/compta.lang @@ -19,7 +19,8 @@ Income=Income Outcome=Expense MenuReportInOut=Income / Expense ReportInOut=Balance of income and expenses -ReportTurnover=Turnover +ReportTurnover=Turnover invoiced +ReportTurnoverCollected=Turnover collected PaymentsNotLinkedToInvoice=Payments not linked to any invoice, so not linked to any third party PaymentsNotLinkedToUser=Payments not linked to any user Profit=Profit @@ -77,7 +78,7 @@ MenuNewSocialContribution=New social/fiscal tax NewSocialContribution=New social/fiscal tax AddSocialContribution=Add social/fiscal tax ContributionsToPay=Social/fiscal taxes to pay -AccountancyTreasuryArea=Accountancy/Treasury area +AccountancyTreasuryArea=Billing and payment area NewPayment=New payment Payments=Payments PaymentCustomerInvoice=Customer invoice payment @@ -105,6 +106,7 @@ VATPayment=Sales tax payment VATPayments=Sales tax payments VATRefund=Sales tax refund NewVATPayment=New sales tax payment +NewLocalTaxPayment=New tax %s payment Refund=Refund SocialContributionsPayments=Social/fiscal taxes payments ShowVatPayment=Show VAT payment @@ -116,8 +118,9 @@ CustomerAccountancyCodeShort=Cust. account. code SupplierAccountancyCodeShort=Sup. account. code AccountNumber=Account number NewAccountingAccount=New account -SalesTurnover=Sales turnover -SalesTurnoverMinimum=Minimum sales turnover +Turnover=Turnover invoiced +TurnoverCollected=Turnover collected +SalesTurnoverMinimum=Minimum turnover ByExpenseIncome=By expenses & incomes ByThirdParties=By third parties ByUserAuthorOfInvoice=By invoice author @@ -137,8 +140,8 @@ 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=Mode %sClaims-Debts%s said Commitment accounting. -CalcModeEngagement=Mode %sIncomes-Expenses%s said cash accounting +CalcModeDebt=Analysis of known recorded invoices 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 CalcModeLT1Debt=Mode %sRE on customer invoices%s @@ -151,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 report %sIncomes-Expenses%s said cash accounting for a calculation on actual payments made -SeeReportInDueDebtMode=See report %sClaims-Debts%s said commitment accounting for a calculation on issued invoices -SeeReportInBookkeepingMode=See report %sBookeeping%s for a calculation on bookkeeping table analysis +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 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 validation date of invoices and VAT and on the due date for expenses. 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. @@ -218,8 +221,8 @@ 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 supplier, choose appropriate method to apply same calculation rule and get same result expected by your supplier. -TurnoverPerProductInCommitmentAccountingNotRelevant=The Turnover report per product, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). -TurnoverPerSaleTaxRateInCommitmentAccountingNotRelevant=The Turnover report per sale tax rate, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). +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. CalculationMode=Calculation mode AccountancyJournal=Accounting code journal ACCOUNTING_VAT_SOLD_ACCOUNT=Accounting account by default for VAT on sales (used if not defined on VAT dictionary setup) @@ -251,5 +254,6 @@ VATDue=Sale tax claimed ClaimedForThisPeriod=Claimed for the period PaidDuringThisPeriod=Paid during this period ByVatRate=By sale tax rate -TurnoverbyVatrate=Turnover by sale tax rate +TurnoverbyVatrate=Turnover invoiced by sale tax rate +TurnoverCollectedbyVatrate=Turnover collected by sale tax rate PurchasebyVatrate=Purchase by sale tax rate diff --git a/htdocs/langs/sw_SW/install.lang b/htdocs/langs/sw_SW/install.lang index 587d4f83da6c6..fb521c0c08565 100644 --- a/htdocs/langs/sw_SW/install.lang +++ b/htdocs/langs/sw_SW/install.lang @@ -204,3 +204,7 @@ MigrationResetBlockedLog=Reset module BlockedLog for v7 algorithm ShowNotAvailableOptions=Show not available options HideNotAvailableOptions=Hide not available options ErrorFoundDuringMigration=Error were reported during migration process so next step is not available. To ignore errors, you can click here, but application or some features may not work correctly until fixed. +YouTryInstallDisabledByDirLock=The application try to sefl upgrade, but install/upgrade pages have been disabled for security reason (directory renamed with .lock suffix).
+YouTryInstallDisabledByFileLock=The application try to sefl upgrade, but install/upgrade pages pages have been disabled for security reason (by lock file install.lock into dolibarr documents directory).
+ClickHereToGoToApp=Click here to go to your application +ClickOnLinkOrRemoveManualy=Click on following link and if you always reach this page, you must remove the file install.lock into documents directory manually diff --git a/htdocs/langs/sw_SW/main.lang b/htdocs/langs/sw_SW/main.lang index afd0a77a87fdf..5d400fafa8729 100644 --- a/htdocs/langs/sw_SW/main.lang +++ b/htdocs/langs/sw_SW/main.lang @@ -507,6 +507,7 @@ NoneF=None NoneOrSeveral=None or several Late=Late LateDesc=Delay to define if a record is late or not depends on your setup. Ask your admin to change delay from menu Home - Setup - Alerts. +NoItemLate=No late item Photo=Picture Photos=Pictures AddPhoto=Add picture @@ -945,3 +946,5 @@ KeyboardShortcut=Keyboard shortcut AssignedTo=Assigned to Deletedraft=Delete draft ConfirmMassDraftDeletion=Draft Bulk delete confirmation +FileSharedViaALink=File shared via a link + diff --git a/htdocs/langs/sw_SW/other.lang b/htdocs/langs/sw_SW/other.lang index 13907ca380e17..8ef8cc30090b4 100644 --- a/htdocs/langs/sw_SW/other.lang +++ b/htdocs/langs/sw_SW/other.lang @@ -80,8 +80,8 @@ LinkedObject=Linked object NbOfActiveNotifications=Number of notifications (nb of recipient emails) PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe two lines are separated by a carriage return.\n\n__USER_SIGNATURE__ PredefinedMailTestHtml=__(Hello)__\nThis is a test mail (the word test must be in bold).
The two lines are separated by a carriage return.

__USER_SIGNATURE__ -PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\nThis is the link to make your online payment if this invoice is not already payed:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\nThis is the link to make your online payment:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendProposal=__(Hello)__\n\nYou will find here the commercial proposal __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendSupplierProposal=__(Hello)__\n\nYou will find here the price request __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendOrder=__(Hello)__\n\nYou will find here the order __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ @@ -91,6 +91,7 @@ PredefinedMailContentSendShipping=__(Hello)__\n\nYou will find here the shipping PredefinedMailContentSendFichInter=__(Hello)__\n\nYou will find here the intervention __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentThirdparty=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentUser=__(Hello)__\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 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) @@ -218,7 +219,7 @@ 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 +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 diff --git a/htdocs/langs/sw_SW/paypal.lang b/htdocs/langs/sw_SW/paypal.lang index 600245dc658a1..68c5b0aefa1b8 100644 --- a/htdocs/langs/sw_SW/paypal.lang +++ b/htdocs/langs/sw_SW/paypal.lang @@ -14,7 +14,6 @@ PaypalModeOnlyPaypal=PayPal only ONLINE_PAYMENT_CSS_URL=Optionnal URL of CSS style sheet on online payment page ThisIsTransactionId=This is id of transaction: %s PAYPAL_ADD_PAYMENT_URL=Add the url of Paypal payment when you send a document by mail -PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.

%s

YouAreCurrentlyInSandboxMode=You are currently in the %s "sandbox" mode NewOnlinePaymentReceived=New online payment received NewOnlinePaymentFailed=New online payment tried but failed diff --git a/htdocs/langs/sw_SW/products.lang b/htdocs/langs/sw_SW/products.lang index 72e717367fc20..06558c90d81fc 100644 --- a/htdocs/langs/sw_SW/products.lang +++ b/htdocs/langs/sw_SW/products.lang @@ -251,8 +251,8 @@ PriceNumeric=Number DefaultPrice=Default price ComposedProductIncDecStock=Increase/Decrease stock on parent change ComposedProduct=Sub-product -MinSupplierPrice=Minimum supplier price -MinCustomerPrice=Minimum customer price +MinSupplierPrice=Minimum buying price +MinCustomerPrice=Minimum selling price DynamicPriceConfiguration=Dynamic price configuration DynamicPriceDesc=On product card, with this module enabled, you should be able to set mathematic functions to calculate Customer or Supplier prices. Such function can use all mathematic operators, some constants and variables. You can set here the variables you want to be able to use and if the variable need an automatic update, the external URL to use to ask Dolibarr to update automaticaly the value. AddVariable=Add Variable diff --git a/htdocs/langs/sw_SW/propal.lang b/htdocs/langs/sw_SW/propal.lang index 04941e4c650f3..8cf3a68167ae6 100644 --- a/htdocs/langs/sw_SW/propal.lang +++ b/htdocs/langs/sw_SW/propal.lang @@ -75,6 +75,7 @@ AvailabilityTypeAV_1M=1 month TypeContact_propal_internal_SALESREPFOLL=Representative following-up proposal TypeContact_propal_external_BILLING=Customer invoice contact TypeContact_propal_external_CUSTOMER=Customer contact following-up proposal +TypeContact_propal_external_SHIPPING=Customer contact for delivery # Document models DocModelAzurDescription=A complete proposal model (logo...) DefaultModelPropalCreate=Default model creation diff --git a/htdocs/langs/sw_SW/sendings.lang b/htdocs/langs/sw_SW/sendings.lang index 5091bfe950dcd..3b3850e44edab 100644 --- a/htdocs/langs/sw_SW/sendings.lang +++ b/htdocs/langs/sw_SW/sendings.lang @@ -52,8 +52,8 @@ ActionsOnShipping=Events on shipment LinkToTrackYourPackage=Link to track your package ShipmentCreationIsDoneFromOrder=For the moment, creation of a new shipment is done from the order card. ShipmentLine=Shipment line -ProductQtyInCustomersOrdersRunning=Product quantity into open customers orders -ProductQtyInSuppliersOrdersRunning=Product quantity into open suppliers orders +ProductQtyInCustomersOrdersRunning=Product quantity into open customer orders +ProductQtyInSuppliersOrdersRunning=Product quantity into open purchase orders ProductQtyInShipmentAlreadySent=Product quantity from open customer order already sent ProductQtyInSuppliersShipmentAlreadyRecevied=Product quantity from open supplier order already received NoProductToShipFoundIntoStock=No product to ship found into warehouse %s. Correct stock or go back to choose another warehouse. diff --git a/htdocs/langs/sw_SW/stocks.lang b/htdocs/langs/sw_SW/stocks.lang index aaa7e21fc0d7c..8178a8918b71a 100644 --- a/htdocs/langs/sw_SW/stocks.lang +++ b/htdocs/langs/sw_SW/stocks.lang @@ -67,7 +67,7 @@ DeStockOnValidateOrder=Decrease real stocks on customers orders validation DeStockOnShipment=Decrease real stocks on shipping validation DeStockOnShipmentOnClosing=Decrease real stocks on shipping classification closed ReStockOnBill=Increase real stocks on suppliers invoices/credit notes validation -ReStockOnValidateOrder=Increase real stocks on suppliers orders approbation +ReStockOnValidateOrder=Increase real stocks on purchase orders approbation ReStockOnDispatchOrder=Increase real stocks on manual dispatching into warehouses, after supplier order receipt of goods 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 @@ -203,4 +203,4 @@ RegulateStock=Regulate Stock ListInventory=List StockSupportServices=Stock management support services StockSupportServicesDesc=By default, you can stock only product with type "product". If on, and if module service is on, you can also stock a product with type "service" -ReceiveProducts=Receive products +ReceiveProducts=Receive items diff --git a/htdocs/langs/sw_SW/users.lang b/htdocs/langs/sw_SW/users.lang index 8aa5d3749fcdb..26f22923a9a08 100644 --- a/htdocs/langs/sw_SW/users.lang +++ b/htdocs/langs/sw_SW/users.lang @@ -48,7 +48,7 @@ PasswordChangeRequest=Request to change password for %s PasswordChangeRequestSent=Request to change password for %s sent to %s. ConfirmPasswordReset=Confirm password reset MenuUsersAndGroups=Users & Groups -LastGroupsCreated=Latest %s created groups +LastGroupsCreated=Latest %s groups created LastUsersCreated=Latest %s users created ShowGroup=Show group ShowUser=Show user diff --git a/htdocs/langs/th_TH/accountancy.lang b/htdocs/langs/th_TH/accountancy.lang index 0fb637c6cb8af..a1cb168c1a540 100644 --- a/htdocs/langs/th_TH/accountancy.lang +++ b/htdocs/langs/th_TH/accountancy.lang @@ -55,6 +55,7 @@ AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from m AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s AccountancyAreaDescVat=STEP %s: Define accounting accounts for each VAT Rates. For this, use the menu entry %s. +AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. AccountancyAreaDescExpenseReport=STEP %s: Define default accounting accounts for each type of expense report. For this, use the menu entry %s. AccountancyAreaDescSal=STEP %s: Define default accounting accounts for payment of salaries. For this, use the menu entry %s. AccountancyAreaDescContrib=STEP %s: Define default accounting accounts for special expences (miscellaneous taxes). For this, use the menu entry %s. @@ -131,6 +132,7 @@ ACCOUNTING_LENGTH_GACCOUNT=Length of the general accounting accounts (If you set 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 zero at the end of an accounting account. Needed by some countries (like switzerland). If keep to off (default), you can set the 2 following parameters to ask application to add virtual zero. BANK_DISABLE_DIRECT_INPUT=Disable direct recording of transaction in bank account +ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Enable draft export on journal ACCOUNTING_SELL_JOURNAL=ขายวารสาร ACCOUNTING_PURCHASE_JOURNAL=วารสารการสั่งซื้อ diff --git a/htdocs/langs/th_TH/admin.lang b/htdocs/langs/th_TH/admin.lang index 5d00a2bfb2f1f..1b3c4fcb25fbc 100644 --- a/htdocs/langs/th_TH/admin.lang +++ b/htdocs/langs/th_TH/admin.lang @@ -454,7 +454,7 @@ ModuleCompanyCodeDigitaria=Accounting code depends on third party code. The code Use3StepsApproval=By default, Purchase Orders need to be created and approved by 2 different users (one step/user to create and one step/user to approve. Note that if user has both permission to create and approve, one step/user will be enough). You can ask with this option to introduce a third step/user approval, if amount is higher than a dedicated value (so 3 steps will be necessary: 1=validation, 2=first approval and 3=second approval if amount is enough).
Set this to empty if one approval (2 steps) is enough, set it to a very low value (0.1) if a second approval (3 steps) is always required. UseDoubleApproval=Use a 3 steps approval when amount (without tax) is higher than... WarningPHPMail=WARNING: It is often better to setup outgoing emails to use the email server of your provider instead of the default setup. Some email providers (like Yahoo) does not allow you to send an email from another server than their own server. Your current setup use 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 a server of them, so few of your sent Emails may not be accepted (be carefull also to your email provider sending quota).
If your Email provider (like Yahoo) has this restriction, you must change Email setup to choose the other method "SMTP server" and enter the SMTP server and credentials provided by your Email provider (ask your EMail provider to get SMTP credentials for your account). -WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of your ERP CRM application: %s. +WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of the mail user agent (MUA) for your ERP CRM application: %s. ClickToShowDescription=Click to show description DependsOn=This module need the module(s) RequiredBy=This module is required by module(s) @@ -497,7 +497,7 @@ Module25Desc=การบริหารลูกค้าสั่งซื้ Module30Name=ใบแจ้งหนี้ Module30Desc=ใบแจ้งหนี้และการจัดการใบลดหนี้สำหรับลูกค้า การจัดการใบแจ้งหนี้สำหรับซัพพลายเออร์ Module40Name=ซัพพลายเออร์ -Module40Desc=จัดการซัพพลายเออร์และการซื้อ (คำสั่งซื้อและใบแจ้งหนี้) +Module40Desc=Suppliers and purchase management (purchase orders and billing) Module42Name=Debug Logs Module42Desc=Logging facilities (file, syslog, ...). Such logs are for technical/debug purposes. Module49Name=บรรณาธิการ @@ -605,7 +605,7 @@ Module4000Desc=Human resources management (management of department, employee co Module5000Name=หลาย บริษัท Module5000Desc=ช่วยให้คุณสามารถจัดการกับหลาย บริษัท Module6000Name=ขั้นตอนการทำงาน -Module6000Desc=การจัดการเวิร์กโฟลว์ +Module6000Desc=Workflow management (automatic creation of object and/or automatic status change) Module10000Name=Websites Module10000Desc=Create public websites with a WYSIWG editor. Just setup your web server (Apache, Nginx, ...) to point to the dedicated Dolibarr directory to have it online on the Internet with your own domain name. Module20000Name=ขอออกจากการบริหารจัดการ @@ -891,7 +891,7 @@ DictionaryCivility=Personal and professional titles DictionaryActions=Types of agenda events DictionarySocialContributions=ภาษีทางสังคมหรือทางการคลังประเภท DictionaryVAT=ภาษีมูลค่าเพิ่มราคาหรืออัตราภาษีการขาย -DictionaryRevenueStamp=จำนวนเงินรายได้ของแสตมป์ +DictionaryRevenueStamp=Amount of tax stamps DictionaryPaymentConditions=เงื่อนไขการชำระเงิน DictionaryPaymentModes=โหมดการชำระเงิน DictionaryTypeContact=ติดต่อเรา / ที่อยู่ประเภท @@ -919,7 +919,7 @@ SetupSaved=การตั้งค่าที่บันทึกไว้ SetupNotSaved=Setup not saved BackToModuleList=กลับไปยังรายการโมดูล BackToDictionaryList=กลับไปยังรายการพจนานุกรม -TypeOfRevenueStamp=Type of revenue stamp +TypeOfRevenueStamp=Type of tax stamp VATManagement=การบริหารจัดการภาษีมูลค่าเพิ่ม VATIsUsedDesc=By default when creating prospects, invoices, orders etc the VAT rate follows the active standard rule:
If the seller is not subjected to VAT, then VAT defaults to 0. End of rule.
If the (selling country= buying country), then the VAT by default equals the VAT of the product in the selling country. End of rule.
If seller and buyer are both in the European Community and goods are transport products (car, ship, plane), the default VAT is 0 ( The VAT should be paid by the buyer to the customoffice of his country and not to the seller). End of rule.
If seller and buyer are both in the European Community and the buyer is not a company, then the VAT by defaults to the VAT of the product sold. End of rule.
If seller and buyer are both in the European Community and the buyer is a company, then the VAT is 0 by default . End of rule.
In any othe case the proposed default is VAT=0. End of rule. VATIsNotUsedDesc=โดยเริ่มต้นภาษีมูลค่าเพิ่มเสนอเป็น 0 ซึ่งสามารถนำมาใช้สำหรับกรณีเช่นสมาคมบุคคลอู บริษัท ขนาดเล็ก @@ -1027,7 +1027,7 @@ Delays_MAIN_DELAY_ACTIONS_TODO=Delay tolerance (in days) before alert on planned Delays_MAIN_DELAY_PROJECT_TO_CLOSE=Delay tolerance (in days) before alert on project not closed in time Delays_MAIN_DELAY_TASKS_TODO=Delay tolerance (in days) before alert on planned tasks (project tasks) not completed yet Delays_MAIN_DELAY_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on orders not processed yet -Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on suppliers orders not processed yet +Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on purchase orders not processed yet Delays_MAIN_DELAY_PROPALS_TO_CLOSE=ความอดทนล่าช้า (ในวัน) ก่อนที่จะแจ้งเตือนเกี่ยวกับข้อเสนอที่จะปิด Delays_MAIN_DELAY_PROPALS_TO_BILL=ความอดทนล่าช้า (ในวัน) ก่อนที่จะแจ้งเตือนเกี่ยวกับข้อเสนอการเรียกเก็บเงินไม่ได้ Delays_MAIN_DELAY_NOT_ACTIVATED_SERVICES=ความล่าช้าความอดทน (ในวัน) ก่อนที่จะแจ้งเตือนในการให้บริการเพื่อเปิดใช้งาน @@ -1458,7 +1458,7 @@ SyslogFilename=ชื่อแฟ้มและเส้นทาง YouCanUseDOL_DATA_ROOT=คุณสามารถใช้ DOL_DATA_ROOT / dolibarr.log สำหรับล็อกไฟล์ใน Dolibarr "เอกสาร" ไดเรกทอรี คุณสามารถตั้งค่าเส้นทางที่แตกต่างกันในการจัดเก็บไฟล์นี้ ErrorUnknownSyslogConstant=% s คงไม่ได้เป็นที่รู้จักกันอย่างต่อเนื่อง Syslog OnlyWindowsLOG_USER=Windows เท่านั้นสนับสนุน LOG_USER -CompressSyslogs=Syslog files compression and backup +CompressSyslogs=Compression and backup of debug log files (generated by module Log for debug) SyslogFileNumberOfSaves=Log backups ConfigureCleaningCronjobToSetFrequencyOfSaves=Configure cleaning scheduled job to set log backup frequency ##### Donations ##### diff --git a/htdocs/langs/th_TH/banks.lang b/htdocs/langs/th_TH/banks.lang index 999a4dbf66d9b..e048ac8042bbc 100644 --- a/htdocs/langs/th_TH/banks.lang +++ b/htdocs/langs/th_TH/banks.lang @@ -1,12 +1,13 @@ # Dolibarr language file - Source file is en_US - banks Bank=ธนาคาร -MenuBankCash=ธนาคาร / เงินสด +MenuBankCash=Bank | Cash MenuVariousPayment=Miscellaneous payments MenuNewVariousPayment=New Miscellaneous payment BankName=ชื่อธนาคาร FinancialAccount=บัญชี BankAccount=บัญชีเงินฝาก BankAccounts=บัญชีเงินฝากธนาคาร +BankAccountsAndGateways=Bank accounts | Gateways ShowAccount=แสดงบัญชี AccountRef=อ้างอิงบัญชีการเงิน AccountLabel=ป้ายชื่อบัญชีการเงิน @@ -131,7 +132,7 @@ PaymentDateUpdateSucceeded=Payment date updated successfully PaymentDateUpdateFailed=วันที่ชำระเงินไม่สามารถได้รับการปรับปรุง Transactions=การทำธุรกรรม BankTransactionLine=Bank entry -AllAccounts=ธนาคารทั้งหมด / บัญชีเงินสด +AllAccounts=All bank and cash accounts BackToAccount=กลับไปที่บัญชี ShowAllAccounts=แสดงสำหรับบัญชีทั้งหมด FutureTransaction=การทำธุรกรรมในอนาคต วิธีที่จะประนีประนอมไม่มี @@ -159,5 +160,6 @@ VariousPayment=Miscellaneous payments VariousPayments=Miscellaneous payments ShowVariousPayment=Show miscellaneous payments AddVariousPayment=Add miscellaneous payments +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. Thanks to return it signed (scan of the signed document) or sent it by mail to diff --git a/htdocs/langs/th_TH/bills.lang b/htdocs/langs/th_TH/bills.lang index c7775429b01f8..f9f077e12c760 100644 --- a/htdocs/langs/th_TH/bills.lang +++ b/htdocs/langs/th_TH/bills.lang @@ -110,8 +110,8 @@ SendRemindByMail=ส่งการแจ้งเตือนทางอีเ DoPayment=Enter payment DoPaymentBack=Enter refund ConvertToReduc=Mark as credit available -ConvertExcessReceivedToReduc=Convert excess received into future discount -ConvertExcessPaidToReduc=Convert excess paid into future discount +ConvertExcessReceivedToReduc=Convert excess received into available credit +ConvertExcessPaidToReduc=Convert excess paid into available discount EnterPaymentReceivedFromCustomer=ป้อนการชำระเงินที่ได้รับจากลูกค้า EnterPaymentDueToCustomer=ชำระเงินเนื่องจากลูกค้า DisabledBecauseRemainderToPayIsZero=ปิดใช้งานเนื่องจากค้างชำระที่เหลือเป็นศูนย์ @@ -282,6 +282,7 @@ RelativeDiscount=ส่วนลดญาติ GlobalDiscount=ลดราคาทั่วโลก CreditNote=ใบลดหนี้ CreditNotes=บันทึกเครดิต +CreditNotesOrExcessReceived=Credit notes or excess received Deposit=Down payment Deposits=Down payments DiscountFromCreditNote=ส่วนลดจากใบลดหนี้% s @@ -393,6 +394,7 @@ PaymentConditionShort14DENDMONTH=14 days of month-end PaymentCondition14DENDMONTH=Within 14 days following the end of the month FixAmount=จำนวนการแก้ไข VarAmount=ปริมาณ (ทีโอที %%.) +VarAmountOneLine=Variable amount (%% tot.) - 1 line with label '%s' # PaymentType PaymentTypeVIR=โอนเงินผ่านธนาคาร PaymentTypeShortVIR=โอนเงินผ่านธนาคาร diff --git a/htdocs/langs/th_TH/compta.lang b/htdocs/langs/th_TH/compta.lang index 83373b65e9026..6f7024d9ea47b 100644 --- a/htdocs/langs/th_TH/compta.lang +++ b/htdocs/langs/th_TH/compta.lang @@ -19,7 +19,8 @@ Income=เงินได้ Outcome=ค่าใช้จ่าย MenuReportInOut=รายได้ / ค่าใช้จ่าย ReportInOut=Balance of income and expenses -ReportTurnover=ผลประกอบการ +ReportTurnover=Turnover invoiced +ReportTurnoverCollected=Turnover collected PaymentsNotLinkedToInvoice=การชำระเงินไม่ได้เชื่อมโยงกับใบแจ้งหนี้ใด ๆ ดังนั้นไม่เชื่อมโยงกับบุคคลที่สาม PaymentsNotLinkedToUser=การชำระเงินที่ไม่เชื่อมโยงกับผู้ใช้ใด ๆ Profit=กำไร @@ -77,7 +78,7 @@ MenuNewSocialContribution=ใหม่สังคม / ภาษีการค NewSocialContribution=ใหม่สังคม / ภาษีการคลัง AddSocialContribution=Add social/fiscal tax ContributionsToPay=สังคม / ภาษีการคลังที่จะต้องจ่าย -AccountancyTreasuryArea=การบัญชี / ธนารักษ์พื้นที่ +AccountancyTreasuryArea=Billing and payment area NewPayment=การชำระเงินใหม่ Payments=วิธีการชำระเงิน PaymentCustomerInvoice=การชำระเงินตามใบแจ้งหนี้ของลูกค้า @@ -105,6 +106,7 @@ VATPayment=Sales tax payment VATPayments=Sales tax payments VATRefund=Sales tax refund NewVATPayment=New sales tax payment +NewLocalTaxPayment=New tax %s payment Refund=Refund SocialContributionsPayments=สังคม / การชำระเงินภาษีการคลัง ShowVatPayment=แสดงการชำระเงินภาษีมูลค่าเพิ่ม @@ -116,8 +118,9 @@ CustomerAccountancyCodeShort=Cust. account. code SupplierAccountancyCodeShort=Sup. account. code AccountNumber=เลขที่บัญชี NewAccountingAccount=บัญชีใหม่ -SalesTurnover=ยอดขาย -SalesTurnoverMinimum=ยอดขายขั้นต่ำ +Turnover=Turnover invoiced +TurnoverCollected=Turnover collected +SalesTurnoverMinimum=Minimum turnover ByExpenseIncome=By expenses & incomes ByThirdParties=โดยบุคคลที่สาม ByUserAuthorOfInvoice=โดยผู้เขียนใบแจ้งหนี้ @@ -137,8 +140,8 @@ ConfirmDeleteSocialContribution=คุณแน่ใจหรือว่าต ExportDataset_tax_1=ภาษีสังคมและการคลังและการชำระเงิน CalcModeVATDebt=โหมด% sVAT ความมุ่งมั่นบัญชี% s CalcModeVATEngagement=โหมด sVAT% รายได้ค่าใช้จ่าย-% s -CalcModeDebt=โหมด% sClaims-หนี้% s บัญชีกล่าวว่าความมุ่งมั่น -CalcModeEngagement=โหมด sIncomes-% ค่าใช้จ่ายใน% s กล่าวว่าบัญชีเงินสด +CalcModeDebt=Analysis of known recorded invoices 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 CalcModeLT1Debt=โหมด% Sre ในใบแจ้งหนี้ของลูกค้า% s @@ -151,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=ดูรายงาน sIncomes-% ค่าใช้จ่ายใน% s กล่าวว่าเงินสดบัญชีสำหรับการคำนวณในการชำระเงินที่เกิดขึ้นจริงที่ทำ -SeeReportInDueDebtMode=ดูรายงาน% sClaims-หนี้% s กล่าวว่าความมุ่งมั่นในการบัญชีสำหรับการคำนวณในใบแจ้งหนี้ที่ออก -SeeReportInBookkeepingMode=See report %sBookeeping%s for a calculation on bookkeeping table analysis +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 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 validation date of invoices and VAT and on the due date for expenses. 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. @@ -218,8 +221,8 @@ Mode1=วิธีที่ 1 Mode2=วิธีที่ 2 CalculationRuleDesc=ในการคำนวณภาษีมูลค่าเพิ่มรวมมีสองวิธี:
วิธีที่ 1 มีการปัดเศษถังในแต่ละบรรทัดแล้วข้อสรุปพวกเขา
วิธีที่ 2 คือข้อสรุปถังทั้งหมดในแต่ละบรรทัดแล้วผลการปัดเศษ
ผลสุดท้ายอาจจะแตกต่างจากไม่กี่เซ็นต์ โหมดเริ่มต้นคือโหมด% s CalculationRuleDescSupplier=According to supplier, choose appropriate method to apply same calculation rule and get same result expected by your supplier. -TurnoverPerProductInCommitmentAccountingNotRelevant=The Turnover report per product, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). -TurnoverPerSaleTaxRateInCommitmentAccountingNotRelevant=The Turnover report per sale tax rate, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). +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. CalculationMode=โหมดการคำนวณ AccountancyJournal=Accounting code journal ACCOUNTING_VAT_SOLD_ACCOUNT=Accounting account by default for VAT on sales (used if not defined on VAT dictionary setup) @@ -251,5 +254,6 @@ VATDue=Sale tax claimed ClaimedForThisPeriod=Claimed for the period PaidDuringThisPeriod=Paid during this period ByVatRate=By sale tax rate -TurnoverbyVatrate=Turnover by sale tax rate +TurnoverbyVatrate=Turnover invoiced by sale tax rate +TurnoverCollectedbyVatrate=Turnover collected by sale tax rate PurchasebyVatrate=Purchase by sale tax rate diff --git a/htdocs/langs/th_TH/install.lang b/htdocs/langs/th_TH/install.lang index 5a49e7253dd27..c699830725897 100644 --- a/htdocs/langs/th_TH/install.lang +++ b/htdocs/langs/th_TH/install.lang @@ -204,3 +204,7 @@ MigrationResetBlockedLog=Reset module BlockedLog for v7 algorithm ShowNotAvailableOptions=แสดงตัวเลือกที่มีอยู่ไม่ได้ HideNotAvailableOptions=ซ่อนตัวเลือกที่มีอยู่ไม่ได้ ErrorFoundDuringMigration=Error were reported during migration process so next step is not available. To ignore errors, you can click here, but application or some features may not work correctly until fixed. +YouTryInstallDisabledByDirLock=The application try to sefl upgrade, but install/upgrade pages have been disabled for security reason (directory renamed with .lock suffix).
+YouTryInstallDisabledByFileLock=The application try to sefl upgrade, but install/upgrade pages pages have been disabled for security reason (by lock file install.lock into dolibarr documents directory).
+ClickHereToGoToApp=Click here to go to your application +ClickOnLinkOrRemoveManualy=Click on following link and if you always reach this page, you must remove the file install.lock into documents directory manually diff --git a/htdocs/langs/th_TH/main.lang b/htdocs/langs/th_TH/main.lang index f8d78e50aad49..21a7296109aa1 100644 --- a/htdocs/langs/th_TH/main.lang +++ b/htdocs/langs/th_TH/main.lang @@ -507,6 +507,7 @@ NoneF=ไม่ NoneOrSeveral=None or several Late=สาย LateDesc=Delay to define if a record is late or not depends on your setup. Ask your admin to change delay from menu Home - Setup - Alerts. +NoItemLate=No late item Photo=ภาพ Photos=รูปภาพ AddPhoto=เพิ่มรูปภาพ @@ -945,3 +946,5 @@ KeyboardShortcut=Keyboard shortcut AssignedTo=ได้รับมอบหมายให้ Deletedraft=Delete draft ConfirmMassDraftDeletion=Draft Bulk delete confirmation +FileSharedViaALink=File shared via a link + diff --git a/htdocs/langs/th_TH/modulebuilder.lang b/htdocs/langs/th_TH/modulebuilder.lang index a3fee23cb53b5..9d6661eda41d6 100644 --- a/htdocs/langs/th_TH/modulebuilder.lang +++ b/htdocs/langs/th_TH/modulebuilder.lang @@ -74,6 +74,7 @@ NoWidget=No widget GoToApiExplorer=Go to API explorer ListOfMenusEntries=List of menu entries ListOfPermissionsDefined=List of defined permissions +SeeExamples=See examples here EnabledDesc=Condition to have this field active (Examples: 1 or $conf->global->MYMODULE_MYOPTION) VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only. Using a negative value means field is not shown by default on list but can be selected for viewing) IsAMeasureDesc=Can the value of field be cumulated to get a total into list ? (Examples: 1 or 0) @@ -95,3 +96,6 @@ DropTableIfEmpty=(Delete table if empty) TableDoesNotExists=The table %s does not exists TableDropped=Table %s deleted InitStructureFromExistingTable=Build the structure array string of an existing table +UseAboutPage=Disallow the about page +UseDocFolder=Disallow the documentation folder +UseSpecificReadme=Use a specific ReadMe diff --git a/htdocs/langs/th_TH/other.lang b/htdocs/langs/th_TH/other.lang index c23aaf9683cb4..35a970cbca0bc 100644 --- a/htdocs/langs/th_TH/other.lang +++ b/htdocs/langs/th_TH/other.lang @@ -80,8 +80,8 @@ LinkedObject=วัตถุที่เชื่อมโยง NbOfActiveNotifications=จำนวนการแจ้งเตือน (nb ของอีเมลผู้รับ) PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe two lines are separated by a carriage return.\n\n__USER_SIGNATURE__ PredefinedMailTestHtml=__(Hello)__\nThis is a test mail (the word test must be in bold).
The two lines are separated by a carriage return.

__USER_SIGNATURE__ -PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\nThis is the link to make your online payment if this invoice is not already payed:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\nThis is the link to make your online payment:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendProposal=__(Hello)__\n\nYou will find here the commercial proposal __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendSupplierProposal=__(Hello)__\n\nYou will find here the price request __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendOrder=__(Hello)__\n\nYou will find here the order __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ @@ -91,6 +91,7 @@ PredefinedMailContentSendShipping=__(Hello)__\n\nYou will find here the shipping PredefinedMailContentSendFichInter=__(Hello)__\n\nYou will find here the intervention __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentThirdparty=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentUser=__(Hello)__\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 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) @@ -218,7 +219,7 @@ FileIsTooBig=ไฟล์ที่มีขนาดใหญ่เกินไ PleaseBePatient=กรุณาเป็นผู้ป่วย ... NewPassword=New password ResetPassword=Reset password -RequestToResetPasswordReceived=A request to change your password has been received +RequestToResetPasswordReceived=A request to change your password has been received. NewKeyIs=นี่คือกุญแจใหม่ของคุณเข้าสู่ระบบ NewKeyWillBe=คีย์ใหม่ของคุณที่จะเข้าสู่ระบบซอฟแวร์จะเป็น ClickHereToGoTo=คลิกที่นี่เพื่อไปยัง% s diff --git a/htdocs/langs/th_TH/paypal.lang b/htdocs/langs/th_TH/paypal.lang index c24e0e83bb898..757d7cd72b548 100644 --- a/htdocs/langs/th_TH/paypal.lang +++ b/htdocs/langs/th_TH/paypal.lang @@ -14,7 +14,6 @@ PaypalModeOnlyPaypal=PayPal เท่านั้น ONLINE_PAYMENT_CSS_URL=Optionnal URL of CSS style sheet on online payment page ThisIsTransactionId=นี่คือรหัสของรายการ:% s PAYPAL_ADD_PAYMENT_URL=เพิ่ม URL ของการชำระเงิน Paypal เมื่อคุณส่งเอกสารทางไปรษณีย์ -PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.

%s

YouAreCurrentlyInSandboxMode=You are currently in the %s "sandbox" mode NewOnlinePaymentReceived=New online payment received NewOnlinePaymentFailed=New online payment tried but failed diff --git a/htdocs/langs/th_TH/products.lang b/htdocs/langs/th_TH/products.lang index a63454763018b..e39dacae3facd 100644 --- a/htdocs/langs/th_TH/products.lang +++ b/htdocs/langs/th_TH/products.lang @@ -251,8 +251,8 @@ PriceNumeric=จำนวน DefaultPrice=ราคาเริ่มต้น ComposedProductIncDecStock=เพิ่มขึ้น / ลดลงหุ้นเกี่ยวกับการเปลี่ยนแปลงผู้ปกครอง ComposedProduct=สินค้าย่อย -MinSupplierPrice=ผู้จัดจำหน่ายราคาขั้นต่ำ -MinCustomerPrice=Minimum customer price +MinSupplierPrice=ราคารับซื้อขั้นต่ำ +MinCustomerPrice=Minimum selling price DynamicPriceConfiguration=การกำหนดค่าราคาแบบไดนามิก DynamicPriceDesc=On product card, with this module enabled, you should be able to set mathematic functions to calculate Customer or Supplier prices. Such function can use all mathematic operators, some constants and variables. You can set here the variables you want to be able to use and if the variable need an automatic update, the external URL to use to ask Dolibarr to update automaticaly the value. AddVariable=Add Variable diff --git a/htdocs/langs/th_TH/propal.lang b/htdocs/langs/th_TH/propal.lang index fed3ca797aee9..c4ae988632c89 100644 --- a/htdocs/langs/th_TH/propal.lang +++ b/htdocs/langs/th_TH/propal.lang @@ -75,6 +75,7 @@ AvailabilityTypeAV_1M=1 เดือน TypeContact_propal_internal_SALESREPFOLL=แทนข้อเสนอดังต่อไปนี้ขึ้น TypeContact_propal_external_BILLING=ติดต่อใบแจ้งหนี้ของลูกค้า TypeContact_propal_external_CUSTOMER=การติดต่อกับลูกค้าข้อเสนอดังต่อไปนี้ขึ้น +TypeContact_propal_external_SHIPPING=Customer contact for delivery # Document models DocModelAzurDescription=รูปแบบข้อเสนอฉบับสมบูรณ์ (โลโก้ ... ) DefaultModelPropalCreate=เริ่มต้นการสร้างแบบจำลอง diff --git a/htdocs/langs/th_TH/sendings.lang b/htdocs/langs/th_TH/sendings.lang index c676c26c1d800..149dab6ced1fd 100644 --- a/htdocs/langs/th_TH/sendings.lang +++ b/htdocs/langs/th_TH/sendings.lang @@ -52,8 +52,8 @@ ActionsOnShipping=เหตุการณ์ที่เกิดขึ้น LinkToTrackYourPackage=เชื่อมโยงไปยังติดตามแพคเกจของคุณ ShipmentCreationIsDoneFromOrder=สำหรับช่วงเวลาที่การสร้างการจัดส่งใหม่จะทำจากการ์ดสั่งซื้อ ShipmentLine=สายการจัดส่ง -ProductQtyInCustomersOrdersRunning=Product quantity into open customers orders -ProductQtyInSuppliersOrdersRunning=Product quantity into open suppliers orders +ProductQtyInCustomersOrdersRunning=Product quantity into open customer orders +ProductQtyInSuppliersOrdersRunning=Product quantity into open purchase orders ProductQtyInShipmentAlreadySent=Product quantity from open customer order already sent ProductQtyInSuppliersShipmentAlreadyRecevied=Product quantity from open supplier order already received NoProductToShipFoundIntoStock=No product to ship found into warehouse %s. Correct stock or go back to choose another warehouse. diff --git a/htdocs/langs/th_TH/stocks.lang b/htdocs/langs/th_TH/stocks.lang index 0377ea4bd782a..935cc286a5dbd 100644 --- a/htdocs/langs/th_TH/stocks.lang +++ b/htdocs/langs/th_TH/stocks.lang @@ -67,7 +67,7 @@ DeStockOnValidateOrder=ลดหุ้นที่แท้จริงในก DeStockOnShipment=Decrease real stocks on shipping validation DeStockOnShipmentOnClosing=Decrease real stocks on shipping classification closed ReStockOnBill=เพิ่มหุ้นที่แท้จริงในใบแจ้งหนี้ซัพพลายเออร์ / บันทึกการตรวจสอบเครดิต -ReStockOnValidateOrder=เพิ่มหุ้นที่แท้จริงในการอนุมัติคำสั่งซัพพลายเออร์ +ReStockOnValidateOrder=Increase real stocks on purchase orders approbation ReStockOnDispatchOrder=Increase real stocks on manual dispatching into warehouses, after supplier order receipt of goods OrderStatusNotReadyToDispatch=การสั่งซื้อที่ยังไม่ได้มีหรือไม่ขึ้นสถานะที่ช่วยให้การจัดส่งสินค้าในคลังสินค้าหุ้น StockDiffPhysicTeoric=Explanation for difference between physical and virtual stock @@ -203,4 +203,4 @@ RegulateStock=Regulate Stock ListInventory=รายการ StockSupportServices=Stock management support services StockSupportServicesDesc=By default, you can stock only product with type "product". If on, and if module service is on, you can also stock a product with type "service" -ReceiveProducts=Receive products +ReceiveProducts=Receive items diff --git a/htdocs/langs/th_TH/users.lang b/htdocs/langs/th_TH/users.lang index f1499a52500e0..227e173ba9287 100644 --- a/htdocs/langs/th_TH/users.lang +++ b/htdocs/langs/th_TH/users.lang @@ -48,7 +48,7 @@ PasswordChangeRequest=Request to change password for %s PasswordChangeRequestSent=ขอเปลี่ยนรหัสผ่านสำหรับ% s ส่งไปยัง% s ConfirmPasswordReset=Confirm password reset MenuUsersAndGroups=ผู้ใช้และกลุ่ม -LastGroupsCreated=Latest %s created groups +LastGroupsCreated=Latest %s groups created LastUsersCreated=Latest %s users created ShowGroup=แสดงกลุ่ม ShowUser=แสดงผู้ใช้ diff --git a/htdocs/langs/tr_TR/accountancy.lang b/htdocs/langs/tr_TR/accountancy.lang index 2d1b6c25809b8..f9e263cf3d1fd 100644 --- a/htdocs/langs/tr_TR/accountancy.lang +++ b/htdocs/langs/tr_TR/accountancy.lang @@ -55,6 +55,7 @@ AccountancyAreaDescChartModel=ADIM %s: "%s" menüsünü kullanarak hesap planı AccountancyAreaDescChart=ADIM %s: "%s" menüsünü kullanarak hesap planınızın içeriğini oluşturun veya kontrol edin. AccountancyAreaDescVat=ADIM %s: "%s" menüsünü kullanarak her bir KDV Oranı için muhasebe hesaplarını tanımlayın. +AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. AccountancyAreaDescExpenseReport=ADIM %s: "%s" menüsünü kullanarak her bir harcama raporu türü için varsayılan muhasebe hesaplarını tanımlayın. AccountancyAreaDescSal=ADIM %s: "%s" menüsünü kullanarak maaş ödemeleri için varsayılan muhasebe hesaplarını tanımlayın. AccountancyAreaDescContrib=ADIM %s: "%s" menüsünü kullanarak özel harcamalar (çeşitli vergiler) için varsayılan muhasebe hesaplarını tanımlayın. @@ -131,6 +132,7 @@ ACCOUNTING_LENGTH_GACCOUNT=Genel muhasebe hesaplarının uzunluğu (eğer burada ACCOUNTING_LENGTH_AACCOUNT=Üçüncü taraf muhasebe hesaplarının uzunluğu (eğer burada değeri 6 olarak ayarlarsanız '401' nolu hesap ekranda '401000' gibi görüntülenecektir) ACCOUNTING_MANAGE_ZERO=Allow to manage different number of zero at the end of an accounting account. Needed by some countries (like switzerland). If keep to off (default), you can set the 2 following parameters to ask application to add virtual zero. BANK_DISABLE_DIRECT_INPUT=Disable direct recording of transaction in bank account +ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Enable draft export on journal ACCOUNTING_SELL_JOURNAL=Satış günlüğü ACCOUNTING_PURCHASE_JOURNAL=Alış günlüğü diff --git a/htdocs/langs/tr_TR/admin.lang b/htdocs/langs/tr_TR/admin.lang index a9ade3e0004ca..fdb0612b29d94 100644 --- a/htdocs/langs/tr_TR/admin.lang +++ b/htdocs/langs/tr_TR/admin.lang @@ -454,7 +454,7 @@ ModuleCompanyCodeDigitaria=Accounting code depends on third party code. The code Use3StepsApproval=Varsayılan olarak, Satın Alma Siparişlerinin 2 farklı kullanıcı tarafından oluşturulması ve onaylanması gerekir (bir adım/kullanıcı oluşturacak ve bir adım/kullanıcı onaylayacak. Kullanıcının hem oluşturma hem de onaylama izni varsa, bir adım/kullanıcı yeterli olacaktır). Miktar belirli bir değerin üzerindeyse bu seçenekle üçüncü bir adım/kullanıcı onayı vermeyi isteyebilirsiniz (böylece 3 adım zorunlu olacaktır: 1=doğrulama, 2=ilk onay ve 3=miktar yeterli ise ikinci onay).
Tek onay (2 adım) yeterli ise bunu boş olarak ayarlayın, ikinci bir onay (3 adım) her zaman gerekiyorsa çok düşük bir değere ayarlayın (0.1). UseDoubleApproval=Tutar (vergi öncesi) bu tutardan yüksekse 3 aşamalı bir onaylama kullanın... WarningPHPMail=WARNING: It is often better to setup outgoing emails to use the email server of your provider instead of the default setup. Some email providers (like Yahoo) does not allow you to send an email from another server than their own server. Your current setup use 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 a server of them, so few of your sent Emails may not be accepted (be carefull also to your email provider sending quota).
If your Email provider (like Yahoo) has this restriction, you must change Email setup to choose the other method "SMTP server" and enter the SMTP server and credentials provided by your Email provider (ask your EMail provider to get SMTP credentials for your account). -WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of your ERP CRM application: %s. +WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of the mail user agent (MUA) for your ERP CRM application: %s. ClickToShowDescription=Açıklamayı görmek için tıkla DependsOn=This module need the module(s) RequiredBy=Bu modül, modül (ler) için zorunludur @@ -497,7 +497,7 @@ Module25Desc=Müşteri siparişleri yönetimi Module30Name=Faturalar Module30Desc=Müşteri faturaları ve iade faturaları yönetimi. Tedarikçi fatura yönetimi Module40Name=Tedarikçiler -Module40Desc=Tedarikçi yönetimi ve satın alma (siparişler ve faturalar) +Module40Desc=Suppliers and purchase management (purchase orders and billing) Module42Name=Debug Logs Module42Desc=Logging facilities (file, syslog, ...). Such logs are for technical/debug purposes. Module49Name=Düzenleyiciler @@ -605,7 +605,7 @@ Module4000Desc=Human resources management (management of department, employee co Module5000Name=Çoklu-firma Module5000Desc=Birden çok firmayı yönetmenizi sağlar Module6000Name=İş akışı -Module6000Desc=İş akışı yönetimi +Module6000Desc=Workflow management (automatic creation of object and/or automatic status change) Module10000Name=Websiteleri Module10000Desc=Create public websites with a WYSIWG editor. Just setup your web server (Apache, Nginx, ...) to point to the dedicated Dolibarr directory to have it online on the Internet with your own domain name. Module20000Name=İzin İstekleri yönetimi @@ -891,7 +891,7 @@ DictionaryCivility=Kişisel ve mesleki unvanlar DictionaryActions=Gündem etkinlik türleri DictionarySocialContributions=Sosyal ya da mali vergi türleri DictionaryVAT=KDV Oranları veya Satış Vergisi Oranları -DictionaryRevenueStamp=Damga vergisi tutarı +DictionaryRevenueStamp=Amount of tax stamps DictionaryPaymentConditions=Ödeme koşulları DictionaryPaymentModes=Ödeme türleri DictionaryTypeContact=Kişi/Adres türleri @@ -919,7 +919,7 @@ SetupSaved=Kurulum kaydedildi SetupNotSaved=Kurulum kaydedilmedi BackToModuleList=Modül listesine geri git BackToDictionaryList=Sözlük listesine dön -TypeOfRevenueStamp=Type of revenue stamp +TypeOfRevenueStamp=Type of tax stamp VATManagement=KDV Yönetimi VATIsUsedDesc=Adaylar, faturalar, siparişler, v.b oluşturulurrken KDV oranı varsayılan olarak etkin standart kuralı izler:
Eğer satıcı KDV ne tabii değilse varsayılan KDV 0 olur, kural sonu.
Eğer (satıcı ülkesi=alıcı ülkesi)yse, varsayılan KDV satıcı ülkesindeki ürünün KDV dir. Kural sonu.
Eğer satıcı ve alıcı Avrupa Birliğindeyse ve mallar taşıma ürünleriyse (araba, gemi, uçak) varsayılan KDV 0 dır (KDV alıcı tarafından kendi ülkesindeki gümrüğe ödenir, satıcıya değil). Kural sonu.
Eğer satıcı ve alıcı Avrupa Birliğinde ise ve alıcı bir firma değilse, varsayılan KDV satılan ürünün KDV dir. Kural sonu.
Eğer satıcı ve alıcı Avrupa Birliğindeyse ve alıcı bir firmaysa varsayılan KDV 0 dır. Kural sonu.
Yoksa önerilen KDV=0 dır. Kural sonu. VATIsNotUsedDesc=Dernekler, şahıslar ve küçük firmalar durumunda varsayılan olarak kullanılması önerilen KDV 0 dır. @@ -1027,7 +1027,7 @@ Delays_MAIN_DELAY_ACTIONS_TODO=Planlanan etkinliklerdeki (gündem etkinliklerind Delays_MAIN_DELAY_PROJECT_TO_CLOSE=Zamanında kapatılmamış projeler için uyarı öncesi bekleme süresi (gün olarak). Delays_MAIN_DELAY_TASKS_TODO=Planlanan görevlerdeki (proje görevlerindeki) bekleme süresi (gün olarak) henüz tamamlanmadı Delays_MAIN_DELAY_ORDERS_TO_PROCESS=Siparişler üzerindeki uyarı öncesi bekleme süresi (gün olarak) henüz işlenmedi -Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Tedarikçi siparişleri üzerindeki uyarı öncesi bekleme süresi (gün olarak) henüz işlenmedi +Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on purchase orders not processed yet Delays_MAIN_DELAY_PROPALS_TO_CLOSE=Henüz kapatılmamış teklifler öncesi uyarı yapılmadan önceki süre toleransı (gün olarak). Delays_MAIN_DELAY_PROPALS_TO_BILL=Henüz faturalandırılmamış teklifler öncesi uyarı yapılmadan önceki süre toleransı (gün olarak). Delays_MAIN_DELAY_NOT_ACTIVATED_SERVICES=Etkinleştirilecek hizmetler için uyarı öncesi gecikme toleransı (gün olarak). @@ -1458,7 +1458,7 @@ SyslogFilename=Dosya adı ve yolu YouCanUseDOL_DATA_ROOT=Dolibarr’daki “belgeler” dizinindeki bir log (günlük) dosyası için DOL_DATA_ROOT/dolibarr.log u kullanabilirsiniz. Bu dosyayı saklamak için farklı bir yol (path) kullanabilirsiniz. ErrorUnknownSyslogConstant=%s Değişmezi bilinen bir Syslog değişmezi değildir OnlyWindowsLOG_USER=Windows yalnızca LOG_USER'ı destekler -CompressSyslogs=Syslog dosyaları sıkıştırma ve yedekleme +CompressSyslogs=Compression and backup of debug log files (generated by module Log for debug) SyslogFileNumberOfSaves=Günlük yedekleri ConfigureCleaningCronjobToSetFrequencyOfSaves=Configure cleaning scheduled job to set log backup frequency ##### Donations ##### diff --git a/htdocs/langs/tr_TR/banks.lang b/htdocs/langs/tr_TR/banks.lang index efaf67269ac05..d92b96bae5173 100644 --- a/htdocs/langs/tr_TR/banks.lang +++ b/htdocs/langs/tr_TR/banks.lang @@ -1,6 +1,6 @@ # Dolibarr language file - Source file is en_US - banks Bank=Banka -MenuBankCash=Banka/Kasa +MenuBankCash=Bank | Cash MenuVariousPayment=Miscellaneous payments MenuNewVariousPayment=New Miscellaneous payment BankName=Banka adı @@ -132,7 +132,7 @@ PaymentDateUpdateSucceeded=Ödeme tarihi güncellemesi başarılı PaymentDateUpdateFailed=Ödeme tarihi güncellenemedi Transactions=İşlemler BankTransactionLine=Bank entry -AllAccounts=Tüm banka/kasa hesapları +AllAccounts=All bank and cash accounts BackToAccount=Hesaba geri dön ShowAllAccounts=Tüm hesaplar için göster FutureTransaction=Gelecekteki işlem. Hiçbir şekilde uzlaştırılamaz. @@ -160,5 +160,6 @@ VariousPayment=Miscellaneous payments VariousPayments=Miscellaneous payments ShowVariousPayment=Show miscellaneous payments AddVariousPayment=Add miscellaneous payments +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. Thanks to return it signed (scan of the signed document) or sent it by mail to diff --git a/htdocs/langs/tr_TR/bills.lang b/htdocs/langs/tr_TR/bills.lang index ddc288342d962..e8c312862a694 100644 --- a/htdocs/langs/tr_TR/bills.lang +++ b/htdocs/langs/tr_TR/bills.lang @@ -110,8 +110,8 @@ SendRemindByMail=EPosta ile anımsatma gönder DoPayment=Enter payment DoPaymentBack=Enter refund ConvertToReduc=Mark as credit available -ConvertExcessReceivedToReduc=Convert excess received into future discount -ConvertExcessPaidToReduc=Convert excess paid into future discount +ConvertExcessReceivedToReduc=Convert excess received into available credit +ConvertExcessPaidToReduc=Convert excess paid into available discount EnterPaymentReceivedFromCustomer=Müşteriden alınan ödeme girin EnterPaymentDueToCustomer=Müşteri nedeniyle ödeme yap DisabledBecauseRemainderToPayIsZero=Ödenmemiş kalan sıfır olduğundan devre dışı @@ -282,6 +282,7 @@ RelativeDiscount=Göreceli indirim GlobalDiscount=Genel indirim CreditNote=İade faturası CreditNotes=İade faturaları +CreditNotesOrExcessReceived=Credit notes or excess received Deposit=Peşinat Deposits=Peşinatlar DiscountFromCreditNote=İade faturası %s ten indirim @@ -393,6 +394,7 @@ PaymentConditionShort14DENDMONTH=14 days of month-end PaymentCondition14DENDMONTH=Within 14 days following the end of the month FixAmount=Sabit tutar VarAmount=Değişken tutar (%% top.) +VarAmountOneLine=Variable amount (%% tot.) - 1 line with label '%s' # PaymentType PaymentTypeVIR=Banka havalesi PaymentTypeShortVIR=Banka havalesi diff --git a/htdocs/langs/tr_TR/compta.lang b/htdocs/langs/tr_TR/compta.lang index fee50d33aac28..61bd992c206bf 100644 --- a/htdocs/langs/tr_TR/compta.lang +++ b/htdocs/langs/tr_TR/compta.lang @@ -19,7 +19,8 @@ Income=Gelir Outcome=Gider MenuReportInOut=Gelir/Gider ReportInOut=Balance of income and expenses -ReportTurnover=Ciro +ReportTurnover=Turnover invoiced +ReportTurnoverCollected=Turnover collected PaymentsNotLinkedToInvoice=Herhangi bir faturaya bağlı olmayan ödemeler, herhangi bir üçüncü partiye de bağlı değildir PaymentsNotLinkedToUser=Herhangi bir kullanıcıya bağlı olmayan ödemeler Profit=Kar @@ -77,7 +78,7 @@ MenuNewSocialContribution=Yeni sosyal/mali NewSocialContribution=Yeni sosyal/mali vergi AddSocialContribution=Add social/fiscal tax ContributionsToPay=Ödenecek sosyal/mali vergiler -AccountancyTreasuryArea=Muhasebe/Maliye alanı +AccountancyTreasuryArea=Billing and payment area NewPayment=Yeni ödeme Payments=Ödemeler PaymentCustomerInvoice=Müşteri fatura ödemesi @@ -105,6 +106,7 @@ VATPayment=Satış vergisi ödemesi VATPayments=Satış vergisi ödemeleri VATRefund=Sales tax refund NewVATPayment=New sales tax payment +NewLocalTaxPayment=New tax %s payment Refund=İade SocialContributionsPayments=Sosyal/mali vergi ödemeleri ShowVatPayment=KDV ödemesi göster @@ -116,8 +118,9 @@ CustomerAccountancyCodeShort=Müşt. hesap kodu SupplierAccountancyCodeShort=Ted. hesap kodu AccountNumber=Hesap numarası NewAccountingAccount=Yeni hesap -SalesTurnover=Satış cirosu -SalesTurnoverMinimum=En düşük satış cirosu +Turnover=Turnover invoiced +TurnoverCollected=Turnover collected +SalesTurnoverMinimum=Minimum turnover ByExpenseIncome=Giderler ve gelirlere göre ByThirdParties=Üçüncü partiye göre ByUserAuthorOfInvoice=Faturayı yazana göre @@ -137,8 +140,8 @@ 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=Mod %sAlacaklar-Borçlar%s, Taahhüt hesabı içindir. -CalcModeEngagement=Mod %sAlacaklar-Borçlar%s, kasa hesabı içindir. +CalcModeDebt=Analysis of known recorded invoices 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= Müşteri faturaları için mod %sRE tedrikçi faturaları için mod %s CalcModeLT1Debt=Biçim durumu%sRE, bu müşteri faturası için%s @@ -151,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=Yapılan gerçek ödemelerin hesaplanması için %sGelirler-Giderler%s söz konusu kasa hesabı raporuna bakın -SeeReportInDueDebtMode=Verilen faturaların hesaplamaları için %sAlacaklar-Borölar%s söz konusu taahhüt hesabı raporuna bak -SeeReportInBookkeepingMode=See report %sBookeeping%s for a calculation on bookkeeping table analysis +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 RulesAmountWithTaxIncluded=- Gösterilen tutarlara tüm vergiler dahildir RulesResultDue=- Ödenmemiş faturaları, giderleri ve KDV ni, ödenmiş ya da ödenmemiş bağışları içerir. Aynı zamanda ödenmiş maaşları da içerir.
- Faturaların ve KDV nin doğrulanma tarihleri ve giderlerin ödenme tarihleri baz alınır. Ücretler Maaş modülünde tanımlanır, ödeme tarihi değeri kullanılır. 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. @@ -218,8 +221,8 @@ Mode1=Yöntem 1 Mode2=Yöntem 2 CalculationRuleDesc=Toplam KDV hesabı için 2 yöntem vardır:
Yöntem 1, her satırda KDV yuvarlanır sonra satırların toplamı alınır.
Yöntem 2, her satırda KDV toplanır sonra sonuç yuvarlanır.
Sonuç değeri bir kaç kuruş fark gösterebilir. Varsayılan mod %s modudur. CalculationRuleDescSupplier=Aynı hesaplama kuralını uygulamak ve tedarikçiniz tarafından beklenen aynı sonucu elde etmek için tedarikçiye göre uygun yöntem seçin. -TurnoverPerProductInCommitmentAccountingNotRelevant=The Turnover report per product, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). -TurnoverPerSaleTaxRateInCommitmentAccountingNotRelevant=The Turnover report per sale tax rate, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). +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. CalculationMode=Hesaplama modu AccountancyJournal=Accounting code journal ACCOUNTING_VAT_SOLD_ACCOUNT=Accounting account by default for VAT on sales (used if not defined on VAT dictionary setup) @@ -251,5 +254,6 @@ VATDue=Sale tax claimed ClaimedForThisPeriod=Claimed for the period PaidDuringThisPeriod=Paid during this period ByVatRate=By sale tax rate -TurnoverbyVatrate=Turnover by sale tax rate +TurnoverbyVatrate=Turnover invoiced by sale tax rate +TurnoverCollectedbyVatrate=Turnover collected by sale tax rate PurchasebyVatrate=Purchase by sale tax rate diff --git a/htdocs/langs/tr_TR/install.lang b/htdocs/langs/tr_TR/install.lang index f3cd379fb1bb4..1e2f10367b4a0 100644 --- a/htdocs/langs/tr_TR/install.lang +++ b/htdocs/langs/tr_TR/install.lang @@ -204,3 +204,7 @@ MigrationResetBlockedLog=Reset module BlockedLog for v7 algorithm ShowNotAvailableOptions=Kullanılamayacak seçenekler görüntülensin HideNotAvailableOptions=Kullanılamayacak seçenekler gizlensin ErrorFoundDuringMigration=Taşıma işlemi sırasında hata bildirildiğinden sonraki adıma geçilemeyecektir. Hataları gözardı etmek için, buraya tıklayabilirsiniz, ancak onarılana kadar uygulama ya da bazı özellikleri çalışmayabilecektir. +YouTryInstallDisabledByDirLock=The application try to sefl upgrade, but install/upgrade pages have been disabled for security reason (directory renamed with .lock suffix).
+YouTryInstallDisabledByFileLock=The application try to sefl upgrade, but install/upgrade pages pages have been disabled for security reason (by lock file install.lock into dolibarr documents directory).
+ClickHereToGoToApp=Click here to go to your application +ClickOnLinkOrRemoveManualy=Click on following link and if you always reach this page, you must remove the file install.lock into documents directory manually diff --git a/htdocs/langs/tr_TR/main.lang b/htdocs/langs/tr_TR/main.lang index 964315ea6faa9..73715b5e57c54 100644 --- a/htdocs/langs/tr_TR/main.lang +++ b/htdocs/langs/tr_TR/main.lang @@ -507,6 +507,7 @@ NoneF=Hiçbiri NoneOrSeveral=Yok veya Birkaç Late=Son LateDesc=Bir kayıdın sizin ayarlarınıza dayanarak gecikmiş olduğu ya da olmadığını tanımlayabilmek için gerekli süre. Yöneticinizden Giriş - Ayarlar - Uyarılar menüsünden süreyi değiştirmesini isteyin. +NoItemLate=No late item Photo=Resim Photos=Resimler AddPhoto=Resim ekle @@ -945,3 +946,5 @@ KeyboardShortcut=Klavye kısayolu AssignedTo=Görevlendirilen Deletedraft=Delete draft ConfirmMassDraftDeletion=Draft Bulk delete confirmation +FileSharedViaALink=File shared via a link + diff --git a/htdocs/langs/tr_TR/modulebuilder.lang b/htdocs/langs/tr_TR/modulebuilder.lang index d54ac847d9196..2e70cbd2d69c3 100644 --- a/htdocs/langs/tr_TR/modulebuilder.lang +++ b/htdocs/langs/tr_TR/modulebuilder.lang @@ -74,6 +74,7 @@ NoWidget=No widget GoToApiExplorer=Go to API explorer ListOfMenusEntries=Menü girişlerinin listesi ListOfPermissionsDefined=Tanımlanan izinlerin listesi +SeeExamples=See examples here EnabledDesc=Condition to have this field active (Examples: 1 or $conf->global->MYMODULE_MYOPTION) VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only. Using a negative value means field is not shown by default on list but can be selected for viewing) IsAMeasureDesc=Can the value of field be cumulated to get a total into list ? (Examples: 1 or 0) @@ -95,3 +96,6 @@ DropTableIfEmpty=(Delete table if empty) TableDoesNotExists=The table %s does not exists TableDropped=Table %s deleted InitStructureFromExistingTable=Build the structure array string of an existing table +UseAboutPage=Disallow the about page +UseDocFolder=Disallow the documentation folder +UseSpecificReadme=Use a specific ReadMe diff --git a/htdocs/langs/tr_TR/other.lang b/htdocs/langs/tr_TR/other.lang index 5a7a101ed9bb3..23fc9f59bf617 100644 --- a/htdocs/langs/tr_TR/other.lang +++ b/htdocs/langs/tr_TR/other.lang @@ -80,8 +80,8 @@ LinkedObject=Bağlantılı nesne NbOfActiveNotifications=Bildirim sayısı (alıcı epostaları sayısı) PredefinedMailTest=__(Hello)__\nBu, __EMAIL__ adresine gönderilen bir test mailidir.\nİki satır bir satırbaşı ile birbirinden ayrılır.\n\n__USER_SIGNATURE__ PredefinedMailTestHtml=__(Hello)__\nBu bir test mailidir (test kelimesi kalın olmalıdır).
İki satır bir satırbaşı ile birbirinden ayrılır.

__USER_SIGNATURE__ -PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\nThis is the link to make your online payment if this invoice is not already payed:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\nThis is the link to make your online payment:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendProposal=__(Hello)__\n\nYou will find here the commercial proposal __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendSupplierProposal=__(Hello)__\n\nBurada fiyat talebini bulacaksınız __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendOrder=__(Hello)__\n\nBurada siparişi bulacaksınız __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ @@ -91,6 +91,7 @@ PredefinedMailContentSendShipping=__(Hello)__\n\nBurada sevkiyatı bulacaksını PredefinedMailContentSendFichInter=__(Hello)__\n\nBurada müdahaleyi bulacaksınız __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentThirdparty=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentUser=__(Hello)__\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 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) @@ -218,7 +219,7 @@ FileIsTooBig=Dosyalar çok büyük PleaseBePatient=Lütfen sabırlı olun... NewPassword=Yeni şifre ResetPassword=Şifreyi sıfırla -RequestToResetPasswordReceived=A request to change your password has been received +RequestToResetPasswordReceived=A request to change your password has been received. NewKeyIs=Oturum açmak için yeni anahtarınız NewKeyWillBe=Yazılımda oturum açmak için yeni anahtarınız bu olacaktır ClickHereToGoTo=%s e gitmek için buraya tıkla diff --git a/htdocs/langs/tr_TR/paypal.lang b/htdocs/langs/tr_TR/paypal.lang index 76257673ed07f..700ebd55da1b2 100644 --- a/htdocs/langs/tr_TR/paypal.lang +++ b/htdocs/langs/tr_TR/paypal.lang @@ -14,7 +14,6 @@ PaypalModeOnlyPaypal=Yalnızca PayPal ONLINE_PAYMENT_CSS_URL=Online ödeme sayfasındaki CSS stil sayfasının isteğe bağlı URL'si ThisIsTransactionId=Bu işlem kimliğidir: %s PAYPAL_ADD_PAYMENT_URL=Posta yoluyla bir belge gönderdiğinizde, Paypal ödeme url'sini ekleyin -PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.

%s

YouAreCurrentlyInSandboxMode=Şu anda %s "sandbox" modundasınız NewOnlinePaymentReceived=Yeni online ödeme alındı NewOnlinePaymentFailed=Yeni online ödeme denendi ancak başarısız oldu diff --git a/htdocs/langs/tr_TR/products.lang b/htdocs/langs/tr_TR/products.lang index 9f5564957d50e..4aefd69d2aac7 100644 --- a/htdocs/langs/tr_TR/products.lang +++ b/htdocs/langs/tr_TR/products.lang @@ -251,8 +251,8 @@ PriceNumeric=Sayı DefaultPrice=Varsayılan fiyat ComposedProductIncDecStock=Ana değişimde stok Arttır/Eksilt ComposedProduct=Yan ürün -MinSupplierPrice=En düşük tedarikçi fiyatı -MinCustomerPrice=En düşük müşteri fiyatı +MinSupplierPrice=Enaz alış fiyatı +MinCustomerPrice=Minimum selling price DynamicPriceConfiguration=Dinamik fiyat yapılandırması DynamicPriceDesc=Ürün kartında bu modül etkin olduğunda, Müşteri veya Tedarikçi fiyatlarını hesaplamak için matematiksel fonksiyonları ayarlayabiliyor olmanız gerekir. Böyle bir işlev tüm matematiksel operatörleri, bazı sabitler ve değişkenleri kullanabilir. Burada kullanmak istediğiniz değişkenleri ayarlayabilirsiniz ve değişken otomatik güncelleme gerektiriyorsa, dış URL Dolibarr'ın değeri otomatik olarak güncellemesini istemek için kullanılabilir. AddVariable=Değişken ekle diff --git a/htdocs/langs/tr_TR/propal.lang b/htdocs/langs/tr_TR/propal.lang index cc27a5b30a7ed..7360e82b13f4c 100644 --- a/htdocs/langs/tr_TR/propal.lang +++ b/htdocs/langs/tr_TR/propal.lang @@ -75,6 +75,7 @@ AvailabilityTypeAV_1M=1 ay TypeContact_propal_internal_SALESREPFOLL=Teklif izleme temsilcisi TypeContact_propal_external_BILLING=Müşteri faturası ilgilisi TypeContact_propal_external_CUSTOMER=Müşteri teklif izleme ilgilisi +TypeContact_propal_external_SHIPPING=Customer contact for delivery # Document models DocModelAzurDescription=Eksiksiz bir teklif modeli (logo. ..) DefaultModelPropalCreate=Varsayılan model oluşturma diff --git a/htdocs/langs/tr_TR/sendings.lang b/htdocs/langs/tr_TR/sendings.lang index f17bc15435884..321e4d61a7d38 100644 --- a/htdocs/langs/tr_TR/sendings.lang +++ b/htdocs/langs/tr_TR/sendings.lang @@ -36,7 +36,7 @@ StatusSendingDraftShort=Taslak StatusSendingValidatedShort=Doğrulanmış StatusSendingProcessedShort=İşlenmiş SendingSheet=Sevkiyat tablosu -ConfirmDeleteSending=Are you sure you want to delete this shipment? +ConfirmDeleteSending=Bu sevkiyatı silmek istediğinizden emin misiniz? ConfirmValidateSending=%s referanslı bu gönderiyi doğrulamak istediğiniz emin misiniz? ConfirmCancelSending=Bu gönderiyi iptal etmek istediğinizden emin misiniz? DocumentModelMerou=Merou A5 modeli @@ -52,8 +52,8 @@ ActionsOnShipping=Sevkiyat etkinlikleri LinkToTrackYourPackage=Paketinizi izleyeceğiniz bağlantı ShipmentCreationIsDoneFromOrder=Şu an için, yeni bir sevkiyatın oluşturulması sipariş kartından yapılmıştır. ShipmentLine=Sevkiyat kalemi -ProductQtyInCustomersOrdersRunning=Açık müşteri siparişlerindeki ürün miktarı -ProductQtyInSuppliersOrdersRunning=Açık tedarikçi siparişlerindeki ürün miktarı +ProductQtyInCustomersOrdersRunning=Product quantity into open customer orders +ProductQtyInSuppliersOrdersRunning=Product quantity into open purchase orders ProductQtyInShipmentAlreadySent=Product quantity from open customer order already sent ProductQtyInSuppliersShipmentAlreadyRecevied=Product quantity from open supplier order already received NoProductToShipFoundIntoStock=Bu %s deposunda sevk edilecek hiç mal bulunamadı. Stoğu düzeltin ya da bir başka depo seçmek için geri gidin. diff --git a/htdocs/langs/tr_TR/stocks.lang b/htdocs/langs/tr_TR/stocks.lang index 3ff6604eb8168..0d8e11d8788ea 100644 --- a/htdocs/langs/tr_TR/stocks.lang +++ b/htdocs/langs/tr_TR/stocks.lang @@ -67,7 +67,7 @@ DeStockOnValidateOrder=Müşteri siparişlerinin doğrulanması üzerine gerçek DeStockOnShipment=Sevkiyatın onaylanmasıyla gerçek stoku eksilt DeStockOnShipmentOnClosing=Sevkiyatın kapalı olarak sınıflandırılmasıyla gerçek stoğu eksilt ReStockOnBill=Müşteri faturalarının/iade faturalarının doğrulanması üzerine gerçek stokları arttır -ReStockOnValidateOrder=Tedarikçi siparişlerinin onanması üzerine gerçek stokları arttır +ReStockOnValidateOrder=Increase real stocks on purchase orders approbation ReStockOnDispatchOrder=Increase real stocks on manual dispatching into warehouses, after supplier order receipt of goods OrderStatusNotReadyToDispatch=Sipariş henüz yoksa veya stok deposundan gönderime izin veren bir durum varsa. StockDiffPhysicTeoric=Fiziki ve sanal stok arasındaki farkın açıklaması @@ -203,4 +203,4 @@ RegulateStock=Regulate Stock ListInventory=Liste StockSupportServices=Stock management support services StockSupportServicesDesc=By default, you can stock only product with type "product". If on, and if module service is on, you can also stock a product with type "service" -ReceiveProducts=Receive products +ReceiveProducts=Receive items diff --git a/htdocs/langs/tr_TR/users.lang b/htdocs/langs/tr_TR/users.lang index 852d46ac921c4..a8078b88be31f 100644 --- a/htdocs/langs/tr_TR/users.lang +++ b/htdocs/langs/tr_TR/users.lang @@ -48,7 +48,7 @@ PasswordChangeRequest=%s için şifre değiştirme isteği PasswordChangeRequestSent=Parola değiştirildi ve %s e gönderildi. ConfirmPasswordReset=Şifre sıfırlamayı onayla MenuUsersAndGroups=Kullanıcılar ve Gruplar -LastGroupsCreated=Oluşturulan son %s grup +LastGroupsCreated=Latest %s groups created LastUsersCreated=Oluşturulan son %s kullanıcı ShowGroup=Grubu göster ShowUser=Kullanıcıyı göster diff --git a/htdocs/langs/uk_UA/accountancy.lang b/htdocs/langs/uk_UA/accountancy.lang index daa159280969a..04bbaa447e791 100644 --- a/htdocs/langs/uk_UA/accountancy.lang +++ b/htdocs/langs/uk_UA/accountancy.lang @@ -55,6 +55,7 @@ AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from m AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s AccountancyAreaDescVat=STEP %s: Define accounting accounts for each VAT Rates. For this, use the menu entry %s. +AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. AccountancyAreaDescExpenseReport=STEP %s: Define default accounting accounts for each type of expense report. For this, use the menu entry %s. AccountancyAreaDescSal=STEP %s: Define default accounting accounts for payment of salaries. For this, use the menu entry %s. AccountancyAreaDescContrib=STEP %s: Define default accounting accounts for special expences (miscellaneous taxes). For this, use the menu entry %s. @@ -131,6 +132,7 @@ ACCOUNTING_LENGTH_GACCOUNT=Length of the general accounting accounts (If you set 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 zero at the end of an accounting account. Needed by some countries (like switzerland). If keep to off (default), you can set the 2 following parameters to ask application to add virtual zero. BANK_DISABLE_DIRECT_INPUT=Disable direct recording of transaction in bank account +ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Enable draft export on journal ACCOUNTING_SELL_JOURNAL=Sell journal ACCOUNTING_PURCHASE_JOURNAL=Purchase journal diff --git a/htdocs/langs/uk_UA/admin.lang b/htdocs/langs/uk_UA/admin.lang index 96ff36d363e21..919f3160b0a3f 100644 --- a/htdocs/langs/uk_UA/admin.lang +++ b/htdocs/langs/uk_UA/admin.lang @@ -454,7 +454,7 @@ ModuleCompanyCodeDigitaria=Accounting code depends on third party code. The code Use3StepsApproval=By default, Purchase Orders need to be created and approved by 2 different users (one step/user to create and one step/user to approve. Note that if user has both permission to create and approve, one step/user will be enough). You can ask with this option to introduce a third step/user approval, if amount is higher than a dedicated value (so 3 steps will be necessary: 1=validation, 2=first approval and 3=second approval if amount is enough).
Set this to empty if one approval (2 steps) is enough, set it to a very low value (0.1) if a second approval (3 steps) is always required. UseDoubleApproval=Use a 3 steps approval when amount (without tax) is higher than... WarningPHPMail=WARNING: It is often better to setup outgoing emails to use the email server of your provider instead of the default setup. Some email providers (like Yahoo) does not allow you to send an email from another server than their own server. Your current setup use 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 a server of them, so few of your sent Emails may not be accepted (be carefull also to your email provider sending quota).
If your Email provider (like Yahoo) has this restriction, you must change Email setup to choose the other method "SMTP server" and enter the SMTP server and credentials provided by your Email provider (ask your EMail provider to get SMTP credentials for your account). -WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of your ERP CRM application: %s. +WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of the mail user agent (MUA) for your ERP CRM application: %s. ClickToShowDescription=Click to show description DependsOn=This module need the module(s) RequiredBy=This module is required by module(s) @@ -497,7 +497,7 @@ Module25Desc=Customer order management Module30Name=Рахунки-фактури Module30Desc=Invoice and credit note management for customers. Invoice management for suppliers Module40Name=Suppliers -Module40Desc=Supplier management and buying (orders and invoices) +Module40Desc=Suppliers and purchase management (purchase orders and billing) Module42Name=Debug Logs Module42Desc=Logging facilities (file, syslog, ...). Such logs are for technical/debug purposes. Module49Name=Editors @@ -605,7 +605,7 @@ Module4000Desc=Human resources management (management of department, employee co Module5000Name=Multi-company Module5000Desc=Allows you to manage multiple companies Module6000Name=Workflow -Module6000Desc=Workflow management +Module6000Desc=Workflow management (automatic creation of object and/or automatic status change) Module10000Name=Websites Module10000Desc=Create public websites with a WYSIWG editor. Just setup your web server (Apache, Nginx, ...) to point to the dedicated Dolibarr directory to have it online on the Internet with your own domain name. Module20000Name=Leave Requests management @@ -891,7 +891,7 @@ DictionaryCivility=Personal and professional titles DictionaryActions=Types of agenda events DictionarySocialContributions=Social or fiscal taxes types DictionaryVAT=VAT Rates or Sales Tax Rates -DictionaryRevenueStamp=Amount of revenue stamps +DictionaryRevenueStamp=Amount of tax stamps DictionaryPaymentConditions=Умови платежу DictionaryPaymentModes=Payment modes DictionaryTypeContact=Contact/Address types @@ -919,7 +919,7 @@ SetupSaved=Setup saved SetupNotSaved=Setup not saved BackToModuleList=Back to modules list BackToDictionaryList=Back to dictionaries list -TypeOfRevenueStamp=Type of revenue stamp +TypeOfRevenueStamp=Type of tax stamp VATManagement=VAT Management VATIsUsedDesc=By default when creating prospects, invoices, orders etc the VAT rate follows the active standard rule:
If the seller is not subjected to VAT, then VAT defaults to 0. End of rule.
If the (selling country= buying country), then the VAT by default equals the VAT of the product in the selling country. End of rule.
If seller and buyer are both in the European Community and goods are transport products (car, ship, plane), the default VAT is 0 ( The VAT should be paid by the buyer to the customoffice of his country and not to the seller). End of rule.
If seller and buyer are both in the European Community and the buyer is not a company, then the VAT by defaults to the VAT of the product sold. End of rule.
If seller and buyer are both in the European Community and the buyer is a company, then the VAT is 0 by default . End of rule.
In any othe case the proposed default is VAT=0. End of rule. VATIsNotUsedDesc=By default the proposed VAT is 0 which can be used for cases like associations, individuals ou small companies. @@ -1027,7 +1027,7 @@ Delays_MAIN_DELAY_ACTIONS_TODO=Delay tolerance (in days) before alert on planned Delays_MAIN_DELAY_PROJECT_TO_CLOSE=Delay tolerance (in days) before alert on project not closed in time Delays_MAIN_DELAY_TASKS_TODO=Delay tolerance (in days) before alert on planned tasks (project tasks) not completed yet Delays_MAIN_DELAY_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on orders not processed yet -Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on suppliers orders not processed yet +Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on purchase orders not processed yet Delays_MAIN_DELAY_PROPALS_TO_CLOSE=Delay tolerance (in days) before alert on proposals to close Delays_MAIN_DELAY_PROPALS_TO_BILL=Delay tolerance (in days) before alert on proposals not billed Delays_MAIN_DELAY_NOT_ACTIVATED_SERVICES=Tolerance delay (in days) before alert on services to activate @@ -1458,7 +1458,7 @@ SyslogFilename=File name and path YouCanUseDOL_DATA_ROOT=You can use DOL_DATA_ROOT/dolibarr.log for a log file in Dolibarr "documents" directory. You can set a different path to store this file. ErrorUnknownSyslogConstant=Constant %s is not a known Syslog constant OnlyWindowsLOG_USER=Windows only supports LOG_USER -CompressSyslogs=Syslog files compression and backup +CompressSyslogs=Compression and backup of debug log files (generated by module Log for debug) SyslogFileNumberOfSaves=Log backups ConfigureCleaningCronjobToSetFrequencyOfSaves=Configure cleaning scheduled job to set log backup frequency ##### Donations ##### diff --git a/htdocs/langs/uk_UA/banks.lang b/htdocs/langs/uk_UA/banks.lang index d993f69e339de..3148777e43bdc 100644 --- a/htdocs/langs/uk_UA/banks.lang +++ b/htdocs/langs/uk_UA/banks.lang @@ -1,12 +1,13 @@ # Dolibarr language file - Source file is en_US - banks Bank=Bank -MenuBankCash=Bank/Cash +MenuBankCash=Bank | Cash MenuVariousPayment=Miscellaneous payments MenuNewVariousPayment=New Miscellaneous payment BankName=Bank name FinancialAccount=Account BankAccount=Bank account BankAccounts=Bank accounts +BankAccountsAndGateways=Bank accounts | Gateways ShowAccount=Show Account AccountRef=Financial account ref AccountLabel=Financial account label @@ -131,7 +132,7 @@ PaymentDateUpdateSucceeded=Payment date updated successfully PaymentDateUpdateFailed=Payment date could not be updated Transactions=Transactions BankTransactionLine=Bank entry -AllAccounts=All bank/cash accounts +AllAccounts=All bank and cash accounts BackToAccount=Back to account ShowAllAccounts=Show for all accounts FutureTransaction=Transaction in futur. No way to conciliate. @@ -159,5 +160,6 @@ VariousPayment=Miscellaneous payments VariousPayments=Miscellaneous payments ShowVariousPayment=Show miscellaneous payments AddVariousPayment=Add miscellaneous payments +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. Thanks to return it signed (scan of the signed document) or sent it by mail to diff --git a/htdocs/langs/uk_UA/bills.lang b/htdocs/langs/uk_UA/bills.lang index 0767fe6f354b4..bf9a1015f8814 100644 --- a/htdocs/langs/uk_UA/bills.lang +++ b/htdocs/langs/uk_UA/bills.lang @@ -110,8 +110,8 @@ SendRemindByMail=Відправити нагадування по EMail DoPayment=Enter payment DoPaymentBack=Enter refund ConvertToReduc=Mark as credit available -ConvertExcessReceivedToReduc=Convert excess received into future discount -ConvertExcessPaidToReduc=Convert excess paid into future discount +ConvertExcessReceivedToReduc=Convert excess received into available credit +ConvertExcessPaidToReduc=Convert excess paid into available discount EnterPaymentReceivedFromCustomer=Ввести платіж, отриманий від покупця EnterPaymentDueToCustomer=Make payment due to customer DisabledBecauseRemainderToPayIsZero=Відключено, тому що оплата, що залишилася є нульовою @@ -282,6 +282,7 @@ RelativeDiscount=Відносна знижка GlobalDiscount=Глобальна знижка CreditNote=Кредитове авізо CreditNotes=Кредитове авізо +CreditNotesOrExcessReceived=Credit notes or excess received Deposit=Down payment Deposits=Down payments DiscountFromCreditNote=Знижка з кредитового авізо %s @@ -393,6 +394,7 @@ PaymentConditionShort14DENDMONTH=14 days of month-end PaymentCondition14DENDMONTH=Within 14 days following the end of the month FixAmount=Fix amount VarAmount=Variable amount (%% tot.) +VarAmountOneLine=Variable amount (%% tot.) - 1 line with label '%s' # PaymentType PaymentTypeVIR=Bank transfer PaymentTypeShortVIR=Bank transfer diff --git a/htdocs/langs/uk_UA/compta.lang b/htdocs/langs/uk_UA/compta.lang index 1bf4638f0bf99..956b93142e872 100644 --- a/htdocs/langs/uk_UA/compta.lang +++ b/htdocs/langs/uk_UA/compta.lang @@ -19,7 +19,8 @@ Income=Income Outcome=Expense MenuReportInOut=Income / Expense ReportInOut=Balance of income and expenses -ReportTurnover=Turnover +ReportTurnover=Turnover invoiced +ReportTurnoverCollected=Turnover collected PaymentsNotLinkedToInvoice=Payments not linked to any invoice, so not linked to any third party PaymentsNotLinkedToUser=Payments not linked to any user Profit=Profit @@ -77,7 +78,7 @@ MenuNewSocialContribution=New social/fiscal tax NewSocialContribution=New social/fiscal tax AddSocialContribution=Add social/fiscal tax ContributionsToPay=Social/fiscal taxes to pay -AccountancyTreasuryArea=Accountancy/Treasury area +AccountancyTreasuryArea=Billing and payment area NewPayment=New payment Payments=Платежі PaymentCustomerInvoice=Customer invoice payment @@ -105,6 +106,7 @@ VATPayment=Sales tax payment VATPayments=Sales tax payments VATRefund=Sales tax refund NewVATPayment=New sales tax payment +NewLocalTaxPayment=New tax %s payment Refund=Refund SocialContributionsPayments=Social/fiscal taxes payments ShowVatPayment=Show VAT payment @@ -116,8 +118,9 @@ CustomerAccountancyCodeShort=Cust. account. code SupplierAccountancyCodeShort=Sup. account. code AccountNumber=Номер рахунка NewAccountingAccount=New account -SalesTurnover=Sales turnover -SalesTurnoverMinimum=Minimum sales turnover +Turnover=Turnover invoiced +TurnoverCollected=Turnover collected +SalesTurnoverMinimum=Minimum turnover ByExpenseIncome=By expenses & incomes ByThirdParties=By third parties ByUserAuthorOfInvoice=By invoice author @@ -137,8 +140,8 @@ 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=Mode %sClaims-Debts%s said Commitment accounting. -CalcModeEngagement=Mode %sIncomes-Expenses%s said cash accounting +CalcModeDebt=Analysis of known recorded invoices 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 CalcModeLT1Debt=Mode %sRE on customer invoices%s @@ -151,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 report %sIncomes-Expenses%s said cash accounting for a calculation on actual payments made -SeeReportInDueDebtMode=See report %sClaims-Debts%s said commitment accounting for a calculation on issued invoices -SeeReportInBookkeepingMode=See report %sBookeeping%s for a calculation on bookkeeping table analysis +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 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 validation date of invoices and VAT and on the due date for expenses. 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. @@ -218,8 +221,8 @@ 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 supplier, choose appropriate method to apply same calculation rule and get same result expected by your supplier. -TurnoverPerProductInCommitmentAccountingNotRelevant=The Turnover report per product, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). -TurnoverPerSaleTaxRateInCommitmentAccountingNotRelevant=The Turnover report per sale tax rate, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). +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. CalculationMode=Calculation mode AccountancyJournal=Accounting code journal ACCOUNTING_VAT_SOLD_ACCOUNT=Accounting account by default for VAT on sales (used if not defined on VAT dictionary setup) @@ -251,5 +254,6 @@ VATDue=Sale tax claimed ClaimedForThisPeriod=Claimed for the period PaidDuringThisPeriod=Paid during this period ByVatRate=By sale tax rate -TurnoverbyVatrate=Turnover by sale tax rate +TurnoverbyVatrate=Turnover invoiced by sale tax rate +TurnoverCollectedbyVatrate=Turnover collected by sale tax rate PurchasebyVatrate=Purchase by sale tax rate diff --git a/htdocs/langs/uk_UA/install.lang b/htdocs/langs/uk_UA/install.lang index 587d4f83da6c6..fb521c0c08565 100644 --- a/htdocs/langs/uk_UA/install.lang +++ b/htdocs/langs/uk_UA/install.lang @@ -204,3 +204,7 @@ MigrationResetBlockedLog=Reset module BlockedLog for v7 algorithm ShowNotAvailableOptions=Show not available options HideNotAvailableOptions=Hide not available options ErrorFoundDuringMigration=Error were reported during migration process so next step is not available. To ignore errors, you can click here, but application or some features may not work correctly until fixed. +YouTryInstallDisabledByDirLock=The application try to sefl upgrade, but install/upgrade pages have been disabled for security reason (directory renamed with .lock suffix).
+YouTryInstallDisabledByFileLock=The application try to sefl upgrade, but install/upgrade pages pages have been disabled for security reason (by lock file install.lock into dolibarr documents directory).
+ClickHereToGoToApp=Click here to go to your application +ClickOnLinkOrRemoveManualy=Click on following link and if you always reach this page, you must remove the file install.lock into documents directory manually diff --git a/htdocs/langs/uk_UA/main.lang b/htdocs/langs/uk_UA/main.lang index a5ed4dd1ba0f8..b927b6f9165d3 100644 --- a/htdocs/langs/uk_UA/main.lang +++ b/htdocs/langs/uk_UA/main.lang @@ -507,6 +507,7 @@ NoneF=None NoneOrSeveral=None or several Late=Late LateDesc=Delay to define if a record is late or not depends on your setup. Ask your admin to change delay from menu Home - Setup - Alerts. +NoItemLate=No late item Photo=Picture Photos=Pictures AddPhoto=Add picture @@ -945,3 +946,5 @@ KeyboardShortcut=Keyboard shortcut AssignedTo=Призначено Deletedraft=Delete draft ConfirmMassDraftDeletion=Draft Bulk delete confirmation +FileSharedViaALink=File shared via a link + diff --git a/htdocs/langs/uk_UA/modulebuilder.lang b/htdocs/langs/uk_UA/modulebuilder.lang index a3fee23cb53b5..9d6661eda41d6 100644 --- a/htdocs/langs/uk_UA/modulebuilder.lang +++ b/htdocs/langs/uk_UA/modulebuilder.lang @@ -74,6 +74,7 @@ NoWidget=No widget GoToApiExplorer=Go to API explorer ListOfMenusEntries=List of menu entries ListOfPermissionsDefined=List of defined permissions +SeeExamples=See examples here EnabledDesc=Condition to have this field active (Examples: 1 or $conf->global->MYMODULE_MYOPTION) VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only. Using a negative value means field is not shown by default on list but can be selected for viewing) IsAMeasureDesc=Can the value of field be cumulated to get a total into list ? (Examples: 1 or 0) @@ -95,3 +96,6 @@ DropTableIfEmpty=(Delete table if empty) TableDoesNotExists=The table %s does not exists TableDropped=Table %s deleted InitStructureFromExistingTable=Build the structure array string of an existing table +UseAboutPage=Disallow the about page +UseDocFolder=Disallow the documentation folder +UseSpecificReadme=Use a specific ReadMe diff --git a/htdocs/langs/uk_UA/other.lang b/htdocs/langs/uk_UA/other.lang index 13907ca380e17..8ef8cc30090b4 100644 --- a/htdocs/langs/uk_UA/other.lang +++ b/htdocs/langs/uk_UA/other.lang @@ -80,8 +80,8 @@ LinkedObject=Linked object NbOfActiveNotifications=Number of notifications (nb of recipient emails) PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe two lines are separated by a carriage return.\n\n__USER_SIGNATURE__ PredefinedMailTestHtml=__(Hello)__\nThis is a test mail (the word test must be in bold).
The two lines are separated by a carriage return.

__USER_SIGNATURE__ -PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\nThis is the link to make your online payment if this invoice is not already payed:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\nThis is the link to make your online payment:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendProposal=__(Hello)__\n\nYou will find here the commercial proposal __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendSupplierProposal=__(Hello)__\n\nYou will find here the price request __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendOrder=__(Hello)__\n\nYou will find here the order __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ @@ -91,6 +91,7 @@ PredefinedMailContentSendShipping=__(Hello)__\n\nYou will find here the shipping PredefinedMailContentSendFichInter=__(Hello)__\n\nYou will find here the intervention __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentThirdparty=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentUser=__(Hello)__\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 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) @@ -218,7 +219,7 @@ 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 +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 diff --git a/htdocs/langs/uk_UA/paypal.lang b/htdocs/langs/uk_UA/paypal.lang index 600245dc658a1..68c5b0aefa1b8 100644 --- a/htdocs/langs/uk_UA/paypal.lang +++ b/htdocs/langs/uk_UA/paypal.lang @@ -14,7 +14,6 @@ PaypalModeOnlyPaypal=PayPal only ONLINE_PAYMENT_CSS_URL=Optionnal URL of CSS style sheet on online payment page ThisIsTransactionId=This is id of transaction: %s PAYPAL_ADD_PAYMENT_URL=Add the url of Paypal payment when you send a document by mail -PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.

%s

YouAreCurrentlyInSandboxMode=You are currently in the %s "sandbox" mode NewOnlinePaymentReceived=New online payment received NewOnlinePaymentFailed=New online payment tried but failed diff --git a/htdocs/langs/uk_UA/products.lang b/htdocs/langs/uk_UA/products.lang index 7c679cb6656be..ac9ca8ae7d1d9 100644 --- a/htdocs/langs/uk_UA/products.lang +++ b/htdocs/langs/uk_UA/products.lang @@ -251,8 +251,8 @@ PriceNumeric=Number DefaultPrice=Default price ComposedProductIncDecStock=Increase/Decrease stock on parent change ComposedProduct=Sub-product -MinSupplierPrice=Minimum supplier price -MinCustomerPrice=Minimum customer price +MinSupplierPrice=Minimum buying price +MinCustomerPrice=Minimum selling price DynamicPriceConfiguration=Dynamic price configuration DynamicPriceDesc=On product card, with this module enabled, you should be able to set mathematic functions to calculate Customer or Supplier prices. Such function can use all mathematic operators, some constants and variables. You can set here the variables you want to be able to use and if the variable need an automatic update, the external URL to use to ask Dolibarr to update automaticaly the value. AddVariable=Add Variable diff --git a/htdocs/langs/uk_UA/propal.lang b/htdocs/langs/uk_UA/propal.lang index 8fb9824409c18..68ba1ad545fd4 100644 --- a/htdocs/langs/uk_UA/propal.lang +++ b/htdocs/langs/uk_UA/propal.lang @@ -75,6 +75,7 @@ AvailabilityTypeAV_1M=1 month TypeContact_propal_internal_SALESREPFOLL=Representative following-up proposal TypeContact_propal_external_BILLING=Customer invoice contact TypeContact_propal_external_CUSTOMER=Customer contact following-up proposal +TypeContact_propal_external_SHIPPING=Customer contact for delivery # Document models DocModelAzurDescription=A complete proposal model (logo...) DefaultModelPropalCreate=Default model creation diff --git a/htdocs/langs/uk_UA/sendings.lang b/htdocs/langs/uk_UA/sendings.lang index 17a6350b84c54..63841bc0b3050 100644 --- a/htdocs/langs/uk_UA/sendings.lang +++ b/htdocs/langs/uk_UA/sendings.lang @@ -52,8 +52,8 @@ ActionsOnShipping=Events on shipment LinkToTrackYourPackage=Link to track your package ShipmentCreationIsDoneFromOrder=For the moment, creation of a new shipment is done from the order card. ShipmentLine=Shipment line -ProductQtyInCustomersOrdersRunning=Product quantity into open customers orders -ProductQtyInSuppliersOrdersRunning=Product quantity into open suppliers orders +ProductQtyInCustomersOrdersRunning=Product quantity into open customer orders +ProductQtyInSuppliersOrdersRunning=Product quantity into open purchase orders ProductQtyInShipmentAlreadySent=Product quantity from open customer order already sent ProductQtyInSuppliersShipmentAlreadyRecevied=Product quantity from open supplier order already received NoProductToShipFoundIntoStock=No product to ship found into warehouse %s. Correct stock or go back to choose another warehouse. diff --git a/htdocs/langs/uk_UA/stocks.lang b/htdocs/langs/uk_UA/stocks.lang index d7dc3b4ea14cd..3dcc762f3d68e 100644 --- a/htdocs/langs/uk_UA/stocks.lang +++ b/htdocs/langs/uk_UA/stocks.lang @@ -67,7 +67,7 @@ DeStockOnValidateOrder=Decrease real stocks on customers orders validation DeStockOnShipment=Decrease real stocks on shipping validation DeStockOnShipmentOnClosing=Decrease real stocks on shipping classification closed ReStockOnBill=Increase real stocks on suppliers invoices/credit notes validation -ReStockOnValidateOrder=Increase real stocks on suppliers orders approbation +ReStockOnValidateOrder=Increase real stocks on purchase orders approbation ReStockOnDispatchOrder=Increase real stocks on manual dispatching into warehouses, after supplier order receipt of goods 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 @@ -203,4 +203,4 @@ RegulateStock=Regulate Stock ListInventory=List StockSupportServices=Stock management support services StockSupportServicesDesc=By default, you can stock only product with type "product". If on, and if module service is on, you can also stock a product with type "service" -ReceiveProducts=Receive products +ReceiveProducts=Receive items diff --git a/htdocs/langs/uk_UA/users.lang b/htdocs/langs/uk_UA/users.lang index 8aa5d3749fcdb..26f22923a9a08 100644 --- a/htdocs/langs/uk_UA/users.lang +++ b/htdocs/langs/uk_UA/users.lang @@ -48,7 +48,7 @@ PasswordChangeRequest=Request to change password for %s PasswordChangeRequestSent=Request to change password for %s sent to %s. ConfirmPasswordReset=Confirm password reset MenuUsersAndGroups=Users & Groups -LastGroupsCreated=Latest %s created groups +LastGroupsCreated=Latest %s groups created LastUsersCreated=Latest %s users created ShowGroup=Show group ShowUser=Show user diff --git a/htdocs/langs/uz_UZ/accountancy.lang b/htdocs/langs/uz_UZ/accountancy.lang index daa159280969a..04bbaa447e791 100644 --- a/htdocs/langs/uz_UZ/accountancy.lang +++ b/htdocs/langs/uz_UZ/accountancy.lang @@ -55,6 +55,7 @@ AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from m AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s AccountancyAreaDescVat=STEP %s: Define accounting accounts for each VAT Rates. For this, use the menu entry %s. +AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. AccountancyAreaDescExpenseReport=STEP %s: Define default accounting accounts for each type of expense report. For this, use the menu entry %s. AccountancyAreaDescSal=STEP %s: Define default accounting accounts for payment of salaries. For this, use the menu entry %s. AccountancyAreaDescContrib=STEP %s: Define default accounting accounts for special expences (miscellaneous taxes). For this, use the menu entry %s. @@ -131,6 +132,7 @@ ACCOUNTING_LENGTH_GACCOUNT=Length of the general accounting accounts (If you set 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 zero at the end of an accounting account. Needed by some countries (like switzerland). If keep to off (default), you can set the 2 following parameters to ask application to add virtual zero. BANK_DISABLE_DIRECT_INPUT=Disable direct recording of transaction in bank account +ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Enable draft export on journal ACCOUNTING_SELL_JOURNAL=Sell journal ACCOUNTING_PURCHASE_JOURNAL=Purchase journal diff --git a/htdocs/langs/uz_UZ/admin.lang b/htdocs/langs/uz_UZ/admin.lang index 28eb076c540e9..d7042e784dcb6 100644 --- a/htdocs/langs/uz_UZ/admin.lang +++ b/htdocs/langs/uz_UZ/admin.lang @@ -454,7 +454,7 @@ ModuleCompanyCodeDigitaria=Accounting code depends on third party code. The code Use3StepsApproval=By default, Purchase Orders need to be created and approved by 2 different users (one step/user to create and one step/user to approve. Note that if user has both permission to create and approve, one step/user will be enough). You can ask with this option to introduce a third step/user approval, if amount is higher than a dedicated value (so 3 steps will be necessary: 1=validation, 2=first approval and 3=second approval if amount is enough).
Set this to empty if one approval (2 steps) is enough, set it to a very low value (0.1) if a second approval (3 steps) is always required. UseDoubleApproval=Use a 3 steps approval when amount (without tax) is higher than... WarningPHPMail=WARNING: It is often better to setup outgoing emails to use the email server of your provider instead of the default setup. Some email providers (like Yahoo) does not allow you to send an email from another server than their own server. Your current setup use 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 a server of them, so few of your sent Emails may not be accepted (be carefull also to your email provider sending quota).
If your Email provider (like Yahoo) has this restriction, you must change Email setup to choose the other method "SMTP server" and enter the SMTP server and credentials provided by your Email provider (ask your EMail provider to get SMTP credentials for your account). -WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of your ERP CRM application: %s. +WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of the mail user agent (MUA) for your ERP CRM application: %s. ClickToShowDescription=Click to show description DependsOn=This module need the module(s) RequiredBy=This module is required by module(s) @@ -497,7 +497,7 @@ Module25Desc=Customer order management Module30Name=Invoices Module30Desc=Invoice and credit note management for customers. Invoice management for suppliers Module40Name=Suppliers -Module40Desc=Supplier management and buying (orders and invoices) +Module40Desc=Suppliers and purchase management (purchase orders and billing) Module42Name=Debug Logs Module42Desc=Logging facilities (file, syslog, ...). Such logs are for technical/debug purposes. Module49Name=Editors @@ -605,7 +605,7 @@ Module4000Desc=Human resources management (management of department, employee co Module5000Name=Multi-company Module5000Desc=Allows you to manage multiple companies Module6000Name=Workflow -Module6000Desc=Workflow management +Module6000Desc=Workflow management (automatic creation of object and/or automatic status change) Module10000Name=Websites Module10000Desc=Create public websites with a WYSIWG editor. Just setup your web server (Apache, Nginx, ...) to point to the dedicated Dolibarr directory to have it online on the Internet with your own domain name. Module20000Name=Leave Requests management @@ -891,7 +891,7 @@ DictionaryCivility=Personal and professional titles DictionaryActions=Types of agenda events DictionarySocialContributions=Social or fiscal taxes types DictionaryVAT=VAT Rates or Sales Tax Rates -DictionaryRevenueStamp=Amount of revenue stamps +DictionaryRevenueStamp=Amount of tax stamps DictionaryPaymentConditions=Payment terms DictionaryPaymentModes=Payment modes DictionaryTypeContact=Contact/Address types @@ -919,7 +919,7 @@ SetupSaved=Setup saved SetupNotSaved=Setup not saved BackToModuleList=Back to modules list BackToDictionaryList=Back to dictionaries list -TypeOfRevenueStamp=Type of revenue stamp +TypeOfRevenueStamp=Type of tax stamp VATManagement=VAT Management VATIsUsedDesc=By default when creating prospects, invoices, orders etc the VAT rate follows the active standard rule:
If the seller is not subjected to VAT, then VAT defaults to 0. End of rule.
If the (selling country= buying country), then the VAT by default equals the VAT of the product in the selling country. End of rule.
If seller and buyer are both in the European Community and goods are transport products (car, ship, plane), the default VAT is 0 ( The VAT should be paid by the buyer to the customoffice of his country and not to the seller). End of rule.
If seller and buyer are both in the European Community and the buyer is not a company, then the VAT by defaults to the VAT of the product sold. End of rule.
If seller and buyer are both in the European Community and the buyer is a company, then the VAT is 0 by default . End of rule.
In any othe case the proposed default is VAT=0. End of rule. VATIsNotUsedDesc=By default the proposed VAT is 0 which can be used for cases like associations, individuals ou small companies. @@ -1027,7 +1027,7 @@ Delays_MAIN_DELAY_ACTIONS_TODO=Delay tolerance (in days) before alert on planned Delays_MAIN_DELAY_PROJECT_TO_CLOSE=Delay tolerance (in days) before alert on project not closed in time Delays_MAIN_DELAY_TASKS_TODO=Delay tolerance (in days) before alert on planned tasks (project tasks) not completed yet Delays_MAIN_DELAY_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on orders not processed yet -Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on suppliers orders not processed yet +Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on purchase orders not processed yet Delays_MAIN_DELAY_PROPALS_TO_CLOSE=Delay tolerance (in days) before alert on proposals to close Delays_MAIN_DELAY_PROPALS_TO_BILL=Delay tolerance (in days) before alert on proposals not billed Delays_MAIN_DELAY_NOT_ACTIVATED_SERVICES=Tolerance delay (in days) before alert on services to activate @@ -1458,7 +1458,7 @@ SyslogFilename=File name and path YouCanUseDOL_DATA_ROOT=You can use DOL_DATA_ROOT/dolibarr.log for a log file in Dolibarr "documents" directory. You can set a different path to store this file. ErrorUnknownSyslogConstant=Constant %s is not a known Syslog constant OnlyWindowsLOG_USER=Windows only supports LOG_USER -CompressSyslogs=Syslog files compression and backup +CompressSyslogs=Compression and backup of debug log files (generated by module Log for debug) SyslogFileNumberOfSaves=Log backups ConfigureCleaningCronjobToSetFrequencyOfSaves=Configure cleaning scheduled job to set log backup frequency ##### Donations ##### diff --git a/htdocs/langs/uz_UZ/banks.lang b/htdocs/langs/uz_UZ/banks.lang index be8f75d172b54..1d42581c34437 100644 --- a/htdocs/langs/uz_UZ/banks.lang +++ b/htdocs/langs/uz_UZ/banks.lang @@ -1,12 +1,13 @@ # Dolibarr language file - Source file is en_US - banks Bank=Bank -MenuBankCash=Bank/Cash +MenuBankCash=Bank | Cash MenuVariousPayment=Miscellaneous payments MenuNewVariousPayment=New Miscellaneous payment BankName=Bank name FinancialAccount=Account BankAccount=Bank account BankAccounts=Bank accounts +BankAccountsAndGateways=Bank accounts | Gateways ShowAccount=Show Account AccountRef=Financial account ref AccountLabel=Financial account label @@ -131,7 +132,7 @@ PaymentDateUpdateSucceeded=Payment date updated successfully PaymentDateUpdateFailed=Payment date could not be updated Transactions=Transactions BankTransactionLine=Bank entry -AllAccounts=All bank/cash accounts +AllAccounts=All bank and cash accounts BackToAccount=Back to account ShowAllAccounts=Show for all accounts FutureTransaction=Transaction in futur. No way to conciliate. @@ -159,5 +160,6 @@ VariousPayment=Miscellaneous payments VariousPayments=Miscellaneous payments ShowVariousPayment=Show miscellaneous payments AddVariousPayment=Add miscellaneous payments +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. Thanks to return it signed (scan of the signed document) or sent it by mail to diff --git a/htdocs/langs/uz_UZ/bills.lang b/htdocs/langs/uz_UZ/bills.lang index 2f029928beb64..f76ff018f9d77 100644 --- a/htdocs/langs/uz_UZ/bills.lang +++ b/htdocs/langs/uz_UZ/bills.lang @@ -110,8 +110,8 @@ SendRemindByMail=Send reminder by EMail DoPayment=Enter payment DoPaymentBack=Enter refund ConvertToReduc=Mark as credit available -ConvertExcessReceivedToReduc=Convert excess received into future discount -ConvertExcessPaidToReduc=Convert excess paid into future discount +ConvertExcessReceivedToReduc=Convert excess received into available credit +ConvertExcessPaidToReduc=Convert excess paid into available discount EnterPaymentReceivedFromCustomer=Enter payment received from customer EnterPaymentDueToCustomer=Make payment due to customer DisabledBecauseRemainderToPayIsZero=Disabled because remaining unpaid is zero @@ -282,6 +282,7 @@ RelativeDiscount=Relative discount GlobalDiscount=Global discount CreditNote=Credit note CreditNotes=Credit notes +CreditNotesOrExcessReceived=Credit notes or excess received Deposit=Down payment Deposits=Down payments DiscountFromCreditNote=Discount from credit note %s @@ -393,6 +394,7 @@ PaymentConditionShort14DENDMONTH=14 days of month-end PaymentCondition14DENDMONTH=Within 14 days following the end of the month FixAmount=Fix amount VarAmount=Variable amount (%% tot.) +VarAmountOneLine=Variable amount (%% tot.) - 1 line with label '%s' # PaymentType PaymentTypeVIR=Bank transfer PaymentTypeShortVIR=Bank transfer diff --git a/htdocs/langs/uz_UZ/compta.lang b/htdocs/langs/uz_UZ/compta.lang index d2cfb71490033..c0f5920ea92ff 100644 --- a/htdocs/langs/uz_UZ/compta.lang +++ b/htdocs/langs/uz_UZ/compta.lang @@ -19,7 +19,8 @@ Income=Income Outcome=Expense MenuReportInOut=Income / Expense ReportInOut=Balance of income and expenses -ReportTurnover=Turnover +ReportTurnover=Turnover invoiced +ReportTurnoverCollected=Turnover collected PaymentsNotLinkedToInvoice=Payments not linked to any invoice, so not linked to any third party PaymentsNotLinkedToUser=Payments not linked to any user Profit=Profit @@ -77,7 +78,7 @@ MenuNewSocialContribution=New social/fiscal tax NewSocialContribution=New social/fiscal tax AddSocialContribution=Add social/fiscal tax ContributionsToPay=Social/fiscal taxes to pay -AccountancyTreasuryArea=Accountancy/Treasury area +AccountancyTreasuryArea=Billing and payment area NewPayment=New payment Payments=Payments PaymentCustomerInvoice=Customer invoice payment @@ -105,6 +106,7 @@ VATPayment=Sales tax payment VATPayments=Sales tax payments VATRefund=Sales tax refund NewVATPayment=New sales tax payment +NewLocalTaxPayment=New tax %s payment Refund=Refund SocialContributionsPayments=Social/fiscal taxes payments ShowVatPayment=Show VAT payment @@ -116,8 +118,9 @@ CustomerAccountancyCodeShort=Cust. account. code SupplierAccountancyCodeShort=Sup. account. code AccountNumber=Account number NewAccountingAccount=New account -SalesTurnover=Sales turnover -SalesTurnoverMinimum=Minimum sales turnover +Turnover=Turnover invoiced +TurnoverCollected=Turnover collected +SalesTurnoverMinimum=Minimum turnover ByExpenseIncome=By expenses & incomes ByThirdParties=By third parties ByUserAuthorOfInvoice=By invoice author @@ -137,8 +140,8 @@ 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=Mode %sClaims-Debts%s said Commitment accounting. -CalcModeEngagement=Mode %sIncomes-Expenses%s said cash accounting +CalcModeDebt=Analysis of known recorded invoices 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 CalcModeLT1Debt=Mode %sRE on customer invoices%s @@ -151,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 report %sIncomes-Expenses%s said cash accounting for a calculation on actual payments made -SeeReportInDueDebtMode=See report %sClaims-Debts%s said commitment accounting for a calculation on issued invoices -SeeReportInBookkeepingMode=See report %sBookeeping%s for a calculation on bookkeeping table analysis +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 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 validation date of invoices and VAT and on the due date for expenses. 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. @@ -218,8 +221,8 @@ 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 supplier, choose appropriate method to apply same calculation rule and get same result expected by your supplier. -TurnoverPerProductInCommitmentAccountingNotRelevant=The Turnover report per product, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). -TurnoverPerSaleTaxRateInCommitmentAccountingNotRelevant=The Turnover report per sale tax rate, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). +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. CalculationMode=Calculation mode AccountancyJournal=Accounting code journal ACCOUNTING_VAT_SOLD_ACCOUNT=Accounting account by default for VAT on sales (used if not defined on VAT dictionary setup) @@ -251,5 +254,6 @@ VATDue=Sale tax claimed ClaimedForThisPeriod=Claimed for the period PaidDuringThisPeriod=Paid during this period ByVatRate=By sale tax rate -TurnoverbyVatrate=Turnover by sale tax rate +TurnoverbyVatrate=Turnover invoiced by sale tax rate +TurnoverCollectedbyVatrate=Turnover collected by sale tax rate PurchasebyVatrate=Purchase by sale tax rate diff --git a/htdocs/langs/uz_UZ/install.lang b/htdocs/langs/uz_UZ/install.lang index 587d4f83da6c6..fb521c0c08565 100644 --- a/htdocs/langs/uz_UZ/install.lang +++ b/htdocs/langs/uz_UZ/install.lang @@ -204,3 +204,7 @@ MigrationResetBlockedLog=Reset module BlockedLog for v7 algorithm ShowNotAvailableOptions=Show not available options HideNotAvailableOptions=Hide not available options ErrorFoundDuringMigration=Error were reported during migration process so next step is not available. To ignore errors, you can click here, but application or some features may not work correctly until fixed. +YouTryInstallDisabledByDirLock=The application try to sefl upgrade, but install/upgrade pages have been disabled for security reason (directory renamed with .lock suffix).
+YouTryInstallDisabledByFileLock=The application try to sefl upgrade, but install/upgrade pages pages have been disabled for security reason (by lock file install.lock into dolibarr documents directory).
+ClickHereToGoToApp=Click here to go to your application +ClickOnLinkOrRemoveManualy=Click on following link and if you always reach this page, you must remove the file install.lock into documents directory manually diff --git a/htdocs/langs/uz_UZ/main.lang b/htdocs/langs/uz_UZ/main.lang index b7a0c0ecd56c4..ed1777f9aec35 100644 --- a/htdocs/langs/uz_UZ/main.lang +++ b/htdocs/langs/uz_UZ/main.lang @@ -507,6 +507,7 @@ NoneF=None NoneOrSeveral=None or several Late=Late LateDesc=Delay to define if a record is late or not depends on your setup. Ask your admin to change delay from menu Home - Setup - Alerts. +NoItemLate=No late item Photo=Picture Photos=Pictures AddPhoto=Add picture @@ -945,3 +946,5 @@ KeyboardShortcut=Keyboard shortcut AssignedTo=Assigned to Deletedraft=Delete draft ConfirmMassDraftDeletion=Draft Bulk delete confirmation +FileSharedViaALink=File shared via a link + diff --git a/htdocs/langs/uz_UZ/other.lang b/htdocs/langs/uz_UZ/other.lang index 13907ca380e17..8ef8cc30090b4 100644 --- a/htdocs/langs/uz_UZ/other.lang +++ b/htdocs/langs/uz_UZ/other.lang @@ -80,8 +80,8 @@ LinkedObject=Linked object NbOfActiveNotifications=Number of notifications (nb of recipient emails) PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe two lines are separated by a carriage return.\n\n__USER_SIGNATURE__ PredefinedMailTestHtml=__(Hello)__\nThis is a test mail (the word test must be in bold).
The two lines are separated by a carriage return.

__USER_SIGNATURE__ -PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\nThis is the link to make your online payment if this invoice is not already payed:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\nThis is the link to make your online payment:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendProposal=__(Hello)__\n\nYou will find here the commercial proposal __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendSupplierProposal=__(Hello)__\n\nYou will find here the price request __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendOrder=__(Hello)__\n\nYou will find here the order __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ @@ -91,6 +91,7 @@ PredefinedMailContentSendShipping=__(Hello)__\n\nYou will find here the shipping PredefinedMailContentSendFichInter=__(Hello)__\n\nYou will find here the intervention __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentThirdparty=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentUser=__(Hello)__\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 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) @@ -218,7 +219,7 @@ 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 +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 diff --git a/htdocs/langs/uz_UZ/paypal.lang b/htdocs/langs/uz_UZ/paypal.lang index 600245dc658a1..68c5b0aefa1b8 100644 --- a/htdocs/langs/uz_UZ/paypal.lang +++ b/htdocs/langs/uz_UZ/paypal.lang @@ -14,7 +14,6 @@ PaypalModeOnlyPaypal=PayPal only ONLINE_PAYMENT_CSS_URL=Optionnal URL of CSS style sheet on online payment page ThisIsTransactionId=This is id of transaction: %s PAYPAL_ADD_PAYMENT_URL=Add the url of Paypal payment when you send a document by mail -PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.

%s

YouAreCurrentlyInSandboxMode=You are currently in the %s "sandbox" mode NewOnlinePaymentReceived=New online payment received NewOnlinePaymentFailed=New online payment tried but failed diff --git a/htdocs/langs/uz_UZ/products.lang b/htdocs/langs/uz_UZ/products.lang index 72e717367fc20..06558c90d81fc 100644 --- a/htdocs/langs/uz_UZ/products.lang +++ b/htdocs/langs/uz_UZ/products.lang @@ -251,8 +251,8 @@ PriceNumeric=Number DefaultPrice=Default price ComposedProductIncDecStock=Increase/Decrease stock on parent change ComposedProduct=Sub-product -MinSupplierPrice=Minimum supplier price -MinCustomerPrice=Minimum customer price +MinSupplierPrice=Minimum buying price +MinCustomerPrice=Minimum selling price DynamicPriceConfiguration=Dynamic price configuration DynamicPriceDesc=On product card, with this module enabled, you should be able to set mathematic functions to calculate Customer or Supplier prices. Such function can use all mathematic operators, some constants and variables. You can set here the variables you want to be able to use and if the variable need an automatic update, the external URL to use to ask Dolibarr to update automaticaly the value. AddVariable=Add Variable diff --git a/htdocs/langs/uz_UZ/propal.lang b/htdocs/langs/uz_UZ/propal.lang index 04941e4c650f3..8cf3a68167ae6 100644 --- a/htdocs/langs/uz_UZ/propal.lang +++ b/htdocs/langs/uz_UZ/propal.lang @@ -75,6 +75,7 @@ AvailabilityTypeAV_1M=1 month TypeContact_propal_internal_SALESREPFOLL=Representative following-up proposal TypeContact_propal_external_BILLING=Customer invoice contact TypeContact_propal_external_CUSTOMER=Customer contact following-up proposal +TypeContact_propal_external_SHIPPING=Customer contact for delivery # Document models DocModelAzurDescription=A complete proposal model (logo...) DefaultModelPropalCreate=Default model creation diff --git a/htdocs/langs/uz_UZ/sendings.lang b/htdocs/langs/uz_UZ/sendings.lang index 5091bfe950dcd..3b3850e44edab 100644 --- a/htdocs/langs/uz_UZ/sendings.lang +++ b/htdocs/langs/uz_UZ/sendings.lang @@ -52,8 +52,8 @@ ActionsOnShipping=Events on shipment LinkToTrackYourPackage=Link to track your package ShipmentCreationIsDoneFromOrder=For the moment, creation of a new shipment is done from the order card. ShipmentLine=Shipment line -ProductQtyInCustomersOrdersRunning=Product quantity into open customers orders -ProductQtyInSuppliersOrdersRunning=Product quantity into open suppliers orders +ProductQtyInCustomersOrdersRunning=Product quantity into open customer orders +ProductQtyInSuppliersOrdersRunning=Product quantity into open purchase orders ProductQtyInShipmentAlreadySent=Product quantity from open customer order already sent ProductQtyInSuppliersShipmentAlreadyRecevied=Product quantity from open supplier order already received NoProductToShipFoundIntoStock=No product to ship found into warehouse %s. Correct stock or go back to choose another warehouse. diff --git a/htdocs/langs/uz_UZ/stocks.lang b/htdocs/langs/uz_UZ/stocks.lang index aaa7e21fc0d7c..8178a8918b71a 100644 --- a/htdocs/langs/uz_UZ/stocks.lang +++ b/htdocs/langs/uz_UZ/stocks.lang @@ -67,7 +67,7 @@ DeStockOnValidateOrder=Decrease real stocks on customers orders validation DeStockOnShipment=Decrease real stocks on shipping validation DeStockOnShipmentOnClosing=Decrease real stocks on shipping classification closed ReStockOnBill=Increase real stocks on suppliers invoices/credit notes validation -ReStockOnValidateOrder=Increase real stocks on suppliers orders approbation +ReStockOnValidateOrder=Increase real stocks on purchase orders approbation ReStockOnDispatchOrder=Increase real stocks on manual dispatching into warehouses, after supplier order receipt of goods 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 @@ -203,4 +203,4 @@ RegulateStock=Regulate Stock ListInventory=List StockSupportServices=Stock management support services StockSupportServicesDesc=By default, you can stock only product with type "product". If on, and if module service is on, you can also stock a product with type "service" -ReceiveProducts=Receive products +ReceiveProducts=Receive items diff --git a/htdocs/langs/uz_UZ/users.lang b/htdocs/langs/uz_UZ/users.lang index 8aa5d3749fcdb..26f22923a9a08 100644 --- a/htdocs/langs/uz_UZ/users.lang +++ b/htdocs/langs/uz_UZ/users.lang @@ -48,7 +48,7 @@ PasswordChangeRequest=Request to change password for %s PasswordChangeRequestSent=Request to change password for %s sent to %s. ConfirmPasswordReset=Confirm password reset MenuUsersAndGroups=Users & Groups -LastGroupsCreated=Latest %s created groups +LastGroupsCreated=Latest %s groups created LastUsersCreated=Latest %s users created ShowGroup=Show group ShowUser=Show user diff --git a/htdocs/langs/vi_VN/accountancy.lang b/htdocs/langs/vi_VN/accountancy.lang index 7a677fed4c859..d8a21edd42c73 100644 --- a/htdocs/langs/vi_VN/accountancy.lang +++ b/htdocs/langs/vi_VN/accountancy.lang @@ -55,6 +55,7 @@ AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from m AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s AccountancyAreaDescVat=STEP %s: Define accounting accounts for each VAT Rates. For this, use the menu entry %s. +AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. AccountancyAreaDescExpenseReport=STEP %s: Define default accounting accounts for each type of expense report. For this, use the menu entry %s. AccountancyAreaDescSal=STEP %s: Define default accounting accounts for payment of salaries. For this, use the menu entry %s. AccountancyAreaDescContrib=STEP %s: Define default accounting accounts for special expences (miscellaneous taxes). For this, use the menu entry %s. @@ -131,6 +132,7 @@ ACCOUNTING_LENGTH_GACCOUNT=Length of the general accounting accounts (If you set 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 zero at the end of an accounting account. Needed by some countries (like switzerland). If keep to off (default), you can set the 2 following parameters to ask application to add virtual zero. BANK_DISABLE_DIRECT_INPUT=Disable direct recording of transaction in bank account +ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Enable draft export on journal ACCOUNTING_SELL_JOURNAL=Bán tạp chí ACCOUNTING_PURCHASE_JOURNAL=Mua tạp chí diff --git a/htdocs/langs/vi_VN/admin.lang b/htdocs/langs/vi_VN/admin.lang index ba82cbd157c78..c306183fa8f45 100644 --- a/htdocs/langs/vi_VN/admin.lang +++ b/htdocs/langs/vi_VN/admin.lang @@ -454,7 +454,7 @@ ModuleCompanyCodeDigitaria=Accounting code depends on third party code. The code Use3StepsApproval=By default, Purchase Orders need to be created and approved by 2 different users (one step/user to create and one step/user to approve. Note that if user has both permission to create and approve, one step/user will be enough). You can ask with this option to introduce a third step/user approval, if amount is higher than a dedicated value (so 3 steps will be necessary: 1=validation, 2=first approval and 3=second approval if amount is enough).
Set this to empty if one approval (2 steps) is enough, set it to a very low value (0.1) if a second approval (3 steps) is always required. UseDoubleApproval=Use a 3 steps approval when amount (without tax) is higher than... WarningPHPMail=WARNING: It is often better to setup outgoing emails to use the email server of your provider instead of the default setup. Some email providers (like Yahoo) does not allow you to send an email from another server than their own server. Your current setup use 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 a server of them, so few of your sent Emails may not be accepted (be carefull also to your email provider sending quota).
If your Email provider (like Yahoo) has this restriction, you must change Email setup to choose the other method "SMTP server" and enter the SMTP server and credentials provided by your Email provider (ask your EMail provider to get SMTP credentials for your account). -WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of your ERP CRM application: %s. +WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of the mail user agent (MUA) for your ERP CRM application: %s. ClickToShowDescription=Click to show description DependsOn=This module need the module(s) RequiredBy=This module is required by module(s) @@ -497,7 +497,7 @@ Module25Desc=Quản lý đơn hàng khách hàng Module30Name=Hoá đơn Module30Desc=Quản lý hóa đơn và giấy báo có cho khách hàng. Quản lý hóa đơn cho các nhà cung cấp Module40Name=Nhà cung cấp -Module40Desc=Quản lý nhà cung cấp và mua hàng (đơn hàng và hoá đơn) +Module40Desc=Suppliers and purchase management (purchase orders and billing) Module42Name=Debug Logs Module42Desc=Logging facilities (file, syslog, ...). Such logs are for technical/debug purposes. Module49Name=Biên tập @@ -605,7 +605,7 @@ Module4000Desc=Human resources management (management of department, employee co Module5000Name=Đa công ty Module5000Desc=Cho phép bạn quản lý đa công ty Module6000Name=Quy trình làm việc -Module6000Desc=Quản lý quy trình làm việc +Module6000Desc=Workflow management (automatic creation of object and/or automatic status change) Module10000Name=Websites Module10000Desc=Create public websites with a WYSIWG editor. Just setup your web server (Apache, Nginx, ...) to point to the dedicated Dolibarr directory to have it online on the Internet with your own domain name. Module20000Name=Quản lý phiếu nghỉ phép @@ -891,7 +891,7 @@ DictionaryCivility=Personal and professional titles DictionaryActions=Types of agenda events DictionarySocialContributions=Social or fiscal taxes types DictionaryVAT=Tỉ suất VAT hoặc Tỉ xuất thuế bán hàng -DictionaryRevenueStamp=Số tiền phiếu doanh thu +DictionaryRevenueStamp=Amount of tax stamps DictionaryPaymentConditions=Điều khoản thanh toán DictionaryPaymentModes=Phương thức thanh toán DictionaryTypeContact=Loại Liên lạc/Địa chỉ @@ -919,7 +919,7 @@ SetupSaved=Cài đặt đã lưu SetupNotSaved=Setup not saved BackToModuleList=Trở lại danh sách module BackToDictionaryList=Trở lại danh sách từ điển -TypeOfRevenueStamp=Type of revenue stamp +TypeOfRevenueStamp=Type of tax stamp VATManagement=Quản lý thuế VAT VATIsUsedDesc=By default when creating prospects, invoices, orders etc the VAT rate follows the active standard rule:
If the seller is not subjected to VAT, then VAT defaults to 0. End of rule.
If the (selling country= buying country), then the VAT by default equals the VAT of the product in the selling country. End of rule.
If seller and buyer are both in the European Community and goods are transport products (car, ship, plane), the default VAT is 0 ( The VAT should be paid by the buyer to the customoffice of his country and not to the seller). End of rule.
If seller and buyer are both in the European Community and the buyer is not a company, then the VAT by defaults to the VAT of the product sold. End of rule.
If seller and buyer are both in the European Community and the buyer is a company, then the VAT is 0 by default . End of rule.
In any othe case the proposed default is VAT=0. End of rule. VATIsNotUsedDesc=By default the proposed VAT is 0 which can be used for cases like associations, individuals ou small companies. @@ -1027,7 +1027,7 @@ Delays_MAIN_DELAY_ACTIONS_TODO=Delay tolerance (in days) before alert on planned Delays_MAIN_DELAY_PROJECT_TO_CLOSE=Delay tolerance (in days) before alert on project not closed in time Delays_MAIN_DELAY_TASKS_TODO=Delay tolerance (in days) before alert on planned tasks (project tasks) not completed yet Delays_MAIN_DELAY_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on orders not processed yet -Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on suppliers orders not processed yet +Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on purchase orders not processed yet Delays_MAIN_DELAY_PROPALS_TO_CLOSE=Khoảng trì hoãn (theo ngày) trước khi cảnh báo về đơn hàng đề xuất để đóng Delays_MAIN_DELAY_PROPALS_TO_BILL=Khoảng trì hoãn (theo ngày) trước khi cảnh báo về đơn hàng đề xuất không ra hóa đơn Delays_MAIN_DELAY_NOT_ACTIVATED_SERVICES=Khoảng trì hoãn (theo ngày) trước khi cảnh báo về dịch vụ để kích hoạt @@ -1458,7 +1458,7 @@ SyslogFilename=Tên tập tin và đường dẫn YouCanUseDOL_DATA_ROOT=You can use DOL_DATA_ROOT/dolibarr.log for a log file in Dolibarr "documents" directory. You can set a different path to store this file. ErrorUnknownSyslogConstant=Constant %s is not a known Syslog constant OnlyWindowsLOG_USER=Windows only supports LOG_USER -CompressSyslogs=Syslog files compression and backup +CompressSyslogs=Compression and backup of debug log files (generated by module Log for debug) SyslogFileNumberOfSaves=Log backups ConfigureCleaningCronjobToSetFrequencyOfSaves=Configure cleaning scheduled job to set log backup frequency ##### Donations ##### diff --git a/htdocs/langs/vi_VN/banks.lang b/htdocs/langs/vi_VN/banks.lang index 373503a9e8183..8684c5da5b82b 100644 --- a/htdocs/langs/vi_VN/banks.lang +++ b/htdocs/langs/vi_VN/banks.lang @@ -1,12 +1,13 @@ # Dolibarr language file - Source file is en_US - banks Bank=Ngân hàng -MenuBankCash=Ngân hàng / Tiền +MenuBankCash=Bank | Cash MenuVariousPayment=Miscellaneous payments MenuNewVariousPayment=New Miscellaneous payment BankName=Tên ngân hàng FinancialAccount=Tài khoản BankAccount=Tài khoản ngân hàng BankAccounts=Tài khoản ngân hàng +BankAccountsAndGateways=Bank accounts | Gateways ShowAccount=Hiện tài khoản AccountRef=Tài khoản tài chính ref AccountLabel=Nhãn tài khoản tài chính @@ -131,7 +132,7 @@ PaymentDateUpdateSucceeded=Cập nhật thành công ngày thanh toán PaymentDateUpdateFailed=Ngày thanh toán không thể được cập nhật Transactions=Giao dịch BankTransactionLine=Kê khai ngân hàng -AllAccounts=Tất cả tài khoản ngân hàng/ tiền mặt +AllAccounts=All bank and cash accounts BackToAccount=Trở lại tài khoản ShowAllAccounts=Hiển thị tất cả tài khoản FutureTransaction=Giao dịch trong futur. Không có cách nào để đối chiếu @@ -159,5 +160,6 @@ VariousPayment=Miscellaneous payments VariousPayments=Miscellaneous payments ShowVariousPayment=Show miscellaneous payments AddVariousPayment=Add miscellaneous payments +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. Thanks to return it signed (scan of the signed document) or sent it by mail to diff --git a/htdocs/langs/vi_VN/bills.lang b/htdocs/langs/vi_VN/bills.lang index 3e53bb6be7514..efdab877df99a 100644 --- a/htdocs/langs/vi_VN/bills.lang +++ b/htdocs/langs/vi_VN/bills.lang @@ -110,8 +110,8 @@ SendRemindByMail=Gửi nhắc nhở bằng email DoPayment=Enter payment DoPaymentBack=Enter refund ConvertToReduc=Mark as credit available -ConvertExcessReceivedToReduc=Convert excess received into future discount -ConvertExcessPaidToReduc=Convert excess paid into future discount +ConvertExcessReceivedToReduc=Convert excess received into available credit +ConvertExcessPaidToReduc=Convert excess paid into available discount EnterPaymentReceivedFromCustomer=Nhập thanh toán đã nhận được từ khách hàng EnterPaymentDueToCustomer=Thực hiện thanh toán do khách hàng DisabledBecauseRemainderToPayIsZero=Vô hiệu hóa bởi vì phần chưa thanh toán còn lại là bằng 0 @@ -227,7 +227,7 @@ EscompteOffered=Giảm giá được tặng (thanh toán trước hạn) EscompteOfferedShort=Giảm giá SendBillRef=Nộp hóa đơn %s SendReminderBillRef=Nộp hóa đơn %s (nhắc nhở) -StandingOrders=Direct debit orders +StandingOrders=Lệnh ghi nợ trực tiếp StandingOrder=Lệnh ghi nợ trực tiếp NoDraftBills=Không có hóa đơn dự thảo NoOtherDraftBills=Không có hóa đơn dự thảo khác @@ -282,6 +282,7 @@ RelativeDiscount=Giảm theo % GlobalDiscount=Giảm giá toàn cục CreditNote=Giấy báo có CreditNotes=Giấy báo có +CreditNotesOrExcessReceived=Credit notes or excess received Deposit=Down payment Deposits=Down payments DiscountFromCreditNote=Giảm giá từ giấy báo có %s @@ -393,6 +394,7 @@ PaymentConditionShort14DENDMONTH=14 days of month-end PaymentCondition14DENDMONTH=Within 14 days following the end of the month FixAmount=Số tiền cố định VarAmount=Số tiền thay đổi (%% tot.) +VarAmountOneLine=Variable amount (%% tot.) - 1 line with label '%s' # PaymentType PaymentTypeVIR=Chuyển khoản ngân hàng PaymentTypeShortVIR=Chuyển khoản ngân hàng diff --git a/htdocs/langs/vi_VN/compta.lang b/htdocs/langs/vi_VN/compta.lang index 055e9fd5872fe..a6f45b85558f6 100644 --- a/htdocs/langs/vi_VN/compta.lang +++ b/htdocs/langs/vi_VN/compta.lang @@ -19,7 +19,8 @@ Income=Thu nhập Outcome=Chi phí MenuReportInOut=Thu nhập / chi phí ReportInOut=Balance of income and expenses -ReportTurnover=Doanh thu +ReportTurnover=Turnover invoiced +ReportTurnoverCollected=Turnover collected PaymentsNotLinkedToInvoice=Thanh toán không liên quan đến bất kỳ hóa đơn, do đó không liên quan đến bất kỳ bên thứ ba PaymentsNotLinkedToUser=Thanh toán không liên quan đến bất kỳ người dùng Profit=Lợi nhuận @@ -77,7 +78,7 @@ MenuNewSocialContribution=New social/fiscal tax NewSocialContribution=New social/fiscal tax AddSocialContribution=Add social/fiscal tax ContributionsToPay=Social/fiscal taxes to pay -AccountancyTreasuryArea=Kế toán / Tài chính khu vực +AccountancyTreasuryArea=Billing and payment area NewPayment=Thanh toán mới Payments=Thanh toán PaymentCustomerInvoice=Thanh toán hóa đơn của khách hàng @@ -105,6 +106,7 @@ VATPayment=Sales tax payment VATPayments=Sales tax payments VATRefund=Sales tax refund NewVATPayment=New sales tax payment +NewLocalTaxPayment=New tax %s payment Refund=Refund SocialContributionsPayments=Social/fiscal taxes payments ShowVatPayment=Hiện nộp thuế GTGT @@ -116,8 +118,9 @@ CustomerAccountancyCodeShort=Cust. account. code SupplierAccountancyCodeShort=Sup. account. code AccountNumber=Số tài khoản NewAccountingAccount=Tài khoản mới -SalesTurnover=Doanh thu bán hàng -SalesTurnoverMinimum=Doanh thu bán hàng tối thiểu +Turnover=Turnover invoiced +TurnoverCollected=Turnover collected +SalesTurnoverMinimum=Minimum turnover ByExpenseIncome=By expenses & incomes ByThirdParties=Do các bên thứ ba ByUserAuthorOfInvoice=Của tác giả hóa đơn @@ -137,8 +140,8 @@ ConfirmDeleteSocialContribution=Are you sure you want to delete this social/fisc ExportDataset_tax_1=Social and fiscal taxes and payments CalcModeVATDebt=Chế độ %sVAT về kế toán cam kết%s. CalcModeVATEngagement=Chế độ %sVAT đối với thu nhập-chi phí%s. -CalcModeDebt=Chế độ %sClaims-Các khoản nợ%s cho biết kế toán cam kết. -CalcModeEngagement=Chế độ %sIncomes-Chi%s cho biết kế toán tiền mặt +CalcModeDebt=Analysis of known recorded invoices 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= Chế độ %sRE trên hoá đơn của khách hàng - nhà cung cấp hoá đơn%s CalcModeLT1Debt=Chế độ %sRE% trên hóa đơn khách hàng%s @@ -151,9 +154,9 @@ AnnualSummaryInputOutputMode=Cán cân thu nhập và chi phí, tổng kết hà 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=Xem báo cáo %sIncomes-Chi%s cho biết tiền mặt chiếm một tính toán thanh toán thực tế được thực hiện -SeeReportInDueDebtMode=Xem báo cáo%sClaims-Các khoản nợ%s cho biết cam kết chiếm một tính toán trên hoá đơn -SeeReportInBookkeepingMode=See report %sBookeeping%s for a calculation on bookkeeping table analysis +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 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 validation date of invoices and VAT and on the due date for expenses. 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. @@ -218,8 +221,8 @@ Mode1=Phương pháp 1 Mode2=Phương pháp 2 CalculationRuleDesc=Để tính tổng số thuế GTGT, có hai phương pháp:
Phương pháp 1 đang đi ngang vat trên mỗi dòng, sau đó tổng hợp chúng.
Cách 2 là cách tổng hợp tất cả vat trên mỗi dòng, sau đó làm tròn kết quả.
Kết quả cuối cùng có thể khác với vài xu. Chế độ mặc định là chế độ%s. CalculationRuleDescSupplier=According to supplier, choose appropriate method to apply same calculation rule and get same result expected by your supplier. -TurnoverPerProductInCommitmentAccountingNotRelevant=The Turnover report per product, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). -TurnoverPerSaleTaxRateInCommitmentAccountingNotRelevant=The Turnover report per sale tax rate, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). +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. CalculationMode=Chế độ tính toán AccountancyJournal=Accounting code journal ACCOUNTING_VAT_SOLD_ACCOUNT=Accounting account by default for VAT on sales (used if not defined on VAT dictionary setup) @@ -251,5 +254,6 @@ VATDue=Sale tax claimed ClaimedForThisPeriod=Claimed for the period PaidDuringThisPeriod=Paid during this period ByVatRate=By sale tax rate -TurnoverbyVatrate=Turnover by sale tax rate +TurnoverbyVatrate=Turnover invoiced by sale tax rate +TurnoverCollectedbyVatrate=Turnover collected by sale tax rate PurchasebyVatrate=Purchase by sale tax rate diff --git a/htdocs/langs/vi_VN/install.lang b/htdocs/langs/vi_VN/install.lang index 24babf90ee7e8..6da0d52f3a72b 100644 --- a/htdocs/langs/vi_VN/install.lang +++ b/htdocs/langs/vi_VN/install.lang @@ -204,3 +204,7 @@ MigrationResetBlockedLog=Reset module BlockedLog for v7 algorithm ShowNotAvailableOptions=Hiển thị tùy chọn không có sẵn HideNotAvailableOptions=Ẩn các tùy chọn không có sẵn ErrorFoundDuringMigration=Error were reported during migration process so next step is not available. To ignore errors, you can click here, but application or some features may not work correctly until fixed. +YouTryInstallDisabledByDirLock=The application try to sefl upgrade, but install/upgrade pages have been disabled for security reason (directory renamed with .lock suffix).
+YouTryInstallDisabledByFileLock=The application try to sefl upgrade, but install/upgrade pages pages have been disabled for security reason (by lock file install.lock into dolibarr documents directory).
+ClickHereToGoToApp=Click here to go to your application +ClickOnLinkOrRemoveManualy=Click on following link and if you always reach this page, you must remove the file install.lock into documents directory manually diff --git a/htdocs/langs/vi_VN/main.lang b/htdocs/langs/vi_VN/main.lang index a3ef25f53ff2f..8fd88af55d963 100644 --- a/htdocs/langs/vi_VN/main.lang +++ b/htdocs/langs/vi_VN/main.lang @@ -507,6 +507,7 @@ NoneF=Không NoneOrSeveral=None or several Late=Trễ LateDesc=Delay to define if a record is late or not depends on your setup. Ask your admin to change delay from menu Home - Setup - Alerts. +NoItemLate=No late item Photo=Hình ảnh Photos=Hình ảnh AddPhoto=Thêm hình ảnh @@ -945,3 +946,5 @@ KeyboardShortcut=Keyboard shortcut AssignedTo=Giao cho Deletedraft=Delete draft ConfirmMassDraftDeletion=Draft Bulk delete confirmation +FileSharedViaALink=File shared via a link + diff --git a/htdocs/langs/vi_VN/modulebuilder.lang b/htdocs/langs/vi_VN/modulebuilder.lang index a3fee23cb53b5..9d6661eda41d6 100644 --- a/htdocs/langs/vi_VN/modulebuilder.lang +++ b/htdocs/langs/vi_VN/modulebuilder.lang @@ -74,6 +74,7 @@ NoWidget=No widget GoToApiExplorer=Go to API explorer ListOfMenusEntries=List of menu entries ListOfPermissionsDefined=List of defined permissions +SeeExamples=See examples here EnabledDesc=Condition to have this field active (Examples: 1 or $conf->global->MYMODULE_MYOPTION) VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only. Using a negative value means field is not shown by default on list but can be selected for viewing) IsAMeasureDesc=Can the value of field be cumulated to get a total into list ? (Examples: 1 or 0) @@ -95,3 +96,6 @@ DropTableIfEmpty=(Delete table if empty) TableDoesNotExists=The table %s does not exists TableDropped=Table %s deleted InitStructureFromExistingTable=Build the structure array string of an existing table +UseAboutPage=Disallow the about page +UseDocFolder=Disallow the documentation folder +UseSpecificReadme=Use a specific ReadMe diff --git a/htdocs/langs/vi_VN/other.lang b/htdocs/langs/vi_VN/other.lang index 09c912f065303..a6a8f19ccb2c2 100644 --- a/htdocs/langs/vi_VN/other.lang +++ b/htdocs/langs/vi_VN/other.lang @@ -80,8 +80,8 @@ LinkedObject=Đối tượng liên quan NbOfActiveNotifications=Number of notifications (nb of recipient emails) PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe two lines are separated by a carriage return.\n\n__USER_SIGNATURE__ PredefinedMailTestHtml=__(Hello)__\nThis is a test mail (the word test must be in bold).
The two lines are separated by a carriage return.

__USER_SIGNATURE__ -PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\nThis is the link to make your online payment if this invoice is not already payed:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\nThis is the link to make your online payment:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendProposal=__(Hello)__\n\nYou will find here the commercial proposal __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendSupplierProposal=__(Hello)__\n\nYou will find here the price request __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendOrder=__(Hello)__\n\nYou will find here the order __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ @@ -91,6 +91,7 @@ PredefinedMailContentSendShipping=__(Hello)__\n\nYou will find here the shipping PredefinedMailContentSendFichInter=__(Hello)__\n\nYou will find here the intervention __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentThirdparty=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentUser=__(Hello)__\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 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) @@ -218,7 +219,7 @@ FileIsTooBig=Tập tin là quá lớn PleaseBePatient=Xin hãy kiên nhẫn ... NewPassword=New password ResetPassword=Reset password -RequestToResetPasswordReceived=A request to change your password has been received +RequestToResetPasswordReceived=A request to change your password has been received. NewKeyIs=Đây là chìa khóa mới để đăng nhập NewKeyWillBe=Khóa mới của bạn để đăng nhập vào phần mềm sẽ được ClickHereToGoTo=Click vào đây để đi đến% s diff --git a/htdocs/langs/vi_VN/paypal.lang b/htdocs/langs/vi_VN/paypal.lang index 600245dc658a1..68c5b0aefa1b8 100644 --- a/htdocs/langs/vi_VN/paypal.lang +++ b/htdocs/langs/vi_VN/paypal.lang @@ -14,7 +14,6 @@ PaypalModeOnlyPaypal=PayPal only ONLINE_PAYMENT_CSS_URL=Optionnal URL of CSS style sheet on online payment page ThisIsTransactionId=This is id of transaction: %s PAYPAL_ADD_PAYMENT_URL=Add the url of Paypal payment when you send a document by mail -PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.

%s

YouAreCurrentlyInSandboxMode=You are currently in the %s "sandbox" mode NewOnlinePaymentReceived=New online payment received NewOnlinePaymentFailed=New online payment tried but failed diff --git a/htdocs/langs/vi_VN/products.lang b/htdocs/langs/vi_VN/products.lang index eb82b76cfa550..fe62f20e80a70 100644 --- a/htdocs/langs/vi_VN/products.lang +++ b/htdocs/langs/vi_VN/products.lang @@ -251,8 +251,8 @@ PriceNumeric=Số DefaultPrice=giá mặc định ComposedProductIncDecStock=Tăng/Giảm tồn kho trên thay đổi gốc ComposedProduct=Sản phẩm con -MinSupplierPrice=Giá tối thiểu nhà cung cấp -MinCustomerPrice=Giá khách hàng tối thiểu +MinSupplierPrice=Giá mua tối thiểu +MinCustomerPrice=Minimum selling price DynamicPriceConfiguration=Cấu hình giá linh hoạt DynamicPriceDesc=On product card, with this module enabled, you should be able to set mathematic functions to calculate Customer or Supplier prices. Such function can use all mathematic operators, some constants and variables. You can set here the variables you want to be able to use and if the variable need an automatic update, the external URL to use to ask Dolibarr to update automaticaly the value. AddVariable=Thêm biến diff --git a/htdocs/langs/vi_VN/propal.lang b/htdocs/langs/vi_VN/propal.lang index 72ef27b32b69b..02f23259285d2 100644 --- a/htdocs/langs/vi_VN/propal.lang +++ b/htdocs/langs/vi_VN/propal.lang @@ -75,6 +75,7 @@ AvailabilityTypeAV_1M=1 tháng TypeContact_propal_internal_SALESREPFOLL=Đại diện kinh doanh theo dõi đơn hàng đề xuất TypeContact_propal_external_BILLING=Liên lạc khách hàng về hóa đơn TypeContact_propal_external_CUSTOMER=Liên hệ với khách hàng sau-up đề nghị +TypeContact_propal_external_SHIPPING=Customer contact for delivery # Document models DocModelAzurDescription=Một mô hình đề xuất đầy đủ (logo ...) DefaultModelPropalCreate=Tạo mô hình mặc định diff --git a/htdocs/langs/vi_VN/sendings.lang b/htdocs/langs/vi_VN/sendings.lang index 01815bf5404a8..9f8b915c22070 100644 --- a/htdocs/langs/vi_VN/sendings.lang +++ b/htdocs/langs/vi_VN/sendings.lang @@ -52,8 +52,8 @@ ActionsOnShipping=Các sự kiện trên lô hàng LinkToTrackYourPackage=Liên kết để theo dõi gói của bạn ShipmentCreationIsDoneFromOrder=Đối với thời điểm này, tạo ra một lô hàng mới được thực hiện từ thẻ thứ tự. ShipmentLine=Đường vận chuyển -ProductQtyInCustomersOrdersRunning=Product quantity into open customers orders -ProductQtyInSuppliersOrdersRunning=Product quantity into open suppliers orders +ProductQtyInCustomersOrdersRunning=Product quantity into open customer orders +ProductQtyInSuppliersOrdersRunning=Product quantity into open purchase orders ProductQtyInShipmentAlreadySent=Product quantity from open customer order already sent ProductQtyInSuppliersShipmentAlreadyRecevied=Product quantity from open supplier order already received NoProductToShipFoundIntoStock=No product to ship found into warehouse %s. Correct stock or go back to choose another warehouse. diff --git a/htdocs/langs/vi_VN/stocks.lang b/htdocs/langs/vi_VN/stocks.lang index 3efc5688d2414..caaa455973b3c 100644 --- a/htdocs/langs/vi_VN/stocks.lang +++ b/htdocs/langs/vi_VN/stocks.lang @@ -67,7 +67,7 @@ DeStockOnValidateOrder=Giảm tồn kho thực trên khách hàng xác nhận đ DeStockOnShipment=Decrease real stocks on shipping validation DeStockOnShipmentOnClosing=Decrease real stocks on shipping classification closed ReStockOnBill=Tăng tồn kho thực tế các nhà cung cấp hoá đơn tín dụng / ghi xác nhận -ReStockOnValidateOrder=Tăng tồn kho thực sự tán thành đơn đặt hàng các nhà cung cấp +ReStockOnValidateOrder=Increase real stocks on purchase orders approbation ReStockOnDispatchOrder=Increase real stocks on manual dispatching into warehouses, after supplier order receipt of goods OrderStatusNotReadyToDispatch=Đặt hàng vẫn chưa hoặc không có thêm một trạng thái cho phép điều phối các sản phẩm trong kho kho. StockDiffPhysicTeoric=Explanation for difference between physical and virtual stock @@ -203,4 +203,4 @@ RegulateStock=Regulate Stock ListInventory=Danh sách StockSupportServices=Stock management support services StockSupportServicesDesc=By default, you can stock only product with type "product". If on, and if module service is on, you can also stock a product with type "service" -ReceiveProducts=Receive products +ReceiveProducts=Receive items diff --git a/htdocs/langs/vi_VN/users.lang b/htdocs/langs/vi_VN/users.lang index be591fd585c92..676affc810d3d 100644 --- a/htdocs/langs/vi_VN/users.lang +++ b/htdocs/langs/vi_VN/users.lang @@ -6,10 +6,10 @@ Permission=Quyền Permissions=Quyền EditPassword=Sửa mật khẩu SendNewPassword=Tạo và gửi mật khẩu -SendNewPasswordLink=Send link to reset password +SendNewPasswordLink=Gửi link để tạo lại mật khẩu ReinitPassword=Tạo mật khẩu PasswordChangedTo=Mật khẩu đã đổi sang: %s -SubjectNewPassword=Your new password for %s +SubjectNewPassword=Mật khẩu mới của bạn cho %s GroupRights=Quyền Nhóm UserRights=Quyền người dùng UserGUISetup=Thiết lập hiển thị người dùng @@ -20,7 +20,7 @@ DeleteAUser=Xóa một người dùng EnableAUser=Cho phép một người dùng DeleteGroup=Xóa DeleteAGroup=Xóa một nhóm -ConfirmDisableUser=Are you sure you want to disable user %s? +ConfirmDisableUser=Bạn có chắc chắn muốn tắt người dùng %s? ConfirmDeleteUser=Are you sure you want to delete user %s? ConfirmDeleteGroup=Are you sure you want to delete group %s? ConfirmEnableUser=Are you sure you want to enable user %s? @@ -48,7 +48,7 @@ PasswordChangeRequest=Request to change password for %s PasswordChangeRequestSent=Yêu cầu thay đổi mật khẩu cho %s đã gửi đến % s. ConfirmPasswordReset=Confirm password reset MenuUsersAndGroups=Người dùng & Nhóm -LastGroupsCreated=Latest %s created groups +LastGroupsCreated=Latest %s groups created LastUsersCreated=Latest %s users created ShowGroup=Hiển thị nhóm ShowUser=Hiển thị người dùng @@ -93,18 +93,18 @@ NameToCreate=Tên của bên thứ ba để tạo YourRole=Vai trò của bạn YourQuotaOfUsersIsReached=Hạn ngạch của người dùng hoạt động đã hết! NbOfUsers=Nb of users -NbOfPermissions=Nb of permissions +NbOfPermissions=Số lượng quyền hạn DontDowngradeSuperAdmin=Chỉ có một superadmin có thể hạ bậc một superadmin HierarchicalResponsible=Giám sát HierarchicView=Xem tính kế thừa UseTypeFieldToChange=Dùng trường Loại để thay đổi OpenIDURL=OpenID URL LoginUsingOpenID=Sử dụng OpenID để đăng nhập -WeeklyHours=Hours worked (per week) +WeeklyHours=Giờ đã làm (theo tuần) ExpectedWorkedHours=Expected worked hours per week ColorUser=Màu của người dùng DisabledInMonoUserMode=Disabled in maintenance mode -UserAccountancyCode=User accounting code -UserLogoff=User logout -UserLogged=User logged -DateEmployment=Date of Employment +UserAccountancyCode=Mã kế toán của người dùng +UserLogoff=Người dùng đăng xuất +UserLogged=Người dùng đăng nhập +DateEmployment=Ngày đi làm diff --git a/htdocs/langs/zh_CN/accountancy.lang b/htdocs/langs/zh_CN/accountancy.lang index a7a5b199184fd..79eea3e0bff86 100644 --- a/htdocs/langs/zh_CN/accountancy.lang +++ b/htdocs/langs/zh_CN/accountancy.lang @@ -55,6 +55,7 @@ AccountancyAreaDescChartModel=STEP %s: Create a model of chart of account from m AccountancyAreaDescChart=STEP %s: Create or check content of your chart of account from menu %s AccountancyAreaDescVat=STEP %s: Define accounting accounts for each VAT Rates. For this, use the menu entry %s. +AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. AccountancyAreaDescExpenseReport=STEP %s: Define default accounting accounts for each type of expense report. For this, use the menu entry %s. AccountancyAreaDescSal=STEP %s: Define default accounting accounts for payment of salaries. For this, use the menu entry %s. AccountancyAreaDescContrib=STEP %s: Define default accounting accounts for special expences (miscellaneous taxes). For this, use the menu entry %s. @@ -131,6 +132,7 @@ ACCOUNTING_LENGTH_GACCOUNT=Length of the general accounting accounts (If you set 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 zero at the end of an accounting account. Needed by some countries (like switzerland). If keep to off (default), you can set the 2 following parameters to ask application to add virtual zero. BANK_DISABLE_DIRECT_INPUT=Disable direct recording of transaction in bank account +ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Enable draft export on journal ACCOUNTING_SELL_JOURNAL=卖杂志 ACCOUNTING_PURCHASE_JOURNAL=购买杂志 diff --git a/htdocs/langs/zh_CN/admin.lang b/htdocs/langs/zh_CN/admin.lang index 67b168d06d728..e7399c012948e 100644 --- a/htdocs/langs/zh_CN/admin.lang +++ b/htdocs/langs/zh_CN/admin.lang @@ -454,7 +454,7 @@ ModuleCompanyCodeDigitaria=Accounting code depends on third party code. The code Use3StepsApproval=By default, Purchase Orders need to be created and approved by 2 different users (one step/user to create and one step/user to approve. Note that if user has both permission to create and approve, one step/user will be enough). You can ask with this option to introduce a third step/user approval, if amount is higher than a dedicated value (so 3 steps will be necessary: 1=validation, 2=first approval and 3=second approval if amount is enough).
Set this to empty if one approval (2 steps) is enough, set it to a very low value (0.1) if a second approval (3 steps) is always required. UseDoubleApproval=Use a 3 steps approval when amount (without tax) is higher than... WarningPHPMail=WARNING: It is often better to setup outgoing emails to use the email server of your provider instead of the default setup. Some email providers (like Yahoo) does not allow you to send an email from another server than their own server. Your current setup use 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 a server of them, so few of your sent Emails may not be accepted (be carefull also to your email provider sending quota).
If your Email provider (like Yahoo) has this restriction, you must change Email setup to choose the other method "SMTP server" and enter the SMTP server and credentials provided by your Email provider (ask your EMail provider to get SMTP credentials for your account). -WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of your ERP CRM application: %s. +WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of the mail user agent (MUA) for your ERP CRM application: %s. ClickToShowDescription=Click to show description DependsOn=This module need the module(s) RequiredBy=This module is required by module(s) @@ -497,7 +497,7 @@ Module25Desc=客户订单管理模块 Module30Name=发票 Module30Desc=客户发票和信用记录管理。供应商发票管理。 Module40Name=供应商 -Module40Desc=供应商和其采购管理(订单和发票) +Module40Desc=Suppliers and purchase management (purchase orders and billing) Module42Name=Debug Logs Module42Desc=Logging facilities (file, syslog, ...). Such logs are for technical/debug purposes. Module49Name=编辑器 @@ -605,7 +605,7 @@ Module4000Desc=Human resources management (management of department, employee co Module5000Name=多公司 Module5000Desc=允许你管理多个公司 Module6000Name=工作流程 -Module6000Desc=工作流管理 +Module6000Desc=Workflow management (automatic creation of object and/or automatic status change) Module10000Name=网站 Module10000Desc=Create public websites with a WYSIWG editor. Just setup your web server (Apache, Nginx, ...) to point to the dedicated Dolibarr directory to have it online on the Internet with your own domain name. Module20000Name=请假申请管理 @@ -891,7 +891,7 @@ DictionaryCivility=个人和专业技术职称 DictionaryActions=活动议程类型 DictionarySocialContributions=财政税和增值税类别 DictionaryVAT=增值税率和消费税率 -DictionaryRevenueStamp=印花税票金额 +DictionaryRevenueStamp=Amount of tax stamps DictionaryPaymentConditions=付款条件 DictionaryPaymentModes=付款方式 DictionaryTypeContact=联络人/地址类型 @@ -919,7 +919,7 @@ SetupSaved=设置已经成功保存 SetupNotSaved=Setup not saved BackToModuleList=返回模块列表 BackToDictionaryList=回到字典库 -TypeOfRevenueStamp=Type of revenue stamp +TypeOfRevenueStamp=Type of tax stamp VATManagement=增值税管理 VATIsUsedDesc=By default when creating prospects, invoices, orders etc the VAT rate follows the active standard rule:
If the seller is not subjected to VAT, then VAT defaults to 0. End of rule.
If the (selling country= buying country), then the VAT by default equals the VAT of the product in the selling country. End of rule.
If seller and buyer are both in the European Community and goods are transport products (car, ship, plane), the default VAT is 0 ( The VAT should be paid by the buyer to the customoffice of his country and not to the seller). End of rule.
If seller and buyer are both in the European Community and the buyer is not a company, then the VAT by defaults to the VAT of the product sold. End of rule.
If seller and buyer are both in the European Community and the buyer is a company, then the VAT is 0 by default . End of rule.
In any othe case the proposed default is VAT=0. End of rule. VATIsNotUsedDesc=默认情况下,建议的营业税为0,可用于像机构、个人或小型公司。 @@ -1027,7 +1027,7 @@ Delays_MAIN_DELAY_ACTIONS_TODO=Delay tolerance (in days) before alert on planned Delays_MAIN_DELAY_PROJECT_TO_CLOSE=Delay tolerance (in days) before alert on project not closed in time Delays_MAIN_DELAY_TASKS_TODO=Delay tolerance (in days) before alert on planned tasks (project tasks) not completed yet Delays_MAIN_DELAY_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on orders not processed yet -Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on suppliers orders not processed yet +Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on purchase orders not processed yet Delays_MAIN_DELAY_PROPALS_TO_CLOSE=合同逾期未关闭最大逾期时间 (天) Delays_MAIN_DELAY_PROPALS_TO_BILL=报价单逾期收款最大逾期时间 (天) Delays_MAIN_DELAY_NOT_ACTIVATED_SERVICES=服务逾期生效最大逾期时间 (天) @@ -1458,7 +1458,7 @@ SyslogFilename=文件名称和路径 YouCanUseDOL_DATA_ROOT=您可以使用 DOL_DATA_ROOT/dolibarr.log 来表示“documents”目录下的日志文件。您可以设置不同的路径来保存此文件。 ErrorUnknownSyslogConstant=常量 %s 不是已知的 Syslog 常数 OnlyWindowsLOG_USER=Windows 仅支持 LOG_USER -CompressSyslogs=Syslog files compression and backup +CompressSyslogs=Compression and backup of debug log files (generated by module Log for debug) SyslogFileNumberOfSaves=Log backups ConfigureCleaningCronjobToSetFrequencyOfSaves=Configure cleaning scheduled job to set log backup frequency ##### Donations ##### diff --git a/htdocs/langs/zh_CN/banks.lang b/htdocs/langs/zh_CN/banks.lang index 22c618a00a8d3..bdf90957a3be3 100644 --- a/htdocs/langs/zh_CN/banks.lang +++ b/htdocs/langs/zh_CN/banks.lang @@ -1,12 +1,13 @@ # Dolibarr language file - Source file is en_US - banks Bank=银行 -MenuBankCash=银行/现金 +MenuBankCash=Bank | Cash MenuVariousPayment=Miscellaneous payments MenuNewVariousPayment=New Miscellaneous payment BankName=银行名称 FinancialAccount=帐户 BankAccount=银行帐户 BankAccounts=银行帐户 +BankAccountsAndGateways=Bank accounts | Gateways ShowAccount=显示帐户 AccountRef=财务帐号 AccountLabel=财务帐户标签 @@ -131,7 +132,7 @@ PaymentDateUpdateSucceeded=付款日期更新成功 PaymentDateUpdateFailed=付款日期无法更新 Transactions=交易 BankTransactionLine=Bank entry -AllAccounts=所有银行/现金帐户 +AllAccounts=All bank and cash accounts BackToAccount=回到帐户 ShowAllAccounts=显示所有帐户 FutureTransaction=在FUTUR的交易。调解没有办法。 @@ -159,5 +160,6 @@ VariousPayment=Miscellaneous payments VariousPayments=Miscellaneous payments ShowVariousPayment=Show miscellaneous payments AddVariousPayment=Add miscellaneous payments +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. Thanks to return it signed (scan of the signed document) or sent it by mail to diff --git a/htdocs/langs/zh_CN/bills.lang b/htdocs/langs/zh_CN/bills.lang index 60ea161c6f240..22dcbab968308 100644 --- a/htdocs/langs/zh_CN/bills.lang +++ b/htdocs/langs/zh_CN/bills.lang @@ -110,8 +110,8 @@ SendRemindByMail=通过电子邮件发送提醒 DoPayment=Enter payment DoPaymentBack=Enter refund ConvertToReduc=Mark as credit available -ConvertExcessReceivedToReduc=Convert excess received into future discount -ConvertExcessPaidToReduc=Convert excess paid into future discount +ConvertExcessReceivedToReduc=Convert excess received into available credit +ConvertExcessPaidToReduc=Convert excess paid into available discount EnterPaymentReceivedFromCustomer=输入从客户收到的付款 EnterPaymentDueToCustomer=为客户创建付款延迟 DisabledBecauseRemainderToPayIsZero=禁用,因为未支付金额为0 @@ -282,6 +282,7 @@ RelativeDiscount=相对折扣 GlobalDiscount=全球折扣 CreditNote=信用记录 CreditNotes=信用记录 +CreditNotesOrExcessReceived=Credit notes or excess received Deposit=Down payment Deposits=Down payments DiscountFromCreditNote=从信用记录折扣 %s @@ -393,6 +394,7 @@ PaymentConditionShort14DENDMONTH=14 days of month-end PaymentCondition14DENDMONTH=Within 14 days following the end of the month FixAmount=固定金额 VarAmount=可变金额(%% tot.) +VarAmountOneLine=Variable amount (%% tot.) - 1 line with label '%s' # PaymentType PaymentTypeVIR=银行转帐 PaymentTypeShortVIR=银行转帐 diff --git a/htdocs/langs/zh_CN/compta.lang b/htdocs/langs/zh_CN/compta.lang index b08e2d42a635e..eebe23e06c8a2 100644 --- a/htdocs/langs/zh_CN/compta.lang +++ b/htdocs/langs/zh_CN/compta.lang @@ -19,7 +19,8 @@ Income=收入 Outcome=支出 MenuReportInOut=收入/支出 ReportInOut=Balance of income and expenses -ReportTurnover=营业额 +ReportTurnover=Turnover invoiced +ReportTurnoverCollected=Turnover collected PaymentsNotLinkedToInvoice=付款未链接到任何发票,所以无法与任何合伙人关联 PaymentsNotLinkedToUser=付款不链接到任何用户 Profit=利润 @@ -77,7 +78,7 @@ MenuNewSocialContribution=新建社会/财政税 NewSocialContribution=新建社会/财政税 AddSocialContribution=Add social/fiscal tax ContributionsToPay=支付社会/财政税 -AccountancyTreasuryArea=会计/库务区 +AccountancyTreasuryArea=Billing and payment area NewPayment=新建支付 Payments=付款 PaymentCustomerInvoice=客户发票付款 @@ -105,6 +106,7 @@ VATPayment=销售税款 VATPayments=销售税款 VATRefund=Sales tax refund NewVATPayment=New sales tax payment +NewLocalTaxPayment=New tax %s payment Refund=Refund SocialContributionsPayments=社会/财政税款 ShowVatPayment=显示增值税纳税 @@ -116,8 +118,9 @@ CustomerAccountancyCodeShort=客户账户代码 SupplierAccountancyCodeShort=供应商账户代码 AccountNumber=帐号 NewAccountingAccount=新帐户 -SalesTurnover=销售营业额 -SalesTurnoverMinimum=最低销售额 +Turnover=Turnover invoiced +TurnoverCollected=Turnover collected +SalesTurnoverMinimum=Minimum turnover ByExpenseIncome=By expenses & incomes ByThirdParties=由合伙人 ByUserAuthorOfInvoice=按开具发票者 @@ -137,8 +140,8 @@ ConfirmDeleteSocialContribution=你确定要删除这个社会/财政税款吗 ExportDataset_tax_1=社会和财政税和付款 CalcModeVATDebt=模式 %sVAT 关于承诺债务%s. CalcModeVATEngagement=模式 %s 增值税收入,支出 %s. -CalcModeDebt=模式 %sClaims-Debts%s 据说 承诺债务. -CalcModeEngagement=模式 %sIncomes-Expenses%s 据说 现金会计 +CalcModeDebt=Analysis of known recorded invoices 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 CalcModeLT1Debt=模式 %sRE 客户发票%s @@ -151,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=见报告%sIncomes-Expenses%s 据说现金会计对实际付款的计算 -SeeReportInDueDebtMode=见报告 %sClaims-Debts%s 据说承诺债务关于开具发票的计算 -SeeReportInBookkeepingMode=See report %sBookeeping%s for a calculation on bookkeeping table analysis +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 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 validation date of invoices and VAT and on the due date for expenses. 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. @@ -218,8 +221,8 @@ Mode1=方法 1 Mode2=方法 2 CalculationRuleDesc=要计算增值税总额,有两种方法:
方法1是在每一行四舍五入,然后对它们求和。
方法2是在总结增值税在每一行,然后四舍五入结果。
最后的结果可能不同,从几毛钱。默认模式是:%s 。 CalculationRuleDescSupplier=According to supplier, choose appropriate method to apply same calculation rule and get same result expected by your supplier. -TurnoverPerProductInCommitmentAccountingNotRelevant=The Turnover report per product, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). -TurnoverPerSaleTaxRateInCommitmentAccountingNotRelevant=The Turnover report per sale tax rate, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). +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. CalculationMode=计算模式 AccountancyJournal=Accounting code journal ACCOUNTING_VAT_SOLD_ACCOUNT=Accounting account by default for VAT on sales (used if not defined on VAT dictionary setup) @@ -251,5 +254,6 @@ VATDue=Sale tax claimed ClaimedForThisPeriod=Claimed for the period PaidDuringThisPeriod=Paid during this period ByVatRate=By sale tax rate -TurnoverbyVatrate=Turnover by sale tax rate +TurnoverbyVatrate=Turnover invoiced by sale tax rate +TurnoverCollectedbyVatrate=Turnover collected by sale tax rate PurchasebyVatrate=Purchase by sale tax rate diff --git a/htdocs/langs/zh_CN/install.lang b/htdocs/langs/zh_CN/install.lang index acb42845d197f..2e2ee9abe0d78 100644 --- a/htdocs/langs/zh_CN/install.lang +++ b/htdocs/langs/zh_CN/install.lang @@ -204,3 +204,7 @@ MigrationResetBlockedLog=Reset module BlockedLog for v7 algorithm ShowNotAvailableOptions=显示不可用的选项 HideNotAvailableOptions=隐藏不可用的选项 ErrorFoundDuringMigration=Error were reported during migration process so next step is not available. To ignore errors, you can click here, but application or some features may not work correctly until fixed. +YouTryInstallDisabledByDirLock=The application try to sefl upgrade, but install/upgrade pages have been disabled for security reason (directory renamed with .lock suffix).
+YouTryInstallDisabledByFileLock=The application try to sefl upgrade, but install/upgrade pages pages have been disabled for security reason (by lock file install.lock into dolibarr documents directory).
+ClickHereToGoToApp=Click here to go to your application +ClickOnLinkOrRemoveManualy=Click on following link and if you always reach this page, you must remove the file install.lock into documents directory manually diff --git a/htdocs/langs/zh_CN/main.lang b/htdocs/langs/zh_CN/main.lang index a2dd2fb65afa8..7d9a9c1c4583a 100644 --- a/htdocs/langs/zh_CN/main.lang +++ b/htdocs/langs/zh_CN/main.lang @@ -507,6 +507,7 @@ NoneF=无 NoneOrSeveral=None or several Late=逾期 LateDesc=延迟的定义假如一条记录逾期或者取决于你的配置设定。请向管理员询问并从首页菜单->设置->警告菜单下修改相应设置。 +NoItemLate=No late item Photo=图片 Photos=图片 AddPhoto=添加图片 @@ -945,3 +946,5 @@ KeyboardShortcut=Keyboard shortcut AssignedTo=分配给 Deletedraft=Delete draft ConfirmMassDraftDeletion=Draft Bulk delete confirmation +FileSharedViaALink=File shared via a link + diff --git a/htdocs/langs/zh_CN/modulebuilder.lang b/htdocs/langs/zh_CN/modulebuilder.lang index a3fee23cb53b5..9d6661eda41d6 100644 --- a/htdocs/langs/zh_CN/modulebuilder.lang +++ b/htdocs/langs/zh_CN/modulebuilder.lang @@ -74,6 +74,7 @@ NoWidget=No widget GoToApiExplorer=Go to API explorer ListOfMenusEntries=List of menu entries ListOfPermissionsDefined=List of defined permissions +SeeExamples=See examples here EnabledDesc=Condition to have this field active (Examples: 1 or $conf->global->MYMODULE_MYOPTION) VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only. Using a negative value means field is not shown by default on list but can be selected for viewing) IsAMeasureDesc=Can the value of field be cumulated to get a total into list ? (Examples: 1 or 0) @@ -95,3 +96,6 @@ DropTableIfEmpty=(Delete table if empty) TableDoesNotExists=The table %s does not exists TableDropped=Table %s deleted InitStructureFromExistingTable=Build the structure array string of an existing table +UseAboutPage=Disallow the about page +UseDocFolder=Disallow the documentation folder +UseSpecificReadme=Use a specific ReadMe diff --git a/htdocs/langs/zh_CN/other.lang b/htdocs/langs/zh_CN/other.lang index 7391216e7e3b1..a764575a79ad7 100644 --- a/htdocs/langs/zh_CN/other.lang +++ b/htdocs/langs/zh_CN/other.lang @@ -80,8 +80,8 @@ LinkedObject=链接对象 NbOfActiveNotifications=通知数量(收到邮件数量) PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe two lines are separated by a carriage return.\n\n__USER_SIGNATURE__ PredefinedMailTestHtml=__(Hello)__\nThis is a test mail (the word test must be in bold).
The two lines are separated by a carriage return.

__USER_SIGNATURE__ -PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\nThis is the link to make your online payment if this invoice is not already payed:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\nThis is the link to make your online payment:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendProposal=__(Hello)__\n\nYou will find here the commercial proposal __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendSupplierProposal=__(Hello)__\n\nYou will find here the price request __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendOrder=__(Hello)__\n\nYou will find here the order __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ @@ -91,6 +91,7 @@ PredefinedMailContentSendShipping=__(Hello)__\n\nYou will find here the shipping PredefinedMailContentSendFichInter=__(Hello)__\n\nYou will find here the intervention __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentThirdparty=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentUser=__(Hello)__\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 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=选择最适合您所需的演示配置文件… ChooseYourDemoProfilMore=...or build your own profile
(manual module selection) @@ -218,7 +219,7 @@ FileIsTooBig=文件过大 PleaseBePatient=请耐心等待... NewPassword=New password ResetPassword=Reset password -RequestToResetPasswordReceived=A request to change your password has been received +RequestToResetPasswordReceived=A request to change your password has been received. NewKeyIs=你的新登陆码如上 NewKeyWillBe=你的新登陆码将会是 ClickHereToGoTo=点击这里 %s diff --git a/htdocs/langs/zh_CN/paypal.lang b/htdocs/langs/zh_CN/paypal.lang index 1885ad3f6e605..4390b91f4a612 100644 --- a/htdocs/langs/zh_CN/paypal.lang +++ b/htdocs/langs/zh_CN/paypal.lang @@ -14,7 +14,6 @@ PaypalModeOnlyPaypal=支付宝 ONLINE_PAYMENT_CSS_URL=Optionnal URL of CSS style sheet on online payment page ThisIsTransactionId=这是交易编号:%s PAYPAL_ADD_PAYMENT_URL=当你邮寄一份文件,添加URL Paypal付款 -PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.

%s

YouAreCurrentlyInSandboxMode=You are currently in the %s "sandbox" mode NewOnlinePaymentReceived=New online payment received NewOnlinePaymentFailed=New online payment tried but failed diff --git a/htdocs/langs/zh_CN/products.lang b/htdocs/langs/zh_CN/products.lang index 6a01c03693dba..a29b4170ef1a1 100644 --- a/htdocs/langs/zh_CN/products.lang +++ b/htdocs/langs/zh_CN/products.lang @@ -251,8 +251,8 @@ PriceNumeric=数字 DefaultPrice=默认价格 ComposedProductIncDecStock=增加/减少父库存变化 ComposedProduct=子产品 -MinSupplierPrice=供应商的最低价 -MinCustomerPrice=最低客户价格 +MinSupplierPrice=最低购买价格 +MinCustomerPrice=Minimum selling price DynamicPriceConfiguration=动态价格配置 DynamicPriceDesc=On product card, with this module enabled, you should be able to set mathematic functions to calculate Customer or Supplier prices. Such function can use all mathematic operators, some constants and variables. You can set here the variables you want to be able to use and if the variable need an automatic update, the external URL to use to ask Dolibarr to update automaticaly the value. AddVariable=添加变量 diff --git a/htdocs/langs/zh_CN/propal.lang b/htdocs/langs/zh_CN/propal.lang index c39f5df8870b3..a662e5d771156 100644 --- a/htdocs/langs/zh_CN/propal.lang +++ b/htdocs/langs/zh_CN/propal.lang @@ -75,6 +75,7 @@ AvailabilityTypeAV_1M=1 个月 TypeContact_propal_internal_SALESREPFOLL=跟进报价的销售代表 TypeContact_propal_external_BILLING=客户账单联系人 TypeContact_propal_external_CUSTOMER=跟进报价的客户联系人 +TypeContact_propal_external_SHIPPING=Customer contact for delivery # Document models DocModelAzurDescription=完整的订单模版 (LOGO标志...) DefaultModelPropalCreate=设置默认模板 diff --git a/htdocs/langs/zh_CN/sendings.lang b/htdocs/langs/zh_CN/sendings.lang index 98e39d7d1078e..fa3189bc0928d 100644 --- a/htdocs/langs/zh_CN/sendings.lang +++ b/htdocs/langs/zh_CN/sendings.lang @@ -52,8 +52,8 @@ ActionsOnShipping=运输活动 LinkToTrackYourPackage=链接到追踪您的包裹 ShipmentCreationIsDoneFromOrder=就目前而言,创建一个新的装运完成从订单信息卡。 ShipmentLine=运输线路 -ProductQtyInCustomersOrdersRunning=Product quantity into open customers orders -ProductQtyInSuppliersOrdersRunning=Product quantity into open suppliers orders +ProductQtyInCustomersOrdersRunning=Product quantity into open customer orders +ProductQtyInSuppliersOrdersRunning=Product quantity into open purchase orders ProductQtyInShipmentAlreadySent=Product quantity from open customer order already sent ProductQtyInSuppliersShipmentAlreadyRecevied=Product quantity from open supplier order already received NoProductToShipFoundIntoStock=No product to ship found into warehouse %s. Correct stock or go back to choose another warehouse. diff --git a/htdocs/langs/zh_CN/stocks.lang b/htdocs/langs/zh_CN/stocks.lang index becb207473696..96b075a3a982f 100644 --- a/htdocs/langs/zh_CN/stocks.lang +++ b/htdocs/langs/zh_CN/stocks.lang @@ -67,7 +67,7 @@ DeStockOnValidateOrder=减少库存对客户订单的确认 DeStockOnShipment=减少实际库存送货验证 DeStockOnShipmentOnClosing=Decrease real stocks on shipping classification closed ReStockOnBill=增加对供应商发票的实际库存/信用票据验证 -ReStockOnValidateOrder=对供应商订单增加赞许 +ReStockOnValidateOrder=Increase real stocks on purchase orders approbation ReStockOnDispatchOrder=Increase real stocks on manual dispatching into warehouses, after supplier order receipt of goods OrderStatusNotReadyToDispatch=命令还没有或根本没有更多的地位,使产品在仓库库存调度。 StockDiffPhysicTeoric=Explanation for difference between physical and virtual stock @@ -203,4 +203,4 @@ RegulateStock=Regulate Stock ListInventory=名单 StockSupportServices=Stock management support services StockSupportServicesDesc=By default, you can stock only product with type "product". If on, and if module service is on, you can also stock a product with type "service" -ReceiveProducts=Receive products +ReceiveProducts=Receive items diff --git a/htdocs/langs/zh_CN/users.lang b/htdocs/langs/zh_CN/users.lang index eed0db58ddfe4..f90759e3fe131 100644 --- a/htdocs/langs/zh_CN/users.lang +++ b/htdocs/langs/zh_CN/users.lang @@ -48,7 +48,7 @@ PasswordChangeRequest=Request to change password for %s PasswordChangeRequestSent=要求更改密码的S%发送到%s。 ConfirmPasswordReset=Confirm password reset MenuUsersAndGroups=用户和组 -LastGroupsCreated=最近创建的 %s 个群组 +LastGroupsCreated=Latest %s groups created LastUsersCreated=最近创建的 %s 位用户 ShowGroup=显示组 ShowUser=显示用户 diff --git a/htdocs/langs/zh_TW/accountancy.lang b/htdocs/langs/zh_TW/accountancy.lang index df4506f6ea68c..f4676c23f6e00 100644 --- a/htdocs/langs/zh_TW/accountancy.lang +++ b/htdocs/langs/zh_TW/accountancy.lang @@ -55,6 +55,7 @@ AccountancyAreaDescChartModel=步驟%s:從%s選單建立會計項目表模組 AccountancyAreaDescChart=步驟%s: 從選單中建立或檢查會計項目表的內容%s。 AccountancyAreaDescVat=步驟%s: 定義每一項營業稅率的預設會計項目。可使用選單輸入%s。 +AccountancyAreaDescDefault=STEP %s: Define default accounting accounts. For this, use the menu entry %s. AccountancyAreaDescExpenseReport=步驟%s: 定義每一費用報表類型的預設會計項目。可使用選單輸入%s。 AccountancyAreaDescSal=步驟%s: 定義薪資付款的預設會計項目。可使用選單輸入%s。 AccountancyAreaDescContrib=步驟%s: 定義特定費用(雜項稅捐)的預設會計項目。可使用選單輸入%s。 @@ -131,6 +132,7 @@ ACCOUNTING_LENGTH_GACCOUNT=會計項目的長度(如果設定為 6,會計項 ACCOUNTING_LENGTH_AACCOUNT=合作方會計項目長度(如果設定為 6,會計項目為 401,則會變成 401000) ACCOUNTING_MANAGE_ZERO=允許管理會計項目尾數的不同零值。某些國家有此需求(如瑞士)。若為off(預設),則您可設定2個接下來的參數,要求程式增加虛擬零值。 BANK_DISABLE_DIRECT_INPUT=不啟用在銀行帳戶中直接記錄交易 +ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Enable draft export on journal ACCOUNTING_SELL_JOURNAL=銷貨簿 ACCOUNTING_PURCHASE_JOURNAL=進貨簿 @@ -286,7 +288,7 @@ Formula=公式 ## Error SomeMandatoryStepsOfSetupWereNotDone=某些必要的設定步驟沒有完成,請完成它們 -ErrorNoAccountingCategoryForThisCountry=此國家 %s 沒有會計項目大類可用(查閱首頁-設定-各式目錄) +ErrorNoAccountingCategoryForThisCountry=此國家 %s 沒有會計項目大類可用(查閱首頁-設定-各式分類) ErrorInvoiceContainsLinesNotYetBounded=您試著記錄發票某行%s,但其他行數尚未完成關聯到會計項目。拒絕本張發票全部行數的記錄。 ErrorInvoiceContainsLinesNotYetBoundedShort=發票中某些行數未關聯到會計項目。 ExportNotSupported=已設定匯出格式不支援匯出到此頁 diff --git a/htdocs/langs/zh_TW/admin.lang b/htdocs/langs/zh_TW/admin.lang index 3c91dad953e8f..81b5ae4ba7bb1 100644 --- a/htdocs/langs/zh_TW/admin.lang +++ b/htdocs/langs/zh_TW/admin.lang @@ -62,14 +62,14 @@ ErrorModuleRequirePHPVersion=錯誤,這個模組需要的PHP版本是 %s 或 ErrorModuleRequireDolibarrVersion=錯誤,這個模組需要 Dolibarr 版本 %s 或更高版本 ErrorDecimalLargerThanAreForbidden=錯誤,高度精密的 %s 不支援。 DictionarySetup=詞典設定 -Dictionary=各式詞典 +Dictionary=各式分類 ErrorReservedTypeSystemSystemAuto='system' 及 'systemauto' 為保留值。你可使用 'user' 值加到您自己的紀錄中。 ErrorCodeCantContainZero=不含 0 值 DisableJavascript=不啓動 JavaScript and Ajax 功能 (建議盲人或是文字型瀏覽器使用) UseSearchToSelectCompanyTooltip=另外您若有大量合作方 (> 100,000), 您可在 "設定 -> 其他" 設定常數 COMPANY_DONOTSEARCH_ANYWHERE 為 1 增加速度。蒐尋則只限在字串的開頭。 UseSearchToSelectContactTooltip=另外您若有大量合作方 (> 100,000), 您可在 " 設定 -> 其他" 中設定常數 CONTACT_DONOTSEARCH_ANYWHERE 為 1 以增加速度。蒐尋則只限在字串的開頭。 -DelaiedFullListToSelectCompany=等你在載入合作方組合列表的內容之前按下一個鍵 (如果你有大量的合作方這可增加效能,不過會減少便利) -DelaiedFullListToSelectContact=等你在載入第三方組合列表的內容之前按下一個鍵 (如果你有大量的第三方程式這可增加效能,不過會減少便利) +DelaiedFullListToSelectCompany=等你在載入合作方組合明細表的內容之前按下一個鍵 (如果你有大量的合作方這可增加效能,不過會減少便利) +DelaiedFullListToSelectContact=等你在載入連絡人組合明細表的內容之前按下一個鍵 (如果你有大量的連絡人這可增加效能,不過會減少便利) NumberOfKeyToSearch=需要 %s 個字元進行搜尋 NotAvailableWhenAjaxDisabled=當 Ajax 不啓動時,此不可用。 AllowToSelectProjectFromOtherCompany=在合作方的文件上,可選擇已結專案到另外合作方。 @@ -211,7 +211,7 @@ Nouveauté=新奇 AchatTelechargement=購買 / 下載 GoModuleSetupArea=要部署/安裝新模組,請轉到模組設定區域%s。 DoliStoreDesc=DoliStore 是 Dolibarr ERP / CRM 外部模組的官方市集 -DoliPartnersDesc=各家公司提供客制發展模組功能的清單明細(注意:任何有經驗的PHP程式編輯人員可提供客制化發展的開放原始碼專案) +DoliPartnersDesc=各家公司提供客制發展模組功能的明細表(注意:任何有經驗的PHP程式編輯人員可提供客制化發展的開放原始碼專案) WebSiteDesc=參考網頁找到更多模組... DevelopYourModuleDesc=某些解決方式要您自行發展模組... URL=連線 @@ -269,11 +269,11 @@ MAIN_MAIL_SMTP_SERVER=SMTP / SMTPS 主機 ( 在 php.ini 中是預設的:%s%s
) -MAIN_MAIL_ERRORS_TO=Eemail used for error returns emails (fields 'Errors-To' in emails sent) +MAIN_MAIL_ERRORS_TO=發生錯誤時退回的電子郵件(發送的電子郵件中的欄位“錯誤 - 收件人”) MAIN_MAIL_AUTOCOPY_TO= 系統私下寄送所有發送的電子郵件副件給 MAIN_DISABLE_ALL_MAILS=禁用傳送所有電子郵件(適用於測試目的或是展示) MAIN_MAIL_FORCE_SENDTO=傳送全部電子郵件到(此為測試用,不是真正的收件人) -MAIN_MAIL_ENABLED_USER_DEST_SELECT=Add employees users with email into allowed destinaries list +MAIN_MAIL_ENABLED_USER_DEST_SELECT=使用電子郵件將員工用戶增加到允許的目標清單表中 MAIN_MAIL_SENDMODE=傳送電子郵件方法 MAIN_MAIL_SMTPS_ID=SMTP 帳號(如果需要驗證) MAIN_MAIL_SMTPS_PW=SMTP 密碼(如果需要驗證) @@ -292,7 +292,7 @@ ModuleSetup=模組設定 ModulesSetup=模組/程式設定 ModuleFamilyBase=系統 ModuleFamilyCrm=客戶關係管理(CRM) -ModuleFamilySrm=Vendor Relation Management (VRM) +ModuleFamilySrm=供應商關係管理(VRM) ModuleFamilyProducts=產品管理 (PM) ModuleFamilyHr=人力資源管理 (HR) ModuleFamilyProjects=專案 / 協同作業 @@ -374,8 +374,8 @@ NoSmsEngine=沒有簡訊/SMS傳送器可用。簡訊/SMS傳送器預設沒有安 PDF=PDF格式 PDFDesc=您可以設定每個全域選項關連到 PDF產生器 PDFAddressForging=產生地址規則 -HideAnyVATInformationOnPDF=Hide all information related to Sales tax / VAT on generated PDF -PDFRulesForSalesTax=Rules for Sales Tax / VAT +HideAnyVATInformationOnPDF=在產生的 PDF 中隱藏銷售稅 / 營業稅的全部資訊 +PDFRulesForSalesTax=銷售稅 / 營業稅的規則 PDFLocaltax=%s的規則 HideLocalTaxOnPDF=將 %s 稅率隱藏到 pdf 列銷售稅中 HideDescOnPDF=在產生的 PDF 上隱藏產品描述 @@ -447,8 +447,8 @@ DisplayCompanyInfo=顯示公司地址 DisplayCompanyManagers=顯示管理者名稱 DisplayCompanyInfoAndManagers=顯示公司地址及管理者名稱 EnableAndSetupModuleCron=若您要自動地產生循環發票,模組"%s"必須啟用且正確設定。然而各式發票的產生必須從此範例的 "建立" 鈕以人工完成。注意即使你啟用自動產生,你仍可安全地以人工方式執行而產生。在相同時間內不能重覆產生發票。 -ModuleCompanyCodeCustomerAquarium=%s followed by third party customer code for a customer accounting code -ModuleCompanyCodeSupplierAquarium=%s followed by third party supplier code for a supplier accounting code +ModuleCompanyCodeCustomerAquarium=%s後面是合作方客戶代碼,用於客戶會計代碼 +ModuleCompanyCodeSupplierAquarium=%s後面是合作方供應商代碼,用於供應商會計代碼 ModuleCompanyCodePanicum=回傳空白會計代碼。 ModuleCompanyCodeDigitaria=會計代碼依著合作方代碼。代碼是由第一個字母 "C" 接下來是合作方代碼的前面5 個字母組成的。 Use3StepsApproval=存預設情況下,採購訂單需要由 2 個不同的用戶建立和核准 (一個步驟/用戶建立,另一個步驟/用戶核准。請注意,若用戶同時具有建立和批准的權限,則一個步驟/用戶就足夠了) 。 若金額高於指定值時,您可以通過此選項進行要求以引入第三步/用戶核准 (因此需要3個步驟:1 =驗證,2 =首次批准,3 =若金額足夠,則為第二次批准) 。
若一次核准 ( 2個步驟) 就足夠,則將不做任何設定,若總是需要第二次批准 (3個步驟),則將其設置為非常低的值 (0.1)。 @@ -458,7 +458,7 @@ WarningPHPMail2=若您的電子郵件 SMTP 供應商需要將電子郵件客戶 ClickToShowDescription=點一下顯示描述 DependsOn=此模組需要其他各式模組 RequiredBy=模組需要此模組 -TheKeyIsTheNameOfHtmlField=This is the name of the HTML field. This need to have technical knowledges to read the content of the HTML page to get the key name of a field. +TheKeyIsTheNameOfHtmlField=HTML 欄位名稱。此需要一點知識去閱讀 HTML 頁面的內容以取得主要欄位的名稱。 PageUrlForDefaultValues=您必須在此輸入相對頁面的URL。 若您在URL中包含參數時,若所有參數都設為相同的值,則預設值將生效。 例如: PageUrlForDefaultValuesCreate=
對表單來建立新的合作方,他是 %s
若只要在 url 中有一些參數時才需要預設值,則可以使用 %s PageUrlForDefaultValuesList=
此頁為合作方清單,是%s
若只有當 url 有參數時才需要預設值,您可使用 %s @@ -474,8 +474,8 @@ AttachMainDocByDefault=若您要預設將主要文件附加到電子郵件(若 FilesAttachedToEmail=附加檔案 SendEmailsReminders=用電子郵件傳送行程提醒 davDescription=新增元件到 DAV 伺服器 -DAVSetup=Setup of module DAV -DAV_ALLOW_PUBLIC_DIR=Enable the public directory (WebDav directory with no login required) +DAVSetup=DAV 模組設定 +DAV_ALLOW_PUBLIC_DIR=啟用公開資料夾(不再登入 WebDav 資料夾) DAV_ALLOW_PUBLIC_DIRTooltip=The WebDav public directory is a WebDAV directory everybody can access to (in read and write mode), with no need to have/use an existing login/password account. # Modules Module0Name=用戶和群組 @@ -485,9 +485,9 @@ Module1Desc=公司和聯絡人的管理(客戶、潛在客戶) Module2Name=商業 Module2Desc=商業管理 Module10Name=會計 -Module10Desc=Simple accounting reports (journals, turnover) based onto database content. Does not use any ledger table. -Module20Name=建議書 -Module20Desc=商業建議書的管理 +Module10Desc=基於資料庫內容的簡單會計報告(日記簿、營業額、周轉)。 不使用任何總帳表單。 +Module20Name=提案/建議書 +Module20Desc=商業提案/建議書的管理 Module22Name=大量發送的電子郵件 Module22Desc=大量電子郵件發送的管理 Module23Name=能源 @@ -497,7 +497,7 @@ Module25Desc=客戶訂單管理 Module30Name=發票 Module30Desc=客戶發票和貸方通知單的管理。供應商發票的管理。 Module40Name=供應商 -Module40Desc=供應商的管理和採購管理(訂單和發票) +Module40Desc=各式供應商及採購管理(採購訂單及計費) Module42Name=除錯日誌 Module42Desc=日誌記錄 (file, syslog, ...)。這些日誌是針對技術性以及除錯用途。 Module49Name=編輯 @@ -552,8 +552,8 @@ Module400Name=專案/機會/潛在客戶 Module400Desc=各式專案、機會/潛在客戶及或任務的管理。您也可以分配任何元件(發票、訂單、提案/建議書、干預/介入...)到專案及從專案檢視中以橫向檢視。 Module410Name=Webcalendar Module410Desc=Webcalendar 整合 -Module500Name=Taxes and Special expenses -Module500Desc=Management of other expenses (sale taxes, social or fiscal taxes, dividends, ...) +Module500Name=稅賦及特定費用 +Module500Desc=其他費用管理(銷售稅、社會或年度稅、股利...) Module510Name=支付員工薪資 Module510Desc=記錄及接下來支付您員工薪資 Module520Name=借款 @@ -567,14 +567,14 @@ Module700Name=捐贈 Module700Desc=捐款的管理 Module770Name=費用報表 Module770Desc=管理及認列費用報表(交通、餐飲...等) -Module1120Name=Vendor commercial proposal -Module1120Desc=Request vendor commercial proposal and prices +Module1120Name=供應商商業提案/建議書 +Module1120Desc=回覆供應商商業提案/建議書及報價 Module1200Name=Mantis 工作管理 Module1200Desc=Mantis 功能整合 Module1520Name=文件的產生 Module1520Desc=大量郵件文件的產生 Module1780Name=標籤/分類 -Module1780Desc=Create tags/category (products, customers, vendors, contacts or members) +Module1780Desc=建立標籤/類別(產品、客戶、供應商、通訊錄或會員) Module2000Name=所視即所得編輯器 Module2000Desc=允許使用進階的編輯器 ( CKEditor ) 編輯某些文字區 Module2200Name=浮動價格 @@ -605,7 +605,7 @@ Module4000Desc=人力資源管理(部門、員工合約及感受的管理) Module5000Name=多個公司 Module5000Desc=允許您管理多個公司 Module6000Name=工作流程 -Module6000Desc=工作流程管理 +Module6000Desc=Workflow management (automatic creation of object and/or automatic status change) Module10000Name=網站 Module10000Desc=透過所見即所視的編輯器建立公開網站。只要設定您網站伺服器 (Apache, Nginx,...) 指向專用的 Dolibarr 資料夾,使其通過 internet 連線到您自己的網域即可。 Module20000Name=離職申請管理 @@ -639,13 +639,13 @@ Permission14=驗證客戶發票 Permission15=以電子郵件發送客戶發票 Permission16=為客戶發票建立付款單 Permission19=刪除客戶發票 -Permission21=讀取商業的報價/提案/建議書 -Permission22=建立/修改商業報價/提案/建議書 -Permission24=驗證商業報價/提案/建議書 -Permission25=傳送商業報價/提案/建議書 -Permission26=結束商業報價/提案/建議書(結案) -Permission27=刪除商業報價/提案/建議書 -Permission28=匯出商業報價/提案/建議書 +Permission21=讀取商業案/建議書 +Permission22=建立/修改商業提案/建議書 +Permission24=驗證商業提案/建議書 +Permission25=傳送商業提案/建議書 +Permission26=結束商業提案/建議書(結案) +Permission27=刪除商業提案/建議書 +Permission28=匯出商業提案/建議書 Permission31=讀取產品資訊 Permission32=建立/修改產品資訊 Permission34=刪除產品資訊 @@ -755,7 +755,7 @@ PermissionAdvanced253=建立/修改內部/外部用戶和權限 Permission254=只能建立/修改外部用戶資訊 Permission255=修改其他用戶密碼 Permission256=刪除或禁用其他用戶 -Permission262=延伸存取到全部合作方 (不只是用戶是銷售代表的合作方) 。
對外部用戶無效 ( 限於自已的提案/報價、訂單、發票、合約等)。
對專案無效 (只有專案權限、可見性和分配事宜的規則)。 +Permission262=延伸存取到全部合作方 (不只是用戶是銷售代表的合作方) 。
對外部用戶無效 ( 限於自已的提案/建議書、訂單、發票、合約等)。
對專案無效 (只有專案權限、可見性和分配事宜的規則)。 Permission271=讀取 CA Permission272=讀取發票 Permission273=發票問題 @@ -891,7 +891,7 @@ DictionaryCivility=個人及專業頭銜 DictionaryActions=行程事件的類型 DictionarySocialContributions=社會或年度稅費類型 DictionaryVAT=營業稅率或銷售稅率 -DictionaryRevenueStamp=收入印花稅的金額 +DictionaryRevenueStamp=稅票金額 DictionaryPaymentConditions=付款條件 DictionaryPaymentModes=付款方式 DictionaryTypeContact=聯絡人/地址類型 @@ -918,8 +918,8 @@ DictionaryExpenseTaxRange=費用報表 - 依交通類別劃分範圍 SetupSaved=設定值已儲存 SetupNotSaved=設定未儲存 BackToModuleList=返回模組清單明細 -BackToDictionaryList=回到詞典明細清單 -TypeOfRevenueStamp=稅收類型 +BackToDictionaryList=回到各式分類明細表 +TypeOfRevenueStamp=稅票的類別 VATManagement=營業稅管理 VATIsUsedDesc=當建立潛在客戶、發票、訂單等營業稅稅率會以下列標準規則啟動:
若賣方不接受營業稅,則營業稅預設為 0 的規則。
若(買賣雙方國家)相同時,營業稅率會預設為賣方國家的產品營業稅。
若賣方與買方皆歐盟國家且貨物是運輸產品(車子、船舶、飛機),則預設營業稅為 0 ( 營業稅由買方支付給買方國家,非賣方 )。
若賣方與買方皆歐盟國家且買方非公司組織,則營業稅預設為銷售產品的營業稅。
若賣方與買方皆歐盟國家且買方是公司組織,則營業稅預設為 0。
其他例子則預設營業稅為 0。 VATIsNotUsedDesc=預設情況下建議的營業稅為 0,可用於像協會、個人或是小型公司。 @@ -1027,9 +1027,9 @@ Delays_MAIN_DELAY_ACTIONS_TODO=在已計劃的事件(行程事件)中尚未完 Delays_MAIN_DELAY_PROJECT_TO_CLOSE=沒有即時結束專案的警告提醒(以天計) Delays_MAIN_DELAY_TASKS_TODO=計劃中任務(專案任務)尚未完成前的警告提醒(以天計) Delays_MAIN_DELAY_ORDERS_TO_PROCESS=對訂單尚未完成程序的警告提醒(以天計) -Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=對供應商訂單尚未完成的警告提醒(以天計) -Delays_MAIN_DELAY_PROPALS_TO_CLOSE=在結束提案前的警告提醒(以天計) -Delays_MAIN_DELAY_PROPALS_TO_BILL=建議書/報價/提單沒有計費的警告提醒(以天計) +Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on purchase orders not processed yet +Delays_MAIN_DELAY_PROPALS_TO_CLOSE=在結束提案/建議書前的警告提醒(以天計) +Delays_MAIN_DELAY_PROPALS_TO_BILL=提案/建議書沒有計費的警告提醒(以天計) Delays_MAIN_DELAY_NOT_ACTIVATED_SERVICES=對服務尚未啟動的警告提醒(以天計) Delays_MAIN_DELAY_RUNNING_SERVICES=對過期服務的警告提醒(以天計) Delays_MAIN_DELAY_SUPPLIER_BILLS_TO_PAY=對尚未付款供應商發票的警告提醒(以天計) @@ -1060,9 +1060,9 @@ LogEventDesc=您可以啟用記錄 Dolibarr 安全事件日誌。管理員就可 AreaForAdminOnly=設定參數僅由管理員用戶設定。 SystemInfoDesc=僅供具有系統管理員以唯讀及可見模式取得系統資訊。 SystemAreaForAdminOnly=此區僅供具有管理員權限用戶。Dolibarr 權限都不能減少此限制。 -CompanyFundationDesc=Edit on this page all known information of the company or foundation you need to manage (For this, click on "%s" or "%s" button at bottom of page) +CompanyFundationDesc=在此頁面上編輯您需要管理的公司或基金會的所有已知資訊(點選頁面的”%s“或"%s"按鈕) AccountantDesc=在此頁面上編輯有關於您的會計師/記帳士的資訊 -AccountantFileNumber=File number +AccountantFileNumber=檔案數 DisplayDesc=您可以選擇與 Dolibarr 的外觀及感受有關的每一項參數 AvailableModules=可用的程式/模組 ToActivateModule=為啟動模組則到設定區(首頁 -> 設定 -> 模組)。 @@ -1195,11 +1195,11 @@ UserMailRequired=建立用戶時需要輸入電子郵件資訊 HRMSetup=人資模組設定 ##### Company setup ##### CompanySetup=各式公司模組設定 -CompanyCodeChecker=Module for third parties code generation and checking (customer or vendor) -AccountCodeManager=Module for accounting code generation (customer or vendor) +CompanyCodeChecker=合作方代碼產生及檢查(客戶或供應商)模組 +AccountCodeManager=會計代碼產生(客戶或供應商)模組 NotificationsDesc=電子郵件通知功能允許您在某些 Dolibarr 事件時自動傳送郵件。通知的標的如下: NotificationsDescUser=在時間內 * 每位用戶,一用戶。 -NotificationsDescContact=* per third parties contacts (customers or vendors), one contact at time. +NotificationsDescContact=* 每位合作方通訊錄(客戶或供應商),一次一位連絡人。 NotificationsDescGlobal=* 或在模組設定頁面中設定全域目標的電子郵件。 ModelModules=文件範本 DocumentModelOdt=從 OpenDocument 的範本產生文件(可由 OpenOffice, KOffice, TextEdit 開啟的 .ODT 或.ODS檔案) @@ -1211,8 +1211,8 @@ MustBeMandatory=強制建立合作方? MustBeInvoiceMandatory=強制驗證發票? TechnicalServicesProvided=提供的科技服務 #####DAV ##### -WebDAVSetupDesc=This is the links 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 need an existing login account/password to access to. -WebDavServer=Root URL of %s server : %s +WebDAVSetupDesc=此是連線到 WebDAV 資料夾。此包含開放給任何知道 URL 用戶的”公開“檔案目錄(若資料夾允許公開)及需要已登入帳號/密碼的”不公開“資料夾的存取。 +WebDavServer=%s伺服器的根目錄 URL:%s ##### Webcal setup ##### WebCalUrlForVCalExport=匯出連接到 %s 格式可在以下連結:%s的 ##### Invoices ##### @@ -1232,22 +1232,22 @@ PaymentsNumberingModule=付款編號模式 SuppliersPayment=已收到的供應商付款單據清單 SupplierPaymentSetup=供應商付款設定 ##### Proposals ##### -PropalSetup=商業報價/提案模組設定 -ProposalsNumberingModules=商業報價/提案編號模式 -ProposalsPDFModules=商業報價/提案文件模式 -FreeLegalTextOnProposal=在商業報價/提案中加註文字 -WatermarkOnDraftProposal=商業報價/提案草稿上的浮水印(若空白則無) -BANK_ASK_PAYMENT_BANK_DURING_PROPOSAL=詢問建議/提案/報價標的的銀行帳戶 +PropalSetup=商業提案/建議書模組設定 +ProposalsNumberingModules=商業提案/建議書編號模式 +ProposalsPDFModules=商業提案/建議書文件模式 +FreeLegalTextOnProposal=在商業提案/建議書中加註文字 +WatermarkOnDraftProposal=商業提案/建議書草稿上的浮水印(若空白則無) +BANK_ASK_PAYMENT_BANK_DURING_PROPOSAL=詢問提案/建議書的目地的銀行帳戶 ##### SupplierProposal ##### -SupplierProposalSetup=Price requests vendors module setup -SupplierProposalNumberingModules=Price requests vendors numbering models -SupplierProposalPDFModules=Price requests vendors documents models -FreeLegalTextOnSupplierProposal=Free text on price requests vendors -WatermarkOnDraftSupplierProposal=Watermark on draft price requests vendors (none if empty) -BANK_ASK_PAYMENT_BANK_DURING_SUPPLIER_PROPOSAL=詢問價格需求的目的地銀行帳戶 +SupplierProposalSetup=供應商報價模組設定 +SupplierProposalNumberingModules=供應商報價編號模型 +SupplierProposalPDFModules=供應商報價文件模組 +FreeLegalTextOnSupplierProposal=供應商報價的加註文字  +WatermarkOnDraftSupplierProposal=在預設供應商報價草稿浮水印(無若空白) +BANK_ASK_PAYMENT_BANK_DURING_SUPPLIER_PROPOSAL=詢問報價的目的地銀行帳戶 WAREHOUSE_ASK_WAREHOUSE_DURING_ORDER=詢問訂單的倉庫來源 ##### Suppliers Orders ##### -BANK_ASK_PAYMENT_BANK_DURING_SUPPLIER_ORDER=Ask for bank account destination of purchase order +BANK_ASK_PAYMENT_BANK_DURING_SUPPLIER_ORDER=詢問供應商訂單中目的地銀行帳戶 ##### Orders ##### OrdersSetup=訂單管理設定 OrdersNumberingModules=訂單編號模組 @@ -1423,7 +1423,7 @@ FilesOfTypeNotCached=HTTP 伺服器沒有快取%s類型的檔案 FilesOfTypeCompressed=HTTP 伺服器已壓縮%s類型的檔案 FilesOfTypeNotCompressed=HTTP 伺服器沒有已壓縮%s類型的檔案 CacheByServer=伺服器的快取 -CacheByServerDesc=For exemple using the Apache directive "ExpiresByType image/gif A2592000" +CacheByServerDesc=例如,使用Apache指令“ExpiresByType image / gif A2592000” CacheByClient=瀏覽器的快取 CompressionOfResources=HTTP 壓縮的反應 CompressionOfResourcesDesc=例如:使用 Apache 指令 "AddOutputFilterByType DEFLATE" @@ -1439,13 +1439,13 @@ ServiceSetup=服務模組設定 ProductServiceSetup=產品和服務模組設定 NumberOfProductShowInSelect=在混合選擇清單明細中,最大可供選擇的產品數量(0 =沒有限制) ViewProductDescInFormAbility=在表單上顯示產品描述資訊 (否則則採用彈出式訊息框方式顯示) -MergePropalProductCard=若產品/服務在報價/建議書/提案內,啟動產品/服務中夾檔分頁有選項可將產品 PDF 文件整合成報價/建議書/提案的 azur 式的 PDF +MergePropalProductCard=若產品/服務在提案/建議書內,啟動產品/服務中夾檔分頁有選項可將產品 PDF 文件整合成報價/建議書/提案的 azur 式的 PDF ViewProductDescInThirdpartyLanguageAbility=在合作方語言中顯示產品描述資訊 UseSearchToSelectProductTooltip=另外您有大量產品編號(>100,000),您可在 " 設定 -> 其他 "中設定常數 PRODUCT_DONOTSEARCH_ANYWHERE 為 1 增加速度。蒐尋則只限在字串的開頭。 UseSearchToSelectProduct=請按任一鍵前載入產品混合清單明細的內容(若您有大量的產品時此會增加效率,但會減少方便性) SetDefaultBarcodeTypeProducts=產品的預設條碼類型 SetDefaultBarcodeTypeThirdParties=給合作方使用的預設條碼類型 -UseUnits=定義在訂單、報價/建議書/提案,或是發票版本的衡量單位 +UseUnits=定義在訂單、提案/建議書,或是發票版本的衡量單位 ProductCodeChecker= 產品代號產生及檢查(產品或服務)模組 ProductOtherConf= 產品/服務的偏好設定 IsNotADir=不是資料夾! @@ -1458,7 +1458,7 @@ SyslogFilename=檔案名稱和路徑 YouCanUseDOL_DATA_ROOT=您可使用在 Dolibarr "文件"資料夾的日誌檔案 DOL_DATA_ROOT/dolibarr.log 。您可以設定不同的路徑來存儲該檔案。 ErrorUnknownSyslogConstant=常數 %s 不是一個已知的 Syslog 常數 OnlyWindowsLOG_USER=Windows 只支援 LOG_USER -CompressSyslogs=系統日誌檔案壓縮及備份 +CompressSyslogs=除臭記錄檔案的縮壓及備份(由記錄除臭模組產生的) SyslogFileNumberOfSaves=日誌備份 ConfigureCleaningCronjobToSetFrequencyOfSaves=清除偏好設定的排程工作設定成經常備份日誌 ##### Donations ##### @@ -1515,7 +1515,7 @@ AdvancedEditor=進階編輯器 ActivateFCKeditor=以下為進階的編輯器功能,請決定啟用或關閉: FCKeditorForCompany=描述及註解採用所見即所視的方式建立或編輯(不含產品及服務) FCKeditorForProduct=產品/服務的描述及註解採用所見即所視的方式建立或編輯 -FCKeditorForProductDetails=針對所有項目(提案建議書、訂單、發票等)的產品描述採用所見即所視的方式建立及編輯。警告:當建立 PDF 檔案時會在特定字元或頁面格式時會產生問題,因此鄭重地不建議使用此選項。 +FCKeditorForProductDetails=針對所有項目(提案/建議書、訂單、發票等)的產品描述採用所見即所視的方式建立及編輯。警告:當建立 PDF 檔案時會在特定字元或頁面格式時會產生問題,因此鄭重地不建議使用此選項。 FCKeditorForMailing= 以所見即所視的建立/編輯電子郵件 ( 工具 --> 電子郵件 ) FCKeditorForUserSignature=以所見即所視的建立/編輯用戶簽名檔 FCKeditorForMail=以所見即所視的建立/編輯全部電子郵件( 除工具 --> 電子郵件外) @@ -1580,7 +1580,7 @@ AccountancyCodeBuy=採購會計代號 AgendaSetup=事件及行程模組設定 PasswordTogetVCalExport=授權匯出連線的值 PastDelayVCalExport=不要匯出大於~的事件 -AGENDA_USE_EVENT_TYPE=使用事件類型(管理可到選單設定-->詞典-->行程事件類型) +AGENDA_USE_EVENT_TYPE=使用事件類型(管理可到選單設定-->各式分類-->行程事件類型) AGENDA_USE_EVENT_TYPE_DEFAULT=事件類型設定為自動的預設值放到建立事件表單中 AGENDA_DEFAULT_FILTER_TYPE=設定自動帶入事件類型到事件檢視的尋找過濾器中 AGENDA_DEFAULT_FILTER_STATUS=設定自動帶入事件狀況到事件檢視的尋找過濾器中 @@ -1638,7 +1638,7 @@ MultiCompanySetup=多公司模組設定 ##### Suppliers ##### SuppliersSetup=供應商模組設定 SuppliersCommandModel=採購訂單的完整範本 (標誌...) -SuppliersInvoiceModel=Complete template of vendor invoice (logo...) +SuppliersInvoiceModel=供應商發票的完整範本(logo. ...) SuppliersInvoiceNumberingModel=供應商發票編號模組 IfSetToYesDontForgetPermission=若設定為「是的」,則別忘了提供群組或用戶允許第二次批准的權限 ##### GeoIPMaxmind ##### @@ -1675,7 +1675,7 @@ NoAmbiCaracAutoGeneration=自動產生時不要使用會混淆的字元("1","l", SalariesSetup=薪資模組的設定 SortOrder=排序訂單 Format=格式 -TypePaymentDesc=0:Customer payment type, 1:Vendor payment type, 2:Both customers and vendors payment type +TypePaymentDesc=0:客戶付款類別, 1:供應商付款類別, 2:客戶及供應商付款類別 IncludePath=包含路徑(預先定義的變數 %s) ExpenseReportsSetup=費用報表模組的設定 TemplatePDFExpenseReports=用文件範本產生費用報表文件 @@ -1694,7 +1694,7 @@ BackupDumpWizard=構建資料庫備份轉儲檔案的精靈 SomethingMakeInstallFromWebNotPossible=由於以下原因,無法從 Web 界面安裝外部模組: SomethingMakeInstallFromWebNotPossible2=基於此原因,敘述昇級程序中只能允許最高權限用戶可以使用人工步驟。 InstallModuleFromWebHasBeenDisabledByFile=您的管理塤 已禁用從應用程式來的外部模組安裝。你必須詢問管理員移除檔案%s以達成此功能。 -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'; +ConfFileMustContainCustom=從應用程式安裝或綁定外部模組需要儲存模組檔案到資料夾%s。為由 Dolibarr 擁有此資料夾的處理權,您必須在conf/conf.php中新增兩行指令:
$dolibarr_main_url_root_alt='/custom';
$dolibarr_main_document_root_alt='%s/custom'; HighlightLinesOnMouseHover=滑鼠移過時會顯示表格線 HighlightLinesColor=滑鼠移過時顯示線條的顏色(保持為空白不顯示) TextTitleColor=頁面標題的文字顏色 @@ -1729,7 +1729,7 @@ FillFixTZOnlyIfRequired=例子:+2 (只有在遇到問題時才填入) ExpectedChecksum=預期的校驗和 CurrentChecksum=目前的校驗和 ForcedConstants=必需的常數 -MailToSendProposal=Customer proposals +MailToSendProposal=客戶提案/建議書 MailToSendOrder=Customer orders MailToSendInvoice=各式客戶發票 MailToSendShipment=裝貨 @@ -1757,8 +1757,8 @@ AllPublishers=全部發佈者 UnknownPublishers=未知發佈者 AddRemoveTabs=增加或移除各式分頁 AddDataTables=新增物件表格 -AddDictionaries=增加詞典表格 -AddData=新增物件或詞典資料 +AddDictionaries=增加各式分類表格 +AddData=新增物件或各式分類資料 AddBoxes=新增小工具 AddSheduledJobs=新增排定工作 AddHooks=增加鉤子 @@ -1783,7 +1783,7 @@ TypeCdr=使用 "無" 若付款日期條件是發票日期加上增量天 (增量 BaseCurrency=參考的公司貨幣 (可到公司設定去變更) WarningNoteModuleInvoiceForFrenchLaw=模組 %s 是符合法國法律(Loi Finance 2016) WarningNoteModulePOSForFrenchLaw=該模組 %s 符合法國法律 (Loi Finance 2016),因為模組 Non Reversible Logs 會自動啟動。 -WarningInstallationMayBecomeNotCompliantWithLaw=You try to install the module %s that is an external module. Activating an external module means you trust the publisher of the module and you are sure that this module does not alterate negatively the behavior of your application and is compliant with laws of your country (%s). If the module bring a non legal feature, you become responsible for the use of a non legal software. +WarningInstallationMayBecomeNotCompliantWithLaw=您試著安裝模組 %s 此模組來自外部。啟動外部模組代表您信任模組的發佈者及您確定此模組不會對您的應用程序的行為產生負面影響,並且符合您所在國家/地區的法律(%s)。若此模組帶來不合法功能,您要負起使用不合法軟體的責任。 MAIN_PDF_MARGIN_LEFT=在 PDF 的左邊邊界 MAIN_PDF_MARGIN_RIGHT=在 PDF 的右邊邊界 MAIN_PDF_MARGIN_TOP=在 PDF 的上面邊界 @@ -1792,8 +1792,8 @@ SetToYesIfGroupIsComputationOfOtherGroups=若該群組是其他群組的計算 EnterCalculationRuleIfPreviousFieldIsYes=若先前欄位設為“是”,則輸入計算規則(例如 'CODEGRP1 + CODEGRP2') SeveralLangugeVariatFound=發現數個語言變數 COMPANY_AQUARIUM_REMOVE_SPECIAL=刪除特殊字元 -COMPANY_AQUARIUM_CLEAN_REGEX=Regex filter to clean value (COMPANY_AQUARIUM_CLEAN_REGEX) -GDPRContact=GDPR contact +COMPANY_AQUARIUM_CLEAN_REGEX=正則表達式過濾器來清理價值 (COMPANY_AQUARIUM_CLEAN_REGEX) +GDPRContact=GDPR 連絡人 GDPRContactDesc=若您儲存有關歐洲的公司或公民的資料時,您可以在這裡儲存負責“一般資料保護條例”的連絡人 ##### Resource #### ResourceSetup=du 模組資源的偏好設定 diff --git a/htdocs/langs/zh_TW/agenda.lang b/htdocs/langs/zh_TW/agenda.lang index d05cfebd24aef..dd60af4df5d98 100644 --- a/htdocs/langs/zh_TW/agenda.lang +++ b/htdocs/langs/zh_TW/agenda.lang @@ -39,10 +39,10 @@ EventRemindersByEmailNotEnabled=在行程模組設定中沒有啟用透過 EMail ##### Agenda event labels ##### NewCompanyToDolibarr=合作方 %s 已建立 ContractValidatedInDolibarr=合約 %s 已驗證 -PropalClosedSignedInDolibarr=提案/報價 %s 已簽署 -PropalClosedRefusedInDolibarr=提案/報價 %s 已拒絕 -PropalValidatedInDolibarr=提案/報價 %s 已驗證 -PropalClassifiedBilledInDolibarr=提案/報價 %s 歸類為已結 +PropalClosedSignedInDolibarr=提案/建議書 %s 已簽署 +PropalClosedRefusedInDolibarr=提案/建議書 %s 已拒絕 +PropalValidatedInDolibarr=提案/建議書 %s 已驗證 +PropalClassifiedBilledInDolibarr=提案/建議書 %s 歸類為已計費 InvoiceValidatedInDolibarr=發票 %s 的驗證 InvoiceValidatedInDolibarrFromPos=POS 的發票 %s 的驗證 InvoiceBackToDraftInDolibarr=發票 %s 回復到草案狀態 @@ -68,7 +68,7 @@ OrderBilledInDolibarr=訂單 %s 歸類為已結帳 OrderApprovedInDolibarr=訂單 %s 已核准 OrderRefusedInDolibarr=訂單 %s 被拒絕 OrderBackToDraftInDolibarr=訂單 %s 回復到草案狀態 -ProposalSentByEMail=已透過 E-Mail 傳送商業提案/建議 %s +ProposalSentByEMail=已透過 E-Mail 傳送商業提案/建議書 %s ContractSentByEMail=合約 %s 透過 EMail 傳送 OrderSentByEMail=已透過 E-Mail 傳送客戶訂單 %s InvoiceSentByEMail=已透過 E-Mail 傳送客戶發票 %s @@ -77,7 +77,7 @@ SupplierInvoiceSentByEMail=已透過 E-Mail 傳送供應商發票 %s ShippingSentByEMail=已透過 E-Mail 傳送貨運單 %s ShippingValidated= 貨運單 %s 已驗證 InterventionSentByEMail=已透過 E-Mail 傳送 Intervention %s -ProposalDeleted=提案/建議已刪除 +ProposalDeleted=提案/建議書已刪除 OrderDeleted=訂單已刪除 InvoiceDeleted=發票已刪除 PRODUCT_CREATEInDolibarr=產品 %s 已建立 diff --git a/htdocs/langs/zh_TW/banks.lang b/htdocs/langs/zh_TW/banks.lang index 08d4d42de826e..08f9263f6cbf0 100644 --- a/htdocs/langs/zh_TW/banks.lang +++ b/htdocs/langs/zh_TW/banks.lang @@ -1,6 +1,6 @@ # Dolibarr language file - Source file is en_US - banks Bank=銀行 -MenuBankCash=銀行/現金 +MenuBankCash=Bank | Cash MenuVariousPayment=雜項付款 MenuNewVariousPayment=新的雜項付款 BankName=銀行名稱 @@ -132,7 +132,7 @@ PaymentDateUpdateSucceeded=付款日期更新成功 PaymentDateUpdateFailed=付款日期可能無法更新 Transactions=交易 BankTransactionLine=銀行項目 -AllAccounts=所有銀行/現金帳戶 +AllAccounts=All bank and cash accounts BackToAccount=回到帳戶 ShowAllAccounts=顯示所有帳戶 FutureTransaction=未來的交易。沒有其他方式調節。 @@ -160,5 +160,6 @@ VariousPayment=雜項付款 VariousPayments=雜項付款 ShowVariousPayment=顯示雜項付款 AddVariousPayment=新增雜項付款 +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. Thanks to return it signed (scan of the signed document) or sent it by mail to diff --git a/htdocs/langs/zh_TW/bills.lang b/htdocs/langs/zh_TW/bills.lang index d7142ffc79c72..18341a60767b7 100644 --- a/htdocs/langs/zh_TW/bills.lang +++ b/htdocs/langs/zh_TW/bills.lang @@ -110,8 +110,8 @@ SendRemindByMail=通過電子郵件發送提醒 DoPayment=Enter payment DoPaymentBack=Enter refund ConvertToReduc=Mark as credit available -ConvertExcessReceivedToReduc=Convert excess received into future discount -ConvertExcessPaidToReduc=Convert excess paid into future discount +ConvertExcessReceivedToReduc=Convert excess received into available credit +ConvertExcessPaidToReduc=Convert excess paid into available discount EnterPaymentReceivedFromCustomer=輸入從客戶收到付款 EnterPaymentDueToCustomer=由於客戶的付款 DisabledBecauseRemainderToPayIsZero=因剩餘未付款為零而停用 @@ -237,7 +237,7 @@ ToBill=為了法案 RemainderToBill=其余部分法案 SendBillByMail=通過電子郵件發送發票 SendReminderBillByMail=通過電子郵件發送提醒 -RelatedCommercialProposals=有關的商業建議 +RelatedCommercialProposals=相關的商業提案/建議書 RelatedRecurringCustomerInvoices=Related recurring customer invoices MenuToValid=為了有效 DateMaxPayment=Payment due on @@ -282,6 +282,7 @@ RelativeDiscount=相對折扣 GlobalDiscount=全球折扣 CreditNote=信用票據 CreditNotes=信用票據 +CreditNotesOrExcessReceived=Credit notes or excess received Deposit=Down payment Deposits=Down payments DiscountFromCreditNote=從信用註意%折扣s @@ -393,6 +394,7 @@ PaymentConditionShort14DENDMONTH=14 days of month-end PaymentCondition14DENDMONTH=Within 14 days following the end of the month FixAmount=Fix amount VarAmount=Variable amount (%% tot.) +VarAmountOneLine=Variable amount (%% tot.) - 1 line with label '%s' # PaymentType PaymentTypeVIR=銀行匯款 PaymentTypeShortVIR=銀行匯款 diff --git a/htdocs/langs/zh_TW/boxes.lang b/htdocs/langs/zh_TW/boxes.lang index bd26e1362ca67..59516abd9b2e9 100644 --- a/htdocs/langs/zh_TW/boxes.lang +++ b/htdocs/langs/zh_TW/boxes.lang @@ -8,7 +8,7 @@ BoxLastSupplierBills=Latest supplier invoices BoxLastCustomerBills=Latest customer invoices BoxOldestUnpaidCustomerBills=Oldest unpaid customer invoices BoxOldestUnpaidSupplierBills=Oldest unpaid supplier invoices -BoxLastProposals=Latest commercial proposals +BoxLastProposals=最新商業提案/建議書 BoxLastProspects=Latest modified prospects BoxLastCustomers=Latest modified customers BoxLastSuppliers=Latest modified suppliers @@ -42,7 +42,7 @@ BoxTitleLastActionsToDo=Latest %s actions to do BoxTitleLastContracts=Latest %s modified contracts BoxTitleLastModifiedDonations=Latest %s modified donations BoxTitleLastModifiedExpenses=Latest %s modified expense reports -BoxGlobalActivity=Global activity (invoices, proposals, orders) +BoxGlobalActivity=全球活動(發票、提案/建議書、訂單) BoxGoodCustomers=Good customers BoxTitleGoodCustomers=%s Good customers FailedToRefreshDataInfoNotUpToDate=Failed to refresh RSS flux. Latest successfull refresh date: %s @@ -53,7 +53,7 @@ NoRecordedCustomers=沒有記錄客戶 NoRecordedContacts=沒有任何聯絡人的記錄 NoActionsToDo=做任何動作 NoRecordedOrders=No recorded customer orders -NoRecordedProposals=沒有任何建議書的記錄 +NoRecordedProposals=沒有任何提案/建議書的記錄 NoRecordedInvoices=No recorded customer invoices NoUnpaidCustomerBills=No unpaid customer invoices NoUnpaidSupplierBills=No unpaid supplier invoices @@ -69,7 +69,7 @@ BoxCustomersInvoicesPerMonth=Customer invoices per month BoxSuppliersInvoicesPerMonth=Supplier invoices per month BoxCustomersOrdersPerMonth=Customer orders per month BoxSuppliersOrdersPerMonth=Supplier orders per month -BoxProposalsPerMonth=Proposals per month +BoxProposalsPerMonth=每月的提案/建議書 NoTooLowStockProducts=No product under the low stock limit BoxProductDistribution=Products/Services distribution BoxProductDistributionFor=Distribution of %s for %s @@ -77,10 +77,10 @@ BoxTitleLastModifiedSupplierBills=Latest %s modified supplier bills BoxTitleLatestModifiedSupplierOrders=Latest %s modified supplier orders BoxTitleLastModifiedCustomerBills=Latest %s modified customer bills BoxTitleLastModifiedCustomerOrders=Latest %s modified customer orders -BoxTitleLastModifiedPropals=Latest %s modified proposals +BoxTitleLastModifiedPropals=最新修改的提案/建議書%s ForCustomersInvoices=客戶的發票 ForCustomersOrders=Customers orders -ForProposals=建議 +ForProposals=提案/建議書 LastXMonthRolling=The latest %s month rolling ChooseBoxToAdd=Add widget to your dashboard BoxAdded=Widget was added in your dashboard diff --git a/htdocs/langs/zh_TW/commercial.lang b/htdocs/langs/zh_TW/commercial.lang index e9191263a38bd..c3f4c586b0d73 100644 --- a/htdocs/langs/zh_TW/commercial.lang +++ b/htdocs/langs/zh_TW/commercial.lang @@ -34,7 +34,7 @@ LastActionsToDo=Oldest %s not completed actions DoneAndToDoActions=任務完成,並要做到 DoneActions=已完成的行動 ToDoActions=不完整的行動 -SendPropalRef=孚瑞科技報價單 %s +SendPropalRef=商業提案/建議書的次任務 %s SendOrderRef=孚瑞科技採購單 %s StatusNotApplicable=不適用 StatusActionToDo=要做到 @@ -50,7 +50,7 @@ ActionAffectedTo=Event assigned to ActionDoneBy=由誰完成事件 ActionAC_TEL=電話 ActionAC_FAX=發送傳真 -ActionAC_PROP=通過郵件發送建議 +ActionAC_PROP=通過郵件發送提案/建議書 ActionAC_EMAIL=發送電子郵件 ActionAC_RDV=會議 ActionAC_INT=Intervention on site @@ -69,7 +69,7 @@ ActionAC_AUTO=Automatically inserted events ActionAC_OTH_AUTOShort=Auto Stats=Sales statistics StatusProsp=潛在狀態 -DraftPropals=起草商業建議 +DraftPropals=商業提案/建議書草稿 NoLimit=無限制 ToOfferALinkForOnlineSignature=Link for online signature WelcomeOnOnlineSignaturePage=Welcome on the page to accept commerical proposals from %s diff --git a/htdocs/langs/zh_TW/companies.lang b/htdocs/langs/zh_TW/companies.lang index 4d9c1870c7092..5fb63ab7c3355 100644 --- a/htdocs/langs/zh_TW/companies.lang +++ b/htdocs/langs/zh_TW/companies.lang @@ -2,65 +2,65 @@ ErrorCompanyNameAlreadyExists=公司名稱%s已經存在。選擇另外一個。 ErrorSetACountryFirst=請先設定國家 SelectThirdParty=請選擇客戶/供應商 -ConfirmDeleteCompany=Are you sure you want to delete this company and all inherited information? +ConfirmDeleteCompany=您確定要刪除此公司和所有繼承的資訊嗎? DeleteContact=刪除聯絡人 -ConfirmDeleteContact=Are you sure you want to delete this contact and all inherited information? -MenuNewThirdParty=建立新客戶/供應商 -MenuNewCustomer=建立新客戶 -MenuNewProspect=建立新潛在名單 -MenuNewSupplier=New vendor +ConfirmDeleteContact=您確定要刪除這個連絡人和所有關連資訊? +MenuNewThirdParty=新的合作方 +MenuNewCustomer=新客戶 +MenuNewProspect=新潛力者 +MenuNewSupplier=新供應商 MenuNewPrivateIndividual=新的私營個體 -NewCompany=New company (prospect, customer, vendor) -NewThirdParty=New third party (prospect, customer, vendor) -CreateDolibarrThirdPartySupplier=Create a third party (vendor) -CreateThirdPartyOnly=新增客戶/供應商 -CreateThirdPartyAndContact=Create a third party + a child contact +NewCompany=新公司(潪力者、客戶、供應商) +NewThirdParty=新合作方(潪力者、客戶、供應商) +CreateDolibarrThirdPartySupplier=建立合作方(供應商) +CreateThirdPartyOnly=建立合作方 +CreateThirdPartyAndContact=建立合作方+其連絡人 ProspectionArea=勘察區 -IdThirdParty=第三方身份 +IdThirdParty=合作方ID IdCompany=公司ID -IdContact=聯系人ID -Contacts=聯絡人 -ThirdPartyContacts=客戶/供應商聯絡人 -ThirdPartyContact=客戶/供應商聯絡人 +IdContact=連絡人ID +Contacts=通訊錄/地址 +ThirdPartyContacts=合作方通訊錄 +ThirdPartyContact=合作方連絡人/地址 Company=公司 CompanyName=公司名稱 AliasNames=別名(商業的,商標,...) AliasNameShort=別名 Companies=公司 CountryIsInEEC=國家屬於歐盟經濟體內 -ThirdPartyName=客戶/供應商名稱 -ThirdPartyEmail=Third party email -ThirdParty=客戶/供應商 -ThirdParties=客戶/供應商 -ThirdPartyProspects=潛在 -ThirdPartyProspectsStats=潛在 +ThirdPartyName=合作方名稱 +ThirdPartyEmail=合作方電子郵件 +ThirdParty=合作方 +ThirdParties=各式合作方 +ThirdPartyProspects=潛力者 +ThirdPartyProspectsStats=潛力者 ThirdPartyCustomers=客戶 ThirdPartyCustomersStats=客戶 -ThirdPartyCustomersWithIdProf12=與%s或%客戶s -ThirdPartySuppliers=Vendors -ThirdPartyType=客戶/供應商類型 +ThirdPartyCustomersWithIdProf12=%s或%s的客戶 +ThirdPartySuppliers=供應商 +ThirdPartyType=合作方類別 Individual=私營個體 -ToCreateContactWithSameName=Will create automatically a contact/address with same information than third party under the third party. In most cases, even if your third party is a physical people, creating a third party alone is enough. +ToCreateContactWithSameName=將自動建立與合作方下的合作方相同資訊的連絡人/地址。在大多數情況下,即使合作方就是等於實際連絡人,您只要建立合作方就足夠了。 ParentCompany=母公司 Subsidiaries=附屬公司 -ReportByMonth=Report by month +ReportByMonth=月報表 ReportByCustomers=依客戶排序的報表 -ReportByQuarter=報告率 +ReportByQuarter=百分比報告 CivilityCode=文明守則 RegisteredOffice=註冊辦事處 Lastname=姓氏 Firstname=名字 PostOrFunction=職稱 UserTitle=稱呼 -NatureOfThirdParty=Nature of Third party +NatureOfThirdParty=合作方的本質 Address=地址 State=州/省 -StateShort=State +StateShort=州 Region=地區 -Region-State=Region - State +Region-State=地區 - 州 Country=國家 CountryCode=國家代碼 -CountryId=國家編號 +CountryId=國家ID Phone=電話 PhoneShort=電話 Skype=Skype @@ -69,7 +69,7 @@ Chat=對話 PhonePro=公司電話號碼 PhonePerso=個人電話號碼 PhoneMobile=手機號碼 -No_Email=Refuse mass e-mailings +No_Email=拒絕大量電子郵件 Fax=傳真號碼 Zip=郵遞區號 Town=城市 @@ -77,21 +77,21 @@ Web=網站 Poste= 位置 DefaultLang=預設語系 VATIsUsed=使用中的銷售稅 -VATIsUsedWhenSelling=This define if this third party includes a sale tax or not when it makes an invoice to its own customers +VATIsUsedWhenSelling=這定義了當該合作方向其客戶開具發票時是否包含銷售稅 VATIsNotUsed=不使用的銷售稅 CopyAddressFromSoc=填上合作方的地址 -ThirdpartyNotCustomerNotSupplierSoNoRef=Third party neither customer nor vendor, no available refering objects -ThirdpartyIsNeitherCustomerNorClientSoCannotHaveDiscounts=Third party neither customer nor supplier, discounts are not available -PaymentBankAccount=Payment bank account -OverAllProposals=建議 +ThirdpartyNotCustomerNotSupplierSoNoRef=合作方既不是客戶也不是供應商,沒有可用的引用物件 +ThirdpartyIsNeitherCustomerNorClientSoCannotHaveDiscounts=合作方既不是客戶也不是供應商,折扣不適用 +PaymentBankAccount=付款銀行帳戶 +OverAllProposals=提案/建議書 OverAllOrders=訂單 OverAllInvoices=發票 -OverAllSupplierProposals=Price requests +OverAllSupplierProposals=報價 ##### Local Taxes ##### -LocalTax1IsUsed=Use second tax +LocalTax1IsUsed=使用第二種稅率 LocalTax1IsUsedES= 稀土用於 LocalTax1IsNotUsedES= 不使用可再生能源 -LocalTax2IsUsed=Use third tax +LocalTax2IsUsed=使用第三種稅率 LocalTax2IsUsedES= IRPF使用 LocalTax2IsNotUsedES= IRPF不使用 LocalTax1ES=稀土 @@ -99,42 +99,42 @@ LocalTax2ES=IRPF TypeLocaltax1ES=RE種類 TypeLocaltax2ES=IRPF種類 WrongCustomerCode=客戶代碼無效 -WrongSupplierCode=Vendor code invalid +WrongSupplierCode=供應商代碼無效 CustomerCodeModel=客戶編碼模組 -SupplierCodeModel=Vendor code model +SupplierCodeModel=供應商編碼模組 Gencod=條碼 ##### Professional ID ##### -ProfId1Short=ProfID1 -ProfId2Short=ProfID2 -ProfId3Short=ProfID3 -ProfId4Short=ProfID4 -ProfId5Short=ProfID5 -ProfId6Short=ProfID6 -ProfId1=ProfID1 -ProfId2=ProfID2 -ProfId3=ProfID3 -ProfId4=ProfID4 -ProfId5=ProfID5 -ProfId6=ProfID6 -ProfId1AR=ProfID1 -ProfId2AR=ProfID2 -ProfId3AR=ProfID3 -ProfId4AR=ProfID4 -ProfId5AR=ProfID5 -ProfId6AR=ProfID6 -ProfId1AT=Prof ID 1 -ProfId2AT=Prof ID 2 -ProfId3AT=Prof ID 3 -ProfId4AT=Prof ID 4 -ProfId5AT=Prof ID 5 -ProfId6AT=Prof ID 6 -ProfId1AU=教授ID已1(荷蘭) +ProfId1Short=Prof. id 1 +ProfId2Short=Prof. id 2 +ProfId3Short=Prof. id 3 +ProfId4Short=Prof. id 4 +ProfId5Short=Prof. id 5 +ProfId6Short=Prof. id 6 +ProfId1=Professional ID 1 +ProfId2=Professional ID 2 +ProfId3=Professional ID 3 +ProfId4=Professional ID 4 +ProfId5=Professional ID 5 +ProfId6=Professional ID 6 +ProfId1AR=Prof Id 1 (CUIT/CUIL) +ProfId2AR=Prof Id 2 (Revenu brutes) +ProfId3AR=- +ProfId4AR=- +ProfId5AR=- +ProfId6AR=- +ProfId1AT=Prof Id 1 (USt.-IdNr) +ProfId2AT=Prof Id 2 (USt.-Nr) +ProfId3AT=Prof Id 3 (Handelsregister-Nr.) +ProfId4AT=- +ProfId5AT=- +ProfId6AT=- +ProfId1AU=Prof Id 1 (ABN) ProfId2AU=- ProfId3AU=- ProfId4AU=- ProfId5AU=- ProfId6AU=- -ProfId1BE=教授ID是1(專業數) +ProfId1BE=Prof Id 1 (Professional number) ProfId2BE=- ProfId3BE=- ProfId4BE=- @@ -148,130 +148,130 @@ ProfId4BR=CPF #ProfId6BR=INSS ProfId1CH=- ProfId2CH=- -ProfId3CH=教授ID是1(聯邦數) -ProfId4CH=教授ID為2(商業記錄數) +ProfId3CH=Prof Id 1(聯邦碼) +ProfId4CH=Prof Id 2(商業記錄碼) ProfId5CH=- ProfId6CH=- -ProfId1CL=教授ID 1(車轍) +ProfId1CL=Prof Id 1 (R.U.T.) ProfId2CL=- ProfId3CL=- ProfId4CL=- ProfId5CL=- ProfId6CL=- -ProfId1CO=教授ID 1(車轍) +ProfId1CO=Prof Id 1 (R.U.T.) ProfId2CO=- ProfId3CO=- ProfId4CO=- ProfId5CO=- ProfId6CO=- -ProfId1DE=教授ID已1(USt. - IdNr) -ProfId2DE=教授ID為2(USt.,星期日) -ProfId3DE=教授ID已3(Handelsregister-Nr.) +ProfId1DE=Prof Id 1 (USt.-IdNr) +ProfId2DE=Prof Id 2 (USt.-Nr) +ProfId3DE=Prof Id 3 (Handelsregister-Nr.) ProfId4DE=- ProfId5DE=- ProfId6DE=- -ProfId1ES=教授ID已1(到岸價格/伊陣) -ProfId2ES=ID為2教授(社會安全號碼) -ProfId3ES=教授ID已3(CNAE) -ProfId4ES=教授ID已4(高校數量) +ProfId1ES=Prof Id 1 (CIF/NIF) +ProfId2ES=Prof Id 2 (社會安全號碼) +ProfId3ES=Prof Id 3 (CNAE) +ProfId4ES=Prof Id 4 (Collegiate number) ProfId5ES=- ProfId6ES=- -ProfId1FR=Prof ID 1 -ProfId2FR=Prof ID 2 -ProfId3FR=Prof ID 3 -ProfId4FR=Prof ID 4 -ProfId5FR=Prof ID 5 -ProfId6FR=Prof ID 6 -ProfId1GB=教授ID是1(註冊號) +ProfId1FR=Prof Id 1 (SIREN) +ProfId2FR=Prof Id 2 (SIRET) +ProfId3FR=Prof Id 3 (NAF, old APE) +ProfId4FR=Prof Id 4 (RCS/RM) +ProfId5FR=- +ProfId6FR=- +ProfId1GB=註冊號 ProfId2GB=- -ProfId3GB=教授ID已3(碳化矽) +ProfId3GB=SIC ProfId4GB=- ProfId5GB=- ProfId6GB=- -ProfId1HN=ID教授。 1。(RTN) +ProfId1HN=Id prof. 1 (RTN) ProfId2HN=- ProfId3HN=- ProfId4HN=- ProfId5HN=- ProfId6HN=- -ProfId1IN=Prof ID 1 -ProfId2IN=Prof ID 2 -ProfId3IN=Prof ID 3 -ProfId4IN=Prof ID 4 -ProfId5IN=Prof ID 5 -ProfId6IN=Prof ID 6 +ProfId1IN=Prof Id 1 (TIN) +ProfId2IN=Prof Id 2 (PAN) +ProfId3IN=Prof Id 3 (SRVC TAX) +ProfId4IN=Prof Id 4 +ProfId5IN=Prof Id 5 +ProfId6IN=- ProfId1LU=Id. prof. 1 (R.C.S. Luxembourg) ProfId2LU=Id. prof. 2 (Business permit) -ProfId3LU=Prof ID 6 -ProfId4LU=Prof ID 6 -ProfId5LU=Prof ID 6 -ProfId6LU=Prof ID 6 -ProfId1MA=ID教授。 1(RC)的 -ProfId2MA=ID教授。 2(Patente) -ProfId3MA=ID教授。 3(如果) -ProfId4MA=ID教授。 4(CNSS) +ProfId3LU=- +ProfId4LU=- +ProfId5LU=- +ProfId6LU=- +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=Id. prof. 5 (I.C.E.) ProfId6MA=- -ProfId1MX=(RFC)的ID 1教授。 -ProfId2MX=ID 2教授(體育IMSS的河。) -ProfId3MX=教授ID 3(高職教“憲章”) +ProfId1MX=Prof Id 1 (R.F.C). +ProfId2MX=Prof Id 2 (R..P. IMSS) +ProfId3MX=Prof Id 3 (Profesional Charter) ProfId4MX=- ProfId5MX=- ProfId6MX=- -ProfId1NL=KVK公司納默 +ProfId1NL=KVK nummer ProfId2NL=- ProfId3NL=- ProfId4NL=- ProfId5NL=- ProfId6NL=- -ProfId1PT=教授ID已1(酞菁鎳) -ProfId2PT=ID為2教授(社會安全號碼) -ProfId3PT=教授ID已三(商業記錄數) -ProfId4PT=ID四教授(學院) +ProfId1PT=Prof Id 1 (NIPC) +ProfId2PT=Prof Id 2(社會安全號碼) +ProfId3PT=Prof Id 3(商業記錄碼) +ProfId4PT=Prof Id 4 (Conservatory) ProfId5PT=- ProfId6PT=- -ProfId1SN=鋼筋混凝土 +ProfId1SN=RC ProfId2SN=NINEA ProfId3SN=- ProfId4SN=- ProfId5SN=- ProfId6SN=- -ProfId1TN=教授ID是1(區局) -ProfId2TN=教授ID為2(財政matricule) -ProfId3TN=教授ID已3(杜阿納代碼) -ProfId4TN=教授ID已4(班) +ProfId1TN=Prof Id 1 (RC) +ProfId2TN=Prof Id 2 (Fiscal matricule) +ProfId3TN=Prof Id 3 (Douane code) +ProfId4TN=Prof Id 4 (BAN) ProfId5TN=- ProfId6TN=- ProfId1US=Prof Id (FEIN) -ProfId2US=Prof ID 6 -ProfId3US=Prof ID 6 -ProfId4US=Prof ID 6 -ProfId5US=Prof ID 6 -ProfId6US=Prof ID 6 -ProfId1RU=教授ID一日(OGRN) -ProfId2RU=教授ID 2(非專利) -ProfId3RU=教授ID 3(KPP的) -ProfId4RU=教授ID 4(玉浦) +ProfId2US=- +ProfId3US=- +ProfId4US=- +ProfId5US=- +ProfId6US=- +ProfId1RU=Prof Id 1 (OGRN) +ProfId2RU=Prof Id 2 (INN) +ProfId3RU=Prof Id 3 (KPP) +ProfId4RU=Prof Id 4 (OKPO) ProfId5RU=- ProfId6RU=- -ProfId1DZ=鋼筋混凝土 +ProfId1DZ=RC ProfId2DZ=Art. ProfId3DZ=NIF ProfId4DZ=NIS VATIntra=銷售稅 ID VATIntraShort=稅務 ID VATIntraSyntaxIsValid=語法是有效的 -VATReturn=VAT return -ProspectCustomer=潛在/客戶 -Prospect=潛在 +VATReturn=增值稅退稅 +ProspectCustomer=潛力/客戶 +Prospect=潛力 CustomerCard=客戶卡 Customer=客戶 CustomerRelativeDiscount=相對客戶折扣 -SupplierRelativeDiscount=Relative vendor discount +SupplierRelativeDiscount=相對供應商折扣 CustomerRelativeDiscountShort=相對折扣 CustomerAbsoluteDiscountShort=無條件折扣 -CompanyHasRelativeDiscount=這個客戶有一個%s%%的折扣 -CompanyHasNoRelativeDiscount=此客戶沒有定義相關的折扣 +CompanyHasRelativeDiscount=此客戶有預設的%s%%的折扣 +CompanyHasNoRelativeDiscount=此客戶預設沒有相對的折扣 HasRelativeDiscountFromSupplier=You have a default discount of %s%% from this supplier HasNoRelativeDiscountFromSupplier=You have no default relative discount from this supplier CompanyHasAbsoluteDiscount=This customer has discount available (credits notes or down payments) for %s %s @@ -324,12 +324,12 @@ ContactsAllShort=全部(不過濾) ContactType=聯絡型式 ContactForOrders=訂單聯絡人 ContactForOrdersOrShipments=訂單或送貨聯絡人 -ContactForProposals=報價聯絡人 +ContactForProposals=提案/建議書連絡人 ContactForContracts=合約聯絡人 ContactForInvoices=發票聯絡人 NoContactForAnyOrder=非訂單聯絡人 NoContactForAnyOrderOrShipments=非訂單或送貨聯絡人 -NoContactForAnyProposal=非報價聯絡人 +NoContactForAnyProposal=此連絡人不屬於任何商業提案/建議書連絡人 NoContactForAnyContract=非合同聯絡人 NoContactForAnyInvoice=非發票聯絡人 NewContact=新增聯絡人 diff --git a/htdocs/langs/zh_TW/compta.lang b/htdocs/langs/zh_TW/compta.lang index 05971ae2538ff..a31bbc3fb0d13 100644 --- a/htdocs/langs/zh_TW/compta.lang +++ b/htdocs/langs/zh_TW/compta.lang @@ -19,7 +19,8 @@ Income=收入 Outcome=費用 MenuReportInOut=收入/支出 ReportInOut=Balance of income and expenses -ReportTurnover=營業額 +ReportTurnover=Turnover invoiced +ReportTurnoverCollected=Turnover collected PaymentsNotLinkedToInvoice=付款不鏈接到任何發票,所以無法與任何第三方 PaymentsNotLinkedToUser=付款不鏈接到任何用戶 Profit=利潤 @@ -77,7 +78,7 @@ MenuNewSocialContribution=New social/fiscal tax NewSocialContribution=New social/fiscal tax AddSocialContribution=Add social/fiscal tax ContributionsToPay=Social/fiscal taxes to pay -AccountancyTreasuryArea=財務/會計區 +AccountancyTreasuryArea=Billing and payment area NewPayment=新的支付 Payments=付款 PaymentCustomerInvoice=客戶付款發票 @@ -105,6 +106,7 @@ VATPayment=Sales tax payment VATPayments=Sales tax payments VATRefund=Sales tax refund NewVATPayment=New sales tax payment +NewLocalTaxPayment=New tax %s payment Refund=Refund SocialContributionsPayments=Social/fiscal taxes payments ShowVatPayment=顯示增值稅納稅 @@ -116,8 +118,9 @@ CustomerAccountancyCodeShort=Cust. account. code SupplierAccountancyCodeShort=Sup. account. code AccountNumber=帳號 NewAccountingAccount=新帳戶 -SalesTurnover=銷售營業額 -SalesTurnoverMinimum=Minimum sales turnover +Turnover=Turnover invoiced +TurnoverCollected=Turnover collected +SalesTurnoverMinimum=Minimum turnover ByExpenseIncome=By expenses & incomes ByThirdParties=布第三者 ByUserAuthorOfInvoice=筆者按發票 @@ -137,8 +140,8 @@ 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=Mode %sClaims-Debts%s said Commitment accounting. -CalcModeEngagement=Mode %sIncomes-Expenses%s said cash accounting +CalcModeDebt=Analysis of known recorded invoices 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 CalcModeLT1Debt=Mode %sRE on customer invoices%s @@ -151,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=見報告%sIncomes頭獎%據說占實際支付的現金計算所取得的 -SeeReportInDueDebtMode=見報告%sClaims -%s的債務承擔會計說發票計算的頒布 -SeeReportInBookkeepingMode=See report %sBookeeping%s for a calculation on bookkeeping table analysis +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 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 validation date of invoices and VAT and on the due date for expenses. 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. @@ -191,7 +194,7 @@ OptionVatInfoModuleComptabilite=註:對於實物資產,它應該使用的交 ThisIsAnEstimatedValue=This is a preview, based on business events and not from the final ledger table, so final results may differ from this preview values PercentOfInvoice=%%/發票 NotUsedForGoods=未使用的貨物 -ProposalStats=統計數據的建議 +ProposalStats=提案/建議書的統計 OrderStats=訂單統計 InvoiceStats=法案的統計數字 Dispatch=調度 @@ -213,13 +216,13 @@ InvoiceLinesToDispatch=Invoice lines to dispatch ByProductsAndServices=By product and service RefExt=External ref ToCreateAPredefinedInvoice=To create a template invoice, create a standard invoice, then, without validating it, click onto button "%s". -LinkedOrder=Link to order +LinkedOrder=連線到訂單 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 supplier, choose appropriate method to apply same calculation rule and get same result expected by your supplier. -TurnoverPerProductInCommitmentAccountingNotRelevant=The Turnover report per product, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). -TurnoverPerSaleTaxRateInCommitmentAccountingNotRelevant=The Turnover report per sale tax rate, when using a cash accounting mode is not relevant. This report is only available when using commitment accounting mode (see setup of accountancy module). +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. CalculationMode=Calculation mode AccountancyJournal=Accounting code journal ACCOUNTING_VAT_SOLD_ACCOUNT=Accounting account by default for VAT on sales (used if not defined on VAT dictionary setup) @@ -251,5 +254,6 @@ VATDue=Sale tax claimed ClaimedForThisPeriod=Claimed for the period PaidDuringThisPeriod=Paid during this period ByVatRate=By sale tax rate -TurnoverbyVatrate=Turnover by sale tax rate +TurnoverbyVatrate=Turnover invoiced by sale tax rate +TurnoverCollectedbyVatrate=Turnover collected by sale tax rate PurchasebyVatrate=Purchase by sale tax rate diff --git a/htdocs/langs/zh_TW/cron.lang b/htdocs/langs/zh_TW/cron.lang index bcfa4d2a335b6..63c4e9ba0d8fb 100644 --- a/htdocs/langs/zh_TW/cron.lang +++ b/htdocs/langs/zh_TW/cron.lang @@ -6,7 +6,7 @@ Permission23102 = 建立/更新預定工作 Permission23103 = 刪除預定工作 Permission23104 = 執行預定工作 # Admin -CronSetup= Scheduled job management setup +CronSetup=Scheduled job management setup 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 diff --git a/htdocs/langs/zh_TW/ecm.lang b/htdocs/langs/zh_TW/ecm.lang index 4f512e479cd73..fe14f4ebc96d4 100644 --- a/htdocs/langs/zh_TW/ecm.lang +++ b/htdocs/langs/zh_TW/ecm.lang @@ -25,7 +25,7 @@ ECMSectionOfDocuments=目錄中的文件 ECMTypeAuto=自動 ECMDocsBySocialContributions=Documents linked to social or fiscal taxes ECMDocsByThirdParties=文件鏈接到第三方 -ECMDocsByProposals=文件與建議 +ECMDocsByProposals=提案/建議書的文件 ECMDocsByOrders=文件鏈接到客戶的訂單 ECMDocsByContracts=文件與合約 ECMDocsByInvoices=文件與客戶發票 @@ -46,6 +46,5 @@ ECMSelectASection=Select a directory in the tree... DirNotSynchronizedSyncFirst=This directory seems to be created or modified outside ECM module. You must click on "Resync" button first to synchronize disk and database to get content of this directory. ReSyncListOfDir=Resync list of directories HashOfFileContent=Hash of file content -FileNotYetIndexedInDatabase=File not yet indexed into database (try to re-upload it) -FileSharedViaALink=File shared via a link NoDirectoriesFound=No directories found +FileNotYetIndexedInDatabase=File not yet indexed into database (try to re-upload it) diff --git a/htdocs/langs/zh_TW/errors.lang b/htdocs/langs/zh_TW/errors.lang index ca3ed90786b9a..0546500cf5b36 100644 --- a/htdocs/langs/zh_TW/errors.lang +++ b/htdocs/langs/zh_TW/errors.lang @@ -182,7 +182,7 @@ 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. +ErrorStockIsNotEnoughToAddProductOnProposal=產品 %s 庫存不足,增加此項到新的提案/建議書 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) diff --git a/htdocs/langs/zh_TW/holiday.lang b/htdocs/langs/zh_TW/holiday.lang index 3df277ecc7e55..d76910503b598 100644 --- a/htdocs/langs/zh_TW/holiday.lang +++ b/htdocs/langs/zh_TW/holiday.lang @@ -121,4 +121,4 @@ HolidaysCanceled=Canceled leaved request HolidaysCanceledBody=Your leave request for %s to %s has been canceled. FollowedByACounter=1: This type of leave need to be followed by a counter. Counter is incremented manually or automatically and when a leave request is validated, counter is decremented.
0: Not followed by a counter. NoLeaveWithCounterDefined=There is no leave types defined that need to be followed by a counter -GoIntoDictionaryHolidayTypes=Go into Home - Setup - Dictionaries - Type of leaves to setup the different types of leaves. +GoIntoDictionaryHolidayTypes=到 首頁 - 設定 - 各式分類 - 離職類型 設定不同離職類型。 diff --git a/htdocs/langs/zh_TW/install.lang b/htdocs/langs/zh_TW/install.lang index 6990058607301..2aa83d6dc0645 100644 --- a/htdocs/langs/zh_TW/install.lang +++ b/htdocs/langs/zh_TW/install.lang @@ -148,7 +148,7 @@ NothingToDo=Nothing to do MigrationFixData=修正了非規範化數據 MigrationOrder=數據遷移的客戶的訂單 MigrationSupplierOrder=Data migration for vendor's orders -MigrationProposal=數據遷移的商業建議 +MigrationProposal=商業提案/建議書的資料移轉 MigrationInvoice=數據遷移的客戶的發票 MigrationContract=數據遷移合同 MigrationSuccessfullUpdate=Upgrade successfull @@ -204,3 +204,7 @@ MigrationResetBlockedLog=Reset module BlockedLog for v7 algorithm ShowNotAvailableOptions=顯示不可用的選項 HideNotAvailableOptions= 隱藏不可用的選項 ErrorFoundDuringMigration=Error were reported during migration process so next step is not available. To ignore errors, you can click here, but application or some features may not work correctly until fixed. +YouTryInstallDisabledByDirLock=The application try to sefl upgrade, but install/upgrade pages have been disabled for security reason (directory renamed with .lock suffix).
+YouTryInstallDisabledByFileLock=The application try to sefl upgrade, but install/upgrade pages pages have been disabled for security reason (by lock file install.lock into dolibarr documents directory).
+ClickHereToGoToApp=Click here to go to your application +ClickOnLinkOrRemoveManualy=Click on following link and if you always reach this page, you must remove the file install.lock into documents directory manually diff --git a/htdocs/langs/zh_TW/main.lang b/htdocs/langs/zh_TW/main.lang index d45cd3da7fdf6..c04b711908348 100644 --- a/htdocs/langs/zh_TW/main.lang +++ b/htdocs/langs/zh_TW/main.lang @@ -27,7 +27,7 @@ DatabaseConnection=資料庫連線 NoTemplateDefined=此電子郵件類別沒有可用的範本 AvailableVariables=可用的替代變數 NoTranslation=無交易 -Translation=翻譯 +Translation=自助翻譯 NoRecordFound=沒有找到任何紀錄 NoRecordDeleted=沒有刪除記錄 NotEnoughDataYet=沒有足夠資料 @@ -50,7 +50,7 @@ ErrorFailedToSendMail=無法傳送郵件 (寄件人=%s、收件人=%s) ErrorFileNotUploaded=檔案沒有上傳。檢查檔案大小沒有超過可允許的最大值,即磁碟上的可用空間以及在此資料夾中有沒有相同檔案。 ErrorInternalErrorDetected=錯誤檢測 ErrorWrongHostParameter=錯誤的主機參數 -ErrorYourCountryIsNotDefined=您的國家是沒有定義。到首頁-設定-編輯和後再次填寫表單。 +ErrorYourCountryIsNotDefined=沒有定義您的國家。到首頁-設定-編輯和後再次填寫表單。 ErrorRecordIsUsedByChild=無法刪除此記錄。此記錄至少已使用到一個子記錄。 ErrorWrongValue=錯誤的值 ErrorWrongValueForParameterX=參數%s的錯誤值 @@ -92,7 +92,7 @@ DolibarrInHttpAuthenticationSoPasswordUseless=Dolibarr 認證模式是在編好 Administrator=管理員 Undefined=未定義 PasswordForgotten=忘記密碼? -NoAccount=No account? +NoAccount=沒有帳號? SeeAbove=見上文 HomeArea=首頁區 LastConnexion=最新一次連線 @@ -188,7 +188,7 @@ ToLink=連線 Select=選擇 Choose=選擇 Resize=調整大小 -ResizeOrCrop=Resize or Crop +ResizeOrCrop=調整大小或裁剪 Recenter=Recenter Author=作者 User=用戶 @@ -249,18 +249,18 @@ DateReference=參考日期 DateStart=開始日期 DateEnd=結束日期 DateCreation=建立日期 -DateCreationShort=建立日期 +DateCreationShort=建立日 DateModification=修改日期 -DateModificationShort=修改日期 +DateModificationShort=修改日 DateLastModification=最新修改日期 DateValidation=驗證日期 -DateClosing=截止日期 +DateClosing=結案日期 DateDue=截止日期 DateValue=值的日期 DateValueShort=值的日期 DateOperation=操作日期 -DateOperationShort=操作日期 -DateLimit=期限 +DateOperationShort=操作日 +DateLimit=期限日 DateRequest=申請日期 DateProcess=處理日期 DateBuild=報表產生日期 @@ -271,9 +271,9 @@ RegistrationDate=註冊日期 UserCreation=建立的用戶 UserModification=修改的用戶 UserValidation=驗證的用戶 -UserCreationShort=建立的用戶 -UserModificationShort=修改的用戶 -UserValidationShort=驗證的用戶 +UserCreationShort=建立者 +UserModificationShort=修改者 +UserValidationShort=驗證者 DurationYear=年 DurationMonth=月 DurationWeek=周 @@ -340,7 +340,7 @@ PriceUHTCurrency=單價(目前) PriceUTTC=單價(含稅) Amount=金額 AmountInvoice=發票金額 -AmountInvoiced=發票金額 +AmountInvoiced=已開發票金額 AmountPayment=付款金額 AmountHTShort=金額(淨值) AmountTTCShort=金額(含稅) @@ -363,8 +363,8 @@ PriceQtyMinHT=最低價格數量(稅後) PriceQtyMinHTCurrency=最低價格數量(稅後)(目前) Percentage=百分比 Total=總計 -SubTotal=銷售額合計 -TotalHTShort=金額 +SubTotal=小計 +TotalHTShort=金額(淨額) TotalHTShortCurrency=總計 (目前的淨值) TotalTTCShort=總計(含稅) TotalHT=金額合計(稅後) @@ -372,7 +372,7 @@ TotalHTforthispage=此頁總計(稅後) Totalforthispage=此頁總計 TotalTTC=金額總計(含稅) TotalTTCToYourCredit=信用額度(含稅) -TotalVAT=營業稅 +TotalVAT=總稅金 TotalVATIN=IGST 總計 TotalLT1=總稅金 2 TotalLT2=總稅金 3 @@ -398,85 +398,85 @@ LT1IN=CGST LT2IN=SGST VATRate=稅率 VATCode=稅率代碼 -VATNPR=Tax Rate NPR -DefaultTaxRate=Default tax rate +VATNPR=NPR 稅率 +DefaultTaxRate=預設稅率 Average=平均 Sum=總和 -Delta=三角洲 -RemainToPay=Remain to pay -Module=Module/Application -Modules=Modules/Applications +Delta=增額 +RemainToPay=保持付款 +Module=模組/應用程式 +Modules=各式模組/應用程式 Option=選項 -List=清單列表 -FullList=全部列表 +List=明細表 +FullList=全部明細表 Statistics=統計 OtherStatistics=其他統計 Status=狀態 -Favorite=Favorite -ShortInfo=Info. -Ref=編號 -ExternalRef=Ref. extern -RefSupplier=Ref. vendor -RefPayment=付款號 -CommercialProposalsShort=報價單 +Favorite=最愛 +ShortInfo=資訊 +Ref=參考號 +ExternalRef=參考的外部 +RefSupplier=參考的供應商 +RefPayment=參考的付款資訊 +CommercialProposalsShort=商業建議及提案 Comment=註解 Comments=註解 -ActionsToDo=這樣的行動 -ActionsToDoShort=要做到 +ActionsToDo=待辦事件 +ActionsToDoShort=待辦 ActionsDoneShort=完成 ActionNotApplicable=不適用 -ActionRunningNotStarted=未開始 -ActionRunningShort=In progress -ActionDoneShort=成品 -ActionUncomplete=Uncomplete -LatestLinkedEvents=Latest %s linked events -CompanyFoundation=Company/Organization -Accountant=Accountant -ContactsForCompany=聯系方式/不會忽略這個第三者 -ContactsAddressesForCompany=此客戶(供應商)的聯絡人及地址清單 -AddressesForCompany=Addresses for this third party -ActionsOnCompany=關於這個第三方的行動 -ActionsOnMember=有關此成員的活動 -ActionsOnProduct=Events about this product +ActionRunningNotStarted=從頭開始 +ActionRunningShort=進行中 +ActionDoneShort=已完成 +ActionUncomplete=尚未完成 +LatestLinkedEvents=最新 %s 已連結的事件 +CompanyFoundation=公司/組織 +Accountant=會計人員 +ContactsForCompany=此合作方的通訊錄 +ContactsAddressesForCompany=此合作方的通訊錄及地址 +AddressesForCompany=此合作方的地址 +ActionsOnCompany=此合作方的各種事件 +ActionsOnMember=此會員的各種事件 +ActionsOnProduct=此產品的各種事件 NActionsLate=%s的後期 -ToDo=要做到 -Completed=Completed -Running=In progress -RequestAlreadyDone=Request already recorded +ToDo=待辦 +Completed=已完成 +Running=進行中 +RequestAlreadyDone=請求已經記錄 Filter=篩選器 -FilterOnInto=Search criteria '%s' into fields %s +FilterOnInto=尋找準則 '%s' 放到欄位 %s RemoveFilter=刪除篩選器 -ChartGenerated=圖表生成 -ChartNotGenerated=圖不會生成 +ChartGenerated=產生圖表 +ChartNotGenerated=不會產生圖表 GeneratedOn=建立於%s Generate=產生 Duration=為期 TotalDuration=總時間 Summary=摘要 -DolibarrStateBoard=Database statistics -DolibarrWorkBoard=Open items dashboard -NoOpenedElementToProcess=No opened element to process +DolibarrStateBoard=資料庫統計 +DolibarrWorkBoard=開放項目儀表板 +NoOpenedElementToProcess=沒有已開放元件要處理 Available=可用的 -NotYetAvailable=尚未提供 -NotAvailable=不適用 -Categories=Tags/categories -Category=Tag/category +NotYetAvailable=尚不可用 +NotAvailable=無法使用 +Categories=標籤/各式類別 +Category=標籤/類別 By=由 -From=From +From=從 to=至 and=和 or=或 Other=其他 Others=其他 -OtherInformations=其它信息 +OtherInformations=其他信息 Quantity=數量 -Qty=數量 +Qty=量 ChangedBy=修改者 ApprovedBy=核准者 -ApprovedBy2=Approved by (second approval) -Approved=Approved -Refused=Refused -ReCalculate=Recalculate +ApprovedBy2=核准者(第二次核准) +Approved=核准 +Refused=已拒絕 +ReCalculate=重新計算 ResultKo=失敗 Reporting=報告 Reportings=報表 @@ -490,33 +490,34 @@ Discount=折扣 Unknown=未知 General=一般 Size=大小 -OriginalSize=Original size +OriginalSize=組織大小 Received=已收到 Paid=已支付 -Topic=Subject -ByCompanies=由第三方 -ByUsers=By user -Links=鏈接 -Link=鏈接 +Topic=主旨 +ByCompanies=依合作方 +ByUsers=依用戶 +Links=連結 +Link=連線 Rejects=拒絕 Preview=預覽 NextStep=下一步 -Datas=數據 +Datas=資料 None=無 NoneF=無 -NoneOrSeveral=None or several +NoneOrSeveral=沒有或幾個 Late=最新 -LateDesc=Delay to define if a record is late or not depends on your setup. Ask your admin to change delay from menu Home - Setup - Alerts. +LateDesc=延遲定義記錄是否延遲取決於您的設定。 詢問您的管理員如何從主頁的選單 - 設定 - 警告更改延遲。 +NoItemLate=No late item Photo=圖片 Photos=圖片 AddPhoto=添加圖片 -DeletePicture=Picture delete -ConfirmDeletePicture=Confirm picture deletion? -Login=註冊 -LoginEmail=Login (email) -LoginOrEmail=Login or Email -CurrentLogin=當前登錄 -EnterLoginDetail=Enter login details +DeletePicture=刪除圖片 +ConfirmDeletePicture=確認刪除圖片? +Login=註入 +LoginEmail=登入(電子郵件) +LoginOrEmail=登入/電子郵件 +CurrentLogin=當前登入 +EnterLoginDetail=輸入登入詳細資料 January=一月 February=二月 March=三月 @@ -578,158 +579,158 @@ MonthVeryShort10=O MonthVeryShort11=N MonthVeryShort12=D AttachedFiles=附加檔案和文件 -JoinMainDoc=Join main document -DateFormatYYYYMM=為YYYY - MM -DateFormatYYYYMMDD=為YYYY - MM - dd的 -DateFormatYYYYMMDDHHMM=為YYYY - MM - dd +JoinMainDoc=加入主文件 +DateFormatYYYYMM=YYYY - MM +DateFormatYYYYMMDD=YYYY - MM - DD +DateFormatYYYYMMDDHHMM=YYYY - MM - DD HH:SS ReportName=報告名稱 -ReportPeriod=報告期內 +ReportPeriod=報告期間 ReportDescription=描述 Report=報告 -Keyword=Keyword -Origin=Origin +Keyword=關鍵字 +Origin=原來 Legend=傳說 -Fill=Fill -Reset=Reset +Fill=填入 +Reset=重設 File=檔案 -Files=檔案 +Files=各式檔案 NotAllowed=不允許 ReadPermissionNotAllowed=讀取權限不允許 AmountInCurrency=金額 %s -Example=範例說明 -Examples=範例 +Example=範例 +Examples=各式範例 NoExample=沒有範例 FindBug=報告錯誤 -NbOfThirdParties=客戶/供應商數 +NbOfThirdParties=合作方數量 NbOfLines=行數 -NbOfObjects=物件數 -NbOfObjectReferers=Number of related items -Referers=Related items +NbOfObjects=物件數量 +NbOfObjectReferers=相關項目數量 +Referers=各種相關項目 TotalQuantity=總數量 DateFromTo=從%s到%s -DateFrom=第05期從%s -DateUntil=直到%s的 -Check=支票 -Uncheck=Uncheck +DateFrom=從%s +DateUntil=直到%s +Check=確認 +Uncheck=未確認 Internal=內部 -External=非內部 +External=外部 Internals=內部 -Externals=非內部 +Externals=外部 Warning=警告 -Warnings=警告 -BuildDoc=建立督 -Entity=實體 +Warnings=各式警告 +BuildDoc=建立文件 +Entity=環境 Entities=實體 CustomerPreview=客戶預覽資訊 -SupplierPreview=Vendor preview +SupplierPreview=供應商預覽 ShowCustomerPreview=顯示客戶預覽資訊 -ShowSupplierPreview=Show vendor preview -RefCustomer=客戶的訂單號 +ShowSupplierPreview=顯示供應商預覽 +RefCustomer=參考值的客戶 Currency=貨幣 InfoAdmin=資訊管理員 Undo=復原 -Redo=重做 +Redo=再做一次 ExpandAll=全部展開 -UndoExpandAll=撤消擴大 -SeeAll=See all +UndoExpandAll=合併 +SeeAll=查看全部 Reason=理由 FeatureNotYetSupported=功能尚不支持 CloseWindow=關閉視窗 Response=反應 Priority=優先 -SendByMail=通過電子郵件發送 -MailSentBy=通過電子郵件發送 +SendByMail=透過電子郵件傳送 +MailSentBy=電子郵件傳送自 TextUsedInTheMessageBody=電子郵件正文 -SendAcknowledgementByMail=Send confirmation email -SendMail=發送電子郵件 -EMail=E-mail +SendAcknowledgementByMail=傳送確認電子郵件 +SendMail=傳送電子郵件 +EMail=電子郵件 NoEMail=沒有電子郵件 Email=電子郵件 -NoMobilePhone=No mobile phone -Owner=業主 -FollowingConstantsWillBeSubstituted=以下常量將與相應的值代替。 +NoMobilePhone=沒有手機 +Owner=擁有者 +FollowingConstantsWillBeSubstituted=接下來常數將代替相對應的值。 Refresh=重新整理 -BackToList=返回列表 -GoBack=回去 +BackToList=返回明細表 +GoBack=返回 CanBeModifiedIfOk=可以被修改(如果值有效) CanBeModifiedIfKo=可以被修改(如果值無效) ValueIsValid=值是有效的 -ValueIsNotValid=Value is not valid -RecordCreatedSuccessfully=Record created successfully -RecordModifiedSuccessfully=記錄修改成功 -RecordsModified=%s record modified -RecordsDeleted=%s record deleted +ValueIsNotValid=值是無效的 +RecordCreatedSuccessfully=成功地建立記錄 +RecordModifiedSuccessfully=成功地修改記錄 +RecordsModified=%s記錄已修改 +RecordsDeleted=%s記錄已刪除 AutomaticCode=自動產生代碼 -FeatureDisabled=功能禁用 -MoveBox=Move widget +FeatureDisabled=禁用功能 +MoveBox=移動小工具 Offered=提供 NotEnoughPermissions=您沒有這個動作的權限 -SessionName=會議名稱 +SessionName=連線階段名稱 Method=方法 Receive=收到 -CompleteOrNoMoreReceptionExpected=Complete or nothing more expected -ExpectedValue=Expected Value +CompleteOrNoMoreReceptionExpected=完成或沒有更多的預期 +ExpectedValue=期望值 CurrentValue=當前值 PartialWoman=部分 TotalWoman=全部 NeverReceived=從未收到 Canceled=取消 -YouCanChangeValuesForThisListFromDictionarySetup=You can change values for this list from menu Setup - Dictionaries -YouCanChangeValuesForThisListFrom=You can change values for this list from menu %s -YouCanSetDefaultValueInModuleSetup=You can set the default value used when creating a new record into module setup +YouCanChangeValuesForThisListFromDictionarySetup=您可從選單「設定-各式分類」改變此明細表的值 +YouCanChangeValuesForThisListFrom=您可從選單 %s 修改此明細表的值 +YouCanSetDefaultValueInModuleSetup=當建立一筆新記錄時您可以在設定模組中設定要使用的預設值 Color=彩色 Documents=附加檔案 Documents2=文件 -UploadDisabled=上傳禁用 -MenuAccountancy=Accounting +UploadDisabled=禁用上傳 +MenuAccountancy=會計 MenuECM=文件 -MenuAWStats=awstats的 -MenuMembers=成員 -MenuAgendaGoogle=谷歌議程 -ThisLimitIsDefinedInSetup=Dolibarr限制(菜單家庭安裝安全):%s的Kb的,PHP的限制:%s的Kb的 -NoFileFound=沒有任何檔案或文件 -CurrentUserLanguage=當前語言 -CurrentTheme=當前主題 -CurrentMenuManager=Current menu manager +MenuAWStats=AWStats 軟體 +MenuMembers=會員 +MenuAgendaGoogle=Google 行事曆 +ThisLimitIsDefinedInSetup=Dolibarr 的限制(選單 首頁 - 設定 - 安全): %s Kb, PHP的限制:%s Kb +NoFileFound=此資料夾沒有任何檔案或文件 +CurrentUserLanguage=目前語言 +CurrentTheme=目前主題 +CurrentMenuManager=目前選單管理器 Browser=瀏覽器 -Layout=Layout -Screen=Screen +Layout=佈置 +Screen=蟇幕 DisabledModules=禁用模組 For=為 ForCustomer=客戶 Signature=電子郵件簽名 -DateOfSignature=Date of signature -HidePassword=隱藏密碼 -UnHidePassword=顯示密碼 +DateOfSignature=簽名日期 +HidePassword=顯示命令時隱藏密碼 +UnHidePassword=顯示實際命令時顯示密碼 Root=根目錄 Informations=資訊 Page=頁面 Notes=備註 -AddNewLine=新增項目 +AddNewLine=新增一行 AddFile=新增檔案 -FreeZone=Not a predefined product/service -FreeLineOfType=Not a predefined entry of type -CloneMainAttributes=複製的對象,其主要屬性 +FreeZone=沒有預先定義的產品/服務 +FreeLineOfType=沒有預先定義的輸入類型 +CloneMainAttributes=完整複製物件時複製主要屬性 PDFMerge=合併PDF Merge=合併 -DocumentModelStandardPDF=Standard PDF template -PrintContentArea=全螢幕顯示資訊區 -MenuManager=Menu manager -WarningYouAreInMaintenanceMode=警告,你是在維護模式,因此,只有登錄%s是允許使用在目前的應用。 +DocumentModelStandardPDF=標準 PDF 範本 +PrintContentArea=顯示頁面列印的主要內容區域 +MenuManager=選單管理器 +WarningYouAreInMaintenanceMode=警告,您在維護模式,因此目前只能允許登入%s及使用應用程式。 CoreErrorTitle=系統錯誤 -CoreErrorMessage=Sorry, an error occurred. Contact your system administrator to check the logs or disable $dolibarr_main_prod=1 to get more information. +CoreErrorMessage=很抱歉,產生錯誤。連絡您系統管理員以確認記錄檔或禁用 $dolibarr_main_prod=1 取得更多資訊。 CreditCard=信用卡 ValidatePayment=驗證付款 -CreditOrDebitCard=Credit or debit card -FieldsWithAreMandatory=與%或學科是強制性 -FieldsWithIsForPublic=%與 s域的成員顯示在公開名單。如果你不想要這個,檢查“公共”框。 -AccordingToGeoIPDatabase=(根據geoip的轉換) +CreditOrDebitCard=信用或金融卡 +FieldsWithAreMandatory=%s的欄位是強制性 +FieldsWithIsForPublic=在公開會員明細表中 %s 的欄位是顯示。如果你不想要顯示,檢查“公共”盒並關閉。 +AccordingToGeoIPDatabase=(根據 GeoIP 的轉換) Line=線 NotSupported=不支持 -RequiredField=必填字段 +RequiredField=必填欄位 Result=結果 ToTest=測試 -ValidateBefore=卡在使用之前必須經過驗證此功能 +ValidateBefore=卡片在使用之前必須經過驗證此功能 Visibility=能見度 Private=私人 Hidden=隱蔽 @@ -738,138 +739,138 @@ Source=來源 Prefix=字首 Before=前 After=後 -IPAddress=IP地址 +IPAddress=IP 地址 Frequency=頻率 IM=即時通訊軟體 NewAttribute=新屬性 AttributeCode=屬性代碼 -URLPhoto=照片的URL -SetLinkToAnotherThirdParty=鏈接到另一個第三方 -LinkTo=Link to -LinkToProposal=Link to proposal -LinkToOrder=Link to order -LinkToInvoice=Link to invoice -LinkToSupplierOrder=Link to supplier order -LinkToSupplierProposal=Link to supplier proposal -LinkToSupplierInvoice=Link to supplier invoice -LinkToContract=Link to contract -LinkToIntervention=Link to intervention +URLPhoto=照片/標誌的 URL +SetLinkToAnotherThirdParty=連線到另一個合作方 +LinkTo=連線到 +LinkToProposal=連線到報價單/提案/建議書 +LinkToOrder=連線到訂單 +LinkToInvoice=連線到發票 +LinkToSupplierOrder=連線到供應商訂單 +LinkToSupplierProposal=連線到供應商報價/提案/建議書 +LinkToSupplierInvoice=連線到供應商發票 +LinkToContract=連線到合約 +LinkToIntervention=連線到干預 CreateDraft=建立草稿 -SetToDraft=Back to draft -ClickToEdit=單擊“編輯” -EditWithEditor=Edit with CKEditor -EditWithTextEditor=Edit with Text editor -EditHTMLSource=Edit HTML Source -ObjectDeleted=刪除對象%s -ByCountry=按國家 -ByTown=由鎮 -ByDate=按日期 -ByMonthYear=按月/年 -ByYear=在今年 +SetToDraft=回到草稿 +ClickToEdit=點擊後“編輯” +EditWithEditor=用 CKEditor 編輯 +EditWithTextEditor=用文字編輯器編輯 +EditHTMLSource=編輯 HTML 來源檔 +ObjectDeleted=刪除物件 %s +ByCountry=依國家 +ByTown=依鄉鎮市區 +ByDate=依日期 +ByMonthYear=依月/年 +ByYear=依年 ByMonth=按月份 -ByDay=白天 -BySalesRepresentative=按業務 -LinkedToSpecificUsers=Linked to a particular user contact -NoResults=No results -AdminTools=Admin tools -SystemTools=System tools -ModulesSystemTools=Modules tools -Test=Test -Element=Element -NoPhotoYet=No pictures available yet -Dashboard=Dashboard -MyDashboard=My dashboard -Deductible=Deductible +ByDay=依日期 +BySalesRepresentative=依業務代表 +LinkedToSpecificUsers=連線到特定用戶連絡人 +NoResults=無結果 +AdminTools=管理者工具 +SystemTools=系統工具 +ModulesSystemTools=模組工具 +Test=測試 +Element=元件 +NoPhotoYet=還沒有圖片 +Dashboard=儀表板 +MyDashboard=我的儀表板 +Deductible=免賠額 from=從 toward=toward -Access=Access -SelectAction=Select action -SelectTargetUser=Select target user/employee -HelpCopyToClipboard=按 Ctrl+C 複製 -SaveUploadedFileWithMask=Save file on server with name "%s" (otherwise "%s") +Access=存取 +SelectAction=選擇行動 +SelectTargetUser=選擇目標用戶/員工 +HelpCopyToClipboard=按 Ctrl+C 複製到剪貼簿 +SaveUploadedFileWithMask=以 "%s"名稱儲存檔案到伺服器上 (否則用 "%s") OriginFileName=原始檔名 SetDemandReason=設定來源 SetBankAccount=定義銀行帳號 -AccountCurrency=Account currency -ViewPrivateNote=View notes -XMoreLines=%s line(s) hidden -ShowMoreLines=Show more/less lines +AccountCurrency=帳戶幣別 +ViewPrivateNote=檢視備註 +XMoreLines=%s 行(數)被隱藏 +ShowMoreLines=顯示更多/更少行數 PublicUrl=公開網址 -AddBox=Add box -SelectElementAndClick=Select an element and click %s +AddBox=增加盒子 +SelectElementAndClick=選擇元件及點選 %s PrintFile=列印檔案 %s -ShowTransaction=Show entry on bank account -ShowIntervention=展幹預 -ShowContract=查看合同 -GoIntoSetupToChangeLogo=Go into Home - Setup - Company to change logo or go into Home - Setup - Display to hide. +ShowTransaction=在銀行帳戶中顯示交易 +ShowIntervention=顯示干預 +ShowContract=顯示合約 +GoIntoSetupToChangeLogo=移到首頁 - 設定 - 公司 以變更標誌或是移到 首頁 - 設定 - 顯示 中隱藏 Deny=拒絕 Denied=拒絕 -ListOf=List of %s -ListOfTemplates=範本列表 +ListOf=%s 的明細表 +ListOfTemplates=範本明細表 Gender=性別 Genderman=男 Genderwoman=女 -ViewList=List view +ViewList=列示檢視 Mandatory=必要 -Hello=Hello -GoodBye=GoodBye +Hello=哈囉 +GoodBye=再見 Sincerely=敬祝商祺 -DeleteLine=Delete line -ConfirmDeleteLine=Are you sure you want to delete this line? -NoPDFAvailableForDocGenAmongChecked=No PDF were available for the document generation among checked record -TooManyRecordForMassAction=Too many record selected for mass action. The action is restricted to a list of %s record. -NoRecordSelected=No record selected -MassFilesArea=Area for files built by mass actions -ShowTempMassFilesArea=Show area of files built by mass actions -ConfirmMassDeletion=Bulk delete confirmation -ConfirmMassDeletionQuestion=Are you sure you want to delete the %s selected record ? -RelatedObjects=Related Objects +DeleteLine=刪除行 +ConfirmDeleteLine=您認定您要刪除此行嗎? +NoPDFAvailableForDocGenAmongChecked=在確定記錄的中沒有可用的 PDF 可以產生文件 +TooManyRecordForMassAction=大量行動選取了記錄。該操作僅限於 %s 記錄明細表。 +NoRecordSelected=沒有記錄被選取 +MassFilesArea=透過大量操作構建的文件區域 +ShowTempMassFilesArea=顯示透過大量操作構建的文件區域 +ConfirmMassDeletion=大量刪除確認 +ConfirmMassDeletionQuestion=您確定您要刪除 %s 的記錄? +RelatedObjects=相關物件 ClassifyBilled=分類計費 -ClassifyUnbilled=Classify unbilled +ClassifyUnbilled=分類未開單 Progress=進展 -FrontOffice=Front office +FrontOffice=前面辦公室 BackOffice=回到辦公室 -View=View -Export=Export -Exports=Exports -ExportFilteredList=Export filtered list -ExportList=Export list +View=檢視 +Export=匯出 +Exports=各式匯出 +ExportFilteredList=匯出篩選的明細表 +ExportList=匯出明細表 ExportOptions=匯出選項 Miscellaneous=雜項 -Calendar=日歷 -GroupBy=Group by... -ViewFlatList=View flat list -RemoveString=Remove string '%s' -SomeTranslationAreUncomplete=Some languages may be partially translated or may contains errors. If you detect some, you can fix language files registering to https://transifex.com/projects/p/dolibarr/. -DirectDownloadLink=Direct download link (public/external) -DirectDownloadInternalLink=Direct download link (need to be logged and need permissions) -Download=Download -DownloadDocument=Download document -ActualizeCurrency=Update currency rate -Fiscalyear=Fiscal year -ModuleBuilder=Module Builder -SetMultiCurrencyCode=Set currency -BulkActions=Bulk actions -ClickToShowHelp=Click to show tooltip help -WebSite=Web site -WebSites=Web sites -WebSiteAccounts=Web site accounts -ExpenseReport=差旅報表 -ExpenseReports=差旅報表 -HR=HR -HRAndBank=HR and Bank -AutomaticallyCalculated=Automatically calculated -TitleSetToDraft=Go back to draft -ConfirmSetToDraft=Are you sure you want to go back to Draft status ? -ImportId=Import id -Events=活動 +Calendar=日曆 +GroupBy=群組依... +ViewFlatList=大圖示明細表 +RemoveString=移除字串‘%s’ +SomeTranslationAreUncomplete=某些語言可能已翻譯部分或可能包含錯誤。若您發現了,可在 https://transifex.com/projects/p/dolibarr/註冊並修改語言檔。 +DirectDownloadLink=直接下載的連線(公開/外部) +DirectDownloadInternalLink=直接下載的連線(需要登入及存取權限) +Download=下載 +DownloadDocument=下載文件 +ActualizeCurrency=更新匯率 +Fiscalyear=會計年度 +ModuleBuilder=模組建立者 +SetMultiCurrencyCode=設定幣別 +BulkActions=大量動作 +ClickToShowHelp=點一下顯示工具提示 +WebSite=網站 +WebSites=各式網站 +WebSiteAccounts=網站帳號 +ExpenseReport=費用報表 +ExpenseReports=費用報表 +HR=人資 +HRAndBank=人資與銀行 +AutomaticallyCalculated=自動計算 +TitleSetToDraft=回到草稿 +ConfirmSetToDraft=您確定您要回到草稿狀態? +ImportId=輸入ID +Events=事件 EMailTemplates=Email 的範本 -FileNotShared=File not shared to exernal public -Project=項目 -Projects=Projects +FileNotShared=檔案沒有分享到外部 +Project=專案 +Projects=各式專案 Rights=權限 -LineNb=Line no. -IncotermLabel=Incoterms +LineNb=行數號 +IncotermLabel=交易條件 # Week day Monday=星期一 Tuesday=星期二 @@ -899,49 +900,51 @@ ShortThursday=Th ShortFriday=Fr ShortSaturday=Sa ShortSunday=Su -SelectMailModel=Select an email template -SetRef=Set ref -Select2ResultFoundUseArrows=Some results found. Use arrows to select. -Select2NotFound=No result found -Select2Enter=Enter -Select2MoreCharacter=or more character -Select2MoreCharacters=or more characters -Select2MoreCharactersMore=Search syntax:
| OR (a|b)
* Any character (a*b)
^ Start with (^ab)
$ End with (ab$)
-Select2LoadingMoreResults=Loading more results... -Select2SearchInProgress=Search in progress... -SearchIntoThirdparties=第三方 -SearchIntoContacts=Contacts -SearchIntoMembers=Members -SearchIntoUsers=Users -SearchIntoProductsOrServices=Products or services -SearchIntoProjects=Projects +SelectMailModel=選擇一個電子郵件範本 +SetRef=設定參考 +Select2ResultFoundUseArrows=找到某些結果。使用箭頭選擇。 +Select2NotFound=結果沒有找到 +Select2Enter=輸入 +Select2MoreCharacter=或是更多字元 +Select2MoreCharacters=或是更多字元 +Select2MoreCharactersMore=尋找語法:
| (a|b)
* 任何字元 (a*b)
^ 開始為 (^ab)
$ 結尾為 (ab$)
+Select2LoadingMoreResults=載入更多的結果... +Select2SearchInProgress=搜尋進行中... +SearchIntoThirdparties=合作方 +SearchIntoContacts=通訊錄 +SearchIntoMembers=會員 +SearchIntoUsers=用戶 +SearchIntoProductsOrServices=產品或服務 +SearchIntoProjects=專案 SearchIntoTasks=任務 -SearchIntoCustomerInvoices=Customer invoices +SearchIntoCustomerInvoices=客戶發票 SearchIntoSupplierInvoices=供應商發票 -SearchIntoCustomerOrders=Customer orders +SearchIntoCustomerOrders=客戶訂單 SearchIntoSupplierOrders=採購訂單 -SearchIntoCustomerProposals=Customer proposals -SearchIntoSupplierProposals=Vendor proposals -SearchIntoInterventions=Interventions -SearchIntoContracts=Contracts -SearchIntoCustomerShipments=Customer shipments -SearchIntoExpenseReports=Expense reports +SearchIntoCustomerProposals=客戶提案/建議書 +SearchIntoSupplierProposals=供應商提案/建議書 +SearchIntoInterventions=干預/介入 +SearchIntoContracts=合約 +SearchIntoCustomerShipments=客戶關係 +SearchIntoExpenseReports=費用報表 SearchIntoLeaves=休假 CommentLink=註解 -NbComments=Number of comments -CommentPage=Comments space -CommentAdded=Comment added -CommentDeleted=Comment deleted +NbComments=註解數 +CommentPage=註解空間 +CommentAdded=註解已新增 +CommentDeleted=註解已刪除 Everybody=每個人 -PayedBy=Payed by -PayedTo=Payed to -Monthly=Monthly -Quarterly=Quarterly -Annual=Annual -Local=Local -Remote=Remote -LocalAndRemote=Local and Remote -KeyboardShortcut=Keyboard shortcut +PayedBy=由誰付款 +PayedTo=付款給 +Monthly=每月 +Quarterly=每季 +Annual=每年 +Local=本地 +Remote=遠端 +LocalAndRemote=本地與遠端 +KeyboardShortcut=鍵盤快捷鍵 AssignedTo=指定給 -Deletedraft=Delete draft -ConfirmMassDraftDeletion=Draft Bulk delete confirmation +Deletedraft=刪除草稿 +ConfirmMassDraftDeletion=草稿大量刪除確認 +FileSharedViaALink=透過連線分享檔案 + diff --git a/htdocs/langs/zh_TW/modulebuilder.lang b/htdocs/langs/zh_TW/modulebuilder.lang index a3fee23cb53b5..9d6661eda41d6 100644 --- a/htdocs/langs/zh_TW/modulebuilder.lang +++ b/htdocs/langs/zh_TW/modulebuilder.lang @@ -74,6 +74,7 @@ NoWidget=No widget GoToApiExplorer=Go to API explorer ListOfMenusEntries=List of menu entries ListOfPermissionsDefined=List of defined permissions +SeeExamples=See examples here EnabledDesc=Condition to have this field active (Examples: 1 or $conf->global->MYMODULE_MYOPTION) VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only. Using a negative value means field is not shown by default on list but can be selected for viewing) IsAMeasureDesc=Can the value of field be cumulated to get a total into list ? (Examples: 1 or 0) @@ -95,3 +96,6 @@ DropTableIfEmpty=(Delete table if empty) TableDoesNotExists=The table %s does not exists TableDropped=Table %s deleted InitStructureFromExistingTable=Build the structure array string of an existing table +UseAboutPage=Disallow the about page +UseDocFolder=Disallow the documentation folder +UseSpecificReadme=Use a specific ReadMe diff --git a/htdocs/langs/zh_TW/other.lang b/htdocs/langs/zh_TW/other.lang index b0c94e2f44a2f..2a7b0282b2b3c 100644 --- a/htdocs/langs/zh_TW/other.lang +++ b/htdocs/langs/zh_TW/other.lang @@ -40,10 +40,10 @@ Notify_ORDER_SUPPLIER_SENTBYMAIL=通過郵件發送的供應商的訂單 Notify_ORDER_SUPPLIER_VALIDATE=Supplier order recorded Notify_ORDER_SUPPLIER_APPROVE=供應商為了批準 Notify_ORDER_SUPPLIER_REFUSE=供應商的訂單被拒絕 -Notify_PROPAL_VALIDATE=驗證客戶的建議 +Notify_PROPAL_VALIDATE=驗證客戶的客戶提案/建議書 Notify_PROPAL_CLOSE_SIGNED=Customer propal closed signed Notify_PROPAL_CLOSE_REFUSED=Customer propal closed refused -Notify_PROPAL_SENTBYMAIL=通過郵件發送的商業提案 +Notify_PROPAL_SENTBYMAIL=通過郵件發送的商業提案/建議書 Notify_WITHDRAW_TRANSMIT=傳輸撤軍 Notify_WITHDRAW_CREDIT=信貸撤離 Notify_WITHDRAW_EMIT=執行撤離 @@ -80,8 +80,8 @@ LinkedObject=鏈接對象 NbOfActiveNotifications=Number of notifications (nb of recipient emails) PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe two lines are separated by a carriage return.\n\n__USER_SIGNATURE__ PredefinedMailTestHtml=__(Hello)__\nThis is a test mail (the word test must be in bold).
The two lines are separated by a carriage return.

__USER_SIGNATURE__ -PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\nThis is the link to make your online payment if this invoice is not already payed:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\nThis is the link to make your online payment:\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoice=__(Hello)__\n\nYou will find here the invoice __REF__\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to warn you that the invoice __REF__ seems to not be payed. So this is the invoice in attachment again, as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendProposal=__(Hello)__\n\nYou will find here the commercial proposal __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendSupplierProposal=__(Hello)__\n\nYou will find here the price request __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentSendOrder=__(Hello)__\n\nYou will find here the order __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ @@ -91,6 +91,7 @@ PredefinedMailContentSendShipping=__(Hello)__\n\nYou will find here the shipping PredefinedMailContentSendFichInter=__(Hello)__\n\nYou will find here the intervention __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentThirdparty=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentUser=__(Hello)__\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 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) @@ -172,23 +173,23 @@ ProfIdShortDesc=教授ID為%s是一個國家的信息取決於第三方 DolibarrDemo=Dolibarr的ERP / CRM的演示 StatsByNumberOfUnits=Statistics for sum of qty of products/services StatsByNumberOfEntities=Statistics in number of referring entities (nb of invoice, or order...) -NumberOfProposals=Number of proposals +NumberOfProposals=提案/建議書的數量 NumberOfCustomerOrders=Number of customer orders NumberOfCustomerInvoices=Number of customer invoices -NumberOfSupplierProposals=Number of supplier proposals +NumberOfSupplierProposals=供應商提案/建議書的數量 NumberOfSupplierOrders=Number of supplier orders NumberOfSupplierInvoices=Number of supplier invoices -NumberOfUnitsProposals=Number of units on proposals +NumberOfUnitsProposals=提案/建議書的單位數量 NumberOfUnitsCustomerOrders=Number of units on customer orders NumberOfUnitsCustomerInvoices=Number of units on customer invoices -NumberOfUnitsSupplierProposals=Number of units on supplier proposals +NumberOfUnitsSupplierProposals=供應商提案/建議書的單位數量 NumberOfUnitsSupplierOrders=Number of units on supplier orders NumberOfUnitsSupplierInvoices=Number of units on supplier invoices EMailTextInterventionAddedContact=A newintervention %s has been assigned to you. EMailTextInterventionValidated=幹預%s已被驗證。 EMailTextInvoiceValidated=發票%s已被確認。 -EMailTextProposalValidated=這項建議%s已經驗證。 -EMailTextProposalClosedSigned=The proposal %s has been closed signed. +EMailTextProposalValidated=此提案/建議書 %s 已經驗證。 +EMailTextProposalClosedSigned=此提案/建議書 %s 已結束簽約。 EMailTextOrderValidated=該命令%s已被驗證。 EMailTextOrderApproved=該命令%s已被批準。 EMailTextOrderValidatedBy=The order %s has been recorded by %s. @@ -218,7 +219,7 @@ FileIsTooBig=文件過大 PleaseBePatient=請耐心等待... NewPassword=New password ResetPassword=Reset password -RequestToResetPasswordReceived=A request to change your password has been received +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 diff --git a/htdocs/langs/zh_TW/paypal.lang b/htdocs/langs/zh_TW/paypal.lang index 1882ef50dd790..71e430a299338 100644 --- a/htdocs/langs/zh_TW/paypal.lang +++ b/htdocs/langs/zh_TW/paypal.lang @@ -14,7 +14,6 @@ PaypalModeOnlyPaypal=PayPal only ONLINE_PAYMENT_CSS_URL=Optionnal URL of CSS style sheet on online payment page ThisIsTransactionId=這是交易編號:%s PAYPAL_ADD_PAYMENT_URL=當你郵寄一份文件,添加URL Paypal付款 -PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.

%s

YouAreCurrentlyInSandboxMode=You are currently in the %s "sandbox" mode NewOnlinePaymentReceived=New online payment received NewOnlinePaymentFailed=New online payment tried but failed diff --git a/htdocs/langs/zh_TW/products.lang b/htdocs/langs/zh_TW/products.lang index fb4db10f38d64..c9d87b7ec63b8 100644 --- a/htdocs/langs/zh_TW/products.lang +++ b/htdocs/langs/zh_TW/products.lang @@ -93,7 +93,7 @@ BarCode=條碼 BarcodeType=條碼類型 SetDefaultBarcodeType=設定條碼類型 BarcodeValue=條碼值 -NoteNotVisibleOnBill=註解(不會在發票或提案上顯示) +NoteNotVisibleOnBill=註解(不會在發票或提案/建議書上顯示) ServiceLimitedDuration=如果產品是一種有期限的服務,請指定服務周期: MultiPricesAbility=Several segment of prices per product/service (each customer is in one segment) MultiPricesNumPrices=多種價格的數量 @@ -251,8 +251,8 @@ PriceNumeric=Number DefaultPrice=Default price ComposedProductIncDecStock=Increase/Decrease stock on parent change ComposedProduct=Sub-product -MinSupplierPrice=Minimum supplier price -MinCustomerPrice=Minimum customer price +MinSupplierPrice=最低採購價格 +MinCustomerPrice=Minimum selling price DynamicPriceConfiguration=Dynamic price configuration DynamicPriceDesc=On product card, with this module enabled, you should be able to set mathematic functions to calculate Customer or Supplier prices. Such function can use all mathematic operators, some constants and variables. You can set here the variables you want to be able to use and if the variable need an automatic update, the external URL to use to ask Dolibarr to update automaticaly the value. AddVariable=Add Variable @@ -275,7 +275,7 @@ IncludingProductWithTag=Including product/service with tag DefaultPriceRealPriceMayDependOnCustomer=Default price, real price may depend on customer WarningSelectOneDocument=Please select at least one document DefaultUnitToShow=Unit -NbOfQtyInProposals=Qty in proposals +NbOfQtyInProposals=在提案/建議書的數量 ClinkOnALinkOfColumn=Click on a link of column %s to get a detailed view... ProductsOrServicesTranslations=Products or services translation TranslatedLabel=Translated label diff --git a/htdocs/langs/zh_TW/projects.lang b/htdocs/langs/zh_TW/projects.lang index 08edc71ae919b..ae068e55c5520 100644 --- a/htdocs/langs/zh_TW/projects.lang +++ b/htdocs/langs/zh_TW/projects.lang @@ -79,7 +79,7 @@ GoToListOfTimeConsumed=Go to list of time consumed GoToListOfTasks=Go to list of tasks GoToGanttView=Go to Gantt view GanttView=Gantt View -ListProposalsAssociatedProject=指定給專案的商業報價/提案列表清單 +ListProposalsAssociatedProject=指定給專案的商業提案/建議書清單 ListOrdersAssociatedProject=List of customer orders associated with the project ListInvoicesAssociatedProject=List of customer invoices associated with the project ListPredefinedInvoicesAssociatedProject=List of customer template invoices associated with project @@ -171,7 +171,7 @@ DocumentModelBeluga=Project template for linked objects overview DocumentModelBaleine=Project report template for tasks PlannedWorkload=Planned workload PlannedWorkloadShort=Workload -ProjectReferers=Related items +ProjectReferers=相關項目 ProjectMustBeValidatedFirst=Project must be validated first FirstAddRessourceToAllocateTime=Assign a user resource to task to allocate time InputPerDay=Input per day @@ -210,7 +210,7 @@ OpportunityPonderatedAmount=Opportunities weighted amount OpportunityPonderatedAmountDesc=Opportunities amount weighted with probability OppStatusPROSP=Prospection OppStatusQUAL=Qualification -OppStatusPROPO=建議 +OppStatusPROPO=提案/建議書 OppStatusNEGO=Negociation OppStatusPENDING=Pending OppStatusWON=Won diff --git a/htdocs/langs/zh_TW/propal.lang b/htdocs/langs/zh_TW/propal.lang index 7c10e78720f0c..03aab7752516a 100644 --- a/htdocs/langs/zh_TW/propal.lang +++ b/htdocs/langs/zh_TW/propal.lang @@ -1,34 +1,34 @@ # Dolibarr language file - Source file is en_US - propal -Proposals=商業建議 -Proposal=商業建議 -ProposalShort=建議 -ProposalsDraft=商業建議草案 -ProposalsOpened=Open commercial proposals -CommercialProposal=商業建議 -PdfCommercialProposalTitle=商業建議 -ProposalCard=建議卡 -NewProp=新的商業建議 -NewPropal=新建議 +Proposals=商業提案/建議書 +Proposal=商業提案/建議書 +ProposalShort=提案/建議書 +ProposalsDraft=商業提案/建議書草稿 +ProposalsOpened=開啟商業提案/建議書 +CommercialProposal=商業提案/建議書 +PdfCommercialProposalTitle=商業提案/建議書 +ProposalCard=提案/建議書卡片 +NewProp=新的商業提案/建議書 +NewPropal=新提案/建議書 Prospect=展望 -DeleteProp=商業建議刪除 -ValidateProp=驗證的商業建議 -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 -LastModifiedProposals=Latest %s modified proposals -AllPropals=所有提案 -SearchAProposal=搜尋建議 -NoProposal=No proposal -ProposalsStatistics=商業建議的統計數字 +DeleteProp=刪除商業提案/建議書 +ValidateProp=驗證的商業提案/建議書 +AddProp=建立提案/建議書 +ConfirmDeleteProp=您確認要刪除此商業提案/建議書? +ConfirmValidateProp=您確定您要用名稱%s驗證此商業提案/建議書? +LastPropals=最新提案/建議書 %s +LastModifiedProposals=最新修改的提案/建議書%s +AllPropals=所有提案/建議書 +SearchAProposal=搜尋提案/建議書 +NoProposal=沒有提案/建議書 +ProposalsStatistics=商業提案/建議書的統計數字 NumberOfProposalsByMonth=按月份數 AmountOfProposalsByMonthHT=按月份金額(稅後) -NbOfProposals=商業建議數 -ShowPropal=顯示建議 +NbOfProposals=商業提案/建議書數量 +ShowPropal=顯示提案/建議書 PropalsDraft=草稿 PropalsOpened=開放 PropalStatusDraft=草案(等待驗證) -PropalStatusValidated=Validated (proposal is opened) +PropalStatusValidated=驗證(提案/建議書已開放) PropalStatusSigned=簽名(需要收費) PropalStatusNotSigned=不簽署(非公開) PropalStatusBilled=帳單 @@ -38,33 +38,33 @@ PropalStatusClosedShort=關閉 PropalStatusSignedShort=簽名 PropalStatusNotSignedShort=未簽署 PropalStatusBilledShort=帳單 -PropalsToClose=商業建議關閉 +PropalsToClose=商業提案/建議書將結束 PropalsToBill=到法案簽署商業建議 -ListOfProposals=商業建議名單 -ActionsOnPropal=行動上的建議 -RefProposal=商業建議參考 -SendPropalByMail=通過郵件發送的商業建議 -DatePropal=日期的建議 +ListOfProposals=商業提案/建議書名單 +ActionsOnPropal=提案/建議書上的事件 +RefProposal=商業提案/建議書參考值 +SendPropalByMail=透過郵件發送的商業提案/建議書 +DatePropal=提案/建議書的日期 DateEndPropal=有效期結束日期 ValidityDuration=有效期 CloseAs=Set status to SetAcceptedRefused=Set accepted/refused ErrorPropalNotFound=Propal%s不符合 -AddToDraftProposals=Add to draft proposal -NoDraftProposals=No draft proposals -CopyPropalFrom=通過復制現有的商業建議提案 -CreateEmptyPropal=創建空的商業建議維耶熱或從產品/服務列表 -DefaultProposalDurationValidity=默認的商業建議有效期(天數) -UseCustomerContactAsPropalRecipientIfExist=使用客戶聯系地址,如果定義的,而不是作為提案的第三黨的地址收件人地址 -ClonePropal=克隆的商業建議 -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=商業建議和行 -ProposalLine=建議行 +AddToDraftProposals=增加提案/建議書草稿 +NoDraftProposals=沒有提案/建議書草稿 +CopyPropalFrom=利用現有的商業提案/建議書建立商業提案/建議書 +CreateEmptyPropal=從產品/服務清單或空白建立提案/建議書 +DefaultProposalDurationValidity=預設的商業提案/建議書有效期(天數) +UseCustomerContactAsPropalRecipientIfExist=使用客戶連絡人地址(如果已定義)而非合作方地址作為提案/建議書收件人地址 +ClonePropal=完整複製商業提案/建議書 +ConfirmClonePropal=您確定您要完整複製商業提案/建議書%s? +ConfirmReOpenProp=您確定要打開商業提案/建議書%s嗎? +ProposalsAndProposalsLines=商業提案/建議書和行數 +ProposalLine=提案/建議書行 AvailabilityPeriod=可用性延遲 SetAvailability=設置可用性延遲 AfterOrder=訂單後 -OtherProposals=其他建議 +OtherProposals=其他提案/建議書 ##### Availability ##### AvailabilityTypeAV_NOW=即時 AvailabilityTypeAV_1W=1個星期 @@ -72,13 +72,14 @@ AvailabilityTypeAV_2W=2個星期 AvailabilityTypeAV_3W=3個星期 AvailabilityTypeAV_1M=1個月 ##### Types de contacts ##### -TypeContact_propal_internal_SALESREPFOLL=代表隨訪的建議 +TypeContact_propal_internal_SALESREPFOLL=代表性的後續提案/建議書 TypeContact_propal_external_BILLING=客戶發票接觸 -TypeContact_propal_external_CUSTOMER=客戶聯系隨訪的建議 +TypeContact_propal_external_CUSTOMER=後續提案/建議書的客戶連絡人 +TypeContact_propal_external_SHIPPING=Customer contact for delivery # Document models -DocModelAzurDescription=一個完整的方案模型(logo. ..) +DocModelAzurDescription=一個完整的提案/建議書模型(logo. ..) DefaultModelPropalCreate=Default model creation -DefaultModelPropalToBill=Default template when closing a business proposal (to be invoiced) -DefaultModelPropalClosed=Default template when closing a business proposal (unbilled) +DefaultModelPropalToBill=當結束企業提案/建議書時使用預設範本(開立發票) +DefaultModelPropalClosed=當結束企業提案/建議書時使用預設範本(尚未計價) ProposalCustomerSignature=Written acceptance, company stamp, date and signature -ProposalsStatisticsSuppliers=Supplier proposals statistics +ProposalsStatisticsSuppliers=供應商提案/建議書統計 diff --git a/htdocs/langs/zh_TW/sendings.lang b/htdocs/langs/zh_TW/sendings.lang index 96ce4be64b3f7..765c6c9015dad 100644 --- a/htdocs/langs/zh_TW/sendings.lang +++ b/htdocs/langs/zh_TW/sendings.lang @@ -52,8 +52,8 @@ ActionsOnShipping=對裝運的事件 LinkToTrackYourPackage=鏈接到追蹤您的包裹 ShipmentCreationIsDoneFromOrder=就目前而言,從這個訂單而建立的出貨單已經完成。 ShipmentLine=Shipment line -ProductQtyInCustomersOrdersRunning=Product quantity into open customers orders -ProductQtyInSuppliersOrdersRunning=Product quantity into open suppliers orders +ProductQtyInCustomersOrdersRunning=Product quantity into open customer orders +ProductQtyInSuppliersOrdersRunning=Product quantity into open purchase orders ProductQtyInShipmentAlreadySent=Product quantity from open customer order already sent ProductQtyInSuppliersShipmentAlreadyRecevied=Product quantity from open supplier order already received NoProductToShipFoundIntoStock=No product to ship found into warehouse %s. Correct stock or go back to choose another warehouse. diff --git a/htdocs/langs/zh_TW/stocks.lang b/htdocs/langs/zh_TW/stocks.lang index 81b945f5068b0..0d00cb46ee8b1 100644 --- a/htdocs/langs/zh_TW/stocks.lang +++ b/htdocs/langs/zh_TW/stocks.lang @@ -67,7 +67,7 @@ DeStockOnValidateOrder=在客戶訂單驗證後,減少實際庫存量 DeStockOnShipment=Decrease real stocks on shipping validation DeStockOnShipmentOnClosing=Decrease real stocks on shipping classification closed ReStockOnBill=在供應商發票(invoice)或票據(Credit notes)驗證後,增加實際庫存量 -ReStockOnValidateOrder=在供應商訂單批准後,增加實際庫存量 +ReStockOnValidateOrder=Increase real stocks on purchase orders approbation ReStockOnDispatchOrder=Increase real stocks on manual dispatching into warehouses, after supplier order receipt of goods OrderStatusNotReadyToDispatch=命令還沒有或根本沒有更多的地位,使產品在倉庫庫存調度。 StockDiffPhysicTeoric=Explanation for difference between physical and virtual stock @@ -203,4 +203,4 @@ RegulateStock=Regulate Stock ListInventory=清單列表 StockSupportServices=Stock management support services StockSupportServicesDesc=By default, you can stock only product with type "product". If on, and if module service is on, you can also stock a product with type "service" -ReceiveProducts=Receive products +ReceiveProducts=Receive items diff --git a/htdocs/langs/zh_TW/supplier_proposal.lang b/htdocs/langs/zh_TW/supplier_proposal.lang index d9716c1390735..b1b2534a2d871 100644 --- a/htdocs/langs/zh_TW/supplier_proposal.lang +++ b/htdocs/langs/zh_TW/supplier_proposal.lang @@ -1,18 +1,18 @@ # Dolibarr language file - Source file is en_US - supplier_proposal -SupplierProposal=Vendor commercial proposals +SupplierProposal=供應商商業提案/建議書 supplier_proposalDESC=Manage price requests to vendors SupplierProposalNew=New price request CommRequest=Price request -CommRequests=Price requests +CommRequests=請求報價 SearchRequest=Find a request DraftRequests=Draft requests -SupplierProposalsDraft=Draft vendor proposals +SupplierProposalsDraft=供應商提案/建議書草稿 LastModifiedRequests=Latest %s modified price requests RequestsOpened=Open price requests -SupplierProposalArea=Vendor proposals area -SupplierProposalShort=Vendor proposal -SupplierProposals=Vendor proposals -SupplierProposalsShort=Vendor proposals +SupplierProposalArea=供應商提案/建議書區 +SupplierProposalShort=供應商提案/建議書 +SupplierProposals=供應商提案/建議書 +SupplierProposalsShort=供應商提案/建議書 NewAskPrice=New price request ShowSupplierProposal=Show price request AddSupplierProposal=Create a price request @@ -47,9 +47,9 @@ 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 +ListOfSupplierProposals=要求供應商提案/建議書清單 +ListSupplierProposalsAssociatedProject=專案中供應商提案/建議書清單 +SupplierProposalsToClose=將供應商提案/建議書結案 +SupplierProposalsToProcess=將處理供應商提案/建議書 LastSupplierProposals=Latest %s price requests AllPriceRequests=All requests diff --git a/htdocs/langs/zh_TW/suppliers.lang b/htdocs/langs/zh_TW/suppliers.lang index 48d10616fa4a4..8e88fa482d54f 100644 --- a/htdocs/langs/zh_TW/suppliers.lang +++ b/htdocs/langs/zh_TW/suppliers.lang @@ -1,8 +1,8 @@ # Dolibarr language file - Source file is en_US - suppliers -Suppliers=Vendors +Suppliers=供應商 SuppliersInvoice=Vendor invoice ShowSupplierInvoice=Show Vendor Invoice -NewSupplier=New vendor +NewSupplier=新供應商 History=歷史紀錄 ListOfSuppliers=List of vendors ShowSupplier=Show vendor @@ -19,7 +19,7 @@ ReferenceSupplierIsAlreadyAssociatedWithAProduct=該參考供應商已經與一 NoRecordedSuppliers=No vendor recorded SupplierPayment=Vendor payment SuppliersArea=Vendor area -RefSupplierShort=Ref. vendor +RefSupplierShort=參考供應商 Availability=可用性 ExportDataset_fournisseur_1=Vendor invoices list and invoice lines ExportDataset_fournisseur_2=Vendor invoices and payments diff --git a/htdocs/langs/zh_TW/users.lang b/htdocs/langs/zh_TW/users.lang index 8140db17e9fe3..cc0c96f5a6c84 100644 --- a/htdocs/langs/zh_TW/users.lang +++ b/htdocs/langs/zh_TW/users.lang @@ -1,25 +1,25 @@ # Dolibarr language file - Source file is en_US - users -HRMArea=HRM area -UserCard=帳戶資訊 +HRMArea=人資區 +UserCard=用戶卡 GroupCard=集團卡 Permission=允許 Permissions=權限 EditPassword=修改密碼 SendNewPassword=重新產生並發送密碼 -SendNewPasswordLink=Send link to reset password +SendNewPasswordLink=傳送連線重設密碼 ReinitPassword=重設密碼 PasswordChangedTo=密碼更改為:%s SubjectNewPassword=您新的密碼是 %s -GroupRights=組權限 -UserRights=帳戶權限 -UserGUISetup=設置使用者介面 -DisableUser=停用帳戶 -DisableAUser=禁用一個用戶 -DeleteUser=刪除帳戶 -DeleteAUser=刪除一個用戶 -EnableAUser=使用戶 +GroupRights=群組權限 +UserRights=用戶權限 +UserGUISetup=設定用戶介面 +DisableUser=停用用戶 +DisableAUser=停用一位用戶 +DeleteUser=刪除用戶 +DeleteAUser=刪除一位用戶 +EnableAUser=啟用用戶 DeleteGroup=刪除 -DeleteAGroup=刪除一組 +DeleteAGroup=刪除一群組 ConfirmDisableUser=您確定要禁用用戶 %s ? ConfirmDeleteUser=您確定要刪除用戶 %s ? ConfirmDeleteGroup=您確定要刪除群組 %s? @@ -27,43 +27,43 @@ ConfirmEnableUser=您確定要啟用用戶 %s? ConfirmReinitPassword=您確定要產生新密碼給用戶 %s? ConfirmSendNewPassword=您確定要產生及傳送新密碼給用戶 %s? NewUser=新增用戶 -CreateUser=創建用戶 +CreateUser=建立用戶 LoginNotDefined=登錄沒有定義。 NameNotDefined=名稱沒有定義。 ListOfUsers=用戶名單 SuperAdministrator=超級管理員 -SuperAdministratorDesc=管理員的所有權利 +SuperAdministratorDesc=全域管理員 AdministratorDesc=管理員 -DefaultRights=默認權限 -DefaultRightsDesc=這裏定義默認 )權限自動授予一個新創建的用戶的用戶(轉到卡上改變現有的用戶權限。 +DefaultRights=預設權限 +DefaultRightsDesc=這裏定義預設 權限自動授予一位新建立的用戶(移到用戶卡上改變現有的用戶權限)。 DolibarrUsers=Dolibarr用戶 LastName=姓氏 FirstName=名字 ListOfGroups=群組名單 -NewGroup=新增群組 +NewGroup=新群組 CreateGroup=建立群組 -RemoveFromGroup=從組中刪除 -PasswordChangedAndSentTo=密碼更改,發送到%s。 -PasswordChangeRequest=Request to change password for %s -PasswordChangeRequestSent=要求更改密碼的S%發送到%s。 -ConfirmPasswordReset=Confirm password reset +RemoveFromGroup=從群組中刪除 +PasswordChangedAndSentTo=密碼更改,發送到%s。 +PasswordChangeRequest=%s要求變更密碼 +PasswordChangeRequestSent=%s 傳送給 %s 要求更改密碼。 +ConfirmPasswordReset=確認密碼重設 MenuUsersAndGroups=用戶和群組 LastGroupsCreated=最新建立的群組 %s LastUsersCreated=最新建立的用戶 %s ShowGroup=顯示群組 ShowUser=顯示用戶 -NonAffectedUsers=非受影響的用戶 +NonAffectedUsers=非指派的用戶 UserModified=用戶修改成功 PhotoFile=圖片檔案 -ListOfUsersInGroup=在這個名單的用戶組 -ListOfGroupsForUser=這個名單的用戶群 -LinkToCompanyContact=是否為客戶/潛在/供應商的聯絡人 -LinkedToDolibarrMember=鏈接到會員 -LinkedToDolibarrUser=用戶鏈接到Dolibarr -LinkedToDolibarrThirdParty=鏈接到第三方Dolibarr -CreateDolibarrLogin=創建一個用戶 -CreateDolibarrThirdParty=創建一個第三者 -LoginAccountDisableInDolibarr=帳戶已停用的Dolibarr。 +ListOfUsersInGroup=此群組內用戶明細表 +ListOfGroupsForUser=此用戶的群組明細表 +LinkToCompanyContact=連線成為合作方的連絡人 +LinkedToDolibarrMember=連線成為會員 +LinkedToDolibarrUser=連線成為 Dolibarr 用戶 +LinkedToDolibarrThirdParty=連線成為 Dolibarr 的合作方 +CreateDolibarrLogin=建立一位用戶 +CreateDolibarrThirdParty=建立一位合作方 +LoginAccountDisableInDolibarr=在 Dolibarr 中帳戶已禁用。 UsePersonalValue=使用個人設定值 InternalUser=內部用戶 ExportDataset_user_1=Dolibarr的用戶和屬性 diff --git a/htdocs/langs/zh_TW/workflow.lang b/htdocs/langs/zh_TW/workflow.lang index affebb4ed2aa7..c26ef6b6d5342 100644 --- a/htdocs/langs/zh_TW/workflow.lang +++ b/htdocs/langs/zh_TW/workflow.lang @@ -1,20 +1,20 @@ # Dolibarr language file - Source file is en_US - workflow WorkflowSetup=工作流程模組設置 -WorkflowDesc=這個模組是設計來修改自動化的行為。預設為工作流程開啟(你可以依照你要的順序做事)。你可以啟動你有興趣的自動化項目。 -ThereIsNoWorkflowToModify=這個模組啟動會無法修正工作流程。 +WorkflowDesc=此模組是設計來修改應用程式的自動化的行為。預設為開啟工作流程(您可以依照你要的順序做事)。您可以啟動您有興趣的自動化行為。 +ThereIsNoWorkflowToModify=已啟動的模組無法可修改的工作流程。 # Autocreate -descWORKFLOW_PROPAL_AUTOCREATE_ORDER=Automatically create a customer order after a commercial proposal is signed (new order will have same amount than proposal) -descWORKFLOW_PROPAL_AUTOCREATE_INVOICE=當商業建議書簽署,自動建立客戶發票 (新發票會有和建議書相同的金額) +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(s) to billed when customer order is set to billed (and if amount of the order is same than total amount of signed linked proposals) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Classify linked source proposal(s) to billed when customer invoice is validated (and if amount of the invoice is same than total amount of signed linked proposals) -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Classify linked source customer order(s) to billed when customer invoice is validated (and if amount of the invoice is same than total amount of linked orders) -descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Classify linked source customer order(s) to billed when customer invoice is set to paid (and if amount of the invoice is same than total amount of linked orders) -descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Classify linked source customer order to shipped when a shipment is validated (and if 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 supplier order -descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Classify linked source vendor proposal(s) to billed when vendor invoice is validated (and if amount of the invoice is same than total amount of linked proposals) -descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Classify linked source purchase order(s) to billed when vendor invoice is validated (and if amount of the invoice is same than total amount of linked orders) +descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=當供應商發票已生效時,將來源的供應商提案/建議書分類為結算(並且如果發票金額與關連訂單的總金額相同) +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=當供應商發票已生效時,將來源的採購訂單分類為結算(並且如果發票金額與關連訂單的總金額相同) AutomaticCreation=自動建立 AutomaticClassification=自動分類 From b92190ac697f682fb0000eb68820586d365eb1b3 Mon Sep 17 00:00:00 2001 From: Philippe GRAND Date: Tue, 10 Jul 2018 09:32:55 +0200 Subject: [PATCH 56/62] Docs : Update and complete --- htdocs/core/modules/modPrinting.class.php | 8 +++++--- htdocs/core/modules/modProduct.class.php | 7 +++++-- htdocs/core/modules/modProductBatch.class.php | 8 +++++--- htdocs/core/modules/modProjet.class.php | 10 ++++++---- htdocs/core/modules/modPropale.class.php | 9 ++++++--- htdocs/core/modules/modReceiptPrinter.class.php | 8 +++++--- htdocs/core/modules/modResource.class.php | 2 +- htdocs/core/modules/modSalaries.class.php | 8 +++++--- htdocs/core/modules/modService.class.php | 9 ++++++--- htdocs/core/modules/modSkype.class.php | 17 ++++++----------- 10 files changed, 50 insertions(+), 36 deletions(-) diff --git a/htdocs/core/modules/modPrinting.class.php b/htdocs/core/modules/modPrinting.class.php index 1aa36bdaccebb..17d2f398e2be6 100644 --- a/htdocs/core/modules/modPrinting.class.php +++ b/htdocs/core/modules/modPrinting.class.php @@ -66,9 +66,11 @@ function __construct($db) $this->config_page_url = array("printing.php@printing"); // Dependencies - $this->depends = array(); - $this->requiredby = array(); - $this->phpmin = array(5,1); // Minimum version of PHP required by module + $this->hidden = false; // A condition to hide module + $this->depends = array(); // List of module class names as string that must be enabled if this module is enabled + $this->requiredby = array(); // List of module ids to disable if this one is disabled + $this->conflictwith = array(); // List of module class names as string this module is in conflict with + $this->phpmin = array(5,4); // Minimum version of PHP required by module $this->need_dolibarr_version = array(3,7,-2); // Minimum version of Dolibarr required by module $this->conflictwith = array(); $this->langfiles = array("printing"); diff --git a/htdocs/core/modules/modProduct.class.php b/htdocs/core/modules/modProduct.class.php index 6ad67ac089cdb..ab62edc00f645 100644 --- a/htdocs/core/modules/modProduct.class.php +++ b/htdocs/core/modules/modProduct.class.php @@ -65,8 +65,11 @@ function __construct($db) $this->dirs = array("/product/temp"); // Dependencies - $this->depends = array(); - $this->requiredby = array("modStock","modBarcode","modProductBatch"); + $this->hidden = false; // A condition to hide module + $this->depends = array(); // List of module class names as string that must be enabled if this module is enabled + $this->requiredby = array("modStock","modBarcode","modProductBatch"); // List of module ids to disable if this one is disabled + $this->conflictwith = array(); // List of module class names as string this module is in conflict with + $this->phpmin = array(5,4); // Minimum version of PHP required by module // Config pages $this->config_page_url = array("product.php@product"); diff --git a/htdocs/core/modules/modProductBatch.class.php b/htdocs/core/modules/modProductBatch.class.php index 91e8ddbae3cb2..ac96823377214 100644 --- a/htdocs/core/modules/modProductBatch.class.php +++ b/htdocs/core/modules/modProductBatch.class.php @@ -68,9 +68,11 @@ function __construct($db) $this->config_page_url = array("product_lot_extrafields.php@product"); // Dependencies - $this->depends = array("modProduct","modStock","modExpedition","modFournisseur"); // List of modules id that must be enabled if this module is enabled. modExpedition is required to manage batch exit (by manual stock decrease on shipment), modSupplier to manage batch entry (after supplier order). - $this->requiredby = array(); // List of modules id to disable if this one is disabled - $this->phpmin = array(5,0); // Minimum version of PHP required by module + $this->hidden = false; // A condition to hide module + $this->depends = array("modProduct","modStock","modExpedition","modFournisseur"); // List of module class names as string that must be enabled if this module is enabled + $this->requiredby = array(); // List of module ids to disable if this one is disabled + $this->conflictwith = array(); // List of module class names as string this module is in conflict with + $this->phpmin = array(5,4); // Minimum version of PHP required by module $this->need_dolibarr_version = array(3,0); // Minimum version of Dolibarr required by module $this->langfiles = array("productbatch"); diff --git a/htdocs/core/modules/modProjet.class.php b/htdocs/core/modules/modProjet.class.php index d38fc743de15c..3e440d3330a10 100644 --- a/htdocs/core/modules/modProjet.class.php +++ b/htdocs/core/modules/modProjet.class.php @@ -64,10 +64,12 @@ function __construct($db) // Data directories to create when module is enabled $this->dirs = array("/projet/temp"); - // Dependancies - $this->depends = array(); - $this->requiredby = array(); - $this->conflictwith = array(); + // Dependencies + $this->hidden = false; // A condition to hide module + $this->depends = array(); // List of module class names as string that must be enabled if this module is enabled + $this->requiredby = array(); // List of module ids to disable if this one is disabled + $this->conflictwith = array(); // List of module class names as string this module is in conflict with + $this->phpmin = array(5,4); // Minimum version of PHP required by module $this->langfiles = array('projects'); // Constants diff --git a/htdocs/core/modules/modPropale.class.php b/htdocs/core/modules/modPropale.class.php index c0701d3bfe241..5b3b2fdd4d8fa 100644 --- a/htdocs/core/modules/modPropale.class.php +++ b/htdocs/core/modules/modPropale.class.php @@ -63,9 +63,12 @@ function __construct($db) // Data directories to create when module is enabled $this->dirs = array("/propale/temp"); - // Dependancies - $this->depends = array("modSociete"); - $this->requiredby = array(); + // Dependencies + $this->hidden = false; // A condition to hide module + $this->depends = array("modSociete"); // List of module class names as string that must be enabled if this module is enabled + $this->requiredby = array(); // List of module ids to disable if this one is disabled + $this->conflictwith = array(); // List of module class names as string this module is in conflict with + $this->phpmin = array(5,4); // Minimum version of PHP required by module $this->config_page_url = array("propal.php"); $this->langfiles = array("propal","bills","companies","deliveries","products"); diff --git a/htdocs/core/modules/modReceiptPrinter.class.php b/htdocs/core/modules/modReceiptPrinter.class.php index 19df7ca07266a..77f264f0d5261 100644 --- a/htdocs/core/modules/modReceiptPrinter.class.php +++ b/htdocs/core/modules/modReceiptPrinter.class.php @@ -67,9 +67,11 @@ function __construct($db) $this->config_page_url = array("receiptprinter.php"); // Dependencies - $this->depends = array(); - $this->requiredby = array(); - $this->phpmin = array(5,1); // Minimum version of PHP required by module + $this->hidden = false; // A condition to hide module + $this->depends = array(); // List of module class names as string that must be enabled if this module is enabled + $this->requiredby = array(); // List of module ids to disable if this one is disabled + $this->conflictwith = array(); // List of module class names as string this module is in conflict with + $this->phpmin = array(5,4); // Minimum version of PHP required by module $this->need_dolibarr_version = array(3,9,-2); // Minimum version of Dolibarr required by module $this->conflictwith = array(); $this->langfiles = array("receiptprinter"); diff --git a/htdocs/core/modules/modResource.class.php b/htdocs/core/modules/modResource.class.php index 15b414947ef62..b088a301c6bef 100644 --- a/htdocs/core/modules/modResource.class.php +++ b/htdocs/core/modules/modResource.class.php @@ -95,7 +95,7 @@ public function __construct($db) // List of modules id to disable if this one is disabled $this->requiredby = array('modPlace'); // Minimum version of PHP required by module - $this->phpmin = array(5, 3); + $this->phpmin = array(5, 4); $this->langfiles = array("resource"); // langfiles@resource // Constants diff --git a/htdocs/core/modules/modSalaries.class.php b/htdocs/core/modules/modSalaries.class.php index e3d418d182ef9..9e319c8bf418f 100644 --- a/htdocs/core/modules/modSalaries.class.php +++ b/htdocs/core/modules/modSalaries.class.php @@ -70,9 +70,11 @@ function __construct($db) $this->config_page_url = array(); // Dependencies - $this->depends = array(); - $this->requiredby = array(); - $this->conflictwith = array(); + $this->hidden = false; // A condition to hide module + $this->depends = array(); // List of module class names as string that must be enabled if this module is enabled + $this->requiredby = array(); // List of module ids to disable if this one is disabled + $this->conflictwith = array(); // List of module class names as string this module is in conflict with + $this->phpmin = array(5,4); // Minimum version of PHP required by module $this->langfiles = array("salaries","bills"); // Constants diff --git a/htdocs/core/modules/modService.class.php b/htdocs/core/modules/modService.class.php index df09d27ca51ce..6db325f8f557c 100644 --- a/htdocs/core/modules/modService.class.php +++ b/htdocs/core/modules/modService.class.php @@ -62,9 +62,12 @@ function __construct($db) // Data directories to create when module is enabled $this->dirs = array("/product/temp"); - // Dependancies - $this->depends = array(); - $this->requiredby = array(); + // Dependencies + $this->hidden = false; // A condition to hide module + $this->depends = array(); // List of module class names as string that must be enabled if this module is enabled + $this->requiredby = array(); // List of module ids to disable if this one is disabled + $this->conflictwith = array(); // List of module class names as string this module is in conflict with + $this->phpmin = array(5,4); // Minimum version of PHP required by module // Config pages $this->config_page_url = array("product.php@product"); diff --git a/htdocs/core/modules/modSkype.class.php b/htdocs/core/modules/modSkype.class.php index d84520318a307..4a8b3013fe03b 100644 --- a/htdocs/core/modules/modSkype.class.php +++ b/htdocs/core/modules/modSkype.class.php @@ -59,31 +59,26 @@ function __construct($db) $this->dirs = array(); // Config pages - //------------- $this->config_page_url = array(); - // Dependancies - //------------- - $this->hidden = ! empty($conf->global->MODULE_SKYPE_DISABLED); // A condition to disable module - $this->depends = array('modSociete'); // List of modules id that must be enabled if this module is enabled - $this->requiredby = array(); // List of modules id to disable if this one is disabled - $this->conflictwith = array(); // List of modules id this module is in conflict with + // Dependencies + $this->hidden = ! empty($conf->global->MODULE_SKYPE_DISABLED); // A condition to hide module + $this->depends = array('modSociete'); // List of module class names as string that must be enabled if this module is enabled + $this->requiredby = array(); // List of module ids to disable if this one is disabled + $this->conflictwith = array(); // List of module class names as string this module is in conflict with + $this->phpmin = array(5,4); // Minimum version of PHP required by module $this->langfiles = array(); // Constants - //----------- // New pages on tabs - // ----------------- $this->tabs = array(); // Boxes - //------ $this->boxes = array(); // Main menu entries - //------------------ $this->menu = array(); } } From 243bc49a9028df7805ac4e56c09a4979fc113173 Mon Sep 17 00:00:00 2001 From: Philippe GRAND Date: Tue, 10 Jul 2018 09:38:05 +0200 Subject: [PATCH 57/62] Docs : Typo --- htdocs/core/modules/modSkype.class.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/htdocs/core/modules/modSkype.class.php b/htdocs/core/modules/modSkype.class.php index 4a8b3013fe03b..84a55ac365fa9 100644 --- a/htdocs/core/modules/modSkype.class.php +++ b/htdocs/core/modules/modSkype.class.php @@ -25,7 +25,7 @@ include_once DOL_DOCUMENT_ROOT .'/core/modules/DolibarrModules.class.php'; /** - * Class to describe a Cron module + * Class to describe a Skype module */ class modSkype extends DolibarrModules { From 8e0a663b7c9611753f0ec7a2e4ee2fea3e0f17ae Mon Sep 17 00:00:00 2001 From: Laurent Destailleur Date: Tue, 10 Jul 2018 10:53:59 +0200 Subject: [PATCH 58/62] Code comment --- htdocs/core/lib/functions.lib.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/htdocs/core/lib/functions.lib.php b/htdocs/core/lib/functions.lib.php index 92ee1e111227e..2cd5ab607ce42 100644 --- a/htdocs/core/lib/functions.lib.php +++ b/htdocs/core/lib/functions.lib.php @@ -4090,7 +4090,7 @@ function price($amount, $form=0, $outlangs='', $trunc=1, $rounding=-1, $forcerou * 'MT'=Round to Max for totals with Tax (MAIN_MAX_DECIMALS_TOT) * 'MS'=Round to Max for stock quantity (MAIN_MAX_DECIMALS_STOCK) * @param int $alreadysqlnb Put 1 if you know that content is already universal format number - * @return string Amount with universal numeric format (Example: '99.99999') or unchanged text if conversion fails. + * @return string Amount with universal numeric format (Example: '99.99999') or unchanged text if conversion fails. If amount is null or '', it returns ''. * * @see price Opposite function of price2num */ From b6180fcb58450b8d69105467cf35f82a31cd906b Mon Sep 17 00:00:00 2001 From: Laurent Destailleur Date: Tue, 10 Jul 2018 12:00:09 +0200 Subject: [PATCH 59/62] Fix fetch index in ecm when using multicompany --- htdocs/core/lib/files.lib.php | 2 +- htdocs/ecm/class/ecmfiles.class.php | 20 ++++++++++++++------ 2 files changed, 15 insertions(+), 7 deletions(-) diff --git a/htdocs/core/lib/files.lib.php b/htdocs/core/lib/files.lib.php index 73fa3cf67039e..28b598f090e2a 100644 --- a/htdocs/core/lib/files.lib.php +++ b/htdocs/core/lib/files.lib.php @@ -1219,7 +1219,7 @@ function dol_delete_file($file,$disableglob=0,$nophperrors=0,$nohook=0,$object=n } else dol_syslog("Failed to remove file ".$filename, LOG_WARNING); // TODO Failure to remove can be because file was already removed or because of permission - // If error because of not exists, we must should return true and we should return false if this is a permission problem + // If error because it does not exists, we should return true, and we should return false if this is a permission problem } } else dol_syslog("No files to delete found", LOG_DEBUG); diff --git a/htdocs/ecm/class/ecmfiles.class.php b/htdocs/ecm/class/ecmfiles.class.php index f1c0b6b1448e6..df76bac3e9b78 100644 --- a/htdocs/ecm/class/ecmfiles.class.php +++ b/htdocs/ecm/class/ecmfiles.class.php @@ -285,6 +285,8 @@ public function create(User $user, $notrigger = false) */ public function fetch($id, $ref = '', $relativepath = '', $hashoffile='', $hashforshare='', $src_object_type='', $src_object_id=0) { + global $conf; + dol_syslog(__METHOD__, LOG_DEBUG); $sql = 'SELECT'; @@ -317,25 +319,31 @@ public function fetch($id, $ref = '', $relativepath = '', $hashoffile='', $hashf }*/ if ($relativepath) { $sql .= " AND t.filepath = '" . $this->db->escape(dirname($relativepath)) . "' AND t.filename = '".$this->db->escape(basename($relativepath))."'"; + $sql .= " AND t.entity = ".$conf->entity; // unique key include the entity so each company has its own index } - elseif (! empty($ref)) { + elseif (! empty($ref)) { // hash of file path $sql .= " AND t.ref = '".$this->db->escape($ref)."'"; + $sql .= " AND t.entity = ".$conf->entity; // unique key include the entity so each company has its own index } - elseif (! empty($hashoffile)) { + elseif (! empty($hashoffile)) { // hash of content $sql .= " AND t.label = '".$this->db->escape($hashoffile)."'"; + $sql .= " AND t.entity = ".$conf->entity; // unique key include the entity so each company has its own index } elseif (! empty($hashforshare)) { $sql .= " AND t.share = '".$this->db->escape($hashforshare)."'"; + //$sql .= " AND t.entity = ".$conf->entity; // hashforshare already unique } elseif ($src_object_type && $src_object_id) { - $sql.= " AND t.src_object_type ='".$this->db->escape($src_object_type)."' AND t.src_object_id = ".$this->db->escape($src_object_id); + // Warning: May return several record, and only first one is returned ! + $sql .= " AND t.src_object_type ='".$this->db->escape($src_object_type)."' AND t.src_object_id = ".$this->db->escape($src_object_id); + $sql .= " AND t.entity = ".$conf->entity; } else { - $sql .= ' AND t.rowid = '.$this->db->escape($id); + $sql .= ' AND t.rowid = '.$this->db->escape($id); // rowid already unique } - // When we search on hash of content, we take the first one. Solve also hash conflict. - $this->db->plimit(1); + + $this->db->plimit(1); // When we search on src or on hash of content (hashforfile) to solve hash conflict when several files has same content, we take first one only $this->db->order('t.rowid', 'ASC'); $resql = $this->db->query($sql); From cbc17d46587e3d9e8e895886b484371dbbcc0518 Mon Sep 17 00:00:00 2001 From: Laurent Destailleur Date: Tue, 10 Jul 2018 12:03:51 +0200 Subject: [PATCH 60/62] Fix ecm when using multicompany --- htdocs/install/mysql/migration/7.0.0-8.0.0.sql | 2 ++ htdocs/install/mysql/tables/llx_ecm_files.key.sql | 2 +- 2 files changed, 3 insertions(+), 1 deletion(-) diff --git a/htdocs/install/mysql/migration/7.0.0-8.0.0.sql b/htdocs/install/mysql/migration/7.0.0-8.0.0.sql index 21feb62b9788c..4da1c8cf408fe 100644 --- a/htdocs/install/mysql/migration/7.0.0-8.0.0.sql +++ b/htdocs/install/mysql/migration/7.0.0-8.0.0.sql @@ -43,6 +43,8 @@ ALTER TABLE llx_website_page ADD COLUMN fk_user_create integer; ALTER TABLE llx_website_page ADD COLUMN fk_user_modif integer; ALTER TABLE llx_website_page ADD COLUMN type_container varchar(16) NOT NULL DEFAULT 'page'; +ALTER TABLE llx_ecm_files DROP INDEX uk_ecm_files; +ALTER TABLE llx_ecm_files ADD UNIQUE INDEX uk_ecm_files (filepath, filename, entity); -- drop very old table (bad name) diff --git a/htdocs/install/mysql/tables/llx_ecm_files.key.sql b/htdocs/install/mysql/tables/llx_ecm_files.key.sql index a55debc9cd024..a73d0251bff3d 100644 --- a/htdocs/install/mysql/tables/llx_ecm_files.key.sql +++ b/htdocs/install/mysql/tables/llx_ecm_files.key.sql @@ -17,7 +17,7 @@ -- ============================================================================ -ALTER TABLE llx_ecm_files ADD UNIQUE INDEX uk_ecm_files (filepath, filename); +ALTER TABLE llx_ecm_files ADD UNIQUE INDEX uk_ecm_files (filepath, filename, entity); ALTER TABLE llx_ecm_files ADD INDEX idx_ecm_files_label (label); --ALTER TABLE llx_ecm_files ADD UNIQUE INDEX uk_ecm_files_fullpath(fullpath); Disabled, mysql limits size of index From a55abb4da70103a6c753818715279cba2f994a76 Mon Sep 17 00:00:00 2001 From: Laurent Destailleur Date: Tue, 10 Jul 2018 13:54:20 +0200 Subject: [PATCH 61/62] Fix version --- htdocs/core/lib/functions.lib.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/htdocs/core/lib/functions.lib.php b/htdocs/core/lib/functions.lib.php index 54bbbc837a1fb..00ac2093bdc2e 100644 --- a/htdocs/core/lib/functions.lib.php +++ b/htdocs/core/lib/functions.lib.php @@ -2021,7 +2021,7 @@ function dol_mktime($hour,$minute,$second,$month,$day,$year,$gm=false,$check=1) } else { - dol_print_error('','PHP version must be 5.3+'); + dol_print_error('','PHP version must be 5.4+'); return ''; } } From aeb5f5e4f3cfdef8f357eb6a87e08205e2fc108b Mon Sep 17 00:00:00 2001 From: Laurent Destailleur Date: Tue, 10 Jul 2018 13:56:03 +0200 Subject: [PATCH 62/62] Fix phpcs --- htdocs/core/lib/functions.lib.php | 5 +++-- 1 file changed, 3 insertions(+), 2 deletions(-) diff --git a/htdocs/core/lib/functions.lib.php b/htdocs/core/lib/functions.lib.php index 2cd5ab607ce42..f5cef25006073 100644 --- a/htdocs/core/lib/functions.lib.php +++ b/htdocs/core/lib/functions.lib.php @@ -276,7 +276,7 @@ function GETPOSTISSET($paramname) * @param string $noreplace Force disable of replacement of __xxx__ strings. * @return string|string[] Value found (string or array), or '' if check fails */ -function GETPOST($paramname, $check='none', $method=0, $filter=NULL, $options=NULL, $noreplace=0) +function GETPOST($paramname, $check='none', $method=0, $filter=null, $options=null, $noreplace=0) { global $mysoc,$user,$conf; @@ -5070,6 +5070,7 @@ function dol_string_onlythesehtmltags($stringtoclean) * Clean a string from some undesirable HTML tags. * * @param string $stringtoclean String to clean + * @param array $disallowed_tags Array of tags not allowed * @return string String cleaned * * @see dol_escape_htmltag strip_tags dol_string_nohtmltag dol_string_onlythesehtmltags @@ -6147,7 +6148,7 @@ function dol_sort_array(&$array, $index, $order='asc', $natsort=0, $case_sensiti else { ($case_sensitive) ? natsort($temp) : natcasesort($temp); - if($order!='asc') $temp=array_reverse($temp,TRUE); + if($order!='asc') $temp=array_reverse($temp,true); } $sorted = array();